Name: Ezzah Aftab
Email: SP22-BCS-060@cuilahore.edu.pk
========================================================
In the Name of Allah, the Most Beneficent, the Most Merciful
========================================================
Project Title
Multi-Label Abstract Classification System
Python Version 3.10.0
Ssytem Information Windows: Edition Windows 10 Pro Version 22H2
-------------------- PROJECT PURPOSE --------------------
The main purpose of this project is to demonstrate how the Sentiment Analysis problem can be treated as a Supervised Machine Learning problem using Python and the Scikit-learn toolkit.
For this purpose, In Sha Allah, we will execute the Machine Learning cycle.
-------------------------------------------------------------------------
Multi-Label Abstract Classification System – Machine Learning Cycle
Machine Learning Cycle¶
Four phases of a Machine Learning Cycle are¶
Training Phase¶
Build the Model using Training Data
Testing Phase¶
Evaluate the performance of Model using Testing Data
Application Phase¶
Deploy the Model in the Real-world, to predict Real-time unseen Data
Feedback Phase¶
Take Feedback from the Users and Domain Experts to improve the Model
In Sha Allah, we will follow the following steps to execute the Machine Learning Cycle Using a Single File¶
Step 1: Import Libraries¶
Step 2: Load Sample Data¶
Step 2.1: View Columns In Dataset
Step 2.2: Keeping Required Columns In Dataset
Step 3: Understand and Pre-process Sample Data¶
Step 3.1: Download and set stopwords
Step 3.2: Define a function to clean the text
This function will remove symbols and numbers, convert text to lowercase, and remove stop words.
Step 3.3: Load the data
Step 3.4: Drop rows with NaN values in the text column
Step 3.5: Apply Data Cleaning
Step 3.6: Data After Processing
Step 3.7: Saving Cleaned Data as Seperate CSV File
Step 4: Splitting Sample Data into Training Data and Testing Data¶
Step 5: Label Encoding (Input and Output is converted in Numeric Representation)¶
Output is already in Numeric so we not need the Label Encoding.
Step 6: Execute the Training Phase¶
Step 6.1: Training Data and Testing Data
Step 6.2: Train the Model
Step 6.3: Save the Trained Model
Step 7: Execute the Testing Phase¶
Step 7.1: Load the Saved Model
Step 7.2: Evaluate the Machine Learning Model
Step 7.3: Showing Confusion Matrix
Step 8: Execute the Application Phase¶
Step 8.1: Take Input from User, Preprocess it
Step 8.4: Load the Saved Model
Step 8.5: Model Prediction
Step 8.5.1: Apply Model on the Label Encoded Feature Vector of unseen instance and return Prediction to the User
Step 9: Execute the Feedback Phase¶
Step 10: Improve the Model based on Feedback¶
Step 1: Import Libraries¶
import re
import pandas as pd
from nltk.corpus import stopwords
from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.model_selection import train_test_split
from sklearn.naive_bayes import MultinomialNB
from sklearn.metrics import accuracy_score, classification_report, confusion_matrix
from sklearn.multioutput import MultiOutputClassifier
from sklearn.linear_model import LogisticRegression
import nltk
import joblib
import seaborn as sns
import matplotlib.pyplot as plt
Step 2: Load Sample Data¶
Original data can be download from¶
http://saifmohammad.com/WebDocs/AIT-2018/AIT2018-DATA/SemEval2018-Task1-all-data.zip
data = pd.read_csv(r"C:\Users\Dell\Downloads\abstract-classification-dataset.csv")
print("\n\nMulti-Label Abstract Classification System Data:")
print("============\n")
pd.set_option("display.max_rows", None, "display.max_columns", None)
print(f'Sample data count = {len(data)}\n')
print(data.head())
print(data.tail())
Multi-Label Abstract Classification System Data:
============
Sample data count = 20972
ID TITLE \
0 1 Reconstructing Subject-Specific Effect Maps
1 2 Rotation Invariance Neural Network
2 3 Spherical polyharmonics and Poisson kernels fo...
3 4 A finite element approximation for the stochas...
4 5 Comparative study of Discrete Wavelet Transfor...
ABSTRACT Computer Science \
0 Predictive models allow subject-specific inf... 1
1 Rotation invariance and translation invarian... 1
2 We introduce and develop the notion of spher... 0
3 The stochastic Landau--Lifshitz--Gilbert (LL... 0
4 Fourier-transform infra-red (FTIR) spectra o... 1
Physics Mathematics Statistics Quantitative Biology \
0 0 0 0 0
1 0 0 0 0
2 0 1 0 0
3 0 1 0 0
4 0 0 1 0
Quantitative Finance
0 0
1 0
2 0
3 0
4 0
ID TITLE \
20967 20968 Contemporary machine learning: a guide for pra...
20968 20969 Uniform diamond coatings on WC-Co hard alloy c...
20969 20970 Analysing Soccer Games with Clustering and Con...
20970 20971 On the Efficient Simulation of the Left-Tail o...
20971 20972 Why optional stopping is a problem for Bayesians
ABSTRACT Computer Science \
20967 Machine learning is finding increasingly bro... 1
20968 Polycrystalline diamond coatings have been g... 0
20969 We present a new approach for identifying si... 1
20970 The sum of Log-normal variates is encountere... 0
20971 Recently, optional stopping has been a subje... 0
Physics Mathematics Statistics Quantitative Biology \
20967 1 0 0 0
20968 1 0 0 0
20969 0 0 0 0
20970 0 1 1 0
20971 0 1 1 0
Quantitative Finance
20967 0
20968 0
20969 0
20970 0
20971 0
Step 2.1: View Columns In Dataset¶
data.columns
Index(['ID', 'TITLE', 'ABSTRACT', 'Computer Science', 'Physics', 'Mathematics',
'Statistics', 'Quantitative Biology', 'Quantitative Finance'],
dtype='object')
Step 3: Understand and Pre-process Sample Data¶
Definition of Pre-processing Sample Data¶
Pre-processing sample data involves cleaning and transforming raw data into a format that can be effectively used for analysis. This step is crucial in natural language processing (NLP) as it helps in improving the performance of machine learning models by removing noise and ensuring consistency.
Impact of Pre-processing Sample Data¶
- Improves Data Quality: Removes irrelevant and redundant information, leading to cleaner and more meaningful data.
- Enhances Model Accuracy: By reducing noise and standardizing text, pre-processing helps in achieving better model performance.
- Facilitates Efficient Data Analysis: Simplifies the data, making it easier to analyze and interpret.
- Reduces Complexity: Helps in reducing the complexity of data by normalizing text and handling missing values.
Common pre-processing steps include:
- Removing punctuation and special characters
- Converting text to lowercase
- Removing stopwords
- Stemming and lemmatization
Step 3.1: Download and set stopwords¶
Definition of Stopwords¶
Stopwords are commonly used words in a language (such as "the", "is", "in", etc.) that are often filtered out before processing text data. These words are considered to have little value in understanding the content of a document because they are so frequently used.
Impact of Removing Stopwords¶
- Reduces Noise: Eliminates common but unimportant words, helping to focus on the more meaningful words in the text.
- Improves Model Performance: Reduces the dimensionality of the data, which can improve the efficiency and accuracy of machine learning models.
- Enhances Text Analysis: Helps in highlighting the significant words that contribute to the context and meaning of the text.
Note¶
It is important to understand that removing stopwords is not always necessary and depends on the specific requirements of your text analysis or machine learning task. In some cases, stopwords might carry important contextual information that could be valuable for your analysis. Therefore, it is essential to evaluate whether removing stopwords will benefit or hinder your particular application.
How to Download and Set Stopwords¶
To use stopwords in your text pre-processing steps, you need to download a list of stopwords for the language you are working with. In the case of English, the nltk library provides a comprehensive list of stopwords.
The following code snippet shows how to download and set stopwords using the nltk library:
# Ensure you have downloaded the stopwords
import nltk
nltk.download('stopwords')
from nltk.corpus import stopwords
# Set the stopwords for English
stop_words = set(stopwords.words('english'))
# Ensure you have downloaded the stopwords
stop_words = set(stopwords.words('english'))
Step 3.2: Define a function to clean the text¶
This function will remove symbols and numbers, convert text to lowercase, and remove stop words.
# Function to clean the text
def clean_text(text):
# Remove symbols and numbers
text = re.sub(r'[^a-zA-Z\s]', '', text)
# Convert text to lowercase
text = text.lower()
# Remove stop words
text = ' '.join(word for word in text.split() if word not in stop_words)
return text
For the sake of clear understanding we will divide clean_text function in seperate function.¶
Function 1: Remove Symbols and Numbers¶
This function removes all symbols and numbers from the text, leaving only alphabetic characters. This step is important to ensure that the text data is clean and only contains meaningful words.
def remove_symbols_numbers(text):
# Remove symbols and numbers
text = re.sub(r'[^a-zA-Z\s]', '', text)
return text
Function 2: Convert Text to Lowercase¶
This function converts all characters in the text to lowercase to ensure consistency.
def to_lowercase(text):
# Convert text to lowercase
text = text.lower()
return text
Function 3: Remove Stopwords¶
This function removes stopwords from the text, which are common words that may not contribute significant meaning.
stop_words = set(stopwords.words('english'))
def remove_stopwords(text):
# Remove stop words
text = ' '.join(word for word in text.split() if word not in stop_words)
return text
Step 3.3: Load the data¶
# Load the data
data = pd.read_csv('abstract-classification-dataset.csv')
data
| ID | TITLE | ABSTRACT | Computer Science | Physics | Mathematics | Statistics | Quantitative Biology | Quantitative Finance | |
|---|---|---|---|---|---|---|---|---|---|
| 0 | 1 | Reconstructing Subject-Specific Effect Maps | Predictive models allow subject-specific inf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1 | 2 | Rotation Invariance Neural Network | Rotation invariance and translation invarian... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2 | 3 | Spherical polyharmonics and Poisson kernels fo... | We introduce and develop the notion of spher... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3 | 4 | A finite element approximation for the stochas... | The stochastic Landau--Lifshitz--Gilbert (LL... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4 | 5 | Comparative study of Discrete Wavelet Transfor... | Fourier-transform infra-red (FTIR) spectra o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5 | 6 | On maximizing the fundamental frequency of the... | Let $\Omega \subset \mathbb{R}^n$ be a bound... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6 | 7 | On the rotation period and shape of the hyperb... | We observed the newly discovered hyperbolic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7 | 8 | Adverse effects of polymer coating on heat tra... | The ability of metallic nanoparticles to sup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8 | 9 | SPH calculations of Mars-scale collisions: the... | We model large-scale ($\approx$2000km) impac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9 | 10 | $\mathcal{R}_{0}$ fails to predict the outbrea... | Time varying susceptibility of host at indiv... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10 | 11 | A global sensitivity analysis and reduced orde... | We present a systematic global sensitivity a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11 | 12 | Role-separating ordering in social dilemmas co... | "Three is a crowd" is an old proverb that ap... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12 | 13 | Dynamics of exciton magnetic polarons in CdMnS... | We study the exciton magnetic polaron (EMP) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13 | 14 | On Varieties of Ordered Automata | The classical Eilenberg correspondence, base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14 | 15 | Direct Evidence of Spontaneous Abrikosov Vorte... | Using low-temperature Magnetic Force Microsc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15 | 16 | A rank 18 Waring decomposition of $sM_{\langle... | The recent discovery that the exponent of ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16 | 17 | The PdBI Arcsecond Whirlpool Survey (PAWS). Th... | The process that leads to the formation of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17 | 18 | Higher structure in the unstable Adams spectra... | We describe a variant construction of the un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18 | 19 | Comparing Covariate Prioritization via Matchin... | When investigators seek to estimate causal e... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19 | 20 | Acoustic Impedance Calculation via Numerical S... | Assigning homogeneous boundary conditions, s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20 | 21 | Deciphering noise amplification and reduction ... | The impact of random fluctuations on the dyn... | 0 | 0 | 0 | 0 | 1 | 0 |
| 21 | 22 | Many-Body Localization: Stability and Instability | Rare regions with weak disorder (Griffiths r... | 0 | 1 | 1 | 0 | 0 | 0 |
| 22 | 23 | Fault Detection and Isolation Tools (FDITOOLS)... | The Fault Detection and Isolation Tools (FDI... | 1 | 0 | 0 | 0 | 0 | 0 |
| 23 | 24 | Complexity of Deciding Detectability in Discre... | Detectability of discrete event systems (DES... | 1 | 0 | 0 | 0 | 0 | 0 |
| 24 | 25 | The Knaster-Tarski theorem versus monotone non... | Let $X$ be a partially ordered set with the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 25 | 26 | Efficient methods for computing integrals in e... | Efficient methods are proposed, for computin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 26 | 27 | Diffraction-Aware Sound Localization for a Non... | We present a novel sound localization algori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 27 | 28 | Jacob's ladders, crossbreeding in the set of $... | In this paper we introduce the notion of $\z... | 0 | 0 | 1 | 0 | 0 | 0 |
| 28 | 29 | Minimax Estimation of the $L_1$ Distance | We consider the problem of estimating the $L... | 0 | 0 | 1 | 1 | 0 | 0 |
| 29 | 30 | Density large deviations for multidimensional ... | We investigate the density large deviation f... | 0 | 1 | 1 | 0 | 0 | 0 |
| 30 | 31 | mixup: Beyond Empirical Risk Minimization | Large deep neural networks are powerful, but... | 1 | 0 | 0 | 1 | 0 | 0 |
| 31 | 32 | Equality of the usual definitions of Brakke flow | In 1978 Brakke introduced the mean curvature... | 0 | 0 | 1 | 0 | 0 | 0 |
| 32 | 33 | Dynamic Base Station Repositioning to Improve ... | With recent advancements in drone technology... | 1 | 0 | 0 | 0 | 0 | 0 |
| 33 | 34 | An Unsupervised Homogenization Pipeline for Cl... | Electronic health records (EHR) contain a la... | 0 | 0 | 0 | 0 | 1 | 0 |
| 34 | 35 | Deep Neural Network Optimized to Resistive Mem... | Artificial Neural Network computation relies... | 1 | 0 | 0 | 0 | 0 | 0 |
| 35 | 36 | Rate-Distortion Region of a Gray-Wyner Model w... | In this work, we establish a full single-let... | 1 | 0 | 1 | 0 | 0 | 0 |
| 36 | 37 | Fourier-based numerical approximation of the W... | This work discusses the numerical approximat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 37 | 38 | Design Decisions for Weave: A Real-Time Web-ba... | There are many web-based visualization syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 38 | 39 | Suzaku Analysis of the Supernova Remnant G306.... | We present an investigation of the supernova... | 0 | 1 | 0 | 0 | 0 | 0 |
| 39 | 40 | Japanese Sentiment Classification using a Tree... | Previous approaches to training syntax-based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 40 | 41 | Covariances, Robustness, and Variational Bayes | Mean-field Variational Bayes (MFVB) is an ap... | 0 | 0 | 0 | 1 | 0 | 0 |
| 41 | 42 | Are multi-factor Gaussian term structure model... | In this paper, we empirically study models f... | 0 | 0 | 0 | 0 | 0 | 1 |
| 42 | 43 | Probing valley filtering effect by Andreev ref... | Ballistic point contact (BPC) with zigzag ed... | 0 | 1 | 0 | 0 | 0 | 0 |
| 43 | 44 | Generalized Approximate Message-Passing Decode... | Sparse superposition (SS) codes were origina... | 1 | 0 | 1 | 0 | 0 | 0 |
| 44 | 45 | LAAIR: A Layered Architecture for Autonomous I... | When developing general purpose robots, the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 45 | 46 | 3D Human Pose Estimation in RGBD Images for Ro... | We propose an approach to estimate 3D human ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 46 | 47 | Simultaneous non-vanishing for Dirichlet L-fun... | We extend the work of Fouvry, Kowalski and M... | 0 | 0 | 1 | 0 | 0 | 0 |
| 47 | 48 | Wehrl Entropy Based Quantification of Nonclass... | Nonclassical states of a quantized light are... | 1 | 1 | 0 | 0 | 0 | 0 |
| 48 | 49 | Attention-based Natural Language Person Retrieval | Following the recent progress in image class... | 1 | 0 | 0 | 0 | 0 | 0 |
| 49 | 50 | Large Scale Automated Forecasting for Monitori... | Real time large scale streaming data pose ma... | 0 | 0 | 0 | 1 | 0 | 0 |
| 50 | 51 | Contextual Regression: An Accurate and Conveni... | Machine learning algorithms such as linear r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 51 | 52 | Multi-time correlators in continuous measureme... | We consider multi-time correlators for outpu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 52 | 53 | Parallelism, Concurrency and Distribution in C... | Constraint Handling Rules is an effective co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 53 | 54 | Robustness against the channel effect in patho... | Many people are suffering from voice disorde... | 1 | 0 | 0 | 0 | 0 | 0 |
| 54 | 55 | An Effective Framework for Constructing Expone... | Computing a basis for the exponent lattice o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 55 | 56 | Competing evolutionary paths in growing popula... | Investigating the emergence of a particular ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 56 | 57 | Transient flows in active porous media | Stimuli-responsive materials that modify the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 57 | 58 | An information model for modular robots: the H... | Today's landscape of robotics is dominated b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 58 | 59 | Detecting Adversarial Samples Using Density Ra... | Machine learning models, especially based on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 59 | 60 | The Query Complexity of Cake Cutting | We study the query complexity of cake cuttin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 60 | 61 | Stacked Convolutional and Recurrent Neural Net... | This paper studies the emotion recognition f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 61 | 62 | Timed Automata with Polynomial Delay and their... | We consider previous models of Timed, Probab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 62 | 63 | Superconducting properties of Cu intercalated ... | We present muon spin rotation measurements o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 63 | 64 | Time-domain THz spectroscopy reveals coupled p... | Here we reveal details of the interaction be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 64 | 65 | Inversion of Qubit Energy Levels in Qubit-Osci... | We report on experimentally measured light s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 65 | 66 | Deep Multiple Instance Feature Learning via Va... | We describe a novel weakly supervised deep l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 66 | 67 | Regularity of envelopes in Kähler classes | We establish the C^{1,1} regularity of quasi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 67 | 68 | $S^1$-equivariant Index theorems and Morse ine... | Let $M$ be a complex manifold of dimension $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 68 | 69 | Internal Model from Observations for Reward Sh... | Reinforcement learning methods require caref... | 1 | 0 | 0 | 1 | 0 | 0 |
| 69 | 70 | Characterizations of quasitrivial symmetric no... | In this paper we are interested in the class... | 0 | 0 | 1 | 0 | 0 | 0 |
| 70 | 71 | Multivariate Dependency Measure based on Copul... | We propose a new multivariate dependency mea... | 0 | 0 | 1 | 1 | 0 | 0 |
| 71 | 72 | The nature of the tensor order in Cd2Re2O7 | The pyrochlore metal Cd2Re2O7 has been recen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 72 | 73 | Efficient and consistent inference of ancestra... | In evolutionary biology, the speciation hist... | 1 | 0 | 1 | 1 | 0 | 0 |
| 73 | 74 | Flow Characteristics and Cores of Complex Netw... | Subject of research is complex networks and ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 74 | 75 | Pattern-forming fronts in a Swift-Hohenberg eq... | We study the effect of domain growth on the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 75 | 76 | Generalized Minimum Distance Estimators in Lin... | This paper discusses minimum distance estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 76 | 77 | Live Service Migration in Mobile Edge Clouds | Mobile edge clouds (MECs) bring the benefits... | 1 | 0 | 0 | 0 | 0 | 0 |
| 77 | 78 | Induced density correlations in a sonic black ... | Analog black/white hole pairs, consisting of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 78 | 79 | Genus growth in $\mathbb{Z}_p$-towers of funct... | Let $K$ be a function field over a finite fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 79 | 80 | Topological Phases emerging from Spin-Orbital ... | We study the evolution of spin-orbital corre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 80 | 81 | Accurate and Diverse Sampling of Sequences bas... | For autonomous agents to successfully operat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 81 | 82 | Exploring RNN-Transducer for Chinese Speech Re... | End-to-end approaches have drawn much attent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 82 | 83 | A Debt-Aware Learning Approach for Resource Ad... | Elasticity is a cloud property that enables ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 83 | 84 | Semi-simplicial spaces | This is an exposition of homotopical results... | 0 | 0 | 1 | 0 | 0 | 0 |
| 84 | 85 | Constraints, Lazy Constraints, or Propagators ... | Answer Set Programming (ASP) is a well-estab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 85 | 86 | A Unified Approach to Nonlinear Transformation... | The advances in geometric approaches to opti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 86 | 87 | Stationary crack propagation in a two-dimensio... | We investigate crack propagation in a simple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 87 | 88 | A note on the fundamental group of Kodaira fib... | The fundamental group $\pi$ of a Kodaira fib... | 0 | 0 | 1 | 0 | 0 | 0 |
| 88 | 89 | Photo-Chemically Directed Self-Assembly of Car... | Transistors incorporating single-wall carbon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 89 | 90 | Split-and-augmented Gibbs sampler - Applicatio... | This paper derives two new optimization-driv... | 0 | 0 | 0 | 1 | 0 | 0 |
| 90 | 91 | Does a generalized Chaplygin gas correctly des... | Yes, but only for a parameter value that mak... | 0 | 1 | 0 | 0 | 0 | 0 |
| 91 | 92 | The effects of subdiffusion on the NTA size me... | The interest in the extracellular vesicles (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 92 | 93 | Empirical regression quantile process with pos... | The processes of the averaged regression qua... | 0 | 0 | 1 | 1 | 0 | 0 |
| 93 | 94 | Primordial perturbations from inflation with a... | We study primordial perturbations from hyper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 94 | 95 | Role of Vanadyl Oxygen in Understanding Metall... | Vanadium pentoxide (V2O5), the most stable m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 95 | 96 | Graph Convolution: A High-Order and Adaptive A... | In this paper, we presented a novel convolut... | 1 | 0 | 0 | 1 | 0 | 0 |
| 96 | 97 | Learning Sparse Representations in Reinforceme... | A variety of representation learning approac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 97 | 98 | Almost euclidean Isoperimetric Inequalities in... | Motivated by Perelman's Pseudo Locality Theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 98 | 99 | Exponential Sums and Riesz energies | We bound an exponential sum that appears in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 99 | 100 | One dimensionalization in the spin-1 Heisenber... | We investigate the effect of dimensional cro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 100 | 101 | Memory Aware Synapses: Learning what (not) to ... | Humans can learn in a continuous manner. Old... | 1 | 0 | 0 | 1 | 0 | 0 |
| 101 | 102 | Uniform Spectral Convergence of the Stochastic... | In this paper, we study the generalized poly... | 0 | 0 | 1 | 0 | 0 | 0 |
| 102 | 103 | On Improving the Capacity of Solving Large-sca... | Over the last decade, wireless networks have... | 1 | 0 | 1 | 0 | 0 | 0 |
| 103 | 104 | Quasi two-dimensional Fermi surface topography... | We report on a combined study of the de Haas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 104 | 105 | A Variational Characterization of Rényi Diverg... | Atar, Chowdhary and Dupuis have recently exh... | 1 | 0 | 1 | 1 | 0 | 0 |
| 105 | 106 | Interlayer coupling and gate-tunable excitons ... | Bilayer van der Waals (vdW) heterostructures... | 0 | 1 | 0 | 0 | 0 | 0 |
| 106 | 107 | Enumeration of singular varieties with tangenc... | We construct the algebraic cobordism theory ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 107 | 108 | In-home and remote use of robotic body surroga... | People with profound motor deficits could pe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 108 | 109 | ClusterNet: Detecting Small Objects in Large S... | Object detection in wide area motion imagery... | 1 | 0 | 0 | 0 | 0 | 0 |
| 109 | 110 | Monte Carlo Tree Search with Sampled Informati... | Monte Carlo Tree Search (MCTS), most famousl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 110 | 111 | Fermi-edge singularity and the functional reno... | We study the Fermi-edge singularity, describ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 111 | 112 | Towards "AlphaChem": Chemical Synthesis Planni... | Retrosynthesis is a technique to plan the ch... | 1 | 1 | 0 | 0 | 0 | 0 |
| 112 | 113 | The quasi-Assouad dimension for stochastically... | The class of stochastically self-similar set... | 0 | 0 | 1 | 0 | 0 | 0 |
| 113 | 114 | Influence of Spin Orbit Coupling in the Iron-B... | We report on the influence of spin-orbit cou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 114 | 115 | Effect of Meltdown and Spectre Patches on the ... | In this work we examine how the updates addr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 115 | 116 | Gene regulatory network inference: an introduc... | Gene regulatory networks are powerful abstra... | 0 | 0 | 0 | 0 | 1 | 0 |
| 116 | 117 | Optic Disc and Cup Segmentation Methods for Gl... | Glaucoma is the second leading cause of blin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 117 | 118 | Automatic Analysis, Decomposition and Parallel... | The life of the modern world essentially dep... | 1 | 0 | 1 | 0 | 0 | 0 |
| 118 | 119 | Robust Contextual Bandit via the Capped-$\ell_... | This paper considers the actor-critic contex... | 1 | 0 | 0 | 1 | 0 | 0 |
| 119 | 120 | Improper posteriors are not improper | In 1933 Kolmogorov constructed a general the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 120 | 121 | Fault Tolerant Consensus Agreement Algorithm | Recently a new fault tolerant and simple mec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 121 | 122 | Congestion Barcodes: Exploring the Topology of... | This work presents a new method to quantify ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 122 | 123 | Once in a blue moon: detection of 'bluing' dur... | The first transiting planetesimal orbiting a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 123 | 124 | Viscous dynamics of drops and bubbles in Hele-... | In this review article, we discuss recent st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 124 | 125 | Stacking-based Deep Neural Network: Deep Analy... | Stacking-based deep neural network (S-DNN), ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 125 | 126 | Superconductivity and Frozen Electronic States... | In spite of Anderson's theorem, disorder is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 126 | 127 | Emittance preservation of an electron beam in ... | We investigate beam loading and emittance pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 127 | 128 | Detection of Nonlinearly Distorted OFDM Signal... | In this paper, we propose a practical receiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 128 | 129 | Nonlinear fractal meaning of the Hubble constant | According to astrophysical observations valu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 129 | 130 | SEA: String Executability Analysis by Abstract... | Dynamic languages often employ reflection pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 130 | 131 | On the trade-off between labels and weights in... | Reductions for transition systems have been ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 131 | 132 | Poynting's theorem in magnetic turbulence | Poynting's theorem is used to obtain an expr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 132 | 133 | Polar factorization of conformal and projectiv... | Let M be a compact Riemannian manifold and l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 133 | 134 | Representing numbers as the sum of squares and... | We examine the representation of numbers as ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 134 | 135 | Spatial Regression and the Bayesian Filter | Regression for spatially dependent outcomes ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 135 | 136 | Behaviour of electron content in the ionospher... | One of the most important parameters in iono... | 0 | 1 | 0 | 0 | 0 | 0 |
| 136 | 137 | Fractional compound Poisson processes with mul... | For the particles undergoing the anomalous d... | 0 | 0 | 1 | 1 | 0 | 0 |
| 137 | 138 | Zero-point spin-fluctuations of single adatoms | Stabilizing the magnetic signal of single ad... | 0 | 1 | 0 | 0 | 0 | 0 |
| 138 | 139 | Exploration-exploitation tradeoffs dictate the... | We study a minimal model for the growth of a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 139 | 140 | Evaluating openEHR for storing computable repr... | Electronic Health Records (EHR) are data gen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 140 | 141 | Optimizing Mission Critical Data Dissemination... | Mission critical data dissemination in massi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 141 | 142 | Interference of two co-directional exclusion p... | We develope a two-species exclusion process ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 142 | 143 | Gaussian fluctuations of Jack-deformed random ... | We introduce a large class of random Young d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 143 | 144 | Revisiting (logarithmic) scaling relations usi... | We explicitly compute the critical exponents... | 0 | 1 | 0 | 0 | 0 | 0 |
| 144 | 145 | Concentration of weakly dependent Banach-value... | We obtain a Bernstein-type inequality for su... | 0 | 0 | 1 | 1 | 0 | 0 |
| 145 | 146 | Evolution of the Kondo lattice electronic stru... | The temperature-dependent evolution of the K... | 0 | 1 | 0 | 0 | 0 | 0 |
| 146 | 147 | On A Conjecture Regarding Permutations Which D... | Hegarty conjectured for $n\neq 2, 3, 5, 7$ t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 147 | 148 | Inverse monoids and immersions of cell complexes | An immersion $f : {\mathcal D} \rightarrow \... | 0 | 0 | 1 | 0 | 0 | 0 |
| 148 | 149 | Not even wrong: The spurious link between biod... | Resolving the relationship between biodivers... | 0 | 0 | 0 | 0 | 1 | 0 |
| 149 | 150 | Evidence of Fraud in Brazil's Electoral Campai... | The principle of democracy is that the peopl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 150 | 151 | A Berkeley View of Systems Challenges for AI | With the increasing commoditization of compu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 151 | 152 | Equivariant infinite loop space theory, I. The... | We rework and generalize equivariant infinit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 152 | 153 | Arithmetic purity of strong approximation for ... | We prove that any open subset $U$ of a semi-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 153 | 154 | Flatness results for nonlocal minimal cones an... | We show that nonlocal minimal cones which ar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 154 | 155 | Effective Asymptotic Formulae for Multilinear ... | Let $f_1,\ldots,f_k : \mathbb{N} \rightarrow... | 0 | 0 | 1 | 0 | 0 | 0 |
| 155 | 156 | On the apparent permeability of porous media i... | The apparent gas permeability of the porous ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 156 | 157 | Small subgraphs and their extensions in a rand... | In previous papers, threshold probabilities ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 157 | 158 | Increasing the Reusability of Enforcers with L... | Runtime enforcement can be effectively used ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 158 | 159 | A Fast Interior Point Method for Atomic Norm S... | The atomic norm provides a generalization of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 159 | 160 | Optimal Experiment Design for Causal Discovery... | We study the problem of causal structure lea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 160 | 161 | Economically Efficient Combined Plant and Cont... | We present a novel data-driven nested optimi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 161 | 162 | The 10 phases of spin chains with two Ising sy... | We explore the topological properties of qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 162 | 163 | Generalized subspace subcodes with application... | Most of the codes that have an algebraic dec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 163 | 164 | Lagrangian fibers of Gelfand-Cetlin systems | Motivated by the study of Nishinou-Nohara-Ue... | 0 | 0 | 1 | 0 | 0 | 0 |
| 164 | 165 | A local ensemble transform Kalman particle fil... | Ensemble data assimilation methods such as t... | 0 | 1 | 0 | 1 | 0 | 0 |
| 165 | 166 | Tensor Robust Principal Component Analysis wit... | In this paper, we consider the Tensor Robust... | 0 | 0 | 0 | 1 | 0 | 0 |
| 166 | 167 | Resolving the age bimodality of galaxy stellar... | Galaxies in the local Universe are known to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 167 | 168 | Hidden long evolutionary memory in a model bio... | We introduce a minimal model for the evoluti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 168 | 169 | On Study of the Reliable Fully Convolutional N... | The handwritten string recognition is still ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 169 | 170 | Marcel Riesz on Nörlund Means | We note that the necessary and sufficient co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 170 | 171 | Mathematics of Isogeny Based Cryptography | These lectures notes were written for a summ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 171 | 172 | Modeling of drug diffusion in a solid tumor le... | It has been shown recently that changing the... | 0 | 0 | 0 | 0 | 1 | 0 |
| 172 | 173 | Sensitivity analysis for inverse probability w... | To identify the estimand in missing data pro... | 0 | 0 | 1 | 1 | 0 | 0 |
| 173 | 174 | From 4G to 5G: Self-organized Network Manageme... | In this paper, we provide an analysis of sel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 174 | 175 | Cyber Risk Analysis of Combined Data Attacks A... | Understanding smart grid cyber attacks is ke... | 1 | 0 | 0 | 0 | 0 | 0 |
| 175 | 176 | A New Family of Near-metrics for Universal Sim... | We propose a family of near-metrics based on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 176 | 177 | Poisoning Attacks to Graph-Based Recommender S... | Recommender system is an important component... | 0 | 0 | 0 | 1 | 0 | 0 |
| 177 | 178 | SU-RUG at the CoNLL-SIGMORPHON 2017 shared tas... | This paper describes the Stockholm Universit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 178 | 179 | Neural system identification for large populat... | Neuroscientists classify neurons into differ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 179 | 180 | On the Deployment of Distributed Antennas for ... | The extremely low efficiency is regarded as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 180 | 181 | A simulation technique for slurries interactin... | A numerical method for particle-laden fluids... | 1 | 0 | 0 | 0 | 0 | 0 |
| 181 | 182 | Dissipative hydrodynamics in superspace | We construct a Schwinger-Keldysh effective f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 182 | 183 | The Two-fold Role of Observables in Classical ... | Observables have a dual nature in both class... | 0 | 1 | 0 | 0 | 0 | 0 |
| 183 | 184 | On the isoperimetric quotient over scalar-flat... | Let $(M,g)$ be a smooth compact Riemannian m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 184 | 185 | On the Spectrum of Random Features Maps of Hig... | Random feature maps are ubiquitous in modern... | 0 | 0 | 0 | 1 | 0 | 0 |
| 185 | 186 | Minimum energy path calculations with Gaussian... | The calculation of minimum energy paths for ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 186 | 187 | Evaluating Roles of Central Users in Online Co... | Social media has changed the ways of communi... | 1 | 1 | 0 | 1 | 0 | 0 |
| 187 | 188 | Best polynomial approximation on the triangle | Let $E_n(f)_{\alpha,\beta,\gamma}$ denote th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 188 | 189 | SecureTime: Secure Multicast Time Synchronization | Due to the increasing dependency of critical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 189 | 190 | Solving the multi-site and multi-orbital Dynam... | We implement an efficient numerical method t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 190 | 191 | Topologically Invariant Double Dirac States in... | Bulk and surface electronic structures, calc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 191 | 192 | Identitas: A Better Way To Be Meaningless | It is often recommended that identifiers for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 192 | 193 | Learning from Between-class Examples for Deep ... | Deep learning methods have achieved high per... | 1 | 0 | 0 | 1 | 0 | 0 |
| 193 | 194 | DAGGER: A sequential algorithm for FDR control... | We propose a linear-time, single-pass, top-d... | 0 | 0 | 1 | 1 | 0 | 0 |
| 194 | 195 | On nonlinear profile decompositions and scatte... | In this paper, we consider a Hamiltonian sys... | 0 | 0 | 1 | 0 | 0 | 0 |
| 195 | 196 | Blockchain and human episodic memory | We relate the concepts used in decentralized... | 0 | 0 | 0 | 0 | 1 | 0 |
| 196 | 197 | Epidemic Spreading and Aging in Temporal Netwo... | Time-varying network topologies can deeply i... | 1 | 0 | 0 | 0 | 1 | 0 |
| 197 | 198 | The Shattered Gradients Problem: If resnets ar... | A long-standing obstacle to progress in deep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 198 | 199 | Pr$_2$Ir$_2$O$_7$: when Luttinger semimetal me... | We study the band structure topology and eng... | 0 | 1 | 0 | 0 | 0 | 0 |
| 199 | 200 | A 2-edge partial inverse problem for the Sturm... | Boundary value problems for Sturm-Liouville ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 200 | 201 | Jastrow form of the Ground State Wave Function... | The topological morphology--order of zeros a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 201 | 202 | On a common refinement of Stark units and Gros... | The purpose of this paper is to formulate an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 202 | 203 | An Integrated Decision and Control Theoretic S... | This paper considers the problem of autonomo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 203 | 204 | Chain effects of clean water: The Mills-Reinck... | This study explores the validity of chain ef... | 0 | 0 | 0 | 1 | 1 | 0 |
| 204 | 205 | Learning Transferable Architectures for Scalab... | Developing neural network image classificati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 205 | 206 | Fast Multi-frame Stereo Scene Flow with Motion... | We propose a new multi-frame method for effi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 206 | 207 | Pointed $p^2q$-dimensional Hopf algebras in po... | Let $\K$ be an algebraically closed field of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 207 | 208 | Weak Form of Stokes-Dirac Structures and Geome... | We present the mixed Galerkin discretization... | 1 | 0 | 0 | 0 | 0 | 0 |
| 208 | 209 | Clamped seismic metamaterials: Ultra-low broad... | The regularity of earthquakes, their destruc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 209 | 210 | Difference analogue of second main theorems fo... | In this paper, we prove some difference anal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 210 | 211 | An Effective Way to Improve YouTube-8M Classif... | Large-scale datasets have played a significa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 211 | 212 | Experimental Design of a Prescribed Burn Instr... | Observational data collected during experime... | 0 | 0 | 0 | 1 | 0 | 0 |
| 212 | 213 | Seifert surgery on knots via Reidemeister tors... | For a knot $K$ in a homology $3$-sphere $\Si... | 0 | 0 | 1 | 0 | 0 | 0 |
| 213 | 214 | Sparse mean localization by information theory | Sparse feature selection is necessary when w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 214 | 215 | Joint Power and Admission Control based on Cha... | In this letter, we consider the joint power ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 215 | 216 | A Closer Look at the Alpha Persei Coronal Conu... | A ROSAT survey of the Alpha Per open cluster... | 0 | 1 | 0 | 0 | 0 | 0 |
| 216 | 217 | The challenge of realistic music generation: m... | Realistic music generation is a challenging ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 217 | 218 | Interpretations of family size distributions: ... | Young asteroid families are unique sources o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 218 | 219 | Intersections of $ω$ classes in $\overline{\ma... | We provide a graph formula which describes a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 219 | 220 | GENFIRE: A generalized Fourier iterative recon... | Tomography has made a radical impact on dive... | 0 | 1 | 0 | 0 | 0 | 0 |
| 220 | 221 | GANs Trained by a Two Time-Scale Update Rule C... | Generative Adversarial Networks (GANs) excel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 221 | 222 | SPIRou Input Catalog: Activity, Rotation and M... | Based on optical high-resolution spectra obt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 222 | 223 | Objective Procedure for Reconstructing Couplin... | Inferring directional connectivity from poin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 223 | 224 | Iteratively-Reweighted Least-Squares Fitting o... | Support vector machines (SVMs) are an import... | 1 | 0 | 0 | 1 | 0 | 0 |
| 224 | 225 | Time-Series Adaptive Estimation of Vaccination... | Estimating vaccination uptake is an integral... | 1 | 0 | 0 | 1 | 0 | 0 |
| 225 | 226 | Over Recurrence for Mixing Transformations | We show that every invertible strong mixing ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 226 | 227 | Joint Atlas-Mapping of Multiple Histological S... | Development of a mesoscale neural circuitry ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 227 | 228 | A Practical Approach for Successive Omniscience | The system that we study in this paper conta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 228 | 229 | Scholars on Twitter: who and how many are they? | In this paper we present a novel methodology... | 1 | 0 | 0 | 0 | 0 | 0 |
| 229 | 230 | General notions of regression depth function | As a measure for the centrality of a point i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 230 | 231 | Photonic topological pumping through the edges... | When a two-dimensional electron gas is expos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 231 | 232 | On Scalable Inference with Stochastic Gradient... | In many applications involving large dataset... | 1 | 0 | 0 | 1 | 0 | 0 |
| 232 | 233 | The g-Good-Neighbor Conditional Diagnosability... | In the work of Peng et al. in 2012, a new me... | 1 | 0 | 1 | 0 | 0 | 0 |
| 233 | 234 | Coherence for lenses and open games | Categories of polymorphic lenses in computer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 234 | 235 | Streaming Algorithm for Euler Characteristic C... | We present an efficient algorithm to compute... | 1 | 0 | 1 | 0 | 0 | 0 |
| 235 | 236 | An automata group of intermediate growth and e... | We give a new example of an automata group o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 236 | 237 | Tuning across the BCS-BEC crossover in the mul... | The crossover from Bardeen-Cooper-Schrieffer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 237 | 238 | GroupReduce: Block-Wise Low-Rank Approximation... | Model compression is essential for serving l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 238 | 239 | Morphological characterization of Ge ion impla... | 200 nm thick SiO2 layers grown on Si substra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 239 | 240 | Preliminary corrosion studies of IN-RAFM steel... | Corrosion of Indian RAFMS (reduced activatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 240 | 241 | Magnetocapillary self-assemblies: locomotion a... | This paper presents an overview and discussi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 241 | 242 | On asymptotically minimax nonparametric detect... | For the problem of nonparametric detection o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 242 | 243 | Bayesian Metabolic Flux Analysis reveals intra... | Metabolic flux balance analyses are a standa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 243 | 244 | Robust Estimation of Change-Point Location | We introduce a robust estimator of the locat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 244 | 245 | Growing length scale accompanying the vitrific... | In glass forming liquids close to the glass ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 245 | 246 | Many-Objective Pareto Local Search | We propose a new Pareto Local Search Algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 246 | 247 | From Natural to Artificial Camouflage: Compone... | We identify the components of bio-inspired a... | 1 | 0 | 0 | 0 | 1 | 0 |
| 247 | 248 | Bayesian nonparametric inference for the M/G/1... | In the present work we study Bayesian nonpar... | 0 | 0 | 1 | 1 | 0 | 0 |
| 248 | 249 | On some polynomials and series of Bloch-Polya ... | We will show that $(1-q)(1-q^2)\dots (1-q^m)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 249 | 250 | Improvement in the UAV position estimation wit... | In this paper, we develop a position estimat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 250 | 251 | Structured low rank decomposition of multivari... | We study the decomposition of a multivariate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 251 | 252 | Linear time-periodic dynamical systems: An H2 ... | Linear time-periodic (LTP) dynamical systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 252 | 253 | Software metadata: How much is enough? | Broad efforts are underway to capture metada... | 1 | 1 | 0 | 0 | 0 | 0 |
| 253 | 254 | A Categorical Approach for Recognizing Emotion... | Recently, digital music libraries have been ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 254 | 255 | Utilizing artificial neural networks to predic... | One key requirement for effective supply cha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 255 | 256 | Deformable Generator Network: Unsupervised Dis... | We propose a deformable generator model to d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 256 | 257 | Gaussian Kernel in Quantum Paradigm | The Gaussian kernel is a very popular kernel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 257 | 258 | Learning to Succeed while Teaching to Fail: Pr... | Security, privacy, and fairness have become ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 258 | 259 | Performance of Energy Harvesting Receivers wit... | The difficulty of modeling energy consumptio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 259 | 260 | On Convergence Rate of a Continuous-Time Distr... | This paper studies a recently proposed conti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 260 | 261 | Closing the loop on multisensory interactions:... | When the brain receives input from multiple ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 261 | 262 | Block CUR: Decomposing Matrices using Groups o... | A common problem in large-scale data analysi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 262 | 263 | Synchronous Observation on the Spontaneous Tra... | The unusually high surface tension of room t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 263 | 264 | Continuously tempered Hamiltonian Monte Carlo | Hamiltonian Monte Carlo (HMC) is a powerful ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 264 | 265 | Automated Synthesis of Safe Digital Controller... | We present a new method for the automated sy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 265 | 266 | Magnus integrators on multicore CPUs and GPUs | In the present paper we consider numerical m... | 1 | 1 | 0 | 0 | 0 | 0 |
| 266 | 267 | High Dimensional Estimation and Multi-Factor M... | This paper re-investigates the estimation of... | 0 | 0 | 0 | 1 | 0 | 1 |
| 267 | 268 | Scaling Law for Three-body Collisions in Ident... | We experimentally confirmed the threshold be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 268 | 269 | An Expanded Local Variance Gamma model | The paper proposes an expanded version of th... | 0 | 0 | 0 | 0 | 0 | 1 |
| 269 | 270 | An attentive neural architecture for joint seg... | In processing human produced text using natu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 270 | 271 | Multilevel maximum likelihood estimation with ... | The asymptotic variance of the maximum likel... | 0 | 0 | 1 | 1 | 0 | 0 |
| 271 | 272 | Auto-Meta: Automated Gradient Based Meta Learn... | Fully automating machine learning pipelines ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 272 | 273 | Convergence of the Forward-Backward Algorithm:... | We provide a comprehensive study of the conv... | 0 | 0 | 1 | 1 | 0 | 0 |
| 273 | 274 | Calibration-Free Relaxation-Based Multi-Color ... | Magnetic Particle Imaging (MPI) is a novel i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 274 | 275 | Neural Machine Translation | Draft of textbook chapter on neural machine ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 275 | 276 | On algebraically integrable domains in Euclide... | Let $D$ be a bounded domain $D$ in $\mathbb ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 276 | 277 | Vocabulary-informed Extreme Value Learning | The novel unseen classes can be formulated a... | 1 | 0 | 1 | 1 | 0 | 0 |
| 277 | 278 | Cross-layer optimized routing with low duty cy... | In this paper, we study the performance of t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 278 | 279 | A Team-Formation Algorithm for Faultline Minim... | In recent years, the proliferation of online... | 1 | 0 | 0 | 0 | 0 | 0 |
| 279 | 280 | A Survey of Model Compression and Acceleration... | Deep convolutional neural networks (CNNs) ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 280 | 281 | Non-Parametric Calibration of Probabilistic Re... | The task of calibration is to retrospectivel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 281 | 282 | Cyclotron resonant scattering feature simulati... | Cyclotron resonant scattering features (CRSF... | 0 | 1 | 0 | 0 | 0 | 0 |
| 282 | 283 | New quantum mds constacylıc codes | This paper is devoted to the study of the co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 283 | 284 | Infinitary first-order categorical logic | We present a unified categorical treatment o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 284 | 285 | Stochastic Gradient Monomial Gamma Sampler | Recent advances in stochastic gradient techn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 285 | 286 | Gini estimation under infinite variance | We study the problems related to the estimat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 286 | 287 | Training Neural Networks Using Features Replay | Training a neural network using backpropagat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 287 | 288 | The anti-spherical category | We study a diagrammatic categorification (th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 288 | 289 | Trajectories and orbital angular momentum of n... | Recently, we have predicted that the modulat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 289 | 290 | Unified Treatment of Spin Torques using a Coup... | A three-dimensional spin current solver base... | 0 | 1 | 0 | 0 | 0 | 0 |
| 290 | 291 | A XGBoost risk model via feature selection and... | This paper aims to explore models based on t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 291 | 292 | Rheology of High-Capillary Number Flow in Poro... | Immiscible fluids flowing at high capillary ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 292 | 293 | Quantum Charge Pumps with Topological Phases i... | Quantum charge pumping phenomenon connects b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 293 | 294 | On Deep Neural Networks for Detecting Heart Di... | Heart disease is the leading cause of death,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 294 | 295 | Exponential Stability Analysis via Integral Qu... | The theory of integral quadratic constraints... | 1 | 0 | 1 | 0 | 0 | 0 |
| 295 | 296 | Fermi acceleration of electrons inside foresho... | Foreshock transients upstream of Earth's bow... | 0 | 1 | 0 | 0 | 0 | 0 |
| 296 | 297 | Quantum Speed Limit is Not Quantum | The quantum speed limit (QSL), or the energy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 297 | 298 | Adaptive Diffusion Processes of Time-Varying L... | This paper mainly discusses the diffusion on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 298 | 299 | ACVAE-VC: Non-parallel many-to-many voice conv... | This paper proposes a non-parallel many-to-m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 299 | 300 | Spectral analysis of jet turbulence | Informed by LES data and resolvent analysis ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 300 | 301 | A dual framework for low-rank tensor completion | One of the popular approaches for low-rank t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 301 | 302 | La notion d'involution dans le Brouillon Proje... | Nous tentons dans cet article de proposer un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 302 | 303 | Framing U-Net via Deep Convolutional Framelets... | X-ray computed tomography (CT) using sparse ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 303 | 304 | Lie $\infty$-algebroids and singular foliations | A singular (or Hermann) foliation on a smoot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 304 | 305 | Distinct evolutions of Weyl fermion quasiparti... | The Weyl semimetal phase is a recently disco... | 0 | 1 | 0 | 0 | 0 | 0 |
| 305 | 306 | Assessing inter-modal and inter-regional depen... | A sequence of pathological changes takes pla... | 0 | 0 | 0 | 1 | 1 | 0 |
| 306 | 307 | On the economics of knowledge creation and sha... | This work bridges the technical concepts und... | 1 | 0 | 0 | 0 | 0 | 0 |
| 307 | 308 | Seismic fragility curves for structures using ... | Fragility curves are commonly used in civil ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 308 | 309 | Metastable Markov chains: from the convergence... | We consider continuous-time Markov chains wh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 309 | 310 | Construction of embedded periodic surfaces in ... | We construct embedded minimal surfaces which... | 0 | 0 | 1 | 0 | 0 | 0 |
| 310 | 311 | A System of Three Super Earths Transiting the ... | We report the discovery of three small trans... | 0 | 1 | 0 | 0 | 0 | 0 |
| 311 | 312 | State Sum Invariants of Three Manifolds from S... | We define a family of quantum invariants of ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 312 | 313 | Sparse Neural Networks Topologies | We propose Sparse Neural Network architectur... | 1 | 0 | 0 | 1 | 0 | 0 |
| 313 | 314 | Human perception in computer vision | Computer vision has made remarkable progress... | 1 | 0 | 0 | 0 | 0 | 0 |
| 314 | 315 | Analyses and estimation of certain design para... | A numerical analysis of heat conduction thro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 315 | 316 | Merge decompositions, two-sided Krohn-Rhodes, ... | This paper provides short proofs of two fund... | 1 | 0 | 1 | 0 | 0 | 0 |
| 316 | 317 | Deep Multimodal Image-Repurposing Detection | Nefarious actors on social media and other p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 317 | 318 | DeepFense: Online Accelerated Defense Against ... | Recent advances in adversarial Deep Learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 318 | 319 | Retrospective Higher-Order Markov Processes fo... | Users form information trails as they browse... | 1 | 0 | 0 | 1 | 0 | 0 |
| 319 | 320 | Frank-Wolfe with Subsampling Oracle | We analyze two novel randomized variants of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 320 | 321 | A mean value formula and a Liouville theorem f... | In this paper, we prove a mean value formula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 321 | 322 | Bayesian Image Quality Transfer with CNNs: Exp... | In this work, we investigate the value of un... | 1 | 0 | 0 | 0 | 0 | 0 |
| 322 | 323 | Yu-Shiba-Rusinov bands in superconductors in c... | Superconductor-Ferromagnet (SF) heterostruct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 323 | 324 | Bayesian Optimization for Probabilistic Programs | We present the first general purpose framewo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 324 | 325 | Long-Term Load Forecasting Considering Volatil... | Long-term load forecasting plays a vital rol... | 0 | 0 | 0 | 1 | 0 | 0 |
| 325 | 326 | Geometrically stopped Markovian random growth ... | Many empirical studies document power law be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 326 | 327 | Mathematics of Topological Quantum Computing | In topological quantum computing, informatio... | 0 | 1 | 1 | 0 | 0 | 0 |
| 327 | 328 | Graph Clustering using Effective Resistance | $ \def\vecc#1{\boldsymbol{#1}} $We design a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 328 | 329 | Self-supervised learning: When is fusion of th... | Self-supervised learning (SSL) is a reliable... | 1 | 0 | 0 | 0 | 0 | 0 |
| 329 | 330 | Playing Atari with Six Neurons | Deep reinforcement learning on Atari games m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 330 | 331 | Contraction and uniform convergence of isotoni... | We consider the problem of isotonic regressi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 331 | 332 | A Systematic Approach for Exploring Tradeoffs ... | Heating, Ventilation, and Cooling (HVAC) sys... | 1 | 0 | 0 | 0 | 0 | 0 |
| 332 | 333 | On types of degenerate critical points of real... | In this paper, we consider the problem of id... | 0 | 0 | 1 | 0 | 0 | 0 |
| 333 | 334 | Contribution of Data Categories to Readmission... | Identification of patients at high risk for ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 334 | 335 | Tropical recurrent sequences | Tropical recurrent sequences are introduced ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 335 | 336 | Invariance of Weight Distributions in Rectifie... | An interesting approach to analyzing neural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 336 | 337 | Learning to Adapt by Minimizing Discrepancy | We explore whether useful temporal neural ge... | 1 | 0 | 0 | 1 | 0 | 0 |
| 337 | 338 | Incarnation of Majorana Fermions in Kitaev Qua... | Kitaev quantum spin liquid is a topological ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 338 | 339 | Haro 11: Where is the Lyman continuum source? | Identifying the mechanism by which high ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 339 | 340 | Typed Closure Conversion for the Calculus of C... | Dependently typed languages such as Coq are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 340 | 341 | Untangling Planar Curves | Any generic closed curve in the plane can be... | 1 | 0 | 1 | 0 | 0 | 0 |
| 341 | 342 | Greedy-Merge Degrading has Optimal Power-Law | Consider a channel with a given input distri... | 1 | 0 | 1 | 0 | 0 | 0 |
| 342 | 343 | Radially distributed values and normal families | Let $L_0$ and $L_1$ be two distinct rays ema... | 0 | 0 | 1 | 0 | 0 | 0 |
| 343 | 344 | Characterizing Exoplanet Habitability | A habitable exoplanet is a world that can ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 344 | 345 | Deep Learning for Classification Tasks on Geos... | In this paper, we evaluate the accuracy of d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 345 | 346 | The Distance Standard Deviation | The distance standard deviation, which arise... | 0 | 0 | 1 | 1 | 0 | 0 |
| 346 | 347 | Combining learned and analytical models for pr... | One of the most basic skills a robot should ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 347 | 348 | Leavitt path algebras: Graded direct-finitenes... | In this paper, we give a complete characteri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 348 | 349 | Ensemble Estimation of Mutual Information | We derive the mean squared error convergence... | 1 | 0 | 1 | 1 | 0 | 0 |
| 349 | 350 | Social media mining for identification and exp... | Widespread use of social media has led to th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 350 | 351 | The vortex method for 2D ideal flows in the ex... | The vortex method is a common numerical and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 351 | 352 | Neeman's characterization of K(R-Proj) via Bou... | Let $R$ be an associative ring with unit and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 352 | 353 | Qualification Conditions in Semi-algebraic Pro... | For an arbitrary finite family of semi-algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 353 | 354 | Curvature in Hamiltonian Mechanics And The Ein... | Riemannian geometry is a particular case of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 354 | 355 | End-to-End Navigation in Unknown Environments ... | We investigate how a neural network can lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 355 | 356 | A Combinatorial Approach to the Opposite Bi-Fr... | In this paper, we present a combinatorial ap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 356 | 357 | Roche-lobe overflow in eccentric planet-star s... | Many giant exoplanets are found near their R... | 0 | 1 | 0 | 0 | 0 | 0 |
| 357 | 358 | A short-orbit spectrometer for low-energy pion... | A new Short-Orbit Spectrometer (SOS) has bee... | 0 | 1 | 0 | 0 | 0 | 0 |
| 358 | 359 | A one-dimensional model for water desalination... | Capacitive deionization (CDI) is a fast-emer... | 1 | 1 | 0 | 0 | 0 | 0 |
| 359 | 360 | Deep Learning Scooping Motion using Bilateral ... | We present bilateral teleoperation system fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 360 | 361 | XFlow: 1D-2D Cross-modal Deep Neural Networks ... | We propose two multimodal deep learning arch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 361 | 362 | Making Sense of Physics through Stories: High ... | Educational research has shown that narrativ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 362 | 363 | Preventing Hospital Acquired Infections Throug... | Hospital acquired infections (HAI) are infec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 363 | 364 | OpenML Benchmarking Suites and the OpenML100 | We advocate the use of curated, comprehensiv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 364 | 365 | On orbifold constructions associated with the ... | In this article, we study orbifold construct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 365 | 366 | From mindless mathematics to thinking meat? | Deconstruction of the theme of the 2017 FQXi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 366 | 367 | Phase correction for ALMA - Investigating wate... | The Atacama Large millimetre/submillimetre A... | 0 | 1 | 0 | 0 | 0 | 0 |
| 367 | 368 | On the $μ$-ordinary locus of a Shimura variety | In this paper, we study the $\mu$-ordinary l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 368 | 369 | Scatteract: Automated extraction of data from ... | Charts are an excellent way to convey patter... | 1 | 0 | 0 | 1 | 0 | 0 |
| 369 | 370 | When the Universe Expands Too Fast: Relentless... | We consider a modification to the standard c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 370 | 371 | Polygons with prescribed edge slopes: configur... | We describe the configuration space $\mathbf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 371 | 372 | An Asymptotically Efficient Metropolis-Hasting... | This paper discusses a Metropolis-Hastings a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 372 | 373 | When Streams of Optofluidics Meet the Sea of Life | Luke P. Lee is a Tan Chin Tuan Centennial Pr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 373 | 374 | L lines, C points and Chern numbers: understan... | Topology has appeared in different physical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 374 | 375 | Willis Theory via Graphs | We study the scale and tidy subgroups of an ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 375 | 376 | The Effect of Site-Specific Spectral Densities... | The coupled exciton-vibrational dynamics of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 376 | 377 | Space dependent adhesion forces mediated by tr... | In the first part of this work we show the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 377 | 378 | On the nonparametric maximum likelihood estima... | We study the Nonparametric Maximum Likelihoo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 378 | 379 | Gravitational wave production from preheating:... | Parametric resonance is among the most effic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 379 | 380 | IP determination and 1+1 REMPI spectrum of SiO... | The 1+1 REMPI spectrum of SiO in the 210-220... | 0 | 1 | 0 | 0 | 0 | 0 |
| 380 | 381 | Adaptive Model Predictive Control for High-Acc... | Robots and automated systems are increasingl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 381 | 382 | An enhanced method to compute the similarity b... | With the use of ontologies in several domain... | 1 | 0 | 0 | 0 | 0 | 0 |
| 382 | 383 | Eigenvalues of symmetric tridiagonal interval ... | In this short note, we present a novel metho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 383 | 384 | PRE-render Content Using Tiles (PRECUT). 1. La... | Visualizing a complex network is computation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 384 | 385 | The list chromatic number of graphs with small... | We prove that every triangle-free graph with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 385 | 386 | Topology of Large-Scale Structures of Galaxies... | We study the two-dimensional topology of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 386 | 387 | Wiki-index of authors popularity | The new index of the author's popularity est... | 1 | 0 | 0 | 0 | 0 | 0 |
| 387 | 388 | Belyi map for the sporadic group J1 | We compute the genus 0 Belyi map for the spo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 388 | 389 | Convolution Semigroups of Probability Measures... | Our goal is to find classes of convolution s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 389 | 390 | Toward Optimal Coupon Allocation in Social Net... | CMO Council reports that 71\% of internet us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 390 | 391 | Lefschetz duality for intersection (co)homology | We prove the Lefschetz duality for intersect... | 0 | 0 | 1 | 0 | 0 | 0 |
| 391 | 392 | Empirical determination of the optimum attack ... | All possible removals of $n=5$ nodes from ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 392 | 393 | Stochastic Non-convex Optimization with Strong... | In this paper, we study stochastic non-conve... | 1 | 0 | 0 | 1 | 0 | 0 |
| 393 | 394 | On the optimality and sharpness of Laguerre's ... | Lower bounds on the smallest eigenvalue of a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 394 | 395 | Attitude Control of a 2U Cubesat by Magnetic a... | This paper describes the development of a ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 395 | 396 | Random Forests, Decision Trees, and Categorica... | One advantage of decision tree based methods... | 1 | 0 | 0 | 1 | 0 | 0 |
| 396 | 397 | Temporal correlation detection using computati... | For decades, conventional computers based on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 397 | 398 | Complexity and capacity bounds for quantum cha... | We generalise some well-known graph paramete... | 0 | 0 | 1 | 0 | 0 | 0 |
| 398 | 399 | Quantum Interference of Glory Rescattering in ... | During the ionization of atoms irradiated by... | 0 | 1 | 0 | 0 | 0 | 0 |
| 399 | 400 | On vector measures and extensions of transfunc... | We are interested in extending operators def... | 0 | 0 | 1 | 0 | 0 | 0 |
| 400 | 401 | Deep Within-Class Covariance Analysis for Robu... | Convolutional Neural Networks (CNNs) can lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 401 | 402 | Efficient Online Bandit Multiclass Learning wi... | We present an efficient second-order algorit... | 0 | 0 | 0 | 1 | 0 | 0 |
| 402 | 403 | Local Communication Protocols for Learning Com... | Swarm systems constitute a challenging probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 403 | 404 | Towards exascale real-time RFI mitigation | We describe the design and implementation of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 404 | 405 | Learning body-affordances to simplify action s... | Controlling embodied agents with many actuat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 405 | 406 | Cayley properties of the line graphs induced b... | Let $n >3$ and $ 0< k < \frac{n}{2} $ be int... | 0 | 0 | 1 | 0 | 0 | 0 |
| 406 | 407 | Beyond the technical challenges for deploying ... | Recently software development companies star... | 1 | 0 | 0 | 1 | 0 | 0 |
| 407 | 408 | Class-Splitting Generative Adversarial Networks | Generative Adversarial Networks (GANs) produ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 408 | 409 | Dynamical system analysis of dark energy model... | We study the phase space dynamics of cosmolo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 409 | 410 | J-MOD$^{2}$: Joint Monocular Obstacle Detectio... | In this work, we propose an end-to-end deep ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 410 | 411 | The Calabi flow with rough initial data | In this paper, we prove that there exists a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 411 | 412 | Star Formation Activity in the molecular cloud... | To probe the star-formation (SF) processes, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 412 | 413 | Oblivious Routing via Random Walks | We present novel oblivious routing algorithm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 413 | 414 | On Functional Graphs of Quadratic Polynomials | We study functional graphs generated by quad... | 0 | 0 | 1 | 0 | 0 | 0 |
| 414 | 415 | Helmholtz decomposition theorem and Blumenthal... | Helmholtz decomposition theorem for vector f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 415 | 416 | A homotopy decomposition of the fibre of the s... | We use Richter's $2$-primary proof of Gray's... | 0 | 0 | 1 | 0 | 0 | 0 |
| 416 | 417 | Spaces of orders of some one-relator groups | We show that certain orderable groups admit ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 417 | 418 | Adversarial Attacks on Neural Network Policies | Machine learning classifiers are known to be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 418 | 419 | Stellar streams as gravitational experiments I... | Tidal streams of disrupting dwarf galaxies o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 419 | 420 | Tuning quantum non-local effects in graphene p... | The response of an electron system to electr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 420 | 421 | Flows along arch filaments observed in the GRI... | A new generation of solar instruments provid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 421 | 422 | Rethinking Information Sharing for Actionable ... | In the past decade, the information security... | 1 | 0 | 0 | 0 | 0 | 0 |
| 422 | 423 | More new classes of permutation trinomials ove... | Permutation polynomials over finite fields h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 423 | 424 | Distributive Aronszajn trees | Ben-David and Shelah proved that if $\lambda... | 0 | 0 | 1 | 0 | 0 | 0 |
| 424 | 425 | Analytical solutions for the radial Scarf II p... | The real Scarf II potential is discussed as ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 425 | 426 | Gated Multimodal Units for Information Fusion | This paper presents a novel model for multim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 426 | 427 | Why Condorcet Consistency is Essential | In a single winner election with several can... | 0 | 0 | 0 | 1 | 0 | 0 |
| 427 | 428 | Birefringence induced by pp-wave modes in an e... | In the framework of the Einstein-Maxwell-aet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 428 | 429 | On generalizations of $p$-sets and their appli... | The $p$-set, which is in a simple analytic f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 429 | 430 | Robot human interface for housekepeer with wir... | This paper presents the design and implement... | 1 | 0 | 0 | 0 | 0 | 0 |
| 430 | 431 | Modified Frank-Wolfe Algorithm for Enhanced Sp... | This work proposes a new algorithm for train... | 1 | 0 | 0 | 1 | 0 | 0 |
| 431 | 432 | Multi-Task Domain Adaptation for Deep Learning... | Learning-based approaches to robotic manipul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 432 | 433 | Bounded Depth Ascending HNN Extensions and $π_... | A 1-ended finitely presented group has semis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 433 | 434 | AirSim: High-Fidelity Visual and Physical Simu... | Developing and testing algorithms for autono... | 1 | 0 | 0 | 0 | 0 | 0 |
| 434 | 435 | Hausdorff dimensions in $p$-adic analytic groups | Let $G$ be a finitely generated pro-$p$ grou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 435 | 436 | Real-time brain machine interaction via social... | Brain-Machine Interaction (BMI) system motiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 436 | 437 | City-Scale Road Audit System using Deep Learning | Road networks in cities are massive and is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 437 | 438 | Mass and moment of inertia govern the transiti... | In this Letter, we study the motion and wake... | 0 | 1 | 0 | 0 | 0 | 0 |
| 438 | 439 | It Takes Two to Tango: Towards Theory of AI's ... | Theory of Mind is the ability to attribute m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 439 | 440 | On variation of dynamical canonical heights, a... | We study families of varieties endowed with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 440 | 441 | Enhancing the Spectral Hardening of Cosmic TeV... | Large-scale extragalactic magnetic fields ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 441 | 442 | Forecasting in the light of Big Data | Predicting the future state of a system has ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 442 | 443 | Adelic point groups of elliptic curves | We show that for an elliptic curve E defined... | 0 | 0 | 1 | 0 | 0 | 0 |
| 443 | 444 | Position Aided Beam Alignment for Millimeter W... | Wireless backhaul communication has been rec... | 1 | 0 | 1 | 0 | 0 | 0 |
| 444 | 445 | Deep & Cross Network for Ad Click Predictions | Feature engineering has been the key to the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 445 | 446 | Fan-type spin structure in uni-axial chiral ma... | We investigate the spin structure of a uni-a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 446 | 447 | Rotation of a synchronous viscoelastic shell | Several natural satellites of the giant plan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 447 | 448 | Direct estimation of density functionals using... | A number of fundamental quantities in statis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 448 | 449 | Experimental Evidence on a Refined Conjecture ... | Let $E/\mathbb{Q}$ be an elliptic curve of l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 449 | 450 | The Tu--Deng Conjecture holds almost surely | The Tu--Deng Conjecture is concerned with th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 450 | 451 | Convergence Analysis of the Dynamics of a Spec... | In this paper, we made an extension to the c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 451 | 452 | From bare interactions, low--energy constants ... | We further progress along the line of Ref. [... | 0 | 1 | 0 | 0 | 0 | 0 |
| 452 | 453 | EgoCap: Egocentric Marker-less Motion Capture ... | Marker-based and marker-less optical skeleta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 453 | 454 | Diffusion Maps meet Nyström | Diffusion maps are an emerging data-driven t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 454 | 455 | Multiphase Flows of N Immiscible Incompressibl... | We present a set of effective outflow/open b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 455 | 456 | Deadly dark matter cusps vs faint and extended... | The recent detection of two faint and extend... | 0 | 1 | 0 | 0 | 0 | 0 |
| 456 | 457 | Mutual Information, Relative Entropy and Estim... | Fundamental relations between information an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 457 | 458 | Testing redMaPPer centring probabilities using... | Galaxy cluster centring is a key issue for p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 458 | 459 | Criterion of positivity for semilinear problem... | The goal of this article is to provide an us... | 0 | 0 | 1 | 0 | 0 | 0 |
| 459 | 460 | Axiomatic quantum mechanics: Necessity and ben... | The ongoing progress in quantum theory empha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 460 | 461 | Kinetic modelling of competition and depletion... | Non-conding RNAs play a key role in the post... | 0 | 0 | 0 | 0 | 1 | 0 |
| 461 | 462 | Shortening binary complexes and commutativity ... | We show that in Grayson's model of higher al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 462 | 463 | Cost-Effective Seed Selection in Online Social... | We study the min-cost seed selection problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 463 | 464 | Fast Meta-Learning for Adaptive Hierarchical C... | We propose a new splitting criterion for a m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 464 | 465 | Vibrational Density Matrix Renormalization Group | Variational approaches for the calculation o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 465 | 466 | Identification and Off-Policy Learning of Mult... | In this work, we present a methodology that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 466 | 467 | Non-Asymptotic Analysis of Fractional Langevin... | Recent studies on diffusion-based sampling m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 467 | 468 | Spoken English Intelligibility Remediation wit... | We use automatic speech recognition to asses... | 1 | 0 | 0 | 1 | 0 | 0 |
| 468 | 469 | Second-Order Analysis and Numerical Approximat... | We consider bilinear optimal control problem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 469 | 470 | On the letter frequencies and entropy of writt... | We carry out a comprehensive analysis of let... | 1 | 0 | 0 | 0 | 0 | 0 |
| 470 | 471 | Robust Orchestration of Concurrent Application... | A hybrid mobile/fixed device cloud that harn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 471 | 472 | Anisotropy and multiband superconductivity in ... | Despite numerous studies the exact nature of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 472 | 473 | Time-Reversal Breaking in QCD$_4$, Walls, and ... | We study $SU(N)$ Quantum Chromodynamics (QCD... | 0 | 1 | 0 | 0 | 0 | 0 |
| 473 | 474 | Comparative Investigation of the High Pressure... | Investigation of the autoignition delay of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 474 | 475 | Selecting optimal minimum spanning trees that ... | Choi et. al (2011) introduced a minimum span... | 1 | 0 | 1 | 0 | 0 | 0 |
| 475 | 476 | Noisy Natural Gradient as Variational Inference | Variational Bayesian neural nets combine the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 476 | 477 | A Game of Life on Penrose tilings | We define rules for cellular automata played... | 0 | 1 | 1 | 0 | 0 | 0 |
| 477 | 478 | Single and Multiple Vortex Rings in Three-Dime... | In the present work, we explore the existenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 478 | 479 | Dimension-free Wasserstein contraction of nonl... | For a class of partially observed diffusions... | 0 | 0 | 1 | 1 | 0 | 0 |
| 479 | 480 | Vortex Nucleation Limited Mobility of Free Ele... | We study the motion of an electron bubble in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 480 | 481 | Radio variability and non-thermal components i... | We present new JVLA multi-frequency measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 481 | 482 | Sequential testing for structural stability in... | We develop an on-line monitoring procedure t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 482 | 483 | Susceptibility Propagation by Using Diagonal C... | A susceptibility propagation that is constru... | 0 | 0 | 1 | 1 | 0 | 0 |
| 483 | 484 | Performance Analysis of Ultra-Dense Networks w... | This paper analyzes the downlink performance... | 1 | 0 | 0 | 0 | 0 | 0 |
| 484 | 485 | Learning to Drive in a Day | We demonstrate the first application of deep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 485 | 486 | Strong-coupling of WSe2 in ultra-compact plasm... | Strong-coupling of monolayer metal dichalcog... | 0 | 1 | 0 | 0 | 0 | 0 |
| 486 | 487 | Stigmergy-based modeling to discover urban act... | Positioning data offer a remarkable source o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 487 | 488 | BiHom-Lie colour algebras structures | BiHom-Lie Colour algebra is a generalized Ho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 488 | 489 | Clustering of Gamma-Ray bursts through kernel ... | We consider the problem related to clusterin... | 0 | 1 | 0 | 1 | 0 | 0 |
| 489 | 490 | Bounded gaps between primes in short intervals | Baker, Harman, and Pintz showed that a weak ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 490 | 491 | Handover analysis of the Improved Phantom Cells | Improved Phantom cell is a new scenario whic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 491 | 492 | Bayesian Joint Topic Modelling for Weakly Supe... | We address the problem of localisation of ob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 492 | 493 | Psychological model of the investor and manage... | All people have to make risky decisions in e... | 0 | 0 | 0 | 0 | 0 | 1 |
| 493 | 494 | Constraints on Super-Earths Interiors from Ste... | Modeling the interior of exoplanets is essen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 494 | 495 | Software correlator for Radioastron mission | In this paper we discuss the characteristics... | 0 | 1 | 0 | 0 | 0 | 0 |
| 495 | 496 | Isogenies for point counting on genus two hype... | Schoof's classic algorithm allows point-coun... | 1 | 0 | 1 | 0 | 0 | 0 |
| 496 | 497 | On the self-duality of rings of integers in ta... | Let $L/K$ be a tame and Galois extension of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 497 | 498 | Forecasting Transformative AI: An Expert Survey | Transformative AI technologies have the pote... | 1 | 0 | 0 | 0 | 0 | 0 |
| 498 | 499 | Change of grading, injective dimension and dua... | Let $G,H$ be groups, $\phi: G \rightarrow H$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 499 | 500 | Approximately certifying the restricted isomet... | A matrix is said to possess the Restricted I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 500 | 501 | A compact design for velocity-map imaging ener... | We present a compact design for a velocity-m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 501 | 502 | Multiset Combinatorial Batch Codes | Batch codes, first introduced by Ishai, Kush... | 1 | 0 | 1 | 0 | 0 | 0 |
| 502 | 503 | Thermoelectric Cooperative Effect in Three-Ter... | The energy efficiency and power of a three-t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 503 | 504 | DeepSaucer: Unified Environment for Verifying ... | In recent years, a number of methods for ver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 504 | 505 | Checklists to Support Test Charter Design in E... | During exploratory testing sessions the test... | 1 | 0 | 0 | 0 | 0 | 0 |
| 505 | 506 | Fast non-destructive parallel readout of neutr... | We demonstrate the parallel and non-destruct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 506 | 507 | Binaural Source Localization based on Modulati... | In this work we apply Amplitude Modulation S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 507 | 508 | Dynamic Shrinkage Processes | We propose a novel class of dynamic shrinkag... | 0 | 0 | 0 | 1 | 0 | 0 |
| 508 | 509 | A Multiple Source Framework for the Identifica... | The monitoring of the lifestyles may be perf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 509 | 510 | Maximum likelihood estimators based on the blo... | The extreme value index is a fundamental par... | 0 | 0 | 1 | 1 | 0 | 0 |
| 510 | 511 | Hipsters on Networks: How a Small Group of Ind... | The spread of opinions, memes, diseases, and... | 1 | 1 | 0 | 0 | 0 | 0 |
| 511 | 512 | Optimal Identity Testing with High Probability | We study the problem of testing identity aga... | 1 | 0 | 1 | 1 | 0 | 0 |
| 512 | 513 | Handling state space explosion in verification... | Component-based design is a different way of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 513 | 514 | A Framework for Relating the Structures and Re... | Dust devils are likely the dominant source o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 514 | 515 | Investigation on different physical aspects su... | With the help of first principles calculatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 515 | 516 | Optimal Envelope Approximation in Fourier Basi... | Lowpass envelope approximation of smooth con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 516 | 517 | The curl operator on odd-dimensional manifolds | We study the spectral properties of curl, a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 517 | 518 | Topology optimization for transient response o... | This paper presents a topology optimization ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 518 | 519 | Generalized Lambert series and arithmetic natu... | It is pointed out that the generalized Lambe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 519 | 520 | Perfect phylogenies via branchings in acyclic ... | Motivated by applications in cancer genomics... | 1 | 0 | 1 | 0 | 0 | 0 |
| 520 | 521 | Towards a Service-oriented Platform for Intell... | Smart cities are a growing trend in many cit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 521 | 522 | Fully Bayesian Estimation Under Informative Sa... | Bayesian estimation is increasingly popular ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 522 | 523 | Bistable reaction equations with doubly nonlin... | Reaction-diffusion equations appear in biolo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 523 | 524 | Static Free Space Detection with Laser Scanner... | Drivable free space information is vital for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 524 | 525 | Proactive Edge Computing in Latency-Constraine... | In this paper, the fundamental problem of di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 525 | 526 | Deuterium fractionation and H2D+ evolution in ... | High-mass stars are expected to form from de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 526 | 527 | Experimental data over quantum mechanics simul... | The Lennard-Jones (LJ) potential is a corner... | 0 | 1 | 0 | 1 | 0 | 0 |
| 527 | 528 | Ensemble Sampling | Thompson sampling has emerged as an effectiv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 528 | 529 | Failures of Gradient-Based Deep Learning | In recent years, Deep Learning has become th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 529 | 530 | Searching for the Transit of the Earth--mass e... | Proxima Centauri is known as the closest sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 530 | 531 | A Data-Driven Sparse-Learning Approach to Mode... | In this paper, we propose an optimization-ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 531 | 532 | Parity-Forbidden Transitions and Their Impacts... | Using density-functional theory calculations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 532 | 533 | Identification of microRNA clusters cooperativ... | MicroRNAs play important roles in many biolo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 533 | 534 | A Belief Propagation Algorithm for Multipath-B... | We present a simultaneous localization and m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 534 | 535 | Local methods for blocks of finite simple groups | This survey is about old and new results abo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 535 | 536 | Motion Planning for a Humanoid Mobile Manipula... | A high redundant non-holonomic humanoid mobi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 536 | 537 | End-to-end Planning of Fixed Millimeter-Wave N... | This article discusses a framework to suppor... | 1 | 0 | 1 | 0 | 0 | 0 |
| 537 | 538 | A giant planet undergoing extreme ultraviolet ... | The amount of ultraviolet irradiation and ab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 538 | 539 | Characterizing videos, audience and advertisin... | Online video services, messaging systems, ga... | 1 | 0 | 0 | 0 | 0 | 0 |
| 539 | 540 | Vanishing theorems for the negative K-theory o... | We prove that the homotopy algebraic K-theor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 540 | 541 | Gravitational radiation from compact binary sy... | Screened modified gravity (SMG) is a kind of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 541 | 542 | weedNet: Dense Semantic Weed Classification Us... | Selective weed treatment is a critical step ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 542 | 543 | An explicit determination of the $K$-theoretic... | Let $G:=\widehat{SL_2}$ denote the affine Ka... | 0 | 0 | 1 | 0 | 0 | 0 |
| 543 | 544 | The Correct Application of Variance Concept in... | The existing measurement theory interprets t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 544 | 545 | A Generalized Framework for the Estimation of ... | Researchers are often interested in analyzin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 545 | 546 | Spherical Functions on Riemannian Symmetric Sp... | This paper deals with some simple results ab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 546 | 547 | Modular curves with infinitely many cubic points | In this study, we determine all modular curv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 547 | 548 | Semi-Analytical Perturbative Approaches to Thi... | In the framework of multi-body dynamics, suc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 548 | 549 | Robust and Imperceptible Adversarial Attacks ... | Capsule Networks envision an innovative poin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 549 | 550 | Thermophoretic MHD Flow and Non-linear Radiati... | The effects of MHD boundary layer flow of no... | 0 | 1 | 0 | 0 | 0 | 0 |
| 550 | 551 | Resting-state ASL : Toward an optimal sequence... | Resting-state functional Arterial Spin Label... | 0 | 0 | 0 | 0 | 1 | 0 |
| 551 | 552 | Learning Neural Models for End-to-End Clustering | We propose a novel end-to-end neural network... | 0 | 0 | 0 | 1 | 0 | 0 |
| 552 | 553 | Anisotropic exchange and spin-wave damping in ... | The collective magnetic excitations in the s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 553 | 554 | Anomalous transport properties in Nb/Bi1.95Sb0... | We report the proximity induced anomalous tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 554 | 555 | State-dependent Priority Scheduling for Networ... | Networked control systems (NCS) have attract... | 1 | 0 | 0 | 0 | 0 | 0 |
| 555 | 556 | Deformation conditions for pseudorepresentations | Given a property of representations satisfyi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 556 | 557 | Adaptive local surface refinement based on LR ... | A novel adaptive local surface refinement te... | 1 | 0 | 0 | 0 | 0 | 0 |
| 557 | 558 | Approximate Program Smoothing Using Mean-Varia... | This paper introduces a general method to ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 558 | 559 | Trusted Multi-Party Computation and Verifiable... | Large-scale computational experiments, often... | 1 | 0 | 0 | 0 | 0 | 0 |
| 559 | 560 | Empirical analysis of non-linear activation fu... | We provide an overview of several non-linear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 560 | 561 | A Survey of Deep Learning Techniques for Mobil... | Advancements in deep learning over the years... | 1 | 0 | 0 | 0 | 0 | 0 |
| 561 | 562 | Design of the Artificial: lessons from the bio... | Our desire and fascination with intelligent ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 562 | 563 | Continuum of quantum fluctuations in a three-d... | Conventional crystalline magnets are charact... | 0 | 1 | 0 | 0 | 0 | 0 |
| 563 | 564 | SimProp v2r4: Monte Carlo simulation code for ... | We introduce the new version of SimProp, a M... | 0 | 1 | 0 | 0 | 0 | 0 |
| 564 | 565 | Non-negative Matrix Factorization via Archetyp... | Given a collection of data points, non-negat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 565 | 566 | Muon Reconstruction in the Daya Bay Water Pools | Muon reconstruction in the Daya Bay water po... | 0 | 1 | 0 | 0 | 0 | 0 |
| 566 | 567 | Improving Foot-Mounted Inertial Navigation Thr... | We present a method to improve the accuracy ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 567 | 568 | An Extended Low Fat Allocator API and Applicat... | The primary function of memory allocators is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 568 | 569 | Exoplanet Atmosphere Retrieval using Multifrac... | We extend a data-based model-free multifract... | 0 | 1 | 0 | 1 | 0 | 0 |
| 569 | 570 | Permutation Tests for Infection Graphs | We formulate and analyze a novel hypothesis ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 570 | 571 | A novel distribution-free hybrid regression mo... | This work is motivated by a particular probl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 571 | 572 | Exploring deep learning as an event classifica... | Telescopes based on the imaging atmospheric ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 572 | 573 | Photo-Induced Bandgap Renormalization Governs ... | Transition metal dichalcogenides (TMDs) are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 573 | 574 | Improved Quantile Regression Estimators when t... | In a classical regression model, it is usual... | 0 | 0 | 1 | 1 | 0 | 0 |
| 574 | 575 | Language Modeling by Clustering with Word Embe... | We present a clustering-based language model... | 1 | 0 | 0 | 0 | 0 | 0 |
| 575 | 576 | Discriminant circle bundles over local models ... | We study special circle bundles over two ele... | 0 | 1 | 1 | 0 | 0 | 0 |
| 576 | 577 | Far-field theory for trajectories of magnetic ... | We report a method to control the positions ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 577 | 578 | On M-functions associated with modular forms | Let $f$ be a primitive cusp form of weight $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 578 | 579 | Learning Graph Representations by Dendrograms | Hierarchical graph clustering is a common te... | 1 | 0 | 0 | 1 | 0 | 0 |
| 579 | 580 | Slow and Long-ranged Dynamical Heterogeneities... | A two-dimensional bidisperse granular fluid ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 580 | 581 | A Globally Linearly Convergent Method for Poin... | We study the \emph{Proximal Alternating Pred... | 0 | 0 | 1 | 0 | 0 | 0 |
| 581 | 582 | Stability of casein micelles cross-linked with... | Chemical or enzymatic cross-linking of casei... | 0 | 1 | 0 | 0 | 0 | 0 |
| 582 | 583 | Kites and Residuated Lattices | We investigate a construction of an integral... | 0 | 0 | 1 | 0 | 0 | 0 |
| 583 | 584 | TED Talk Recommender Using Speech Transcripts | Nowadays, online video platforms mostly reco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 584 | 585 | Attitude Control of the Asteroid Origins Satel... | Exploration of asteroids and small-bodies ca... | 1 | 1 | 0 | 0 | 0 | 0 |
| 585 | 586 | Triplet Network with Attention for Speaker Dia... | In automatic speech processing systems, spea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 586 | 587 | Dynamics of cracks in disordered materials | Predicting when rupture occurs or cracks pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 587 | 588 | Optimum Decoder for Multiplicative Spread Spec... | This paper investigates the multiplicative s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 588 | 589 | Adaptive Path-Integral Autoencoder: Representa... | We present a representation learning algorit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 589 | 590 | Semiblind subgraph reconstruction in Gaussian ... | Consider a social network where only a few n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 590 | 591 | Hybrid Collaborative Recommendation via Semi-A... | In this paper, we present a novel structure,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 591 | 592 | The Linear Point: A cleaner cosmological stand... | We show how a characteristic length scale im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 592 | 593 | Incompressible limit of the Navier-Stokes mode... | Starting from isentropic compressible Navier... | 0 | 0 | 1 | 0 | 0 | 0 |
| 593 | 594 | Stochastic Primal-Dual Method on Riemannian Ma... | We study a stochastic primal-dual method for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 594 | 595 | Nudging the particle filter | We investigate a new sampling scheme aimed a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 595 | 596 | Quantum oscillations and a non-trivial Berry p... | We report the measurements of de Haas-van Al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 596 | 597 | ExSIS: Extended Sure Independence Screening fo... | Statistical inference can be computationally... | 0 | 0 | 1 | 1 | 0 | 0 |
| 597 | 598 | Unveiling ADP-binding sites and channels in re... | Mitochondrial oxidative phosphorylation (mOx... | 0 | 0 | 0 | 0 | 1 | 0 |
| 598 | 599 | Banach synaptic algebras | Using a representation theorem of Erik Alfse... | 0 | 0 | 1 | 0 | 0 | 0 |
| 599 | 600 | Pressure tuning of structure, superconductivit... | High-pressure neutron powder diffraction, mu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 600 | 601 | Regrasping by Fixtureless Fixturing | This paper presents a fixturing strategy for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 601 | 602 | Subset Labeled LDA for Large-Scale Multi-Label... | Labeled Latent Dirichlet Allocation (LLDA) i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 602 | 603 | A Hybrid Approach to Video Source Identification | Multimedia Forensics allows to determine whe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 603 | 604 | Asymptotics of ABC | We present an informal review of recent work... | 0 | 0 | 1 | 1 | 0 | 0 |
| 604 | 605 | Learning Sparse Polymatrix Games in Polynomial... | We consider the problem of learning sparse p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 605 | 606 | Superposition solutions to the extended KdV eq... | The KdV equation can be derived in the shall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 606 | 607 | Boosting the Actor with Dual Critic | This paper proposes a new actor-critic-style... | 1 | 0 | 0 | 0 | 0 | 0 |
| 607 | 608 | Counting Dominating Sets of Graphs | Counting dominating sets in a graph $G$ is c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 608 | 609 | High SNR Consistent Compressive Sensing | High signal to noise ratio (SNR) consistency... | 1 | 0 | 0 | 1 | 0 | 0 |
| 609 | 610 | Communication Reducing Algorithms for Distribu... | Reduction of communication and efficient par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 610 | 611 | Traffic Surveillance Camera Calibration by 3D ... | In this paper, we focus on fully automatic t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 611 | 612 | Technical Report for Real-Time Certified Proba... | The success of autonomous systems will depen... | 1 | 0 | 1 | 0 | 0 | 0 |
| 612 | 613 | Distance Measure Machines | This paper presents a distance-based discrim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 613 | 614 | DSBGK Method to Incorporate the CLL Reflection... | Molecular reflections on usual wall surfaces... | 0 | 1 | 0 | 0 | 0 | 0 |
| 614 | 615 | Tropical formulae for summation over a part of... | Let $f(a,b,c,d)=\sqrt{a^2+b^2}+\sqrt{c^2+d^2... | 0 | 0 | 1 | 0 | 0 | 0 |
| 615 | 616 | Efficient sampling of conditioned Markov jump ... | We consider the task of generating draws fro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 616 | 617 | Holography and thermalization in optical pump-... | Using holography, we model experiments in wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 617 | 618 | On Random Subsampling of Gaussian Process Regr... | In this paper, we study random subsampling o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 618 | 619 | Representing Hybrid Automata by Action Languag... | Both hybrid automata and action languages ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 619 | 620 | An enthalpy-based multiple-relaxation-time lat... | In this paper, an enthalpy-based multiple-re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 620 | 621 | Birth of a subaqueous barchan dune | Barchan dunes are crescentic shape dunes wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 621 | 622 | Uncoupled isotonic regression via minimum Wass... | Isotonic regression is a standard problem in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 622 | 623 | Failure of Smooth Pasting Principle and Nonexi... | This paper considers a time-inconsistent sto... | 0 | 0 | 0 | 0 | 0 | 1 |
| 623 | 624 | Perils of Zero-Interaction Security in the Int... | The Internet of Things (IoT) demands authent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 624 | 625 | Coarse-grained simulation of auxetic, two-dime... | The increasing number of protein-based metam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 625 | 626 | Core2Vec: A core-preserving feature learning f... | Recent advances in the field of network repr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 626 | 627 | Predicting wind pressures around circular cyli... | Numerous studies have been carried out to me... | 1 | 0 | 0 | 1 | 0 | 0 |
| 627 | 628 | Randomly coloring simple hypergraphs with fewe... | We study the problem of constructing a (near... | 1 | 0 | 0 | 0 | 0 | 0 |
| 628 | 629 | Contributed Discussion to Uncertainty Quantifi... | We begin by introducing the main ideas of th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 629 | 630 | Channel masking for multivariate time series s... | Time series shapelets are discriminative sub... | 1 | 0 | 0 | 0 | 0 | 0 |
| 630 | 631 | Spin mediated enhanced negative magnetoresista... | In this work, we present an experimental stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 631 | 632 | On the Limitations of Representing Functions o... | Recent work on the representation of functio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 632 | 633 | Learning Models from Data with Measurement Err... | Measurement error in observational datasets ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 633 | 634 | A simple introduction to Karmarkar's Algorithm... | An extremely simple, description of Karmarka... | 1 | 0 | 0 | 0 | 0 | 0 |
| 634 | 635 | Magneto-inductive Passive Relaying in Arbitrar... | We consider a wireless sensor network that u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 635 | 636 | Eigendecompositions of Transfer Operators in R... | Transfer operators such as the Perron--Frobe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 636 | 637 | Asymptotics of the bound state induced by $δ$-... | In this paper we consider the three-dimensio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 637 | 638 | Análise comparativa de pesquisas de origens e ... | In this paper, a comparative study was condu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 638 | 639 | Inverse Kinematics for Control of Tensegrity S... | Tension-network (`tensegrity') robots encoun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 639 | 640 | Smallest eigenvalue density for regular or fix... | The statistical behaviour of the smallest ei... | 0 | 1 | 1 | 1 | 0 | 0 |
| 640 | 641 | Development of probabilistic dam breach model ... | Dam breach models are commonly used to predi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 641 | 642 | Large Magellanic Cloud Near-Infrared Synoptic ... | We study the near-infrared properties of 690... | 0 | 0 | 0 | 1 | 0 | 0 |
| 642 | 643 | One-Step Time-Dependent Future Video Frame Pre... | There is an inherent need for autonomous car... | 1 | 0 | 0 | 0 | 0 | 0 |
| 643 | 644 | Deep Multi-User Reinforcement Learning for Dis... | We consider the problem of dynamic spectrum ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 644 | 645 | Myopic Bayesian Design of Experiments via Post... | We design a new myopic strategy for a wide c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 645 | 646 | Data-Driven Sparse Structure Selection for Dee... | Deep convolutional neural networks have libe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 646 | 647 | Scaling laws and bounds for the turbulent G.O.... | Numerical simulations of the G.O. Roberts dy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 647 | 648 | Control Strategies for the Fokker-Planck Equation | Using a projection-based decoupling of the F... | 0 | 0 | 1 | 0 | 0 | 0 |
| 648 | 649 | On Popov's formula involving the Von Mangoldt ... | We offer a generalization of a formula of Po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 649 | 650 | On fibering compact manifold over the circle | In this paper, we show that any compact mani... | 0 | 0 | 1 | 0 | 0 | 0 |
| 650 | 651 | Phonon-Induced Topological Transition to a Typ... | Given the importance of crystal symmetry for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 651 | 652 | Multi-hop assortativities for networks classif... | Several social, medical, engineering and bio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 652 | 653 | A Bayesian Nonparametrics based Robust Particl... | This paper is concerned with the online esti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 653 | 654 | Highly accurate model for prediction of lung n... | Computed tomography (CT) examinations are co... | 0 | 0 | 0 | 1 | 1 | 0 |
| 654 | 655 | Rotating Rayleigh-Taylor turbulence | The turbulent Rayleigh--Taylor system in a r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 655 | 656 | Evolutionary dynamics of N-person Hawk-Dove games | In the animal world, the competition between... | 0 | 1 | 0 | 0 | 0 | 0 |
| 656 | 657 | A global model for predicting the arrival of i... | With approximately half of the world's popul... | 1 | 0 | 0 | 0 | 1 | 0 |
| 657 | 658 | Contextually Customized Video Summaries via Na... | The best summary of a long video differs amo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 658 | 659 | Observation of surface plasmon polaritons in 2... | Recently, heavily doped semiconductors are e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 659 | 660 | Asymmetric Mach-Zehnder atom interferometers | It is shown that using beam splitters with n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 660 | 661 | Partial Information Stochastic Differential Ga... | In this paper, we consider a partial informa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 661 | 662 | Inter-Session Modeling for Session-Based Recom... | In recent years, research has been done on a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 662 | 663 | Multiscale Modeling of Shock Wave Localization... | Shock wave interactions with defects, such a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 663 | 664 | Cryptoasset Factor Models | We propose factor models for the cross-secti... | 0 | 0 | 0 | 0 | 0 | 1 |
| 664 | 665 | Multi-dimensional Graph Fourier Transform | Many signals on Cartesian product graphs app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 665 | 666 | Criteria for the Application of Double Exponen... | The double exponential formula was introduce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 666 | 667 | Ultra-high strain in epitaxial silicon carbide... | Strain engineering has attracted great atten... | 0 | 1 | 0 | 0 | 0 | 0 |
| 667 | 668 | The Diverse Club: The Integrative Core of Comp... | A complex system can be represented and anal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 668 | 669 | Bayesian Semisupervised Learning with Deep Gen... | Neural network based generative models with ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 669 | 670 | Robust Detection of Covariate-Treatment Intera... | Detection of interactions between treatment ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 670 | 671 | The Future of RICH Detectors through the Light... | The limitations in performance of the presen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 671 | 672 | Stability of Valuations: Higher Rational Rank | Given a klt singularity $x\in (X, D)$, we sh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 672 | 673 | Higgs mode and its decay in a two dimensional ... | Condensed-matter analogs of the Higgs boson ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 673 | 674 | Robust and Efficient Boosting Method using the... | Well-known for its simplicity and effectiven... | 0 | 0 | 0 | 1 | 0 | 0 |
| 674 | 675 | High Dimensional Robust Estimation of Sparse M... | We study the problem of sparsity constrained... | 1 | 0 | 1 | 1 | 0 | 0 |
| 675 | 676 | Stop talking to me -- a communication-avoiding... | We present a communication- and data-sensiti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 676 | 677 | The effect of prior probabilities on quantific... | This paper outlines a methodology for Bayesi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 677 | 678 | Hierarchical loss for classification | Failing to distinguish between a sheepdog an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 678 | 679 | An efficient data structure for counting all l... | Achieving the goals in the title (and others... | 1 | 0 | 0 | 0 | 0 | 0 |
| 679 | 680 | Perception-in-the-Loop Adversarial Examples | We present a scalable, black box, perception... | 1 | 0 | 0 | 1 | 0 | 0 |
| 680 | 681 | Deep Fluids: A Generative Network for Paramete... | This paper presents a novel generative model... | 0 | 0 | 0 | 1 | 0 | 0 |
| 681 | 682 | Bias Reduction in Instrumental Variable Estima... | The two-stage least-squares (2SLS) estimator... | 0 | 0 | 1 | 1 | 0 | 0 |
| 682 | 683 | An Unsupervised Learning Classifier with Compe... | An unsupervised learning classification mode... | 0 | 0 | 0 | 1 | 0 | 0 |
| 683 | 684 | Exploring the predictability of range-based vo... | We investigate the predictability of several... | 0 | 0 | 0 | 1 | 0 | 1 |
| 684 | 685 | Mean squared displacement and sinuosity of thr... | Correlated random walks (CRW) have been used... | 0 | 0 | 0 | 0 | 1 | 0 |
| 685 | 686 | Context-Aware Pedestrian Motion Prediction In ... | This paper presents a novel context-based ap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 686 | 687 | EnergyNet: Energy-based Adaptive Structural Le... | We present E NERGY N ET , a new framework fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 687 | 688 | Local Algorithms for Hierarchical Dense Subgra... | Finding the dense regions of a graph and rel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 688 | 689 | Robust Gesture-Based Communication for Underwa... | We propose a robust gesture-based communicat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 689 | 690 | High-$T_\textrm {C}$ superconductivity in Cs$_... | Unique among alkali-doped $\textit {A}$$_3$C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 690 | 691 | Analysis and mitigation of interface losses in... | Improving the performance of superconducting... | 0 | 1 | 0 | 0 | 0 | 0 |
| 691 | 692 | Recent Operation of the FNAL Magnetron $H^{-}$... | This paper will detail changes in the operat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 692 | 693 | A Ball Breaking Away from a Fluid | We consider the withdrawal of a ball from a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 693 | 694 | Unveiling the internal entanglement structure ... | We disentangle all the individual degrees of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 694 | 695 | A parallel orbital-updating based plane-wave b... | Motivated by the recently proposed parallel ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 695 | 696 | Dynamics of the multi-soliton waves in the sin... | The particular type of four-kink multi-solit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 696 | 697 | Clarifying the Hubble constant tension with a ... | Estimates of the Hubble constant, $H_0$, fro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 697 | 698 | Multi-User Multi-Armed Bandits for Uncoordinat... | A multi-user multi-armed bandit (MAB) framew... | 0 | 0 | 0 | 1 | 0 | 0 |
| 698 | 699 | A Comparative Analysis of Contact Models in Tr... | In this paper, we analyze the effects of con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 699 | 700 | Computationally Efficient Measures of Internal... | The challenge of assigning importance to ind... | 0 | 0 | 0 | 1 | 0 | 0 |
| 700 | 701 | Mutual Interpretability of Robinson Arithmetic... | An elementary rheory of concatenation is int... | 0 | 0 | 1 | 0 | 0 | 0 |
| 701 | 702 | Coordination of Dynamic Software Components wi... | JavaBIP allows the coordination of software ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 702 | 703 | Is It Safe to Uplift This Patch? An Empirical ... | In rapid release development processes, patc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 703 | 704 | Gamorithm | Examining games from a fresh perspective we ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 704 | 705 | Common change point estimation in panel data f... | We establish the convergence rates and asymp... | 0 | 0 | 1 | 1 | 0 | 0 |
| 705 | 706 | Outage analysis in two-way communication with ... | The study of relays with the scope of energy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 706 | 707 | KGAN: How to Break The Minimax Game in GAN | Generative Adversarial Networks (GANs) were ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 707 | 708 | Computing representation matrices for the acti... | This paper is concerned with the computation... | 1 | 0 | 1 | 0 | 0 | 0 |
| 708 | 709 | The solitary g-mode frequencies in early B-typ... | We present possible explanations of pulsatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 709 | 710 | Composition of Credal Sets via Polyhedral Geom... | Recently introduced composition operator for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 710 | 711 | The microarchitecture of a multi-threaded RISC... | Internet-of-Things end-nodes demand low powe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 711 | 712 | A Recent Survey on the Applications of Genetic... | During the last two decades, Genetic Program... | 1 | 0 | 0 | 0 | 0 | 0 |
| 712 | 713 | Optimal Input Placement in Lattice Graphs | The control of dynamical, networked systems ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 713 | 714 | Construction of constant mean curvature n-noid... | We construct constant mean curvature surface... | 0 | 0 | 1 | 0 | 0 | 0 |
| 714 | 715 | Universality in numerical computation with ran... | We discuss various universality aspects of n... | 0 | 1 | 1 | 0 | 0 | 0 |
| 715 | 716 | The X-ray reflection spectrum of the radio-lou... | The relativistic jets created by some active... | 0 | 1 | 0 | 0 | 0 | 0 |
| 716 | 717 | Tree Structured Synthesis of Gaussian Trees | A new synthesis scheme is proposed to effect... | 1 | 0 | 0 | 0 | 0 | 0 |
| 717 | 718 | Information Retrieval and Recommendation Syste... | We present a machine learning based informat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 718 | 719 | Database Learning: Toward a Database that Beco... | In today's databases, previous query answers... | 1 | 0 | 0 | 0 | 0 | 0 |
| 719 | 720 | A Continuous Relaxation of Beam Search for End... | Beam search is a desirable choice of test-ti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 720 | 721 | Measurably entire functions and their growth | In 1997 B. Weiss introduced the notion of me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 721 | 722 | Graph Theoretical Models of Closed n-Dimension... | In this paper, we show how to construct grap... | 1 | 0 | 1 | 0 | 0 | 0 |
| 722 | 723 | Completely $p$-primitive binary quadratic forms | Let $f(x,y)=ax^2+bxy+cy^2$ be a binary quadr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 723 | 724 | Analysis of Multivariate Data and Repeated Mea... | The numerical availability of statistical in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 724 | 725 | Multiple Illumination Phaseless Super-Resoluti... | Phaseless super-resolution is the problem of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 725 | 726 | Local Marchenko-Pastur Law for Random Bipartit... | This paper is the first chapter of three of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 726 | 727 | Photoelectron Yields of Scintillation Counters... | Photoelectron yields of extruded scintillati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 727 | 728 | Precise measurement of hyperfine structure in ... | We report a precise measurement of hyperfine... | 0 | 1 | 0 | 0 | 0 | 0 |
| 728 | 729 | Reconstructing global fields from dynamics in ... | We study a dynamical system induced by the A... | 0 | 0 | 1 | 0 | 0 | 0 |
| 729 | 730 | Algebraic models of the Euclidean plane | We introduce a new invariant, the real (loga... | 0 | 0 | 1 | 0 | 0 | 0 |
| 730 | 731 | Decentralization of Multiagent Policies by Lea... | Effective communication is required for team... | 1 | 0 | 0 | 0 | 0 | 0 |
| 731 | 732 | The tumbling rotational state of 1I/`Oumuamua | The discovery of 1I/2017 U1 ('Oumuamua) has ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 732 | 733 | Homology theory formulas for generalized Riema... | In the context of orientable circuits and su... | 0 | 0 | 1 | 0 | 0 | 0 |
| 733 | 734 | Video and Accelerometer-Based Motion Analysis ... | Purpose: Basic surgical skills of suturing a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 734 | 735 | A Theory of Complex Stochastic Systems with Tw... | Many complex systems share two characteristi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 735 | 736 | Mixing of odd- and even-frequency pairings in ... | Even- and odd-frequency superconductivity co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 736 | 737 | Stability of the Poincaré bundle | Let X be an irreducible smooth projective cu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 737 | 738 | Existence results for primitive elements in cu... | With $\Fq$ the finite field of $q$ elements,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 738 | 739 | Morse geodesics in torsion groups | In this paper we exhibit Morse geodesics, of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 739 | 740 | Global and local thermometry schemes in couple... | We study the ultimate bounds on the estimati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 740 | 741 | The statistical significance filter leads to o... | We show that publishing results using the st... | 0 | 0 | 1 | 1 | 0 | 0 |
| 741 | 742 | A levitated nanoparticle as a classical two-le... | The center-of-mass motion of a single optica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 742 | 743 | Simulating and Reconstructing Neurodynamics wi... | We introduce new techniques to the analysis ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 743 | 744 | The LCES HIRES/Keck Precision Radial Velocity ... | We describe a 20-year survey carried out by ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 744 | 745 | Artificial Intelligence Based Malware Analysis | Artificial intelligence methods have often b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 745 | 746 | Bounded height in families of dynamical systems | Let a and b be algebraic numbers such that e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 746 | 747 | Input-to-State Stability of a Clamped-Free Dam... | This note establishes the input-to-state sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 747 | 748 | A New Achievable Rate Region for Multiple-Acce... | The problem of reliable communication over t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 748 | 749 | Reassessing Graphene Absorption and Emission S... | We present a new paradigm for understanding ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 749 | 750 | A deep generative model for single-cell RNA se... | We propose a probabilistic model for interpr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 750 | 751 | Analytic heating rate of neutron star merger e... | Macronovae (kilonovae) that arise in binary ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 751 | 752 | Molecular Simulation of Caloric Properties of ... | The calculation of caloric properties such a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 752 | 753 | On well-posedness of a velocity-vorticity form... | We study well-posedness of a velocity-vortic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 753 | 754 | Generative Adversarial Networks for Electronic... | Generative Adversarial Networks (GANs) repre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 754 | 755 | Properties of Kinetic Transition Networks for ... | A database of minima and transition states c... | 0 | 1 | 0 | 1 | 0 | 0 |
| 755 | 756 | Asynchronous Byzantine Machine Learning (the c... | Asynchronous distributed machine learning so... | 0 | 0 | 0 | 1 | 0 | 0 |
| 756 | 757 | A Recorded Debating Dataset | This paper describes an English audio and te... | 1 | 0 | 0 | 0 | 0 | 0 |
| 757 | 758 | Tube Convolutional Neural Network (T-CNN) for ... | Deep learning has been demonstrated to achie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 758 | 759 | Distances and Isomorphism between Networks and... | We develop the theoretical foundations of a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 759 | 760 | Expropriations, Property Confiscations and New... | Using the Panama Papers, we show that the be... | 0 | 0 | 0 | 0 | 0 | 1 |
| 760 | 761 | Revealing Hidden Potentials of the q-Space Sig... | Mammography screening for early detection of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 761 | 762 | Concave Flow on Small Depth Directed Networks | Small depth networks arise in a variety of n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 762 | 763 | Knowledge Management Strategies and Processes ... | Knowledge-intensive companies that adopt Agi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 763 | 764 | A supernova at 50 pc: Effects on the Earth's a... | Recent 60Fe results have suggested that the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 764 | 765 | Surface tension of flowing soap films | The surface tension of flowing soap films is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 765 | 766 | Plugo: a VLC Systematic Perspective of Large-s... | Indoor localization based on Visible Light C... | 1 | 0 | 0 | 0 | 0 | 0 |
| 766 | 767 | Deep Convolutional Networks as shallow Gaussia... | We show that the output of a (residual) conv... | 0 | 0 | 0 | 1 | 0 | 0 |
| 767 | 768 | Dynamic Watermarking for General LTI Systems | Detecting attacks in control systems is an i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 768 | 769 | FluxMarker: Enhancing Tactile Graphics with Dy... | For people with visual impairments, tactile ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 769 | 770 | Regularising Non-linear Models Using Feature S... | Very often features come with their own vect... | 1 | 0 | 0 | 1 | 0 | 0 |
| 770 | 771 | On Diamond's $L^1$ criterion for asymptotic de... | We give a short proof of the $L^{1}$ criteri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 771 | 772 | "i have a feeling trump will win................. | Social media users often make explicit predi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 772 | 773 | SLAM-Assisted Coverage Path Planning for Indoo... | Applications involving autonomous navigation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 773 | 774 | Low energy bands and transport properties of c... | We apply a method that combines the tight-bi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 774 | 775 | High Dynamic Range Imaging Technology | In this lecture note, we describe high dynam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 775 | 776 | Classification of pro-$p$ PD$^2$ pairs and the... | We classify pro-$p$ Poincaré duality pairs i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 776 | 777 | A Survey on Content-Aware Video Analysis for S... | Sports data analysis is becoming increasingl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 777 | 778 | Recursive Multikernel Filters Exploiting Nonli... | In kernel methods, temporal information on t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 778 | 779 | Gaussian-Dirichlet Posterior Dominance in Sequ... | We consider the problem of sequential learni... | 0 | 0 | 1 | 1 | 0 | 0 |
| 779 | 780 | Learning Combinations of Sigmoids Through Grad... | We develop a new approach to learn the param... | 1 | 0 | 0 | 1 | 0 | 0 |
| 780 | 781 | Fine Structure and Lifetime of Dark Excitons i... | The intricate interplay between optically da... | 0 | 1 | 0 | 0 | 0 | 0 |
| 781 | 782 | On bifibrations of model categories | In this article, we develop a notion of Quil... | 1 | 0 | 1 | 0 | 0 | 0 |
| 782 | 783 | Canonical sine and cosine Transforms For Integ... | In this paper we define canonical sine and c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 783 | 784 | Deep Learning Sparse Ternary Projections for C... | Compressed sensing (CS) is a sampling theory... | 1 | 0 | 0 | 1 | 0 | 0 |
| 784 | 785 | Learning a Predictive Model for Music Using PULSE | Predictive models for music are studied by r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 785 | 786 | Learning Nonlinear Brain Dynamics: van der Pol... | Many real-world data sets, especially in bio... | 0 | 0 | 0 | 1 | 1 | 0 |
| 786 | 787 | Neural networks for topology optimization | In this research, we propose a deep learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 787 | 788 | Abstract Interpretation with Unfoldings | We present and evaluate a technique for comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 788 | 789 | Perturbation theory for cosmologies with non-l... | The next generation of cosmological surveys ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 789 | 790 | Heads or tails in zero gravity: an example of ... | Playing the game of heads or tails in zero g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 790 | 791 | Amortized Inference Regularization | The variational autoencoder (VAE) is a popul... | 0 | 0 | 0 | 1 | 0 | 0 |
| 791 | 792 | Phase Synchronization on Spacially Embeded Dup... | Synchronization on multiplex networks have a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 792 | 793 | Linear complexity of Legendre-polynomial quoti... | We continue to investigate binary sequence $... | 1 | 0 | 1 | 0 | 0 | 0 |
| 793 | 794 | The Time Dimension of Science: Connecting the ... | A central question in science of science con... | 1 | 1 | 0 | 0 | 0 | 0 |
| 794 | 795 | Excited states of defect lines in silicon: A f... | Excited states of a single donor in bulk sil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 795 | 796 | Neutral Carbon Emission in luminous infrared g... | We present a statistical study on the [C I](... | 0 | 1 | 0 | 0 | 0 | 0 |
| 796 | 797 | Kernel Approximation Methods for Speech Recogn... | We study large-scale kernel methods for acou... | 1 | 0 | 0 | 1 | 0 | 0 |
| 797 | 798 | Composition Factors of Tensor Products of Symm... | We determine the composition factors of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 798 | 799 | Stochastic Ratcheting on a Funneled Energy Lan... | Current understanding of how contractility e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 799 | 800 | Mitigation of Phase Noise in Massive MIMO Syst... | This work encompasses Rate-Splitting (RS), p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 800 | 801 | Tangle-tree duality in abstract separation sys... | We prove a general width duality theorem for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 801 | 802 | Attention-Based Guided Structured Sparsity of ... | Network pruning is aimed at imposing sparsit... | 0 | 0 | 0 | 1 | 0 | 0 |
| 802 | 803 | A Graph Model with Indirect Co-location Links | Graph models are widely used to analyse diff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 803 | 804 | Essentially No Barriers in Neural Network Ener... | Training neural networks involves finding mi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 804 | 805 | Homogenization of nonlinear elliptic systems i... | We study the homogenization process for fami... | 0 | 0 | 1 | 0 | 0 | 0 |
| 805 | 806 | A Generalization of Permanent Inequalities and... | A polynomial $p\in\mathbb{R}[z_1,\dots,z_n]$... | 1 | 0 | 1 | 0 | 0 | 0 |
| 806 | 807 | Proceedings Fifth International Workshop on Ve... | This volume contains the proceedings of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 807 | 808 | H-infinity Filtering for Cloud-Aided Semi-acti... | This chapter presents an H-infinity filterin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 808 | 809 | Deep Spatio-Temporal Random Fields for Efficie... | In this work we introduce a time- and memory... | 0 | 0 | 0 | 1 | 0 | 0 |
| 809 | 810 | A Coherent vorticity preserving eddy viscosity... | This paper introduces a new approach to Larg... | 1 | 1 | 0 | 0 | 0 | 0 |
| 810 | 811 | A Universal Marginalizer for Amortized Inferen... | We consider the problem of inference in a ca... | 1 | 0 | 0 | 1 | 0 | 0 |
| 811 | 812 | Approximating the Backbone in the Weighted Max... | The weighted Maximum Satisfiability problem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 812 | 813 | Fulde-Ferrell-Larkin-Ovchinnikov state in spin... | We show that in the presence of magnetic fie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 813 | 814 | New type integral inequalities for convex func... | We have recently established some integral i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 814 | 815 | Geometric Insights into Support Vector Machine... | The support vector machine (SVM) is a powerf... | 0 | 0 | 0 | 1 | 0 | 0 |
| 815 | 816 | Smart Grids Data Analysis: A Systematic Mappin... | Data analytics and data science play a signi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 816 | 817 | Physical problem solving: Joint planning with ... | In this paper, we present a new task that in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 817 | 818 | Complex Networks: from Classical to Quantum | Recent progress in applying complex network ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 818 | 819 | On the K-theory of C*-algebras for substitutio... | Under suitable conditions, a substitution ti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 819 | 820 | The Tutte embedding of the mated-CRT map conve... | We prove that the Tutte embeddings (a.k.a. h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 820 | 821 | On the Computation of the Shannon Capacity of ... | Muroga [M52] showed how to express the Shann... | 1 | 0 | 0 | 0 | 0 | 0 |
| 821 | 822 | Gorenstein homological properties of tensor rings | Let $R$ be a two-sided noetherian ring and $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 822 | 823 | Compositional Human Pose Regression | Regression based methods are not performing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 823 | 824 | Stochastic functional differential equations a... | We consider systems with memory represented ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 824 | 825 | Remarks on Inner Functions and Optimal Approxi... | We discuss the concept of inner function in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 825 | 826 | A Stochastic Model for File Lifetime and Secur... | Data center networks are an important infras... | 1 | 0 | 0 | 0 | 0 | 0 |
| 826 | 827 | Asymptotic Confidence Regions for High-dimensi... | In the setting of high-dimensional linear re... | 0 | 0 | 1 | 1 | 0 | 0 |
| 827 | 828 | Building a Structured Query Engine | Finding patterns in data and being able to r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 828 | 829 | A Theoretical Perspective of Solving Phaseless... | As a natural extension of compressive sensin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 829 | 830 | A Comprehensive Study of Ly$α$ Emission in the... | We present an exhaustive census of Lyman alp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 830 | 831 | Optimal Timing of Decisions: A General Theory ... | Building on insights of Jovanovic (1982) and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 831 | 832 | OSIRIS-REx Contamination Control Strategy and ... | OSIRIS-REx will return pristine samples of c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 832 | 833 | Linear Stochastic Approximation: Constant Step... | We consider $d$-dimensional linear stochasti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 833 | 834 | Curse of Heterogeneity: Computational Barriers... | We study the fundamental tradeoffs between s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 834 | 835 | Modality Attention for End-to-End Audio-visual... | Audio-visual speech recognition (AVSR) syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 835 | 836 | Affine Rough Models | The goal of this survey article is to explai... | 0 | 0 | 0 | 0 | 0 | 1 |
| 836 | 837 | When flux standards go wild: white dwarfs in t... | White dwarf stars have been used as flux sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 837 | 838 | Multi-view Low-rank Sparse Subspace Clustering | Most existing approaches address multi-view ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 838 | 839 | Single-trial P300 Classification using PCA wit... | The P300 event-related potential (ERP), evok... | 1 | 0 | 0 | 1 | 0 | 0 |
| 839 | 840 | Stable representations of posets | The purpose of this paper is to study stable... | 0 | 0 | 1 | 0 | 0 | 0 |
| 840 | 841 | Automatic segmentation of trees in dynamic out... | Segmentation in dynamic outdoor environments... | 1 | 0 | 0 | 0 | 0 | 0 |
| 841 | 842 | A Practical Bandit Method with Advantages in N... | Stochastic bandit algorithms can be used for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 842 | 843 | Dynamic Security Analysis of Power Systems by ... | Dynamic security analysis is an important pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 843 | 844 | Stochastic and Chance-Constrained Conic Distri... | Second order conic programming (SOCP) has be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 844 | 845 | Multi-Hop Extensions of Energy-Efficient Wirel... | We present the multi-hop extensions of the r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 845 | 846 | Value added or misattributed? A multi-institut... | Instructional labs are widely seen as a uniq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 846 | 847 | Smoothed Noise and Mexican Hat Coupling Produc... | The formation of pattern in biological syste... | 0 | 0 | 0 | 0 | 1 | 0 |
| 847 | 848 | NeuroNER: an easy-to-use program for named-ent... | Named-entity recognition (NER) aims at ident... | 1 | 0 | 0 | 1 | 0 | 0 |
| 848 | 849 | Macro diversity in Cellular Networks with Rand... | Blocking objects (blockages) between a trans... | 1 | 0 | 1 | 0 | 0 | 0 |
| 849 | 850 | Opinion dynamics model based on cognitive biases | We present an introduction to a novel model ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 850 | 851 | ImageNet-trained CNNs are biased towards textu... | Convolutional Neural Networks (CNNs) are com... | 0 | 0 | 0 | 0 | 1 | 0 |
| 851 | 852 | Explicit evaluation of harmonic sums | In this paper, we obtain some formulae for h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 852 | 853 | Complete Cyclic Proof Systems for Inductive En... | In this paper we develop cyclic proof system... | 1 | 0 | 0 | 0 | 0 | 0 |
| 853 | 854 | HybridNet: Classification and Reconstruction C... | In this paper, we introduce a new model for ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 854 | 855 | Learning Distributed Representations of Texts ... | We describe a neural network model that join... | 1 | 0 | 0 | 0 | 0 | 0 |
| 855 | 856 | Moduli Spaces of Unordered $n\ge5$ Points on t... | For $n\ge5$, it is well known that the modul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 856 | 857 | Multipath Error Correction in Radio Interferom... | The radio interferometric positioning system... | 1 | 0 | 0 | 0 | 0 | 0 |
| 857 | 858 | An evaluation homomorphism for quantum toroida... | We present an affine analog of the evaluatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 858 | 859 | A Framework for Time-Consistent, Risk-Sensitiv... | In this paper we present a framework for ris... | 1 | 0 | 1 | 0 | 0 | 0 |
| 859 | 860 | Monitoring Telluric Absorption with CAMAL | Ground-based astronomical observations may b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 860 | 861 | Common Knowledge in a Logic of Gossips | Gossip protocols aim at arriving, by means o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 861 | 862 | Network-theoretic approach to sparsified discr... | We examine discrete vortex dynamics in two-d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 862 | 863 | Bäcklund Transformation and Quasi-Integrable D... | In this paper we study a non-linear partial ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 863 | 864 | Data-Mining Textual Responses to Uncover Misco... | An important, yet largely unstudied, problem... | 1 | 0 | 0 | 1 | 0 | 0 |
| 864 | 865 | Symmetries of handlebodies and their fixed poi... | A Schottky structure on a handlebody $M$ of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 865 | 866 | Speaker Diarization using Deep Recurrent Convo... | In this paper we propose a new method of spe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 866 | 867 | A Robust Multi-Batch L-BFGS Method for Machine... | This paper describes an implementation of th... | 1 | 0 | 1 | 1 | 0 | 0 |
| 867 | 868 | Network of vertically c-oriented prism shaped ... | Networks of vertically c-oriented prism shap... | 0 | 1 | 0 | 0 | 0 | 0 |
| 868 | 869 | Enhanced version of AdaBoostM1 with J48 Tree l... | Machine Learning focuses on the construction... | 0 | 0 | 0 | 1 | 0 | 0 |
| 869 | 870 | A Game of Tax Evasion: evidences from an agent... | This paper presents a simple agent-based mod... | 0 | 0 | 0 | 0 | 0 | 1 |
| 870 | 871 | Variability response functions for statically ... | The variability response function (VRF) is g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 871 | 872 | Bayesian Uncertainty Estimation for Batch Norm... | We show that training a deep network using b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 872 | 873 | Multi-Antenna Coded Caching | In this paper we consider a single-cell down... | 1 | 0 | 1 | 0 | 0 | 0 |
| 873 | 874 | Convolved subsampling estimation with applicat... | The block bootstrap approximates sampling di... | 0 | 0 | 1 | 1 | 0 | 0 |
| 874 | 875 | Computing Simple Multiple Zeros of Polynomial ... | Given a polynomial system f associated with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 875 | 876 | Latent Geometry and Memorization in Generative... | It can be difficult to tell whether a traine... | 1 | 0 | 0 | 1 | 0 | 0 |
| 876 | 877 | Refracting Metasurfaces without Spurious Diffr... | Refraction represents one of the most fundam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 877 | 878 | Accurate Motion Estimation through Random Samp... | We reconsider the classic problem of estimat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 878 | 879 | Landau Collision Integral Solver with Adaptive... | The Landau collision integral is an accurate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 879 | 880 | A Topologist's View of Kinematic Maps and Mani... | In this paper we combine a survey of the mos... | 1 | 0 | 1 | 0 | 0 | 0 |
| 880 | 881 | Faster Tensor Canonicalization | The Butler-Portugal algorithm for obtaining ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 881 | 882 | Mass Preconditioning for the Exact One-Flavor ... | The mass-preconditioning (MP) technique has ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 882 | 883 | Finite-time scaling at the Anderson transition... | A model in which a three-dimensional elastic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 883 | 884 | Universal and shape dependent features of surf... | We analyze the response of a type II superco... | 0 | 1 | 1 | 0 | 0 | 0 |
| 884 | 885 | Weighted Low Rank Approximation for Background... | Classical principal component analysis (PCA)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 885 | 886 | Controlling Chiral Domain Walls in Antiferroma... | In antiferromagnets, the Dzyaloshinskii-Mori... | 0 | 1 | 0 | 0 | 0 | 0 |
| 886 | 887 | The Spatial Shape of Avalanches | In disordered elastic systems, driven by dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 887 | 888 | Multiple Topological Electronic Phases in Supe... | The search for a superconductor with non-s-w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 888 | 889 | Extension complexity of stable set polytopes o... | The extension complexity $\mathsf{xc}(P)$ of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 889 | 890 | Performance Scaling Law for Multi-Cell Multi-U... | This work provides a comprehensive scaling l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 890 | 891 | On the Status of the Measurement Problem: Reca... | In view of a resurgence of concern about the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 891 | 892 | Pressure-tuning of bond-directional exchange i... | We explore the response of Ir $5d$ orbitals ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 892 | 893 | On perpetuities with gamma-like tails | An infinite convergent sum of independent an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 893 | 894 | Computationally Efficient Estimation of the Sp... | We consider the problem of estimating from s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 894 | 895 | Mixed Precision Training of Convolutional Neur... | The state-of-the-art (SOTA) for mixed precis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 895 | 896 | Performance of a small size telescope (SST-1M)... | The foreseen implementations of the Small Si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 896 | 897 | Bounded solutions for a class of Hamiltonian s... | We obtain bounded for all $t$ solutions of o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 897 | 898 | Cosmological perturbation effects on gravitati... | Waveforms of gravitational waves provide inf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 898 | 899 | Biocompatible Writing of Data into DNA | A simple DNA-based data storage scheme is de... | 1 | 1 | 0 | 0 | 0 | 0 |
| 899 | 900 | Faster Clustering via Non-Backtracking Random ... | This paper presents VEC-NBT, a variation on ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 900 | 901 | Nanostructured complex oxides as a route towar... | We have used soft x-ray photoemission electr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 901 | 902 | Finding Submodularity Hidden in Symmetric Diff... | A set function $f$ on a finite set $V$ is su... | 1 | 0 | 0 | 0 | 0 | 0 |
| 902 | 903 | On the Consistency of Quick Shift | Quick Shift is a popular mode-seeking and cl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 903 | 904 | Adaptive Quantization for Deep Neural Network | In recent years Deep Neural Networks (DNNs) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 904 | 905 | A Simple Convolutional Generative Network for ... | Convolutional Neural Networks (CNNs) have be... | 0 | 0 | 0 | 1 | 0 | 0 |
| 905 | 906 | High-temperature terahertz optical diode effec... | We present a terahertz spectroscopic study o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 906 | 907 | Character Networks and Book Genre Classification | We compare the social character networks of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 907 | 908 | Phase diagrams of Bose-Hubbard model and antif... | Motivated by the recent experimental realiza... | 0 | 1 | 0 | 0 | 0 | 0 |
| 908 | 909 | Forecasting the Impact of Stellar Activity on ... | Exoplanet host star activity, in the form of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 909 | 910 | A Domain Specific Language for Performance Por... | Developers of Molecular Dynamics (MD) codes ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 910 | 911 | CMB anisotropies at all orders: the non-linear... | We obtain the non-linear generalization of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 911 | 912 | On a binary system of Prendiville: The cubic case | We prove sharp decoupling inequalities for a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 912 | 913 | Learning Normalized Inputs for Iterative Estim... | In this paper, we introduce a simple, yet po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 913 | 914 | Strong isomorphism in Marinatto-Weber type qua... | Our purpose is to focus attention on a new c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 914 | 915 | Riemannian stochastic variance reduced gradient | Stochastic variance reduction algorithms hav... | 1 | 0 | 1 | 1 | 0 | 0 |
| 915 | 916 | Causal Inference by Stochastic Complexity | The algorithmic Markov condition states that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 916 | 917 | Mean teachers are better role models: Weight-a... | The recently proposed Temporal Ensembling ha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 917 | 918 | WOMBAT: A Scalable and High Performance Astrop... | We present a new code for astrophysical magn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 918 | 919 | Securing Virtual Network Function Placement wi... | Virtual Network Functions as a Service (VNFa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 919 | 920 | The Case for Pyriproxyfen as a Potential Cause... | The Zika virus has been found in individual ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 920 | 921 | A decentralized proximal-gradient method with ... | This paper considers the problem of decentra... | 0 | 0 | 1 | 1 | 0 | 0 |
| 921 | 922 | CODA: Enabling Co-location of Computation and ... | Recent studies have demonstrated that near-d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 922 | 923 | Generative Models for Spear Phishing Posts on ... | Historically, machine learning in computer s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 923 | 924 | SkipFlow: Incorporating Neural Coherence Featu... | Deep learning has demonstrated tremendous po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 924 | 925 | Automated Speed and Lane Change Decision Makin... | This paper introduces a method, based on dee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 925 | 926 | Reduction of topological $\mathbb{Z}$ classifi... | One of the most challenging problems in corr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 926 | 927 | Reducing biases on $H_0$ measurements using st... | Cosmological parameter constraints from obse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 927 | 928 | Characterizing the ionospheric current pattern... | We characterize the response of the quiet ti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 928 | 929 | On a question of Buchweitz about ranks of syzy... | Let R be a local ring of dimension d. Buchwe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 929 | 930 | Learning convex bounds for linear quadratic co... | Learning to make decisions from observed dat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 930 | 931 | General mixed multi-soliton solution to the mu... | Based on the KP hierarchy reduction method, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 931 | 932 | Resolution and Relevance Trade-offs in Deep Le... | Deep learning has been successfully applied ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 932 | 933 | Heisenberg Modules over Quantum 2-tori are met... | The modular Gromov-Hausdorff propinquity is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 933 | 934 | GraphCombEx: A Software Tool for Exploration o... | We present a prototype of a software tool fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 934 | 935 | Approches d'analyse distributionnelle pour amé... | Word sense disambiguation (WSD) improves man... | 1 | 0 | 0 | 0 | 0 | 0 |
| 935 | 936 | Non-degenerate parametric resonance in tunable... | We develop a theory for non-degenerate param... | 0 | 1 | 0 | 0 | 0 | 0 |
| 936 | 937 | Toward Controlled Generation of Text | Generic generation and manipulation of text ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 937 | 938 | Human peripheral blur is optimal for object re... | Our eyes sample a disproportionately large a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 938 | 939 | Acceleration of Mean Square Distance Calculati... | Molecular dynamics simulates the~movements o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 939 | 940 | Bridging Semantic Gaps between Natural Languag... | Developers increasingly rely on text matchin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 940 | 941 | Feedback optimal controllers for the Heston model | We prove the existence of an optimal feedbac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 941 | 942 | User Experience of the CoSTAR System for Instr... | How can we enable novice users to create eff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 942 | 943 | Graph complexity and Mahler measure | The (torsion) complexity of a finite edge-we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 943 | 944 | Neutronic Analysis on Potential Accident Toler... | Neutronic performance is investigated for a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 944 | 945 | Total-positivity preservers | We prove that the only entrywise transforms ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 945 | 946 | A revision of the subtract-with-borrow random ... | The most popular and widely used subtract-wi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 946 | 947 | A Macdonald refined topological vertex | We consider the refined topological vertex o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 947 | 948 | Bias voltage effects on tunneling magnetoresis... | We investigate bias voltage effects on the s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 948 | 949 | Listen to Your Face: Inferring Facial Action U... | Extensive efforts have been devoted to recog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 949 | 950 | Icing on the Cake: An Easy and Quick Post-Lear... | We found an easy and quick post-learning met... | 0 | 0 | 0 | 1 | 0 | 0 |
| 950 | 951 | Minimal Effort Back Propagation for Convolutio... | As traditional neural network consumes a sig... | 1 | 0 | 0 | 1 | 0 | 0 |
| 951 | 952 | Estimating Achievable Range of Ground Robots O... | Mobile robots are increasingly being used to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 952 | 953 | Likelihood ratio test for variance components ... | Mixed effects models are widely used to desc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 953 | 954 | Hölder continuous solutions of the Monge-Ampèr... | We show that a positive Borel measure of pos... | 0 | 0 | 1 | 0 | 0 | 0 |
| 954 | 955 | The beamformer and correlator for the Large Eu... | The Large European Array for Pulsars combine... | 0 | 1 | 0 | 0 | 0 | 0 |
| 955 | 956 | Solving $\ell^p\!$-norm regularization with te... | In this paper, we discuss how a suitable fam... | 0 | 0 | 1 | 1 | 0 | 0 |
| 956 | 957 | Adversarial Phenomenon in the Eyes of Bayesian... | Deep Learning models are vulnerable to adver... | 1 | 0 | 0 | 1 | 0 | 0 |
| 957 | 958 | Comparative Climates of TRAPPIST-1 planetary s... | The recent discovery of the planetary system... | 0 | 1 | 0 | 0 | 0 | 0 |
| 958 | 959 | Boundedness of $\mathbb{Q}$-Fano varieties wit... | We show that $\mathbb{Q}$-Fano varieties of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 959 | 960 | Width Hierarchies for Quantum and Classical Or... | We consider quantum, nondterministic and pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 960 | 961 | Complementary views on electron spectra: From ... | We study the relation between the microscopi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 961 | 962 | Stall force of a cargo driven by N interacting... | We study a generic one-dimensional model for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 962 | 963 | Dynamics of a Camphoric Acid boat at the air-w... | We report experiments on an agarose gel tabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 963 | 964 | Separation of time scales and direct computati... | Artificial intelligence is revolutionizing o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 964 | 965 | $q$-deformed quadrature operator and optical t... | In this letter, we define the homodyne $q$-d... | 0 | 1 | 1 | 0 | 0 | 0 |
| 965 | 966 | Efficient Graph Edit Distance Computation and ... | Graph edit distance (GED) is an important si... | 1 | 0 | 0 | 0 | 0 | 0 |
| 966 | 967 | Asymptotic measures and links in simplicial co... | We introduce canonical measures on a locally... | 0 | 0 | 1 | 0 | 0 | 0 |
| 967 | 968 | Usability of Humanly Computable Passwords | Reusing passwords across multiple websites i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 968 | 969 | Shared urbanism: Big data on accommodation sha... | As affordability pressures and tight rental ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 969 | 970 | Structural changes in the interbank market acr... | Interbank markets are often characterised in... | 0 | 0 | 0 | 0 | 0 | 1 |
| 970 | 971 | Extracting Automata from Recurrent Neural Netw... | We present a novel algorithm that uses exact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 971 | 972 | Performance analysis of smart digital signage ... | Everything in the world is being connected, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 972 | 973 | What pebbles are made of: Interpretation of th... | Recently, an Atacama Large Millimeter/submil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 973 | 974 | Existence and uniqueness of steady weak soluti... | The existence of weak solutions to the stati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 974 | 975 | More on products of Baire spaces | New results on the Baire product problem are... | 0 | 0 | 1 | 0 | 0 | 0 |
| 975 | 976 | Social versus Moral preferences in the Ultimat... | In the Ultimatum Game (UG) one player, named... | 0 | 0 | 0 | 0 | 1 | 0 |
| 976 | 977 | Moderate Deviation Analysis for Classical-Quan... | In this work, we study the tradeoffs between... | 1 | 0 | 0 | 0 | 0 | 0 |
| 977 | 978 | A simple recipe for making accurate parametric... | Constructing tests or confidence regions tha... | 0 | 0 | 1 | 1 | 0 | 0 |
| 978 | 979 | GBDT of discrete skew-selfadjoint Dirac system... | Generalized Bäcklund-Darboux transformations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 979 | 980 | Panel collapse and its applications | We describe a procedure called panel collaps... | 0 | 0 | 1 | 0 | 0 | 0 |
| 980 | 981 | Smooth Neighbors on Teacher Graphs for Semi-su... | The recently proposed self-ensembling method... | 1 | 0 | 0 | 1 | 0 | 0 |
| 981 | 982 | Detecting Heavy Flows in the SDN Match and Act... | Efficient algorithms and techniques to detec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 982 | 983 | Optimal Resource Allocation with Node and Link... | With the tremendous increase of the Internet... | 1 | 1 | 0 | 0 | 0 | 0 |
| 983 | 984 | On the complexity of solving a decision proble... | We consider a fundamental integer programmin... | 0 | 0 | 0 | 0 | 0 | 1 |
| 984 | 985 | Achieving Spectrum Efficient Communication Und... | In wireless communication, heterogeneous tec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 985 | 986 | A Galactic Cosmic Ray Electron Intensity Incre... | We have derived background corrected intensi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 986 | 987 | Statistical foundations for assessing the diff... | The `beta' is one of the key quantities in t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 987 | 988 | Integrating Human-Provided Information Into Be... | In partially observed environments, it can b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 988 | 989 | Characterizing complex networks using Entropy-... | Open problems abound in the theory of comple... | 0 | 0 | 0 | 0 | 1 | 0 |
| 989 | 990 | On Integral Upper Limits Assuming Power Law Sp... | The high-energy non-thermal universe is domi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 990 | 991 | Estimates for solutions of Dirac equations and... | We develop estimates for the solutions and d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 991 | 992 | Analysis of Political Party Twitter Accounts' ... | In modern election campaigns, political part... | 1 | 0 | 0 | 0 | 0 | 0 |
| 992 | 993 | When a triangle is isosceles? | In 1840 Jacob Steiner on Christian Rudolf's ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 993 | 994 | Anomaly detecting and ranking of the cloud com... | Anomaly detecting as an important technical ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 994 | 995 | On self-affine sets | We survey the dimension theory of self-affin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 995 | 996 | The effect of phase change on stability of con... | Buoyancy-thermocapillary convection in a lay... | 0 | 1 | 0 | 0 | 0 | 0 |
| 996 | 997 | A graph model of message passing processes | In the paper we consider a graph model of me... | 1 | 0 | 0 | 0 | 0 | 0 |
| 997 | 998 | Learning the Sparse and Low Rank PARAFAC Decom... | In this article, we derive a Bayesian model ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 998 | 999 | Holomorphic differentials, thermostats and Ano... | We introduce a new family of thermostat flow... | 0 | 0 | 1 | 0 | 0 | 0 |
| 999 | 1000 | Multiplicative slices, relativistic Toda and s... | We introduce the shifted quantum affine alge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1000 | 1001 | Statistical Latent Space Approach for Mixed Da... | The analysis of mixed data has been raising ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1001 | 1002 | Near-field coupling of gold plasmonic antennas... | The development of spintronic technology wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1002 | 1003 | A reproducible effect size is more useful than... | Motivation: P values derived from the null h... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1003 | 1004 | High temperature thermodynamics of the honeyco... | We develop high temperature series expansion... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1004 | 1005 | Laplace Beltrami operator in the Baran metric ... | The Baran metric $\delta_E$ is a Finsler met... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1005 | 1006 | Magnetic polarons in a nonequilibrium polarito... | We consider a condensate of exciton-polarito... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1006 | 1007 | Inference in Sparse Graphs with Pairwise Measu... | We consider the statistical problem of recov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1007 | 1008 | Oracle Importance Sampling for Stochastic Simu... | We consider the problem of estimating an exp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1008 | 1009 | The Generalized Cross Validation Filter | Generalized cross validation (GCV) is one of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1009 | 1010 | Coherence of Biochemical Oscillations is Bound... | Biochemical oscillations are prevalent in li... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1010 | 1011 | How Do Classifiers Induce Agents To Invest Eff... | Algorithms are often used to produce decisio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1011 | 1012 | Guiding Reinforcement Learning Exploration Usi... | In this work we present a technique to use n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1012 | 1013 | Of the People: Voting Is More Effective with R... | In light of the classic impossibility result... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1013 | 1014 | Cell Coverage Extension with Orthogonal Random... | In this paper, we investigate a coverage ext... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1014 | 1015 | Hidden Community Detection in Social Networks | We introduce a new paradigm that is importan... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1015 | 1016 | Two-photon exchange correction to the hyperfin... | We reevaluate the Zemach, recoil and polariz... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1016 | 1017 | Ising Models with Latent Conditional Gaussian ... | Ising models describe the joint probability ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1017 | 1018 | Quasiparticles and charge transfer at the two ... | Direct experimental investigations of the lo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1018 | 1019 | Breaking Bivariate Records | We establish a fundamental property of bivar... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1019 | 1020 | A Bag-of-Paths Node Criticality Measure | This work compares several node (and network... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1020 | 1021 | Generation and analysis of lamplighter programs | We consider a programming language based on ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1021 | 1022 | A Projection-Based Reformulation and Decomposi... | We propose an extended variant of the reform... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1022 | 1023 | Preduals for spaces of operators involving Hil... | Continuing the study of preduals of spaces $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1023 | 1024 | Computing maximum cliques in $B_2$-EPG graphs | EPG graphs, introduced by Golumbic et al. in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1024 | 1025 | Interactions between Health Searchers and Sear... | The Web is an important resource for underst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1025 | 1026 | Effect algebras as presheaves on finite Boolea... | For an effect algebra $A$, we examine the ca... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1026 | 1027 | Training Deep Convolutional Neural Networks wi... | In a previous work we have detailed the requ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1027 | 1028 | Absolute versus convective helical magnetorota... | We study magnetic Taylor-Couette flow in a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1028 | 1029 | Symmetries and multipeakon solutions for the m... | Compared with the two-component Camassa-Holm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1029 | 1030 | Selection of quasi-stationary states in the Na... | The two dimensional incompressible Navier-St... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1030 | 1031 | Geometric Enclosing Networks | Training model to generate data has increasi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1031 | 1032 | A pliable lasso for the Cox model | We introduce a pliable lasso method for esti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1032 | 1033 | Localized magnetic moments with tunable spin e... | We report on the experimental realization of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1033 | 1034 | Khintchine's Theorem with random fractions | We prove versions of Khintchine's Theorem (1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1034 | 1035 | A Method of Generating Random Weights and Bias... | Neural networks with random hidden nodes hav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1035 | 1036 | The Relative Performance of Ensemble Methods w... | Artificial neural networks have been success... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1036 | 1037 | Representation of big data by dimension reduction | Suppose the data consist of a set $S$ of poi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1037 | 1038 | Out-degree reducing partitions of digraphs | Let $k$ be a fixed integer. We determine the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1038 | 1039 | Introduction to Plasma Physics | These notes are intended to provide a brief ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1039 | 1040 | Presymplectic convexity and (ir)rational polyt... | In this paper, we extend the Atiyah--Guillem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1040 | 1041 | Unsupervised Learning of Mixture Regression Mo... | This paper is concerned with learning of mix... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1041 | 1042 | Anomalous electron states | By the certain macroscopic perturbations in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1042 | 1043 | Theoretical calculation of the fine-structure ... | Light traveling through the vacuum interacts... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1043 | 1044 | LEADER: fast estimates of asteroid shape elong... | Many asteroid databases with lightcurve brig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1044 | 1045 | Calibrated Projection in MATLAB: Users' Manual | We present the calibrated-projection MATLAB ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1045 | 1046 | Atomic Clock Measurements of Quantum Scatterin... | We use an atomic fountain clock to measure q... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1046 | 1047 | Temporal processing and context dependency in ... | A quantitative understanding of how sensory ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1047 | 1048 | On the putative essential discreteness of q-ge... | It has been argued in [EPL {\bf 90} (2010) 5... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1048 | 1049 | Spin Distribution of Primordial Black Holes | We estimate the spin distribution of primord... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1049 | 1050 | Automated flow for compressing convolution neu... | Deep convolutional neural networks (CNN) bas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1050 | 1051 | Pulse rate estimation using imaging photopleth... | Objective: to establish an algorithmic frame... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1051 | 1052 | Deep Laplacian Pyramid Networks for Fast and A... | Convolutional neural networks have recently ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1052 | 1053 | Foundation for a series of efficient simulatio... | Compute the coarsest simulation preorder inc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1053 | 1054 | A Review of Macroscopic Motion in Thermodynami... | A principle on the macroscopic motion of sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1054 | 1055 | Emergent electronic structure of CaFe2As2 | CaFe2As2 exhibits collapsed tetragonal (cT) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1055 | 1056 | Lord Kelvin's method of images approach to the... | We study a mathematical model of cell popula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1056 | 1057 | Study of the Magnetizing Relationship of the K... | The extraction system of CSNS mainly consist... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1057 | 1058 | Smart "Predict, then Optimize" | Many real-world analytics problems involve t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1058 | 1059 | U-SLADS: Unsupervised Learning Approach for Dy... | Novel data acquisition schemes have been an ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1059 | 1060 | On a registration-based approach to sensor net... | We consider a registration-based approach fo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1060 | 1061 | Density estimation on small datasets | How might a smooth probability distribution ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 1061 | 1062 | Generalized Euler classes, differential forms ... | In the context of commutative differential g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1062 | 1063 | Episodic memory for continual model learning | Both the human brain and artificial learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1063 | 1064 | Security Trust Zone in 5G Networks | Fifth Generation (5G) telecommunication syst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1064 | 1065 | Upper-Bounding the Regularization Constant for... | Consider reconstructing a signal $x$ by mini... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1065 | 1066 | On the Privacy of the Opal Data Release: A Res... | This document is a response to a report from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1066 | 1067 | Long time behavior of Gross-Pitaevskii equatio... | The stochastic Gross-Pitaevskii equation is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1067 | 1068 | Isomorphism and Morita equivalence classes for... | Let $\theta, \theta'$ be irrational numbers ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1068 | 1069 | Model Predictive Control for Distributed Micro... | This paper proposes a new convex model predi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1069 | 1070 | On noncommutative geometry of the Standard Mod... | We unveil the geometric nature of the multip... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1070 | 1071 | A Review of Dynamic Network Models with Latent... | We present a selective review of statistical... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1071 | 1072 | LevelHeaded: Making Worst-Case Optimal Joins W... | Pipelines combining SQL-style business intel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1072 | 1073 | Few-shot learning of neural networks from scra... | In this paper, we propose a simple but effec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1073 | 1074 | Identities and congruences involving the Fubin... | In this paper, we investigate the umbral rep... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1074 | 1075 | Introduction to Delay Models and Their Wave So... | In this paper, a brief review of delay popul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1075 | 1076 | On Dummett's Pragmatist Justification Procedure | I show that propositional intuitionistic log... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1076 | 1077 | Evidence for a radiatively driven disc-wind in... | We present a newly discovered correlation be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1077 | 1078 | From a normal insulator to a topological insul... | Plumbene, similar to silicene, has a buckled... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1078 | 1079 | High-sensitivity Kinetic Inductance Detectors ... | Providing a background discrimination tool i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1079 | 1080 | Bounding the composition length of primitive p... | We obtain upper bounds on the composition le... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1080 | 1081 | A Bernstein Inequality For Spatial Lattice Pro... | In this article we present a Bernstein inequ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1081 | 1082 | An Exploration of Approaches to Integrating Ne... | We explore different approaches to integrati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1082 | 1083 | Dispersive Regimes of the Dicke Model | We study two dispersive regimes in the dynam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1083 | 1084 | ZebraLancer: Crowdsource Knowledge atop Open B... | We design and implement the first private an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1084 | 1085 | Fast, Better Training Trick -- Random Gradient | In this paper, we will show an unprecedented... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1085 | 1086 | Expressions of Sentiments During Code Reviews:... | Background: As most of the software developm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1086 | 1087 | Monotonicity patterns and functional inequalit... | In this paper our aim is to present the comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1087 | 1088 | Multiple VLAD encoding of CNNs for image class... | Despite the effectiveness of convolutional n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1088 | 1089 | Index of Dirac operators and classification of... | Real and complex Clifford bundles and Dirac ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1089 | 1090 | Centroid vetting of transiting planet candidat... | The Next Generation Transit Survey (NGTS), o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1090 | 1091 | Galaxy And Mass Assembly: the evolution of the... | We present the evolution of the Cosmic Spect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1091 | 1092 | Large sums of Hecke eigenvalues of holomorphic... | Let $f$ be a Hecke cusp form of weight $k$ f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1092 | 1093 | EAD: Elastic-Net Attacks to Deep Neural Networ... | Recent studies have highlighted the vulnerab... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1093 | 1094 | Playtime Measurement with Survival Analysis | Maximizing product use is a central goal of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1094 | 1095 | Asymptotic formula of the number of Newton pol... | In this paper, we enumerate Newton polygons ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1095 | 1096 | Invariant-based inverse engineering of crane c... | By applying invariant-based inverse engineer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1096 | 1097 | Leaf Space Isometries of Singular Riemannian F... | In this paper, the authors consider leaf spa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1097 | 1098 | Backward Monte-Carlo applied to muon transport | We discuss a backward Monte-Carlo technique ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1098 | 1099 | Functional importance of noise in neuronal inf... | Noise is an inherent part of neuronal dynami... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1099 | 1100 | Stochastic Variance Reduction Methods for Poli... | Policy evaluation is a crucial step in many ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1100 | 1101 | Self-consistent dynamical model of the Broad L... | We develope a self-consistent description of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1101 | 1102 | Measuring the polarization of electromagnetic ... | When internal states of atoms are manipulate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1102 | 1103 | Software-based Microarchitectural Attacks | Modern processors are highly optimized syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1103 | 1104 | Pixelwise Instance Segmentation with a Dynamic... | Semantic segmentation and object detection r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1104 | 1105 | Binary Matrix Factorization via Dictionary Lea... | Matrix factorization is a key tool in data a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1105 | 1106 | Enriching Complex Networks with Word Embedding... | Mild Cognitive Impairment (MCI) is a mental ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1106 | 1107 | The many faces of degeneracy in conic optimiza... | Slater's condition -- existence of a "strict... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1107 | 1108 | Strong homotopy types of acyclic categories an... | We extend the homotopy theories based on poi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1108 | 1109 | Boundary problems for the fractional and tempe... | For characterizing the Brownian motion in a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1109 | 1110 | Bohm's approach to quantum mechanics: Alternat... | Since its inception Bohmian mechanics has be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1110 | 1111 | Continuous-wave virtual-state lasing from cold... | While conventional lasers are based on gain ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1111 | 1112 | Assessment of Future Changes in Intensity-Dura... | The evaluation of possible climate change co... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1112 | 1113 | Improved Algorithms for Computing the Cycle of... | We study the problem of finding the cycle of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1113 | 1114 | Interplay of dust alignment, grain growth and ... | Polarized extinction and emission from dust ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1114 | 1115 | Asynchronous Distributed Variational Gaussian ... | Gaussian processes (GPs) are powerful non-pa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1115 | 1116 | Bayesian Unification of Gradient and Bandit-ba... | Bandit based optimisation has a remarkable a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1116 | 1117 | Stacco: Differentially Analyzing Side-Channel ... | Intel Software Guard Extension (SGX) offers ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1117 | 1118 | Automatic Extrinsic Calibration for Lidar-Ster... | Sensor setups consisting of a combination of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1118 | 1119 | Representations of Super $W(2,2)$ algebra $\ma... | In paper, we study the representation theory... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1119 | 1120 | Effective Reformulation of Query for Code Sear... | Software developers frequently issue generic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1120 | 1121 | Detecting Bot Activity in the Ethereum Blockch... | The Ethereum blockchain network is a decentr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1121 | 1122 | Near-infrared laser thermal conjunctivoplasty | Conjunctivochalasis is a common cause of tea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1122 | 1123 | Superconductivity at 7.3 K in the 133-type Cr-... | Here we report the preparation and supercond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1123 | 1124 | Solution of parabolic free boundary problems u... | A numerical method for free boundary problem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1124 | 1125 | Neural-Network Quantum States, String-Bond Sta... | Neural-Network Quantum States have been rece... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1125 | 1126 | Nondestructive testing of grating imperfection... | We reported the usage of grating-based X-ray... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1126 | 1127 | End-to-End Information Extraction without Toke... | Most state-of-the-art information extraction... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1127 | 1128 | Lipschitz regularity of solutions to two-phase... | We prove Lipschitz continuity of viscosity s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1128 | 1129 | VTA: An Open Hardware-Software Stack for Deep ... | Hardware acceleration is an enabler for ubiq... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1129 | 1130 | Efficient Localized Inference for Large Graphi... | We propose a new localized inference algorit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1130 | 1131 | Multi-kink collisions in the $ϕ^6$ model | We study simultaneous collisions of two, thr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1131 | 1132 | InverseFaceNet: Deep Monocular Inverse Face Re... | We introduce InverseFaceNet, a deep convolut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1132 | 1133 | Exact partial information decompositions for G... | The Partial Information Decomposition (PID) ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 1133 | 1134 | Deep Multimodal Subspace Clustering Networks | We present convolutional neural network (CNN... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1134 | 1135 | Finite-time generalization of the thermodynami... | For fluctuating currents in non-equilibrium ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1135 | 1136 | Composition Properties of Inferential Privacy ... | With the proliferation of mobile devices and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1136 | 1137 | Landau-Ginzburg theory of cortex dynamics: Sca... | Understanding the origin, nature, and functi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1137 | 1138 | Recurrent Autoregressive Networks for Online M... | The main challenge of online multi-object tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1138 | 1139 | The occurrence of transverse and longitudinal ... | Classical plasma with arbitrary degree of de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1139 | 1140 | Well-posedness of a Model for the Growth of Tr... | The paper studies a PDE model for the growth... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1140 | 1141 | Yonsei evolutionary population synthesis (YEPS... | The discovery of multiple stellar population... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1141 | 1142 | Large deviation theorem for random covariance ... | We establish a large deviation theorem for t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1142 | 1143 | Hindsight policy gradients | A reinforcement learning agent that needs to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1143 | 1144 | Abundances in photoionized nebulae of the Loca... | Photoionized nebulae, comprising HII regions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1144 | 1145 | Are Thousands of Samples Really Needed to Gene... | The prediction of cancer prognosis and metas... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1145 | 1146 | Multi-scale analysis of lead-lag relationships... | We propose a novel estimation procedure for ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1146 | 1147 | Approximations of the allelic frequency spectr... | We consider a general branching population w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1147 | 1148 | Anomaly Detection Using Optimally-Placed Micro... | As the distribution grid moves toward a tigh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1148 | 1149 | Electron-Phonon Interaction in Ternary Rare-Ea... | Investigation of the electron-phonon interac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1149 | 1150 | Ultrahigh Magnetic Field Phases in Frustrated ... | The magnetic phases of a triangular-lattice ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1150 | 1151 | Preserving Differential Privacy in Convolution... | The remarkable development of deep learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1151 | 1152 | Injectivity almost everywhere and mappings wit... | We show that a sufficient condition for the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1152 | 1153 | A probabilistic approach to the leader problem... | Consider the classical Erdos-Renyi random gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1153 | 1154 | An improvement on LSB+ method | The Least Significant Bit (LSB) substitution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1154 | 1155 | Oxygen reduction mechanisms in nanostructured ... | In this work we outline the mechanisms contr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1155 | 1156 | Learning Interpretable Models with Causal Guar... | Machine learning has shown much promise in h... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1156 | 1157 | Achromatic super-oscillatory lenses with sub-w... | Lenses are crucial to light-enabled technolo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1157 | 1158 | Time-dependent linear-response variational Mon... | We present the extension of variational Mont... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1158 | 1159 | Wireless Power Transfer for Distributed Estima... | This paper studies power allocation for dist... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1159 | 1160 | About a non-standard interpolation problem | Using algebraic methods, and motivated by th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1160 | 1161 | Quantum spin liquid signatures in Kitaev-like ... | Motivated by recent experiments on $\alpha$-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1161 | 1162 | Equivalent electric circuit of magnetosphere-i... | The aim of this study is to investigate the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1162 | 1163 | Charge polarization effects on the optical res... | In the new approach to study the optical res... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1163 | 1164 | Replica analysis of overfitting in regression ... | Overfitting, which happens when the number o... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1164 | 1165 | System Description: Russell - A Logical Framew... | Russell is a logical framework for the speci... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1165 | 1166 | Spinor analysis | "Let us call the novel quantities which, in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1166 | 1167 | Identifiability of phylogenetic parameters fro... | Distances between sequences based on their $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1167 | 1168 | Short-Time Nonlinear Effects in the Exciton-Po... | In the exciton-polariton system, a linear di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1168 | 1169 | GTC Observations of an Overdense Region of LAE... | We present the results of our search for the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1169 | 1170 | Comment on Photothermal radiometry parametric ... | A recent paper [X. Guo, A. Mandelis, J. Tole... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1170 | 1171 | Computing the projected reachable set of switc... | A fundamental question in systems biology is... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1171 | 1172 | Temporal Action Localization by Structured Max... | We address the problem of temporal action lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1172 | 1173 | Using Transfer Learning for Image-Based Cassav... | Cassava is the third largest source of carbo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1173 | 1174 | Continuous Adaptation via Meta-Learning in Non... | Ability to continuously learn and adapt from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1174 | 1175 | Alpha-Divergences in Variational Dropout | We investigate the use of alternative diverg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1175 | 1176 | Curvature properties of Robinson-Trautman metric | The curvature properties of Robinson-Trautma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1176 | 1177 | Dehn invariant of flexible polyhedra | We prove that the Dehn invariant of any flex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1177 | 1178 | On Evaluation of Embodied Navigation Agents | Skillful mobile operation in three-dimension... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1178 | 1179 | Single Magnetic Impurity in Tilted Dirac Surfa... | We utilize variational method to investigate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1179 | 1180 | Leveraging the Path Signature for Skeleton-bas... | Human action recognition in videos is one of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1180 | 1181 | How Many Subpopulations is Too Many? Exponenti... | Reconstruction of population histories is a ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1181 | 1182 | Source localization in an ocean waveguide usin... | Source localization in ocean acoustics is po... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1182 | 1183 | Mining Illegal Insider Trading of Stocks: A Pr... | Illegal insider trading of stocks is based o... | 0 | 0 | 0 | 1 | 0 | 1 |
| 1183 | 1184 | Discovery of Extreme [OIII]+H$β$ Emitting Gala... | Using deep multi-wavelength photometry of ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1184 | 1185 | Predictive Simulations for Tuning Electronic a... | Boron subphthalocyanine chloride is an elect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1185 | 1186 | Learning to attend in a brain-inspired deep ne... | Recent machine learning models have shown th... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1186 | 1187 | Anisotropic functional Laplace deconvolution | In the present paper we consider the problem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1187 | 1188 | Prediction of many-electron wavefunctions usin... | For a given many-electron molecule, it is po... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1188 | 1189 | Free energy of formation of a crystal nucleus ... | Using the formalism of the classical nucleat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1189 | 1190 | Ensemble learning with Conformal Predictors: T... | Most machine learning classifiers give predi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1190 | 1191 | Parameter Sharing Deep Deterministic Policy Gr... | Deep reinforcement learning for multi-agent ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1191 | 1192 | Repair Strategies for Storage on Mobile Clouds | We study the data reliability problem for a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1192 | 1193 | Mean-variance portfolio selection under partia... | This paper studies a mean-variance portfolio... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1193 | 1194 | Learning from MOM's principles: Le Cam's approach | We obtain estimation error rates for estimat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1194 | 1195 | On a Neumann-type series for modified Bessel f... | In this paper, we are interested in a Neuman... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1195 | 1196 | Generalized Log-sine integrals and Bell polyno... | In this paper, we investigate the integral o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1196 | 1197 | A Modern Search for Wolf-Rayet Stars in the Ma... | For the past three years we have been conduc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1197 | 1198 | Mathematical modeling of Zika disease in pregn... | We propose a new mathematical model for the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1198 | 1199 | A Noninformative Prior on a Space of Distribut... | In a given problem, the Bayesian statistical... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1199 | 1200 | Towards a realistic NNLIF model: Analysis and ... | The Network of Noisy Leaky Integrate and Fir... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1200 | 1201 | An upper bound on the distinguishing index of ... | The distinguishing index of a simple graph $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1201 | 1202 | Adversarial Pseudo Healthy Synthesis Needs Pat... | Pseudo healthy synthesis, i.e. the creation ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1202 | 1203 | Closure operators, frames, and neatest represe... | Given a poset $P$ and a standard closure ope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1203 | 1204 | The structure of rationally factorized Lax typ... | The work is devoted to constructing a wide c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1204 | 1205 | Learning Policy Representations in Multiagent ... | Modeling agent behavior is central to unders... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1205 | 1206 | Jamming-Resistant Receivers for the Massive MI... | We design a jamming-resistant receiver schem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1206 | 1207 | Multiplex core-periphery organization of the h... | The behavior of many complex systems is dete... | 1 | 0 | 0 | 0 | 1 | 0 |
| 1207 | 1208 | Towards Learned Clauses Database Reduction Str... | Clause Learning is one of the most important... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1208 | 1209 | Integrable structure of products of finite com... | We consider the squared singular values of t... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1209 | 1210 | Global well-posedness of the 3D primitive equa... | In this paper, we consider the 3D primitive ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1210 | 1211 | Superintegrable systems on 3-dimensional curve... | The Eisenhart geometric formalism, which tra... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1211 | 1212 | An Incentive-Based Online Optimization Framewo... | This paper formulates a time-varying social-... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1212 | 1213 | Ricci solitons on Ricci pseudosymmetric $(LCS)... | The object of the present paper is to study ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1213 | 1214 | Optimal Gossip Algorithms for Exact and Approx... | This paper gives drastically faster gossip a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1214 | 1215 | Influence of Heat Treatment on the Corrosion B... | Magnesium and its alloys are ideal for biode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1215 | 1216 | Towards a scientific blockchain framework for ... | Publishing reproducible analyses is a long-s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1216 | 1217 | Time Series Anomaly Detection; Detection of an... | Google uses continuous streams of data from ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1217 | 1218 | A parallel approach to bi-objective integer pr... | To obtain a better understanding of the trad... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1218 | 1219 | The adaptive zero-error capacity for a class o... | The adaptive zero-error capacity of discrete... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1219 | 1220 | Comparison of Self-Aware and Organic Computing... | With increasing complexity and heterogeneity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1220 | 1221 | First Order Methods beyond Convexity and Lipsc... | We focus on nonconvex and nonsmooth minimiza... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1221 | 1222 | An Army of Me: Sockpuppets in Online Discussio... | In online discussion communities, users can ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1222 | 1223 | Robust Bayesian Optimization with Student-t Li... | Bayesian optimization has recently attracted... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1223 | 1224 | Vehicle Localization and Control on Roads with... | We propose a map-aided vehicle localization ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1224 | 1225 | Estimating Tactile Data for Adaptive Grasping ... | We present an adaptive grasping method that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1225 | 1226 | Generalization Bounds of SGLD for Non-convex L... | Algorithm-dependent generalization error bou... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1226 | 1227 | Near-UV OH Prompt Emission in the Innermost Co... | The Deep Impact spacecraft fly-by of comet 1... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1227 | 1228 | Effective gravity and effective quantum equati... | In this paper we suggest a macroscopic toy s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1228 | 1229 | A gradient estimate for nonlocal minimal graphs | We consider the class of measurable function... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1229 | 1230 | The GAPS Programme with HARPS-N@TNG XIV. Inves... | We carried out a Bayesian homogeneous determ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1230 | 1231 | Injective stabilization of additive functors. ... | This paper is the first one in a series of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1231 | 1232 | Three hypergraph eigenvector centralities | Eigenvector centrality is a standard network... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1232 | 1233 | Reinforcement Learning using Augmented Neural ... | Neural networks allow Q-learning reinforceme... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1233 | 1234 | Instantons and Fluctuations in a Lagrangian Mo... | We perform a detailed analytical study of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1234 | 1235 | The heavy path approach to Galton-Watson trees... | We study the heavy path decomposition of con... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1235 | 1236 | Perishability of Data: Dynamic Pricing under V... | We consider a firm that sells a large number... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1236 | 1237 | A fast algorithm for maximal propensity score ... | We present a new algorithm which detects the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1237 | 1238 | Fractional quantum Hall systems near nematicit... | We perform a detailed comparison of the Dira... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1238 | 1239 | Recognizing Objects In-the-wild: Where Do We S... | The ability to recognize objects is an essen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1239 | 1240 | Generalizing Geometric Brownian Motion | To convert standard Brownian motion $Z$ into... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1240 | 1241 | Challenges testing the no-hair theorem with gr... | General relativity's no-hair theorem states ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1241 | 1242 | Speculation On a Source of Dark Matter | By drawing an analogy with superfluid 4He vo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1242 | 1243 | Analyzing Cloud Optical Properties Using Sky C... | Clouds play a significant role in the fluctu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1243 | 1244 | Response Formulae for $n$-point Correlations i... | Predicting the response of a system to pertu... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1244 | 1245 | The Australian PCEHR system: Ensuring Privacy ... | An Electronic Health Record (EHR) is designe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1245 | 1246 | Randomized Kernel Methods for Least-Squares Su... | The least-squares support vector machine is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1246 | 1247 | Optimal Transport: Fast Probabilistic Approxim... | We propose a simple subsampling scheme for f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1247 | 1248 | Reliable Clustering of Bernoulli Mixture Models | A Bernoulli Mixture Model (BMM) is a finite ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1248 | 1249 | Short-time behavior of the heat kernel and Wey... | In this paper, we prove pointwise convergenc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1249 | 1250 | Football and Beer - a Social Media Analysis on... | In many societies alcohol is a legal and com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1250 | 1251 | Cross-stream migration of a surfactant-laden d... | The motion of a viscous deformable droplet s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1251 | 1252 | PCA in Data-Dependent Noise (Correlated-PCA): ... | We study Principal Component Analysis (PCA) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1252 | 1253 | Using a Predator-Prey Model to Explain Variati... | The spot pricing scheme has been considered ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1253 | 1254 | Separatrix crossing in rotation of a body with... | We consider free rotation of a body whose pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1254 | 1255 | SING: Symbol-to-Instrument Neural Generator | Recent progress in deep learning for audio s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1255 | 1256 | Path-by-path regularization by noise for scala... | We prove a path-by-path regularization by no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1256 | 1257 | An End-to-End Trainable Neural Network Model w... | We present a novel end-to-end trainable neur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1257 | 1258 | Neural IR Meets Graph Embedding: A Ranking Mod... | Recently, neural models for information retr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1258 | 1259 | Scaling up the software development process, a... | Diamond Light Source is the UK's National Sy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1259 | 1260 | Lyapunov exponents for products of matrices | Let ${\bf M}=(M_1,\ldots, M_k)$ be a tuple o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1260 | 1261 | A definitive improvement of a game-theoretic b... | The main goal of the paper is the full proof... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1261 | 1262 | Group-Server Queues | By analyzing energy-efficient management of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1262 | 1263 | MC$^2$: Multi-wavelength and dynamical analysi... | We analyze a rich dataset including Subaru/S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1263 | 1264 | Bayesian adaptive bandit-based designs using t... | Adaptive designs for multi-armed clinical tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1264 | 1265 | Convexification of Queueing Formulas by Mixed-... | Mixed-Integer Second-Order Cone Programs (MI... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1265 | 1266 | Discriminative Metric Learning with Deep Forest | A Discriminative Deep Forest (DisDF) as a me... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1266 | 1267 | An accurate and robust genuinely multidimensio... | A simple robust genuinely multidimensional c... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1267 | 1268 | Strong Convergence Rate of Splitting Schemes f... | We prove the optimal strong convergence rate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1268 | 1269 | Controllability of Conjunctive Boolean Network... | A Boolean network is a finite state discrete... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1269 | 1270 | Fast-neutron and gamma-ray imaging with a capi... | Gamma-ray and fast-neutron imaging was perfo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1270 | 1271 | Is Task Board Customization Beneficial? - An E... | The task board is an essential artifact in m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1271 | 1272 | Characterizing the impact of model error in hy... | Hydrogeologic models are commonly over-smoot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1272 | 1273 | Suszko's Problem: Mixed Consequence and Compos... | Suszko's problem is the problem of finding t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1273 | 1274 | Optimization of distributions differences for ... | In this paper we introduce a new classificat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1274 | 1275 | Galois descent of semi-affinoid spaces | We study the Galois descent of semi-affinoid... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1275 | 1276 | Synthesis, Crystal Structure, and Physical Pro... | We have synthesized a new layered oxychalcog... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1276 | 1277 | Planar Graph Perfect Matching is in NC | Is perfect matching in NC? That is, is there... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1277 | 1278 | Recommendation under Capacity Constraints | In this paper, we investigate the common sce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1278 | 1279 | Simulation to scaled city: zero-shot policy tr... | Using deep reinforcement learning, we train ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1279 | 1280 | Relative Singularity Categories | We study the following generalization of sin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1280 | 1281 | Challenges to Keeping the Computer Industry Ce... | It is undeniable that the worldwide computer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1281 | 1282 | Contiguous Relations, Laplace's Methods and Co... | Using contiguous relations we construct an i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1282 | 1283 | Arimoto-Rényi Conditional Entropy and Bayesian... | This paper gives upper and lower bounds on t... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1283 | 1284 | A note on the violation of Bell's inequality | With Bell's inequalities one has a formal ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1284 | 1285 | Real-Time Model Predictive Control for Energy ... | Improving endurance is crucial for extending... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1285 | 1286 | Surjective H-Colouring over Reflexive Digraphs | The Surjective H-Colouring problem is to tes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1286 | 1287 | A modal typing system for self-referential pro... | This paper proposes a modal typing system th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1287 | 1288 | Scalable Realistic Recommendation Datasets thr... | Recommender System research suffers currentl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1288 | 1289 | Implementation of a Distributed Coherent Quant... | This paper considers the problem of implemen... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1289 | 1290 | Stacking and stability | Stacking is a general approach for combining... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1290 | 1291 | Accelerating Discrete Wavelet Transforms on GPUs | The two-dimensional discrete wavelet transfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1291 | 1292 | Accelerated Consensus via Min-Sum Splitting | We apply the Min-Sum message-passing protoco... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1292 | 1293 | Chemception: A Deep Neural Network with Minima... | In the last few years, we have seen the tran... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1293 | 1294 | Constraining the Milky Way assembly history wi... | The aim of Galactic Archaeology is to recove... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1294 | 1295 | A unified view of entropy-regularized Markov d... | We propose a general framework for entropy-r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1295 | 1296 | Arithmetic Circuits for Multilevel Qudits Base... | We present some basic integer arithmetic qua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1296 | 1297 | Quantifying the distribution of editorial powe... | We analyzed the longitudinal activity of nea... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1297 | 1298 | Threshold Constraints with Guarantees for Pari... | The beyond worst-case synthesis problem was ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1298 | 1299 | GLSR-VAE: Geodesic Latent Space Regularization... | VAEs (Variational AutoEncoders) have proved ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1299 | 1300 | Timing Solution and Single-pulse Properties fo... | Rotating radio transients (RRATs), loosely d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1300 | 1301 | Strong and broadly tunable plasmon resonances ... | Low-dimensional plasmonic materials can func... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1301 | 1302 | The coordination of centralised and distribute... | In this paper, we analyse the interaction be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1302 | 1303 | Computation of annular capacity by Hamiltonian... | The first author introduced a relative sympl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1303 | 1304 | A New Torsion Pendulum for Gravitational Refer... | We report on the design and sensitivity of a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1304 | 1305 | Optical Angular Momentum in Classical Electrod... | Invoking Maxwell's classical equations in co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1305 | 1306 | Efficient variational Bayesian neural network ... | In this work we perform outlier detection us... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1306 | 1307 | Emergent high-spin state above 7 GPa in superc... | The local electronic and magnetic properties... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1307 | 1308 | Verification in Staged Tile Self-Assembly | We prove the unique assembly and unique shap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1308 | 1309 | Combinets: Creativity via Recombination of Neu... | One of the defining characteristics of human... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1309 | 1310 | Siamese Network of Deep Fisher-Vector Descript... | This paper addresses the problem of large sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1310 | 1311 | Gender Disparities in Science? Dropout, Produc... | Scientific collaborations shape ideas as wel... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1311 | 1312 | Estimating a network from multiple noisy reali... | Complex interactions between entities are of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1312 | 1313 | Autonomous drone race: A computationally effic... | Drone racing is becoming a popular sport whe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1313 | 1314 | Experimental investigations on nucleation, bub... | The combustion characteristics of ethanol/Je... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1314 | 1315 | Hypergraph $p$-Laplacian: A Differential Geome... | The graph Laplacian plays key roles in infor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1315 | 1316 | Controlling motile disclinations in a thick ne... | Manipulating topological disclination networ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1316 | 1317 | How Generative Adversarial Networks and Their ... | Generative Adversarial Networks (GAN) have r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1317 | 1318 | Principal Boundary on Riemannian Manifolds | We revisit the classification problem and fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1318 | 1319 | Exploiting network topology for large-scale in... | The development of chemical reaction models ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1319 | 1320 | Numerical investigations of non-uniqueness for... | We consider the Cauchy problem for the incom... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1320 | 1321 | Time-lagged autoencoders: Deep learning of slo... | Inspired by the success of deep learning tec... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1321 | 1322 | Some integrable maps and their Hirota bilinear... | We introduce a two-parameter family of birat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1322 | 1323 | Dynamics of higher-order rational solitons for... | The integrable nonlocal nonlinear Schrodinge... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1323 | 1324 | N2N Learning: Network to Network Compression v... | While bigger and deeper neural network archi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1324 | 1325 | Spectral analysis of stationary random bivaria... | A novel approach towards the spectral analys... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1325 | 1326 | Scalable Gaussian Processes with Billions of I... | We propose a method (TT-GP) for approximate ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1326 | 1327 | Some preliminary results on the set of princip... | In the second edition of the congruence latt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1327 | 1328 | Extracting 3D Vascular Structures from Microsc... | Vasculature is known to be of key biological... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1328 | 1329 | Search for Interstellar LiH in the Milky Way | We report the results of a sensitive search ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1329 | 1330 | Neural Probabilistic Model for Non-projective ... | In this paper, we propose a probabilistic pa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1330 | 1331 | Modularity of complex networks models | Modularity is designed to measure the streng... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1331 | 1332 | BOLD5000: A public fMRI dataset of 5000 images | Vision science, particularly machine vision,... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1332 | 1333 | Prospects for gravitational wave astronomy wit... | Next generation radio telescopes, namely the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1333 | 1334 | On Identifiability of Nonnegative Matrix Facto... | In this letter, we propose a new identificat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1334 | 1335 | Optimal Non-blocking Decentralized Supervisory... | Supervisory control synthesis encounters wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1335 | 1336 | Fair mixing: the case of dichotomous preferences | Agents vote to choose a fair mixture of publ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1336 | 1337 | Inverse system characterizations of the (hered... | We give criteria on an inverse system of fin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1337 | 1338 | p-FP: Extraction, Classification, and Predicti... | Recent advances in learning Deep Neural Netw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1338 | 1339 | Equal confidence weighted expectation value es... | In this article the issues are discussed wit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1339 | 1340 | Protein Folding and Machine Learning: Fundamen... | In spite of decades of research, much remain... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1340 | 1341 | Discrete configuration spaces of squares and h... | We consider generalizations of the familiar ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1341 | 1342 | On the non commutative Iwasawa main conjecture... | We establish the Iwasawa main conjecture for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1342 | 1343 | Absorption and Emission Probabilities of Elect... | We consider induced emission of ultrarelativ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1343 | 1344 | Design, Development and Evaluation of a UAV to... | Measuring gases for air quality monitoring i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1344 | 1345 | Gaussian Process bandits with adaptive discret... | In this paper, the problem of maximizing a b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1345 | 1346 | Conditional Time Series Forecasting with Convo... | We present a method for conditional time ser... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1346 | 1347 | Automated Assistants to Identify and Prompt Ac... | Bias is a common problem in today's media, a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1347 | 1348 | A Matched Filter Technique For Slow Radio Tran... | Many astronomical sources produce transient ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1348 | 1349 | Shape and Energy Consistent Pseudopotentials f... | A method is developed for generating pseudop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1349 | 1350 | Bayes model selection | We offer a general Bayes theoretic framework... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1350 | 1351 | Phase Congruency Parameter Optimization for En... | Following the presentation and proof of the ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1351 | 1352 | Community structure detection and evaluation d... | Detecting and evaluating regions of brain un... | 1 | 0 | 0 | 0 | 1 | 0 |
| 1352 | 1353 | Shapley effects for sensitivity analysis with ... | The global sensitivity analysis of a numeric... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1353 | 1354 | Ridesourcing Car Detection by Transfer Learning | Ridesourcing platforms like Uber and Didi ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1354 | 1355 | A Semantic Cross-Species Derived Data Manageme... | Managing dynamic information in large multi-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1355 | 1356 | Retrosynthetic reaction prediction using neura... | We describe a fully data driven model that l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1356 | 1357 | Redshift, metallicity and size of two extended... | We present the results of the spectroscopic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1357 | 1358 | Collapsing hyperkähler manifolds | Given a projective hyperkahler manifold with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1358 | 1359 | Fast amortized inference of neural activity fr... | Calcium imaging permits optical measurement ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1359 | 1360 | Hidden multiparticle excitation in weakly inte... | We investigate multiparticle excitation effe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1360 | 1361 | Hausdorff Measure: Lost in Translation | In the present article we describe how one c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1361 | 1362 | Orthogonalized ALS: A Theoretically Principled... | The popular Alternating Least Squares (ALS) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1362 | 1363 | Domain Generalization by Marginal Transfer Lea... | Domain generalization is the problem of assi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1363 | 1364 | (Non-)formality of the extended Swiss Cheese o... | We study two colored operads of configuratio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1364 | 1365 | Pricing options and computing implied volatili... | This paper proposes a data-driven approach, ... | 1 | 0 | 0 | 0 | 0 | 1 |
| 1365 | 1366 | Effect of magnetization on the tunneling anoma... | Tunneling of electrons into a two-dimensiona... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1366 | 1367 | Learning to Acquire Information | We consider the problem of diagnosis where a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1367 | 1368 | How hard is it to cross the room? -- Training ... | This work explores the feasibility of steeri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1368 | 1369 | Range-efficient consistent sampling and locali... | Locality-sensitive hashing (LSH) is a fundam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1369 | 1370 | Decoupled Greedy Learning of CNNs | A commonly cited inefficiency of neural netw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1370 | 1371 | Discrete time Pontryagin maximum principle for... | We establish a Pontryagin maximum principle ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1371 | 1372 | Quantitative evaluation of an active Chemotaxi... | A system of $N$ particles in a chemical medi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1372 | 1373 | Deep Learning the Ising Model Near Criticality | It is well established that neural networks ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1373 | 1374 | A supervised approach to time scale detection ... | For any stream of time-stamped edges that fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1374 | 1375 | Binarized octree generation for Cartesian adap... | We revisit the generation of balanced octree... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1375 | 1376 | Adversarial Examples: Opportunities and Challe... | With the advent of the era of artificial int... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1376 | 1377 | Decoupling Learning Rules from Representations | In the artificial intelligence field, learni... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1377 | 1378 | Schur P-positivity and involution Stanley symm... | The involution Stanley symmetric functions $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1378 | 1379 | A Riemannian gossip approach to subspace learn... | In this paper, we focus on subspace learning... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1379 | 1380 | Space-Valued Diagrams, Type-Theoretically (Ext... | Topologists are sometimes interested in spac... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1380 | 1381 | Properties of cyanobacterial UV-absorbing pigm... | An ancient repertoire of UV absorbing pigmen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1381 | 1382 | Output Impedance Diffusion into Lossy Power Lines | Output impedances are inherent elements of p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1382 | 1383 | Enhancing the significance of gravitational wa... | The quest to observe gravitational waves cha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1383 | 1384 | Model-based Clustering with Sparse Covariance ... | Finite Gaussian mixture models are widely us... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1384 | 1385 | An Assessment of Data Transfer Performance for... | We document the data transfer workflow, data... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1385 | 1386 | Generalization for Adaptively-chosen Estimator... | Datasets are often reused to perform multipl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1386 | 1387 | Automated Problem Identification: Regression v... | Regression or classification? This is perhap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1387 | 1388 | Attribution of extreme rainfall in Southeast C... | Anthropogenic climate change increased the p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1388 | 1389 | The Kellogg property and boundary regularity f... | In this paper boundary regularity for p-harm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1389 | 1390 | Nonparametric Inference via Bootstrapping the ... | In this paper, we propose to construct confi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1390 | 1391 | Solving constraint-satisfaction problems with ... | Finding actions that satisfy the constraints... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1391 | 1392 | Automatic Brain Tumor Detection and Segmentati... | A major challenge in brain tumor treatment p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1392 | 1393 | Asymptotic Blind-spot Analysis of Localization... | In a localization network, the line-of-sight... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1393 | 1394 | The relation between galaxy morphology and col... | We investigate the relation between kinemati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1394 | 1395 | An alternative to continuous univariate distri... | In this paper, we introduce the BMT distribu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1395 | 1396 | Deep Object Centric Policies for Autonomous Dr... | While learning visuomotor skills in an end-t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1396 | 1397 | A Search for Laser Emission with Megawatt Thre... | We searched high resolution spectra of 5600 ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1397 | 1398 | Learning Large Scale Ordinary Differential Equ... | Learning large scale nonlinear ordinary diff... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1398 | 1399 | Linear Time Clustering for High Dimensional Mi... | Clustering mixtures of Gaussian distribution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1399 | 1400 | Estimation of Relationship between Stimulation... | In this study, we developed a method to esti... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1400 | 1401 | Facial Keypoints Detection | Detect facial keypoints is a critical elemen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1401 | 1402 | Transitions from a Kondo-like diamagnetic insu... | One initial and essential question of magnet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1402 | 1403 | Sample, computation vs storage tradeoffs for c... | In this paper, we exhibit the tradeoffs betw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1403 | 1404 | One-step Estimation of Networked Population Si... | Estimates of population size for hidden and ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1404 | 1405 | Real single ion solvation free energies with q... | Single ion solvation free energies are one o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1405 | 1406 | Crowdsourcing with Sparsely Interacting Workers | We consider estimation of worker skills from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1406 | 1407 | Training deep learning based denoisers without... | Recent deep learning based denoisers often o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1407 | 1408 | Language Design and Renormalization | Here we consider some well-known facts in sy... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1408 | 1409 | On the geometry of the moduli space of sheaves... | We study the moduli space of stable sheaves ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1409 | 1410 | Attention Solves Your TSP, Approximately | The development of efficient (heuristic) alg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1410 | 1411 | A Distributed Online Pricing Strategy for Dema... | We study a demand response problem from util... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1411 | 1412 | Highly Nonlinear and Low Confinement Loss Phot... | This paper presents a triangular lattice pho... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1412 | 1413 | Is Epicurus the father of Reinforcement Learning? | The Epicurean Philosophy is commonly thought... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1413 | 1414 | Low-Precision Floating-Point Schemes for Neura... | The use of low-precision fixed-point arithme... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1414 | 1415 | Deep Person Re-Identification with Improved Em... | Person re-identification task has been great... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1415 | 1416 | Unsupervised speech representation learning us... | We consider the task of unsupervised extract... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1416 | 1417 | Many-body localization caused by temporal diso... | The many-body localization (MBL) is commonly... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1417 | 1418 | Second-generation p-values: improved rigor, re... | Verifying that a statistically significant r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1418 | 1419 | Latency Optimal Broadcasting in Noisy Wireless... | In this paper, we adopt a new noisy wireless... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1419 | 1420 | Construction of Directed 2K Graphs | We study the problem of constructing synthet... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1420 | 1421 | Pattern Generation Strategies for Improving Re... | Recognition of Handwritten Mathematical Expr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1421 | 1422 | Actions of automorphism groups of Lie groups | This is an expository article on properties ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1422 | 1423 | Interplay between relativistic energy correcti... | In this paper, we theoretically study x-ray ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1423 | 1424 | Collective spin excitations of helices and mag... | Magnetic materials hosting correlated electr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1424 | 1425 | On the Relation between Color Image Denoising ... | Large amount of image denoising literature f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1425 | 1426 | A simplicial decomposition framework for large... | In this paper, we analyze in depth a simplic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1426 | 1427 | A Logic of Blockchain Updates | Blockchains are distributed data structures ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1427 | 1428 | A proof of the Flaherty-Keller formula on the ... | We prove in a mathematically rigorous way th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1428 | 1429 | Regret Bounds for Reinforcement Learning via M... | We give a simple optimistic algorithm for wh... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1429 | 1430 | Superradiance with local phase-breaking effects | We study the superradiant evolution of a set... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1430 | 1431 | Kinetic model of selectivity and conductivity ... | We introduce a self-consistent multi-species... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1431 | 1432 | The affine approach to homogeneous geodesics i... | In a recent paper, it was claimed that any h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1432 | 1433 | About Synchronized Globular Cluster Formation ... | Observational and theoretical arguments supp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1433 | 1434 | Geometric counting on wavefront real spherical... | We provide $L^p$-versus $L^\infty$-bounds fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1434 | 1435 | Fate of the spin-\frac{1}{2} Kondo effect in t... | We consider a strongly interacting quantum d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1435 | 1436 | Extragalactic source population studies at ver... | The Cherenkov Telescope Array (CTA) is the n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1436 | 1437 | Modeling the SBC Tanzania Production-Distribut... | The increase in customer expectation in term... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1437 | 1438 | Dark matter in dwarf galaxies | Although the cusp-core controversy for dwarf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1438 | 1439 | A Survey of Parallel A* | A* is a best-first search algorithm for find... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1439 | 1440 | Large second harmonic generation enhancement i... | Integrated waveguides exhibiting efficient s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1440 | 1441 | Large Scale Constrained Linear Regression Revi... | In this paper, we revisit the large-scale co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1441 | 1442 | Geometrical dependence of domain wall propagat... | We study the key domain wall properties in s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1442 | 1443 | Faster Rates for Policy Learning | This article improves the existing proven ra... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1443 | 1444 | Anisotropic Exchange in ${\bf LiCu_2O_2}$ | We investigate the magnetic properties of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1444 | 1445 | Which friends are more popular than you? Conta... | The friendship paradox states that in a soci... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1445 | 1446 | Stochastic Optimization with Bandit Sampling | Many stochastic optimization algorithms work... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1446 | 1447 | Learning Robust Options | Robust reinforcement learning aims to produc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1447 | 1448 | Levitation of non-magnetizable droplet inside ... | The central theme of this work is that a sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1448 | 1449 | Simultaneous Detection of H and D NMR Signals ... | We present NMR spectra of remote-magnetized ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1449 | 1450 | Learning Deep Networks from Noisy Labels with ... | Large datasets often have unreliable labels-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1450 | 1451 | On Efficiently Detecting Overlapping Communiti... | Modern networks are of huge sizes as well as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1451 | 1452 | Structured Black Box Variational Inference for... | Continuous latent time series models are pre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1452 | 1453 | $L^p$ Norms of Eigenfunctions on Regular Graph... | We prove upper bounds on the $L^p$ norms of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1453 | 1454 | Spatially distributed multipartite entanglemen... | A key resource for distributed quantum-enhan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1454 | 1455 | Multipath IP Routing on End Devices: Motivatio... | Most end devices are now equipped with multi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1455 | 1456 | Defense semantics of argumentation: encoding r... | In this paper we show how the defense relati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1456 | 1457 | Fast Global Convergence via Landscape of Empir... | While optimizing convex objective (loss) fun... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1457 | 1458 | Photodetector figures of merit in terms of POVMs | A photodetector may be characterized by vari... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1458 | 1459 | Kinetics of Protein-DNA Interactions: First-Pa... | All living systems can function only far awa... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1459 | 1460 | Jamming transitions induced by an attraction i... | We numerically study jamming transitions in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1460 | 1461 | A Deep Active Survival Analysis Approach for P... | Survival analysis has been developed and app... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1461 | 1462 | Detecting Topological Changes in Dynamic Commu... | The study of time-varying (dynamic) networks... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1462 | 1463 | Online Boosting Algorithms for Multi-label Ran... | We consider the multi-label ranking approach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1463 | 1464 | Semisuper Efimov effect of two-dimensional bos... | Wave-particle duality in quantum mechanics a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1464 | 1465 | Free quantitative fourth moment theorems on Wi... | We prove a quantitative Fourth Moment Theore... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1465 | 1466 | Optimizing the Latent Space of Generative Netw... | Generative Adversarial Networks (GANs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1466 | 1467 | Conservativity of realizations on motives of a... | We show that the l-adic realization functor ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1467 | 1468 | Towards understanding startup product developm... | Software startups face with multiple technic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1468 | 1469 | Generalized Dirac structure beyond the linear ... | We show that a generalized Dirac structure s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1469 | 1470 | Generative Mixture of Networks | A generative model based on training deep ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1470 | 1471 | Shape-dependence of the barrier for skyrmions ... | Single magnetic skyrmions are localized whir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1471 | 1472 | Further Results on Size and Power of Heteroske... | We complement the theory developed in Preine... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1472 | 1473 | A powerful approach to the study of moderate e... | Effect modification means the magnitude or s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1473 | 1474 | Ad-blocking: A Study on Performance, Privacy a... | Many internet ventures rely on advertising f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1474 | 1475 | On the quantum differentiation of smooth real-... | Calculating the value of $C^{k\in\{1,\infty\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1475 | 1476 | On recognizing shapes of polytopes from their ... | Let $P$ and $Q$ be two convex polytopes both... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1476 | 1477 | Variational methods for steady-state Darcy/Fic... | Existence of steady states in elastic media ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1477 | 1478 | Case Studies on Plasma Wakefield Accelerator D... | The field of plasma-based particle accelerat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1478 | 1479 | GANs for Biological Image Synthesis | In this paper, we propose a novel applicatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1479 | 1480 | An objective classification of Saturn cloud fe... | A clustering algorithm is applied to Cassini... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1480 | 1481 | The Peridynamic Stress Tensors and the Non-loc... | We re-examine the notion of stress in peridy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1481 | 1482 | Identification of Unmodeled Objects from Symbo... | Successful human-robot cooperation hinges on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1482 | 1483 | Balanced News Using Constrained Bandit-based P... | We present a prototype for a news search eng... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1483 | 1484 | Intuitionistic Layered Graph Logic: Semantics ... | Models of complex systems are widely used in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1484 | 1485 | Learning Efficient Image Representation for Pe... | Color names based image representation is su... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1485 | 1486 | Exciting Nucleons in Compton Scattering and Hy... | This PhD thesis is devoted to the low-energy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1486 | 1487 | Multiple universalities in order-disorder magn... | Phase transitions in isotropic quantum antif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1487 | 1488 | Exact Inference of Causal Relations in Dynamic... | From philosophers of ancient times to modern... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1488 | 1489 | Privacy-Preserving Deep Inference for Rich Use... | Deep neural networks are increasingly being ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1489 | 1490 | Gradient Method With Inexact Oracle for Compos... | In this paper, we develop new first-order me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1490 | 1491 | Kernel Implicit Variational Inference | Recent progress in variational inference has... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1491 | 1492 | The Ringel dual of the Auslander-Dlab-Ringel a... | The ADR algebra $R_A$ of a finite-dimensiona... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1492 | 1493 | The socle filtrations of principal series repr... | We study the structure of the $(\mathfrak{g}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1493 | 1494 | Improving the phase response of an atom interf... | We study theoretically and experimentally th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1494 | 1495 | Helium-like and Lithium-like ions: Ground stat... | It is shown that the non-relativistic ground... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1495 | 1496 | Improvement of training set structure in fusio... | Traditional data cleaning identifies dirty d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1496 | 1497 | Eigenvalue Solvers for Modeling Nuclear Reacto... | Three complementary methods have been implem... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1497 | 1498 | Thermoregulation in mice, rats and humans: An ... | The thermoregulation system in animals remov... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1498 | 1499 | Koszul A-infinity algebras and free loop space... | We introduce a notion of Koszul A-infinity a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1499 | 1500 | Learning RBM with a DC programming Approach | By exploiting the property that the RBM log-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1500 | 1501 | Duality and Universal Transport in a Mixed-Dim... | We consider a theory of a two-component Dira... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1501 | 1502 | Beyond similarity assessment: Selecting the op... | Pair Hidden Markov Models (PHMMs) are probab... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1502 | 1503 | Experimental evidence for Glycolaldehyde and E... | This study focuses on the formation of two m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1503 | 1504 | New Methods of Enhancing Prediction Accuracy i... | In this paper, prediction for linear systems... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1504 | 1505 | Revisiting Imidazolium Based Ionic Liquids: Ef... | We study ionic liquids composed 1-alkyl-3-me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1505 | 1506 | Tick: a Python library for statistical learnin... | Tick is a statistical learning library for P... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1506 | 1507 | An energy method for rough partial differentia... | We present a well-posedness and stability re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1507 | 1508 | Sparse Inverse Covariance Estimation for Chord... | In this paper, we consider the Graphical Las... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1508 | 1509 | Orthogonal free quantum group factors are stro... | We prove that the orthogonal free quantum gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1509 | 1510 | Enhanced spin ordering temperature in ultrathi... | We studied the temperature dependence of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1510 | 1511 | High Order Hierarchical Divergence-free Constr... | In this paper, we will use the interior func... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1511 | 1512 | REMOTEGATE: Incentive-Compatible Remote Config... | Imagine that a malicious hacker is trying to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1512 | 1513 | Distributed Event-Triggered Control for Global... | We consider the global consensus problem for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1513 | 1514 | Autocommuting probability of a finite group re... | Let $H \subseteq K$ be two subgroups of a fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1514 | 1515 | Total variation regularization with variable L... | This work proposes the variable exponent Leb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1515 | 1516 | Radio observations confirm young stellar popul... | We present radio observations at 1.5 GHz of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1516 | 1517 | Sparse Deep Neural Network Exact Solutions | Deep neural networks (DNNs) have emerged as ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1517 | 1518 | Variation formulas for an extended Gompf invar... | In 1998, R. Gompf defined a homotopy invaria... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1518 | 1519 | A SAT+CAS Approach to Finding Good Matrices: N... | We enumerate all circulant good matrices wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1519 | 1520 | An Exploration of Mimic Architectures for Resi... | Spectral mapping uses a deep neural network ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1520 | 1521 | Deep Neural Networks to Enable Real-time Multi... | Gravitational wave astronomy has set in moti... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1521 | 1522 | Contribution of cellular automata to the under... | We present a stochastic CA modelling approac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1522 | 1523 | Involutive bordered Floer homology | We give a bordered extension of involutive H... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1523 | 1524 | Orbital Evolution, Activity, and Mass Loss of ... | This comprehensive study of comet C/1995 O1 ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1524 | 1525 | A Note on Property Testing Sum of Squares and ... | In this paper, we investigate property testi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1525 | 1526 | Closed-form mathematical expressions for the e... | The Cauchy-Rayleigh (CR) distribution has be... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1526 | 1527 | HTEM data improve 3D modelling of aquifers in ... | In Paris Basin, we evaluate how HTEM data co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1527 | 1528 | Implementing GraphQL as a Query Language for D... | The methods to access large relational datab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1528 | 1529 | Social Network based Short-Term Stock Trading ... | This paper proposes a novel adaptive algorit... | 1 | 0 | 0 | 0 | 0 | 1 |
| 1529 | 1530 | New Determinant Expressions of the Multi-index... | The multi-indexed orthogonal polynomials (th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1530 | 1531 | Rethinking generalization requires revisiting ... | We describe an approach to understand the pe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1531 | 1532 | Towards an Understanding of the Effects of Aug... | Location-based augmented reality games have ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1532 | 1533 | Integrating a Global Induction Mechanism into ... | Most interesting proofs in mathematics conta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1533 | 1534 | An analytic resolution to the competition betw... | A near pristine atomic cooling halo close to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1534 | 1535 | Driving Interactive Graph Exploration Using 0-... | Graphs are commonly used to encode relations... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1535 | 1536 | Identification of Conduit Countries and Commun... | Due to economic globalization, each country'... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1536 | 1537 | A comprehensive study of batch construction st... | In this work we compare different batch cons... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1537 | 1538 | On a class of shift-invariant subspaces of the... | In the Drury-Arveson space, we consider the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1538 | 1539 | Airborne gamma-ray spectroscopy for modeling c... | In this paper we present the results of a $\... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1539 | 1540 | Search for axions in streaming dark matter | A new search strategy for the detection of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1540 | 1541 | Faster integer and polynomial multiplication u... | We present an algorithm that computes the pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1541 | 1542 | Reward Maximization Under Uncertainty: Leverag... | We study the stochastic multi-armed bandit (... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1542 | 1543 | Verifying Safety of Functional Programs with R... | The goal of unbounded program verification i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1543 | 1544 | Extended Formulations for Polytopes of Regular... | We present a simple proof of the fact that t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1544 | 1545 | Multiscale Change-point Segmentation: Beyond S... | Modern multiscale type segmentation methods ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1545 | 1546 | Data Motif-based Proxy Benchmarks for Big Data... | For the architecture community, reasonable s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1546 | 1547 | The neighborhood lattice for encoding partial ... | Neighborhood regression has been a successfu... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1547 | 1548 | The 2-adic complexity of a class of binary seq... | Pseudo-random sequences with good statistica... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1548 | 1549 | Nesterov's Smoothing Technique and Minimizing ... | A bilevel hierarchical clustering model is c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1549 | 1550 | Minimal solutions to generalized Lambda-semifl... | Generalized Lambda-semiflows are an abstract... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1550 | 1551 | Newton-Type Methods for Non-Convex Optimizatio... | We consider variants of trust-region and cub... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1551 | 1552 | $G 1$-smooth splines on quad meshes with 4-spl... | We analyze the space of differentiable funct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1552 | 1553 | BanglaLekha-Isolated: A Comprehensive Bangla H... | Bangla handwriting recognition is becoming a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1553 | 1554 | Estimates for maximal functions associated to ... | In this article, we continue the study of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1554 | 1555 | Using Inertial Sensors for Position and Orient... | In recent years, MEMS inertial sensors (3D a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1555 | 1556 | Heisenberg equation for a nonrelativistic part... | In classical mechanics, a nonrelativistic pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1556 | 1557 | On constraining projections of future climate ... | A new Bayesian framework is presented that c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1557 | 1558 | Higher order molecular organisation as a sourc... | Molecular interactions have widely been mode... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1558 | 1559 | The Massive CO White Dwarf in the Symbiotic Re... | If accreting white dwarfs (WD) in binary sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1559 | 1560 | Semi-equivelar maps on the torus are Archimedean | If the face-cycles at all the vertices in a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1560 | 1561 | Dynamics of Porous Dust Aggregates and Gravita... | We consider the dynamics of porous icy dust ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1561 | 1562 | Localization landscape theory of disorder in s... | Urbach tails in semiconductors are often ass... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1562 | 1563 | Global teleconnectivity structures of the El N... | Recent work has provided ample evidence that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1563 | 1564 | Unbiased Shrinkage Estimation | Shrinkage estimation usually reduces varianc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1564 | 1565 | Characterizing The Influence of Continuous Int... | Continuous integration (CI) tools integrate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1565 | 1566 | Why Abeta42 Is Much More Toxic Than Abeta40 | Amyloid precursor with 770 amino acids dimer... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1566 | 1567 | A Polynomial Time Algorithm for Spatio-Tempora... | An ever-important issue is protecting infras... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1567 | 1568 | TIDBD: Adapting Temporal-difference Step-sizes... | In this paper, we introduce a method for ada... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1568 | 1569 | Enhanced clustering tendency of Cu-impurities ... | The over threshold carbon-loadings (~50 at.%... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1569 | 1570 | On Controllable Abundance Of Saturated-input L... | Several theorems on the volume computing of ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1570 | 1571 | Localization and dynamics of sulfur-oxidizing ... | Organic material in anoxic sediment represen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1571 | 1572 | Probabilistic Surfel Fusion for Dense LiDAR Ma... | With the recent development of high-end LiDA... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1572 | 1573 | Quantum Paramagnet and Frustrated Quantum Crit... | Motivated by the proposal of topological qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1573 | 1574 | Characterizations of minimal dominating sets a... | A graph is said to be well-dominated if all ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1574 | 1575 | To the Acceleration of Charged Particles with ... | We describe here the latest results of calcu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1575 | 1576 | Affiliation networks with an increasing degree... | Affiliation network is one kind of two-mode ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1576 | 1577 | Coarse Grained Parallel Selection | We analyze the running time of the Saukas-So... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1577 | 1578 | An IoT Analytics Embodied Agent Model based on... | Agent-based Internet of Things (IoT) applica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1578 | 1579 | Aggregation of Classifiers: A Justifiable Info... | In this study, we introduce a new approach t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1579 | 1580 | FRET-based nanocommunication with luciferase a... | The paper is concerned with an in-body syste... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1580 | 1581 | FLASH: Randomized Algorithms Accelerated over ... | We present FLASH (\textbf{F}ast \textbf{L}SH... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1581 | 1582 | Neural Sequence Model Training via $α$-diverge... | We propose a new neural sequence model train... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1582 | 1583 | Output Range Analysis for Deep Neural Networks | Deep neural networks (NN) are extensively us... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1583 | 1584 | Projection Theorems of Divergences and Likelih... | Projection theorems of divergences enable us... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1584 | 1585 | Optimal Timing in Dynamic and Robust Attacker ... | Advanced persistent threats (APTs) are steal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1585 | 1586 | The Mismeasure of Mergers: Revised Limits on S... | In an influential recent paper, Harvey et al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1586 | 1587 | International crop trade networks: The impact ... | Analyzing available FAO data from 176 countr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1587 | 1588 | Winning on the Merits: The Joint Effects of Co... | Debate and deliberation play essential roles... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1588 | 1589 | Gene regulatory networks: a primer in biologic... | Modelling gene regulatory networks not only ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 1589 | 1590 | Mathematical Knowledge and the Role of an Obse... | As David Berlinski writes (1997), the existe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1590 | 1591 | Persuasive Technology For Human Development: R... | Technology is an extremely potent tool that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1591 | 1592 | Variable Prioritization in Nonlinear Black Box... | The central aim in this paper is to address ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 1592 | 1593 | Activit{é} motrice des truies en groupes dans ... | Assessment of the motor activity of group-ho... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1593 | 1594 | Linking High-Energy Cosmic Particles by Black-... | The origin of ultrahigh-energy cosmic rays (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1594 | 1595 | Quantifying and suppressing ranking bias in a ... | It is widely recognized that citation counts... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1595 | 1596 | Posterior Concentration for Bayesian Regressio... | Since their inception in the 1980's, regress... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1596 | 1597 | Predicting Oral Disintegrating Tablet Formulat... | Oral Disintegrating Tablets (ODTs) is a nove... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1597 | 1598 | HNCcorr: A Novel Combinatorial Approach for Ce... | Calcium imaging has emerged as a workhorse m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1598 | 1599 | Intense cross-tail field-aligned currents in t... | Field-aligned currents in the Earth's magnet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1599 | 1600 | First non-icosahedral boron allotrope synthesi... | Theoretical predictions of pressure-induced ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1600 | 1601 | A Result of Uniqueness of Solutions of the Shi... | We derive the uniqueness of weak solutions t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1601 | 1602 | Mind the Gap: A Well Log Data Analysis | The main task in oil and gas exploration is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1602 | 1603 | Inconsistency of Template Estimation with the ... | We tackle the problem of template estimation... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1603 | 1604 | All-optical switching and unidirectional plasm... | High-index dielectric nanoparticles have bec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1604 | 1605 | Group chasing tactics: how to catch a faster p... | We propose a bio-inspired, agent-based appro... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1605 | 1606 | On solving a restricted linear congruence usin... | Consider the linear congruence equation $x_1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1606 | 1607 | Magnetization spin dynamics in a (LuBi)3Fe5O12... | Bismuth substituted lutetium iron garnet (BL... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1607 | 1608 | Probing for sparse and fast variable selection... | We present a new variable selection method b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1608 | 1609 | A surface-hopping method for semiclassical cal... | A semicalssical method based on surface-hopp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1609 | 1610 | Holographic coherent states from random tensor... | Random tensor networks provide useful models... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1610 | 1611 | Persistent Spread Measurement for Big Network ... | Persistent spread measurement is to count th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1611 | 1612 | High-dimensional Linear Regression for Depende... | In the last few years, an extensive literatu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1612 | 1613 | Dynamic control of the optical emission from G... | The optical emission of InGaN quantum dots e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1613 | 1614 | Robust Tracking and Behavioral Modeling of Mov... | We propose a novel computational method to e... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1614 | 1615 | Understanding Membership Inferences on Well-Ge... | Membership Inference Attack (MIA) determines... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1615 | 1616 | Identification of Near-Infrared [Se III] and [... | We identify [Se III] 1.0994 micron in the pl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1616 | 1617 | On reduction of differential inclusions and Ly... | In this paper, locally Lipschitz regular fun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1617 | 1618 | Deep Generative Networks For Sequence Prediction | This thesis investigates unsupervised time s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1618 | 1619 | Composite Behavioral Modeling for Identity The... | In this work, we aim at building a bridge fr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1619 | 1620 | Asymptotic properties of the set of systoles o... | The purpose this article is to try to unders... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1620 | 1621 | Nonlinear elliptic equations on Carnot groups | This article concerns a class of elliptic eq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1621 | 1622 | Raptor Codes for Higher-Order Modulation Using... | In this paper, we represent Raptor codes as ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1622 | 1623 | A Tidy Data Model for Natural Language Process... | The package cleanNLP provides a set of fast ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1623 | 1624 | Relaxation of the EM Algorithm via Quantum Ann... | We propose a modified expectation-maximizati... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1624 | 1625 | Multiband Superconductivity in the time revers... | We report point contact Andreev Reflection (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1625 | 1626 | Influence of broken-pair excitations on the ex... | Doubly occupied configuration interaction (D... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1626 | 1627 | Dynamical regularities of US equities opening ... | We first investigate the evolution of openin... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1627 | 1628 | Comment on "Laser cooling of $^{173}$Yb for is... | We present measurements of the hyperfine spl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1628 | 1629 | Training GANs with Optimism | We address the issue of limit cycling behavi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1629 | 1630 | New concepts of inertial measurements with mul... | In the field of cold atom inertial sensors, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1630 | 1631 | LAMN in a class of parametric models for null ... | We study statistical models for one-dimensio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1631 | 1632 | A recipe for topological observables of densit... | Meaningful topological invariants for mixed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1632 | 1633 | Generalization Tower Network: A Novel Deep Neu... | Deep learning (DL) advances state-of-the-art... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1633 | 1634 | On a class of infinitely differentiable functi... | A space $G(M, \varPhi)$ of infinitely differ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1634 | 1635 | Spatially resolved, energy-filtered imaging of... | An accurate description of spatial variation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1635 | 1636 | Effects of Degree Correlations in Interdepende... | We study the influence of degree correlation... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1636 | 1637 | Towards more Reliable Transfer Learning | Multi-source transfer learning has been prov... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1637 | 1638 | Forming short-period Wolf-Rayet X-ray binaries... | We show that black-hole High-Mass X-ray Bina... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1638 | 1639 | Syzygies of Cohen-Macaulay modules over one di... | We study syzygies of (maximal) Cohen-Macaula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1639 | 1640 | Chirality provides a direct fitness advantage ... | Chirality in shape and motility can evolve r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1640 | 1641 | Learning to Draw Samples with Amortized Stein ... | We propose a simple algorithm to train stoch... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1641 | 1642 | Preconditioned dynamic mode decomposition and ... | This note proposes a simple and general fram... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1642 | 1643 | A functional perspective on emergent supersymm... | We investigate the emergence of ${\cal N}=1$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1643 | 1644 | Variants of RMSProp and Adagrad with Logarithm... | Adaptive gradient methods have become recent... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1644 | 1645 | Dykstra's Algorithm, ADMM, and Coordinate Desc... | We study connections between Dykstra's algor... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1645 | 1646 | A Topological Perspective on Interacting Algeb... | Techniques from higher categories and higher... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1646 | 1647 | Dynamic nested sampling: an improved algorithm... | We introduce dynamic nested sampling: a gene... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1647 | 1648 | Multistage Adaptive Testing of Sparse Signals | Multistage design has been used in a wide ra... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1648 | 1649 | On the commutativity of the powerspace constru... | We investigate powerspace constructions on t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1649 | 1650 | Bounds on poloidal kinetic energy in plane lay... | A numerical method is presented which conven... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1650 | 1651 | Concentration of Multilinear Functions of the ... | We prove near-tight concentration of measure... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1651 | 1652 | Switching Isotropic and Directional Exploratio... | This paper proposes an exploration method fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1652 | 1653 | Fast and high-accuracy measuring technique for... | In this paper, based on the framework of tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1653 | 1654 | The solution to the initial value problem for ... | We propose a method to solve the initial val... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1654 | 1655 | Width-tuned magnetic order oscillation on zigz... | Quantum confinement and interference often g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1655 | 1656 | Fast and accurate approximation of the full co... | The gamma distribution arises frequently in ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1656 | 1657 | Two variants of the Froiduire-Pin Algorithm fo... | In this paper, we present two algorithms bas... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1657 | 1658 | Holon Wigner Crystal in a Lightly Doped Kagome... | We address the problem of a lightly doped sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1658 | 1659 | Accelerated Block Coordinate Proximal Gradient... | Nonconvex optimization problems arise in dif... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1659 | 1660 | Phase retrieval using alternating minimization... | This paper considers the problem of phase re... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1660 | 1661 | Inverse statistical problems: from the inverse... | Inverse problems in statistical physics are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1661 | 1662 | Static structure of chameleon dark Matter as a... | We propose a novel mechanism which explains ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1662 | 1663 | Multi-Stakeholder Recommendation: Applications... | Recommender systems have been successfully a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1663 | 1664 | Unbalancing Sets and an Almost Quadratic Lower... | We prove a lower bound of $\Omega(n^2/\log^2... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1664 | 1665 | Saturated absorption competition microscopy | We introduce the concept of saturated absorp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1665 | 1666 | Topological and non inertial effects on the in... | In this work, we investigate the combined in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1666 | 1667 | Evolution of antiferromagnetic domains in the ... | We report the observation of magnetic domain... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1667 | 1668 | Phylogenetic networks that are their own fold-ups | Phylogenetic networks are becoming of increa... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1668 | 1669 | Hyperbolic inverse mean curvature flow | In this paper, we prove the short-time exist... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1669 | 1670 | Theoretically Principled Trade-off between Rob... | We identify a trade-off between robustness a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1670 | 1671 | A new charge reconstruction algorithm for the ... | The DArk Matter Particle Explorer (DAMPE) is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1671 | 1672 | The Structure Transfer Machine Theory and Appl... | Representation learning is a fundamental but... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1672 | 1673 | Inverse Fractional Knapsack Problem with Profi... | We address in this paper the problem of modi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1673 | 1674 | Large dimensional analysis of general margin b... | Margin-based classifiers have been popular i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1674 | 1675 | Complete reducibility, Kulshammer's question, ... | Let $k$ be a nonperfect separably closed fie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1675 | 1676 | Covariance structure associated with an equali... | In a general linear model, this paper derive... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1676 | 1677 | Three natural subgroups of the Brauer-Picard g... | In this article we construct three explicit ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1677 | 1678 | UAV Visual Teach and Repeat Using Only Semanti... | We demonstrate the use of semantic object de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1678 | 1679 | Towards a Deep Reinforcement Learning Approach... | There have been numerous breakthroughs with ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1679 | 1680 | A Case for an Atmosphere on Super-Earth 55 Can... | One of the primary questions when characteri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1680 | 1681 | From LiDAR to Underground Maps via 5G - Busine... | With ever-increasing productivity targets in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1681 | 1682 | The number of realizations of a Laman graph | Laman graphs model planar frameworks that ar... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1682 | 1683 | UV Detector based on InAlN/GaN-on-Si HEMT Stac... | We demonstrate an InAlN/GaN-on-Si HEMT based... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1683 | 1684 | Deep Reinforcement Learning for Inquiry Dialog... | This paper is the first attempt to learn the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1684 | 1685 | Proof of Time's Arrow with Perfectly Chaotic S... | The problem of Time's Arrow is rigorously so... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1685 | 1686 | Using Phone Sensors and an Artificial Neural N... | Phone sensors could be useful in assessing c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1686 | 1687 | A Lattice Model of Charge-Pattern-Dependent Po... | In view of recent intense experimental and t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1687 | 1688 | "Noiseless" thermal noise measurement of atomi... | When measuring quadratic values representati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1688 | 1689 | A Forward Model at Purkinje Cell Synapses Faci... | How does our motor system solve the problem ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1689 | 1690 | De Rham and twisted cohomology of Oeljeklaus-T... | Oeljeklaus-Toma (OT) manifolds are complex n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1690 | 1691 | Episode-Based Active Learning with Bayesian Ne... | We investigate different strategies for acti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1691 | 1692 | Origin of X-ray and gamma-ray emission from th... | We study a possible connection between diffe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1692 | 1693 | Freeness and The Partial Transposes of Wishart... | We show that the partial transposes of compl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1693 | 1694 | Coset space construction for the conformal gro... | The technique for constructing conformally i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1694 | 1695 | Fixed points of polarity type operators | A well-known result says that the Euclidean ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1695 | 1696 | Multiple Improvements of Multiple Imputation L... | Multiple imputation (MI) inference handles m... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1696 | 1697 | Estimating the unseen from multiple populations | Given samples from a distribution, how many ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1697 | 1698 | Continued Fractions and $q$-Series Generating ... | We construct new continued fraction expansio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1698 | 1699 | Implications of a wavelength dependent PSF for... | The convolution of galaxy images by the poin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1699 | 1700 | Improving TSP tours using dynamic programming ... | Given a traveling salesman problem (TSP) tou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1700 | 1701 | Semi-Supervised Approaches to Efficient Evalua... | In many modern machine learning applications... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1701 | 1702 | Linearization of the box-ball system: an eleme... | Kuniba, Okado, Takagi and Yamada have found ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1702 | 1703 | Controlling Sources of Inaccuracy in Stochasti... | Scientists and engineers commonly use simula... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1703 | 1704 | Implications of Decentralized Q-learning Resou... | Reinforcement Learning is gaining attention ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1704 | 1705 | Exponential Ergodicity of the Bouncy Particle ... | Non-reversible Markov chain Monte Carlo sche... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1705 | 1706 | Analysis and X-ray tomography | These are lecture notes for the course "MATS... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1706 | 1707 | Spatially Transformed Adversarial Examples | Recent studies show that widely used deep ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1707 | 1708 | Arrow Categories of Monoidal Model Categories | We prove that the arrow category of a monoid... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1708 | 1709 | Differential-operator representations of Weyl ... | Given a suitable ordering of the positive ro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1709 | 1710 | Faithful Semitoric Systems | This paper consists of two parts. The first ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1710 | 1711 | HoloScope: Topology-and-Spike Aware Fraud Dete... | As online fraudsters invest more resources, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1711 | 1712 | On Approximation Guarantees for Greedy Low Ran... | We provide new approximation guarantees for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1712 | 1713 | Topology Estimation in Bulk Power Grids: Guara... | The topology of a power grid affects its dyn... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1713 | 1714 | Wasserstein Introspective Neural Networks | We present Wasserstein introspective neural ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1714 | 1715 | Convexity of level lines of Martin functions a... | Let $\Omega$ be an unbounded domain in $\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1715 | 1716 | New skein invariants of links | We introduce new skein invariants of links b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1716 | 1717 | HSTREAM: A directive-based language extension ... | Big data streaming applications require util... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1717 | 1718 | Faddeev-Jackiw approach of the noncommutative ... | The interest in higher derivatives field the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1718 | 1719 | Spin Transport and Accumulation in 2D Weyl Fer... | In this work, we study the spin Hall effect ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1719 | 1720 | Model-Based Control Using Koopman Operators | This paper explores the application of Koopm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1720 | 1721 | Turbulence Hierarchy in a Random Fibre Laser | Turbulence is a challenging feature common t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1721 | 1722 | Optimal Rates for Learning with Nyström Stocha... | In the setting of nonparametric regression, ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1722 | 1723 | Run Procrustes, Run! On the convergence of acc... | In this work, we present theoretical results... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1723 | 1724 | A note on the bijectivity of antipode of a Hop... | Certain sufficient homological and ring-theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1724 | 1725 | Perfect Edge Domination: Hard and Solvable Cases | Let $G$ be an undirected graph. An edge of $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1725 | 1726 | On the presentation of Hecke-Hopf algebras for... | Hecke-Hopf algebras were defined by A. Beren... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1726 | 1727 | ILP-based Alleviation of Dense Meander Segment... | Length-matching is an important technique to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1727 | 1728 | Membrane Trafficking in the Yeast Saccharomyce... | The yeast Saccharomyces cerevisiae is one of... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1728 | 1729 | Synthesizing Programs for Images using Reinfor... | Advances in deep generative networks have le... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1729 | 1730 | A Correspondence Between Random Neural Network... | A number of recent papers have provided evid... | 1 | 1 | 0 | 1 | 0 | 0 |
| 1730 | 1731 | The nature of the progenitor of the M31 North-... | We examine the nature, possible orbits and p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1731 | 1732 | On codimension two flats in Fermat-type arrang... | In the present note we study certain arrange... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1732 | 1733 | Invariant Causal Prediction for Sequential Data | We investigate the problem of inferring the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1733 | 1734 | Smoothing with Couplings of Conditional Partic... | In state space models, smoothing refers to t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1734 | 1735 | Formation of High Pressure Gradients at the Fr... | Nonlinear dynamics of the free surface of an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1735 | 1736 | Subsampling for Ridge Regression via Regulariz... | Given $n$ vectors $\mathbf{x}_i\in \mathbb{R... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1736 | 1737 | Ab initio calculations of the concentration de... | While being of persistent interest for the i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1737 | 1738 | Outliers and related problems | We define outliers as a set of observations ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1738 | 1739 | On Quadratic Convergence of DC Proximal Newton... | We propose a DC proximal Newton algorithm fo... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1739 | 1740 | Dynamic Safe Interruptibility for Decentralize... | In reinforcement learning, agents learn by p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1740 | 1741 | Heuristic Optimization for Automated Distribut... | Network integration studies try to assess th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1741 | 1742 | The Sizes and Depletions of the Dust and Gas C... | We report ALMA Cycle 2 observations of 230 G... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1742 | 1743 | Demystifying AlphaGo Zero as AlphaGo GAN | The astonishing success of AlphaGo Zero\cite... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1743 | 1744 | Effects of pressure and magnetic field on the ... | Electron-doped Eu(Fe$_{0.93}$Rh$_{0.07}$)$_2... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1744 | 1745 | Commissioning and Operation | Chapter 16 in High-Luminosity Large Hadron C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1745 | 1746 | Only in the standard representation the Dirac ... | It is shown that the relativistic quantum me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1746 | 1747 | Stable absorbing boundary conditions for molec... | A new type of absorbing boundary conditions ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1747 | 1748 | Algebraic operads up to homotopy | This paper deals with the homotopy theory of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1748 | 1749 | Nonlinear Kalman Filtering with Divergence Min... | We consider the nonlinear Kalman filtering p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1749 | 1750 | On Chern number inequality in dimension 3 | We prove that if $X---> X^+$ is a threefold ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1750 | 1751 | Enhancing SDO/HMI images using deep learning | The Helioseismic and Magnetic Imager (HMI) p... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1751 | 1752 | Suppression of the superconductivity in ultrat... | In contact with a superconductor, a normal m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1752 | 1753 | Functional data analysis in the Banach space o... | Functional data analysis is typically conduc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1753 | 1754 | Bayesian Recurrent Neural Networks | In this work we explore a straightforward va... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1754 | 1755 | Cross-Correlation Redshift Calibration Without... | Galaxy cross-correlations with high-fidelity... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1755 | 1756 | Completely bounded bimodule maps and spectral ... | We initiate the study of the completely boun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1756 | 1757 | Distill-and-Compare: Auditing Black-Box Models... | Black-box risk scoring models permeate our l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1757 | 1758 | An influence-based fast preceding questionnair... | To improve the efficiency of elderly assessm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1758 | 1759 | A GPU Accelerated Discontinuous Galerkin Incom... | We present a GPU-accelerated version of a hi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1759 | 1760 | The Auger Engineering Radio Array and multi-hy... | The Auger Engineering Radio Array (AERA) aim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1760 | 1761 | Historic Emergence of Diversity in Painting: H... | Painting is an art form that has long functi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1761 | 1762 | Cage Size and Jump Precursors in Glass-Forming... | Glassy dynamics is intermittent, as particle... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1762 | 1763 | A Comprehensive Survey on Bengali Phoneme Reco... | Hidden Markov model based various phoneme re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1763 | 1764 | Factorization of arithmetic automorphic periods | In this paper, we prove that the arithmetic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1764 | 1765 | Multielectronic processes in particle and anti... | In this chapter we analyze the multiple ioni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1765 | 1766 | A Floating Cylinder on An Unbounded Bath | In this paper, we reconsider a circular cyli... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1766 | 1767 | Switching between Limit Cycles in a Model of R... | This paper considers the problem of switchin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1767 | 1768 | Locally Private Bayesian Inference for Count M... | As more aspects of social interaction are di... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1768 | 1769 | Carrier Diffusion in Thin-Film CH3NH3PbI3 Pero... | We report the application of femtosecond fou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1769 | 1770 | On effective Birkhoff's ergodic theorem for co... | We introduce computable actions of computabl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1770 | 1771 | Gender Differences in Participation and Reward... | Programming is a valuable skill in the labor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1771 | 1772 | Invariant surface area functionals and singula... | We express two CR invariant surface area ele... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1772 | 1773 | Dynamic dipole polarizabilities of heteronucle... | In this article we address the general appro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1773 | 1774 | Minor-free graphs have light spanners | We show that every $H$-minor-free graph has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1774 | 1775 | Adversarial Generation of Natural Language | Generative Adversarial Networks (GANs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1775 | 1776 | Likely Transiting Exocomets Detected by Kepler | We present the first good evidence for exoco... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1776 | 1777 | Origins of bond and spin order in rare-earth n... | We analyze the charge- and spin response fun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1777 | 1778 | Canonical Truth | We introduce and study a notion of canonical... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1778 | 1779 | AACT: Application-Aware Cooperative Time Alloc... | As the number of Internet of Things (IoT) de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1779 | 1780 | COPA: Constrained PARAFAC2 for Sparse & Large ... | PARAFAC2 has demonstrated success in modelin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1780 | 1781 | Effect of Composition Gradient on Magnetotherm... | We model the intracluster medium as a weakly... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1781 | 1782 | A Verified Algorithm Enumerating Event Structures | An event structure is a mathematical abstrac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1782 | 1783 | Missing Data as Part of the Social Behavior in... | Many real-world networks are known to exhibi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1783 | 1784 | Quantum Monte Carlo simulation of a two-dimens... | We study interacting Majorana fermions in tw... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1784 | 1785 | Geometric Rescaling Algorithms for Submodular ... | We present a new class of polynomial-time al... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1785 | 1786 | Statistical PT-symmetric lasing in an optical ... | PT-symmetry in optics is a condition whereby... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1786 | 1787 | Transforming Single Domain Magnetic CoFe2O4 Na... | Single phase, uniform size (~9 nm) Cobalt Fe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1787 | 1788 | Probing the dusty stellar populations of the L... | The Mid-Infrared Instrument (MIRI) for the {... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1788 | 1789 | PythonRobotics: a Python code collection of ro... | This paper describes an Open Source Software... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1789 | 1790 | A Liouville theorem for the Euler equations in... | This paper is concerned with qualitative pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1790 | 1791 | First On-Site True Gamma-Ray Imaging-Spectrosc... | We have developed an Electron Tracking Compt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1791 | 1792 | Weak Versus Strong Disorder Superfluid-Bose Gl... | Using large-scale simulations based on matri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1792 | 1793 | Quantum Structures in Human Decision-making: T... | {\it Ellsberg thought experiments} and empir... | 0 | 0 | 0 | 0 | 1 | 1 |
| 1793 | 1794 | Fine-grained Event Learning of Human-Object In... | Event learning is one of the most important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1794 | 1795 | Book Review Interferometry and Synthesis in Ra... | Review of the third edition of "Interferomet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1795 | 1796 | A Kernel Theory of Modern Data Augmentation | Data augmentation, a technique in which a tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1796 | 1797 | Carrier driven coupling in ferromagnetic oxide... | Transition metal oxides are well known for t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1797 | 1798 | Data Dropout in Arbitrary Basis for Deep Netwo... | An important problem in training deep networ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1798 | 1799 | Efficient algorithms to discover alterations w... | Recent large cancer studies have measured so... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1799 | 1800 | Laplace operators on holomorphic Lie algebroids | The paper introduces Laplace-type operators ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1800 | 1801 | Composing Differential Privacy and Secure Comp... | Private record linkage (PRL) is the problem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1801 | 1802 | Recurrent Neural Filters: Learning Independent... | Despite the recent popularity of deep genera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1802 | 1803 | A Submodularity-Based Approach for Multi-Agent... | We consider the optimal coverage problem whe... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1803 | 1804 | A GPU-based Multi-level Algorithm for Boundary... | A novel and scalable geometric multi-level a... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1804 | 1805 | Counterexample-Guided k-Induction Verification... | Recently, the k-induction algorithm has prov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1805 | 1806 | Cautious Model Predictive Control using Gaussi... | Gaussian process (GP) regression has been wi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1806 | 1807 | Probabilistic Trajectory Segmentation by Means... | Using movement primitive libraries is an eff... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1807 | 1808 | Radio Frequency Interference Mitigation | Radio astronomy observational facilities are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1808 | 1809 | Online Calibration of Phasor Measurement Unit ... | Data quality of Phasor Measurement Unit (PMU... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1809 | 1810 | Some basic properties of bounded solutions of ... | We provide a detailed (and fully rigorous) d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1810 | 1811 | Andreev Reflection without Fermi surface align... | We address the controversy over the proximit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1811 | 1812 | Structural Data Recognition with Graph Model B... | This paper presents a novel method for struc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1812 | 1813 | Exceptional points in two simple textbook exam... | We propose to introduce the concept of excep... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1813 | 1814 | Bootstrap of residual processes in regression:... | In this paper we consider a location model o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1814 | 1815 | Polynomiality for the Poisson centre of trunca... | We show that the Poisson centre of truncated... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1815 | 1816 | Row-Centric Lossless Compression of Markov Images | Motivated by the question of whether the rec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1816 | 1817 | Planetesimal formation by the streaming instab... | Recent years have seen growing interest in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1817 | 1818 | Fault Tolerant Thermal Control of Steam Turbin... | The metal-to-metal clearances of a steam tur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1818 | 1819 | Causal Mediation Analysis Leveraging Multiple ... | Summary statistics of genome-wide associatio... | 1 | 0 | 0 | 1 | 1 | 0 |
| 1819 | 1820 | Causal Queries from Observational Data in Biol... | Biological networks are a very convenient mo... | 0 | 0 | 0 | 1 | 1 | 0 |
| 1820 | 1821 | Hierarchical Bloom Filter Trees for Approximat... | Bytewise approximate matching algorithms hav... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1821 | 1822 | GANDALF - Graphical Astrophysics code for N-bo... | GANDALF is a new hydrodynamics and N-body dy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1822 | 1823 | Pre-freezing transition in Boltzmann-Gibbs mea... | We consider Boltzmann-Gibbs measures associa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1823 | 1824 | Learning Combinatorial Optimization Algorithms... | The design of good heuristics or approximati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1824 | 1825 | Optimal Oil Production and Taxation in Presenc... | This paper studies the optimal extraction po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1825 | 1826 | Critical well-posedness and scattering results... | Scattering for the mass-critical fractional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1826 | 1827 | Lightweight Multilingual Software Analysis | Developer preferences, language capabilities... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1827 | 1828 | Room-temperature 1.54 $μ$m photoluminescence o... | The demand for single photon sources at $\la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1828 | 1829 | Sparse Algorithm for Robust LSSVM in Primal Space | As enjoying the closed form solution, least ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1829 | 1830 | Value Propagation for Decentralized Networked ... | We consider the networked multi-agent reinfo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1830 | 1831 | Collect at Once, Use Effectively: Making Non-i... | Non-interactive Local Differential Privacy (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1831 | 1832 | Learning Independent Causal Mechanisms | Statistical learning relies upon data sample... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1832 | 1833 | A Bayesian Model for False Information Belief ... | This work is a technical approach to modelin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1833 | 1834 | Topological dynamics of gyroscopic and Floquet... | Despite intense interest in realizing topolo... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1834 | 1835 | Stability of axisymmetric chiral skyrmions | We examine topological solitons in a minimal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1835 | 1836 | Efficiency versus instability in plasma accele... | Plasma wake-field acceleration is one of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1836 | 1837 | Resistivity bound for hydrodynamic bad metals | We obtain a rigorous upper bound on the resi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1837 | 1838 | Minimal Exploration in Structured Stochastic B... | This paper introduces and addresses a wide c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1838 | 1839 | Data Driven Exploratory Attacks on Black Box C... | While modern day web applications aim to cre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1839 | 1840 | On Optimistic versus Randomized Exploration in... | We discuss the relative merits of optimistic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1840 | 1841 | Fast Monte-Carlo Localization on Aerial Vehicl... | Size, weight, and power constrained platform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1841 | 1842 | Generalized two-field $α$-attractor models fro... | We consider four-dimensional gravity coupled... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1842 | 1843 | The Geodetic Hull Number is Hard for Chordal G... | We show the hardness of the geodetic hull nu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1843 | 1844 | $\overline{M}_{1,n}$ is usually not uniruled i... | Using etale cohomology, we define a biration... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1844 | 1845 | Active Community Detection: A Maximum Likeliho... | We propose novel semi-supervised and active ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1845 | 1846 | Continuum Limit of Posteriors in Graph Bayesia... | We consider the problem of recovering a func... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1846 | 1847 | Automatic Conflict Detection in Police Body-Wo... | Automatic conflict detection has grown in re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1847 | 1848 | The cobordism hypothesis | Assuming a conjecture about factorization ho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1848 | 1849 | LAMOST telescope reveals that Neptunian cousin... | We discover a population of short-period, Ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1849 | 1850 | A Latent Variable Model for Two-Dimensional Ca... | Describing the dimension reduction (DR) tech... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1850 | 1851 | Model enumeration in propositional circumscrip... | Many practical problems are characterized by... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1851 | 1852 | Structured Neural Summarization | Summarization of long sequences into a conci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1852 | 1853 | Variations on a Visserian Theme | A first order theory T is said to be "tight"... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1853 | 1854 | Galerkin Least-Squares Stabilization in Ice Sh... | We investigate the accuracy and robustness o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1854 | 1855 | Improved Query Reformulation for Concept Locat... | During software maintenance, developers usua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1855 | 1856 | High-performance parallel computing in the cla... | The use of computers in statistical physics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1856 | 1857 | Coupled spin-charge dynamics in helical Fermi ... | We consider a helical system of fermions wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1857 | 1858 | Correlation decay in fermionic lattice systems... | We study correlations in fermionic lattice s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1858 | 1859 | Integrated Microsimulation Framework for Dynam... | We present an integrated microsimulation fra... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1859 | 1860 | Dimensionality Reduction for Stationary Time S... | Stochastic optimization naturally arises in ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1860 | 1861 | Efficient tracking of a growing number of experts | We consider a variation on the problem of pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1861 | 1862 | Toeplitz Inverse Covariance-Based Clustering o... | Subsequence clustering of multivariate time ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1862 | 1863 | The ellipse law: Kirchhoff meets dislocations | In this paper we consider a nonlocal energy ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1863 | 1864 | SAML-QC: a Stochastic Assessment and Machine L... | Recently, the advancement in industrial auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1864 | 1865 | Probing the gravitational redshift with an Ear... | We present an approach to testing the gravit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1865 | 1866 | A stencil scaling approach for accelerating ma... | We present a novel approach to fast on-the-f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1866 | 1867 | Cramér-Rao Lower Bounds for Positioning with L... | We consider the potential for positioning wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1867 | 1868 | Asymptotic behaviour methods for the Heat Equa... | In this expository work we discuss the asymp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1868 | 1869 | Magnetization dynamics of weakly interacting s... | Artificial Spin Ice (ASI), consisting of a t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1869 | 1870 | Filtering Tweets for Social Unrest | Since the events of the Arab Spring, there h... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1870 | 1871 | Structured Connectivity Augmentation | We initiate the algorithmic study of the fol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1871 | 1872 | Transition probability of Brownian motion in t... | We derive a semi-analytic formula for the tr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1872 | 1873 | Block-Sparse Recurrent Neural Networks | Recurrent Neural Networks (RNNs) are used in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1873 | 1874 | Equitable neighbour-sum-distinguishing edge an... | With any (not necessarily proper) edge $k$-c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1874 | 1875 | An Oracle Property of The Nadaraya-Watson Kern... | The celebrated Nadaraya-Watson kernel estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1875 | 1876 | Fast Rates for Bandit Optimization with Upper-... | We consider the problem of bandit optimizati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1876 | 1877 | Highly sensitive atomic based MW interferometry | We theoretically study a scheme to develop a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1877 | 1878 | The Wisdom of a Kalman Crowd | The Kalman Filter has been called one of the... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1878 | 1879 | Noisy independent component analysis of auto-c... | We present a new method for the separation o... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1879 | 1880 | Ages and structural and dynamical parameters o... | GC-1 and GC-2 are two globular clusters (GCs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1880 | 1881 | Bayesian Renewables Scenario Generation via De... | We present a method to generate renewable sc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1881 | 1882 | Graphons: A Nonparametric Method to Model, Est... | Many social and economic systems are natural... | 1 | 1 | 0 | 0 | 0 | 0 |
| 1882 | 1883 | Hopf Parametric Adjoint Objects through a 2-ad... | In this article Hopf parametric adjunctions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1883 | 1884 | Krylov Subspace Recycling for Fast Iterative L... | Solving symmetric positive definite linear p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1884 | 1885 | Towards a Physical Oracle for the Partition Pr... | Despite remarkable achievements in its pract... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1885 | 1886 | Bayesian Methods in Cosmology | These notes aim at presenting an overview of... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1886 | 1887 | Information Extraction in Illicit Domains | Extracting useful entities and attribute val... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1887 | 1888 | A Tutorial on Kernel Density Estimation and Re... | This tutorial provides a gentle introduction... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1888 | 1889 | Optimizing expected word error rate via sampli... | State-level minimum Bayes risk (sMBR) traini... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1889 | 1890 | Real-Time Illegal Parking Detection System Bas... | The increasing illegal parking has become mo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1890 | 1891 | On a representation of fractional Brownian mot... | We discuss some extensions of results from t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1891 | 1892 | Stochastic Canonical Correlation Analysis | We tightly analyze the sample complexity of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1892 | 1893 | Segmentation of Instances by Hashing | We propose a novel approach to address the S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1893 | 1894 | Grafting for Combinatorial Boolean Model using... | This paper introduces the combinatorial Bool... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1894 | 1895 | Rapid Assessment of Damaged Homes in the Flori... | On September 10, 2017, Hurricane Irma made l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1895 | 1896 | Status maximization as a source of fairness in... | Human behavioural patterns exhibit selfish o... | 1 | 0 | 0 | 0 | 0 | 1 |
| 1896 | 1897 | On Dziobek Special Central Configurations | We study the special central configurations ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1897 | 1898 | Laser Interferometer Space Antenna | Following the selection of The Gravitational... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1898 | 1899 | Learning from a lot: Empirical Bayes in high-d... | Empirical Bayes is a versatile approach to `... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1899 | 1900 | Dissipativity Theory for Accelerating Stochast... | Techniques for reducing the variance of grad... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1900 | 1901 | Runout transition and clustering instability o... | Binary mixtures of dry grains avalanching do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1901 | 1902 | A Simple Convex Layers Algorithm | Given a set of $n$ points $P$ in the plane, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1902 | 1903 | Entire Solution in an Ignition Nonlocal Disper... | This paper mainly focus on the front-like en... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1903 | 1904 | Fundamental solutions for Schrodinger operato... | In this paper, we classify the fundamental s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1904 | 1905 | Making up for the deficit in a marathon run | To predict the final result of an athlete in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1905 | 1906 | An Efficient Load Balancing Method for Tree Al... | Nowadays, multiprocessing is mainstream with... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1906 | 1907 | Dynamics of the spin-1/2 Heisenberg chain init... | We study the dynamics of an isotropic spin-1... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1907 | 1908 | Multi-Erasure Locally Recoverable Codes Over S... | Erasure codes play an important role in stor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1908 | 1909 | NSML: A Machine Learning Platform That Enables... | Machine learning libraries such as TensorFlo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1909 | 1910 | High order local absorbing boundary conditions... | We devise a new high order local absorbing b... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1910 | 1911 | Simple Necessary Conditions for the Existence ... | We describe some necessary conditions for th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1911 | 1912 | Bootstrapping Exchangeable Random Graphs | We introduce two new bootstraps for exchange... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1912 | 1913 | A question proposed by K. Mahler on exceptiona... | In this paper, we shall prove that any subse... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1913 | 1914 | Implementation of the Bin Hierarchy Method for... | We present $\texttt{BHM}$, a tool for restor... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1914 | 1915 | The Discrete Stochastic Galerkin Method for Hy... | We develop a general polynomial chaos (gPC) ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1915 | 1916 | Seasonal evolution of $\mathrm{C_2N_2}$, $\mat... | We study the seasonal evolution of Titan's l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1916 | 1917 | Systems, Actors and Agents: Operation in a mul... | Multi-agent approach has become popular in c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1917 | 1918 | An invitation to model theory and C*-algebras | We present an introductory survey to first o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1918 | 1919 | Random Close Packing and the Hard Sphere Percu... | The Percus-Yevick theory for monodisperse ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1919 | 1920 | The Painlevé property of $\mathbb{C}P^{N-1}$ s... | We test the $\mathbb{C}P^{N-1}$ sigma models... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1920 | 1921 | A comment on Stein's unbiased risk estimate fo... | In the framework of matrix valued observable... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1921 | 1922 | An empirical study on evaluation metrics of ge... | Evaluating generative adversarial networks (... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1922 | 1923 | Analytical and simulation studies of pedestria... | The intersecting pedestrian flow on the 2D l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1923 | 1924 | Static and Fluctuating Magnetic Moments in the... | LiOsO$_3$ is the first example of a new clas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1924 | 1925 | Compiling Deep Learning Models for Custom Hard... | Convolutional neural networks (CNNs) are the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1925 | 1926 | Ranking with Adaptive Neighbors | Retrieving the most similar objects in a lar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1926 | 1927 | Identities and central polynomials of real gra... | Let $A$ be a finite dimensional real algebra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1927 | 1928 | VB-Courant algebroids, E-Courant algebroids an... | In this paper, we first discuss the relation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1928 | 1929 | Majorana bound states in hybrid 2D Josephson j... | We consider a Josephson junction consisting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1929 | 1930 | Two-Dimensional Large Gap Topological Insulato... | Rashba spin orbit coupling in topological in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1930 | 1931 | Topological boundary invariants for Floquet sy... | A Floquet systems is a periodically driven q... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1931 | 1932 | Assumption-Based Approaches to Reasoning with ... | This paper maps out the relation between dif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1932 | 1933 | On the Impact of Transposition Errors in Diffu... | In this work, we consider diffusion-based mo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1933 | 1934 | Uniform $L^p$-improving for weighted averages ... | We define variable parameter analogues of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1934 | 1935 | Finite Sample Differentially Private Confidenc... | We study the problem of estimating finite sa... | 1 | 0 | 1 | 1 | 0 | 0 |
| 1935 | 1936 | xSDK Foundations: Toward an Extreme-scale Scie... | Extreme-scale computational science increasi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1936 | 1937 | Muon Spin Rotation Analysis of the Internal Ma... | Uranium beryllium-13 is a heavy fermion syst... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1937 | 1938 | The infinity-Fucik spectrum | In this article we study the behavior as $p ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1938 | 1939 | Unitary Groups as Stabilizers of Orbits | We show that a finite unitary group which ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1939 | 1940 | m-TSNE: A Framework for Visualizing High-Dimen... | Multivariate time series (MTS) have become i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1940 | 1941 | On stabilization of solutions of nonlinear par... | For parabolic equations of the form $$ \frac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1941 | 1942 | Deep metric learning for multi-labelled radiog... | Many radiological studies can reveal the pre... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1942 | 1943 | Algebras of generalized dihedral type | We provide a complete classification of all ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1943 | 1944 | Resonant particle production during inflation:... | We revisit the study of the phenomenology as... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1944 | 1945 | Average whenever you meet: Opportunistic proto... | Consider the following asynchronous, opportu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1945 | 1946 | A polynomial-time approximation algorithm for ... | We give a fully polynomial-time randomized a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1946 | 1947 | Provably Accurate Double-Sparse Coding | Sparse coding is a crucial subroutine in alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1947 | 1948 | Asymptotic theory for maximum likelihood estim... | Reduced-rank regression is a dimensionality ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1948 | 1949 | Sequential two-fold Pearson chi-squared test a... | We find asymptotic formulas for error probab... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1949 | 1950 | Tracking Gaze and Visual Focus of Attention of... | The visual focus of attention (VFOA) has bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1950 | 1951 | Fully-Dynamic and Kinetic Conflict-Free Colori... | We introduce the fully-dynamic conflict-free... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1951 | 1952 | Magnetic properties in ultra-thin 3d transitio... | A systematic experimental study of Gilbert d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1952 | 1953 | Detection of Anomalies in Large Scale Accounti... | Learning to detect fraud in large-scale acco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1953 | 1954 | Alternate Estimation of a Classifier and the C... | We consider a problem of learning a binary c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1954 | 1955 | Oscillating dipole with fractional quantum sou... | We show, in the case of a special dipolar so... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1955 | 1956 | Randomized Linear Programming Solves the Disco... | We propose a novel randomized linear program... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1956 | 1957 | SCAV'18: Report of the 2nd International Works... | This report summarizes the discussions, open... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1957 | 1958 | Inference For High-Dimensional Split-Plot-Desi... | Statisticians increasingly face the problem ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1958 | 1959 | Rate Optimal Binary Linear Locally Repairable ... | A locally repairable code with availability ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1959 | 1960 | A general renormalization procedure on the one... | We present a general form of Renormalization... | 0 | 1 | 1 | 0 | 0 | 0 |
| 1960 | 1961 | Duality Spectral Sequences for Weierstrass Fib... | We study duality spectral sequences for Weie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1961 | 1962 | Occupation times for the finite buffer fluid q... | In this short communication we study a fluid... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1962 | 1963 | Affine forward variance models | We introduce the class of affine forward var... | 0 | 0 | 0 | 0 | 0 | 1 |
| 1963 | 1964 | The cohomology of free loop spaces of homogene... | The free loops space $\Lambda X$ of a space ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1964 | 1965 | Measurement of the muon-induced neutron season... | Cosmic ray muons with the average energy of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1965 | 1966 | Trail-Mediated Self-Interaction | A number of microorganisms leave persistent ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1966 | 1967 | A sub-super solution method for a class of non... | In the present paper we study the existence ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1967 | 1968 | Summability properties of Gabor expansions | We show that there exist complete and minima... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1968 | 1969 | A Las Vegas algorithm to solve the elliptic cu... | In this paper, we describe a new Las Vegas a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1969 | 1970 | Spectral sequences via examples | These are lecture notes for a short course a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1970 | 1971 | Coherent scattering from semi-infinite non-Her... | When two identical (coherent) beams are inje... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1971 | 1972 | A Higher Structure Identity Principle | We prove a Structure Identity Principle for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 1972 | 1973 | Two-Player Games for Efficient Non-Convex Cons... | In recent years, constrained optimization ha... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1973 | 1974 | On thin local sets of the Gaussian free field | We study how small a local set of the contin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1974 | 1975 | A Note on Prediction Markets | In a prediction market, individuals can sequ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 1975 | 1976 | Dihedral angle prediction using generative adv... | Several dihedral angles prediction methods w... | 0 | 0 | 0 | 1 | 1 | 0 |
| 1976 | 1977 | A recurrence relation for the odd order moment... | A simple recurrence relation for the even or... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1977 | 1978 | Performance of Range Separated Hybrids: Study ... | A long range corrected range separated hybri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1978 | 1979 | Manifold Mixup: Learning Better Representation... | Deep networks often perform well on the data... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1979 | 1980 | Small Resolution Proofs for QBF using Dependen... | In spite of the close connection between the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1980 | 1981 | Theoretical Analysis of Generalized Sagnac Eff... | The Sagnac effect has been shown in inertial... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1981 | 1982 | Lattice thermal expansion and anisotropic disp... | Anisotropic displacement parameters (ADPs) a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1982 | 1983 | Learning Heuristic Search via Imitation | Robotic motion planning problems are typical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1983 | 1984 | Hook removal operators on the odd Young graph | In this article we consider hook removal ope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1984 | 1985 | Modal operators and toric ideals | In the present paper we consider modal propo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 1985 | 1986 | Metadynamics for Training Neural Network Model... | Neural network (NN) model chemistries (MCs) ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 1986 | 1987 | ServeNet: A Deep Neural Network for Web Servic... | Automated service classification plays a cru... | 0 | 0 | 0 | 1 | 0 | 0 |
| 1987 | 1988 | Photoinduced Hund excitons in the breakdown of... | We study the photoinduced breakdown of a two... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1988 | 1989 | Using Synthetic Data to Train Neural Networks ... | We draw a formal connection between using sy... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1989 | 1990 | Multi-timescale memory dynamics in a reinforce... | Learning and memory are intertwined in our b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 1990 | 1991 | Dynamical structure of entangled polymers simu... | The non-linear response of entangled polymer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1991 | 1992 | Coherent modulation up to 100 GBd 16QAM using ... | We demonstrate the generation of higher-orde... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1992 | 1993 | Current induced magnetization switching in PtC... | Magnetic trilayers having large perpendicula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1993 | 1994 | Grain boundary diffusion in severely deformed ... | Grain boundary diffusion in severely deforme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1994 | 1995 | Quantum Black Holes and Atomic Nuclei are Hollow | The quantum Schrodinger-Newton equation is s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1995 | 1996 | Learning Non-Discriminatory Predictors | We consider learning a predictor which is no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1996 | 1997 | Time-Resolved High Spectral Resolution Observa... | Many brown dwarfs exhibit photometric variab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 1997 | 1998 | Pinned, locked, pushed, and pulled traveling w... | Traveling fronts describe the transition bet... | 0 | 0 | 0 | 0 | 1 | 0 |
| 1998 | 1999 | Two-pixel polarimetric camera by compressive s... | We propose an original concept of compressiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 1999 | 2000 | A Stochastic Programming Approach for Electric... | Advantages of electric vehicles (EV) include... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2000 | 2001 | Autonomy in the interactive music system VIVO | Interactive Music Systems (IMS) have introdu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2001 | 2002 | Information and estimation in Fokker-Planck ch... | We study the relationship between informatio... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2002 | 2003 | The role of industry, occupation, and location... | How do regions acquire the knowledge they ne... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2003 | 2004 | Bayes-Optimal Entropy Pursuit for Active Choic... | We analyze the problem of learning a single ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2004 | 2005 | Towards Understanding Generalization of Deep L... | It is widely observed that deep learning mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2005 | 2006 | Benchmarking Decoupled Neural Interfaces with ... | Artifical Neural Networks are a particular c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2006 | 2007 | Macquarie University at BioASQ 5b -- Query-bas... | Macquarie University's contribution to the B... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2007 | 2008 | Network Topology Modulation for Energy and Dat... | Internet-of-things (IoT) architectures conne... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2008 | 2009 | Core structure of two-dimensional Fermi gas vo... | We report $T=0$ diffusion Monte Carlo result... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2009 | 2010 | One can hear the Euler characteristic of a sim... | We prove that that the number p of positive ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2010 | 2011 | A new complete Calabi-Yau metric on $\mathbb{C... | Motivated by the study of collapsing Calabi-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2011 | 2012 | Weighted density fields as improved probes of ... | When it comes to searches for extensions to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2012 | 2013 | Nonlinear control for an uncertain electromagn... | This paper presents the design of a nonlinea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2013 | 2014 | Adaptation and Robust Learning of Probabilisti... | Probabilistic representations of movement pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2014 | 2015 | Transverse spinning of light with globally uni... | Access to the transverse spin of light has u... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2015 | 2016 | A general class of quasi-independence tests fo... | In survival studies, classical inferences fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2016 | 2017 | EPIC 220204960: A Quadruple Star System Contai... | We present a strongly interacting quadruple ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2017 | 2018 | On the higher Cheeger problem | We develop the notion of higher Cheeger cons... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2018 | 2019 | Petri Nets and Machines of Things That Flow | Petri nets are an established graphical form... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2019 | 2020 | Fundamental Conditions for Low-CP-Rank Tensor ... | We consider the problem of low canonical pol... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2020 | 2021 | Multiplex Network Regression: How do relations... | We introduce a statistical method to investi... | 1 | 1 | 0 | 1 | 0 | 0 |
| 2021 | 2022 | Hall-Littlewood-PushTASEP and its KPZ limit | We study a new model of interactive particle... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2022 | 2023 | Pricing for Online Resource Allocation: Interv... | We present pricing mechanisms for several on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2023 | 2024 | Learning best K analogies from data distributi... | Case-Based Reasoning (CBR) has been widely u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2024 | 2025 | Optimal designs for enzyme inhibition kinetic ... | In this paper we present a new method for de... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2025 | 2026 | Highly Granular Calorimeters: Technologies and... | The CALICE collaboration is developing highl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2026 | 2027 | Discontinuous Hamiltonian Monte Carlo for disc... | Hamiltonian Monte Carlo has emerged as a sta... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2027 | 2028 | Optimal boundary gradient estimates for Lamé s... | In this paper, we derive the pointwise upper... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2028 | 2029 | On a variable step size modification of Hines'... | For simulating large networks of neurons Hin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2029 | 2030 | Neural Question Answering at BioASQ 5B | This paper describes our submission to the 2... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2030 | 2031 | Implementation of Smart Contracts Using Hybrid... | Recently, decentralised (on-blockchain) plat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2031 | 2032 | Electro-mechanical control of an on-chip optic... | We demonstrate electro-mechanical control of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2032 | 2033 | Data Distillation for Controlling Specificity ... | People speak at different levels of specific... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2033 | 2034 | Non-locality of the meet levels of the Trotter... | We prove that the meet level $m$ of the Trot... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2034 | 2035 | Particle-based and Meshless Methods with Aboria | Aboria is a powerful and flexible C++ librar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2035 | 2036 | Backlund transformations and divisor doubling | In classical mechanics well-known cryptograp... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2036 | 2037 | KATE: K-Competitive Autoencoder for Text | Autoencoders have been successful in learnin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2037 | 2038 | Stochastic evolution equations for large portf... | We consider a large market model of defaulta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2038 | 2039 | Learning to Address Health Inequality in the U... | Life-expectancy is a complex outcome driven ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2039 | 2040 | Asynchronous parallel primal-dual block update... | Recent several years have witnessed the surg... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2040 | 2041 | Towards Noncommutative Topological Quantum Fie... | We define some new invariants for 3-manifold... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2041 | 2042 | Chaotic Dynamic S Boxes Based Substitution App... | In this paper, we propose an image encryptio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2042 | 2043 | Randomized Optimal Transport on a Graph: Frame... | The recently developed bag-of-paths framewor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2043 | 2044 | A Generative Model for Natural Sounds Based on... | Recent advances in analysis of subband ampli... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2044 | 2045 | Linear and Nonlinear Heat Equations on a p-Adi... | We study the Vladimirov fractional different... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2045 | 2046 | PVEs: Position-Velocity Encoders for Unsupervi... | We propose position-velocity encoders (PVEs)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2046 | 2047 | Few-shot Learning by Exploiting Visual Concept... | Convolutional neural networks (CNNs) are one... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2047 | 2048 | Noise Statistics Oblivious GARD For Robust Reg... | Linear regression models contaminated by Gau... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2048 | 2049 | Multi-Scale Continuous CRFs as Sequential Deep... | This paper addresses the problem of depth es... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2049 | 2050 | On the relation between representations and co... | One of the fundamental results in computabil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2050 | 2051 | Towards Proxemic Mobile Collocated Interactions | Research on mobile collocated interactions h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2051 | 2052 | Adjusting for bias introduced by instrumental ... | Instrumental variable (IV) methods are widel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2052 | 2053 | On the length of perverse sheaves and D-modules | We prove that the length function for perver... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2053 | 2054 | Flexpoint: An Adaptive Numerical Format for Ef... | Deep neural networks are commonly developed ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2054 | 2055 | Bounds on the expected size of the maximum agr... | We show that the expected size of the maximu... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2055 | 2056 | Magnetic ground state of SrRuO$_3$ thin film a... | A systematic first-principles study has been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2056 | 2057 | No minimal tall Borel ideal in the Katětov order | Answering a question of the second listed au... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2057 | 2058 | RelNN: A Deep Neural Model for Relational Lear... | Statistical relational AI (StarAI) aims at r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2058 | 2059 | $ΔN_{\text{eff}}$ and entropy production from ... | Gravitinos are a fundamental prediction of s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2059 | 2060 | Game-Theoretic Choice of Curing Rates Against ... | We study networks of human decision-makers w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2060 | 2061 | A Continuum Poisson-Boltzmann Model for Membra... | Membrane proteins constitute a large portion... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2061 | 2062 | An ALMA survey of submillimetre galaxies in th... | We present spectroscopic redshifts of S(870)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2062 | 2063 | On the structure of Hausdorff moment sequences... | The paper treats several aspects of the trun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2063 | 2064 | Lower bounds on the Bergman metric near points... | Let $\Omega$ be a pseudoconvex domain in $\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2064 | 2065 | Minimal Approximately Balancing Weights: Asymp... | In observational studies and sample surveys,... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2065 | 2066 | Phonetic-attention scoring for deep speaker fe... | Recent studies have shown that frame-level d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2066 | 2067 | MobInsight: A Framework Using Semantic Neighbo... | Collective urban mobility embodies the resid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2067 | 2068 | The Broad Consequences of Narrow Banking | We investigate the macroeconomic consequence... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2068 | 2069 | Sitatapatra: Blocking the Transfer of Adversar... | Convolutional Neural Networks (CNNs) are wid... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2069 | 2070 | Neurofeedback: principles, appraisal and outst... | Neurofeedback is a form of brain training in... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2070 | 2071 | Automating Image Analysis by Annotating Landma... | Image and video analysis is often a crucial ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2071 | 2072 | Weak-strong uniqueness in fluid dynamics | We give a survey of recent results on weak-s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2072 | 2073 | Cognitive Subscore Trajectory Prediction in Al... | Accurate diagnosis of Alzheimer's Disease (A... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2073 | 2074 | Variance Regularizing Adversarial Learning | We introduce a novel approach for training a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2074 | 2075 | Improving fairness in machine learning systems... | The potential for machine learning (ML) syst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2075 | 2076 | PICOSEC: Charged particle Timing to 24 picosec... | The prospect of pileup induced backgrounds a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2076 | 2077 | The first result on 76Ge neutrinoless double b... | We report the first result on Ge-76 neutrino... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2077 | 2078 | Measuring scientific buzz | Keywords are important for information retri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2078 | 2079 | Fully Optical Spacecraft Communications: Imple... | Free space optical communication techniques ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2079 | 2080 | Linear compartmental models: input-output equa... | This work focuses on the question of how ide... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2080 | 2081 | On Nonlinear Dimensionality Reduction, Linear ... | We develop theory for nonlinear dimensionali... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2081 | 2082 | Asymmetric Deep Supervised Hashing | Hashing has been widely used for large-scale... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2082 | 2083 | Pseudo-Separation for Assessment of Structural... | Based upon the idea that network functionali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2083 | 2084 | A Novel Approach to Forecasting Financial Vola... | In this paper we use Gaussian Process (GP) r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2084 | 2085 | Out-of-Sample Testing for GANs | We propose a new method to evaluate GANs, na... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2085 | 2086 | Quantum periodicity in the critical current of... | We use superconducting rings with asymmetric... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2086 | 2087 | Understanding Norm Change: An Evolutionary Gam... | Human societies around the world interact wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2087 | 2088 | A Story of Parametric Trace Slicing, Garbage a... | This paper presents a proposal (story) of ho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2088 | 2089 | Extended TQFT arising from enriched multi-fusi... | We define a symmetric monoidal (4,3)-categor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2089 | 2090 | Multipermutation Ulam Sphere Analysis Toward C... | Permutation codes, in the form of rank modul... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2090 | 2091 | Thermophysical characteristics of the large ma... | (349) Dembowska, a large, bright main-belt a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2091 | 2092 | CM3: Cooperative Multi-goal Multi-stage Multi-... | We propose CM3, a new deep reinforcement lea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2092 | 2093 | Adaptive twisting sliding mode control for qua... | This work addresses the problem of robust at... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2093 | 2094 | Dynamic Laplace: Efficient Centrality Measure ... | With its origin in sociology, Social Network... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2094 | 2095 | Fighting Accounting Fraud Through Forensic Dat... | Accounting fraud is a global concern represe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2095 | 2096 | Doubly Stochastic Variational Inference for De... | Gaussian processes (GPs) are a good choice f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2096 | 2097 | Electric properties of carbon nano-onion/polya... | The complex electric modulus and the ac cond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2097 | 2098 | Uniform Rates of Convergence of Some Represent... | Uniform convergence rates are provided for a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2098 | 2099 | Predicting regional and pan-Arctic sea ice ano... | Predicting Arctic sea ice extent is a notori... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2099 | 2100 | Eigensolutions and spectral analysis of a mode... | Plasmids are autonomously replicating geneti... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2100 | 2101 | Large-sample approximations for variance-covar... | Distributional approximations of (bi--) line... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2101 | 2102 | Resilience: A Criterion for Learning in the Pr... | We introduce a criterion, resilience, which ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2102 | 2103 | Non-Euclidean geometry, nontrivial topology an... | Space out of a topological defect of the Abr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2103 | 2104 | Spatial risk measures and rate of spatial dive... | An accurate assessment of the risk of extrem... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2104 | 2105 | Double Homotopy (Co)Limits for Relative Catego... | We answer the question to what extent homoto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2105 | 2106 | Theory of ground states for classical Heisenbe... | We formulate part I of a rigorous theory of ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2106 | 2107 | A Pliable Index Coding Approach to Data Shuffling | A promising research area that has recently ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2107 | 2108 | The statistical challenge of constraining the ... | We use Monte Carlo simulations to explore th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2108 | 2109 | Spatial analysis of airborne laser scanning po... | With recent developments in remote sensing t... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2109 | 2110 | Analytic and arithmetic properties of the $(Γ,... | We consider the reproducing kernel function ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2110 | 2111 | Concentration of $1$-Lipschitz functions on ma... | In this paper, we consider a concentration o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2111 | 2112 | Simulated Annealing for JPEG Quantization | JPEG is one of the most widely used image fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2112 | 2113 | Greedy Strategy Works for Clustering with Outl... | We study the problems of clustering with out... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2113 | 2114 | All-but-the-Top: Simple and Effective Postproc... | Real-valued word representations have transf... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2114 | 2115 | Detecting Near Duplicates in Software Document... | Contemporary software documentation is as co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2115 | 2116 | L-Graphs and Monotone L-Graphs | In an $\mathsf{L}$-embedding of a graph, eac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2116 | 2117 | ZigZag: A new approach to adaptive online lear... | We develop a novel family of algorithms for ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2117 | 2118 | Comparing Rule-Based and Deep Learning Models ... | Objective: We investigate whether deep learn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2118 | 2119 | Jackknife multiplier bootstrap: finite sample ... | This paper is concerned with finite sample a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2119 | 2120 | On the universality of anomalous scaling expon... | All previous experiments in open turbulent f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2120 | 2121 | On the Heat Kernel and Weyl Anomaly of Schrödi... | We propose a method inspired from discrete l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2121 | 2122 | Tree-based networks: characterisations, metric... | Phylogenetic networks generalise phylogeneti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2122 | 2123 | Comparing People with Bibliometrics | Bibliometric indicators, citation counts and... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2123 | 2124 | Urban Dreams of Migrants: A Case Study of Migr... | Unprecedented human mobility has driven the ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2124 | 2125 | A computational method for estimating Burr XII... | Flexibility in shape and scale of Burr XII d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2125 | 2126 | Locally stationary spatio-temporal interpolati... | Argo floats measure seawater temperature and... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2126 | 2127 | Knowledge Reuse for Customization: Metamodels ... | Theories of knowledge reuse posit two distin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2127 | 2128 | Dynamic Rank Maximal Matchings | We consider the problem of matching applican... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2128 | 2129 | Early identification of important patents thro... | One of the most challenging problems in tech... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2129 | 2130 | Central limit theorem for the variable bandwid... | In this paper we study the ideal variable ba... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2130 | 2131 | Distance-to-Mean Continuous Conditional Random... | The increase of vehicle in highways may caus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2131 | 2132 | Submap-based Pose-graph Visual SLAM: A Robust ... | For VSLAM (Visual Simultaneous Localization ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2132 | 2133 | Partial and Total Dielectronic Recombination R... | Dielectronic recombination (DR) is the domin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2133 | 2134 | Congenial Causal Inference with Binary Structu... | Structural nested mean models (SNMMs) are am... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2134 | 2135 | Improving Search through A3C Reinforcement Lea... | We develop a reinforcement learning based se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2135 | 2136 | Eco-Routing based on a Data Driven Fuel Consum... | A nonparametric fuel consumption model is de... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2136 | 2137 | SuperSpike: Supervised learning in multi-layer... | A vast majority of computation in the brain ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2137 | 2138 | Distributions-oriented wind forecast verificat... | Winds from the North-West quadrant and lack ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2138 | 2139 | Mean Field Residual Networks: On the Edge of C... | We study randomly initialized residual netwo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2139 | 2140 | Automorphisms and deformations of conformally ... | We obtain a structure theorem for the group ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2140 | 2141 | Human-Level Intelligence or Animal-Like Abilit... | The vision systems of the eagle and the snak... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2141 | 2142 | Wembedder: Wikidata entity embedding web service | I present a web service for querying an embe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2142 | 2143 | Meta-Learning for Contextual Bandit Exploration | We describe MELEE, a meta-learning algorithm... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2143 | 2144 | Population polarization dynamics and next-gene... | We present a many-body theory that explains ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2144 | 2145 | Ride Sharing and Dynamic Networks Analysis | The potential of an efficient ride-sharing s... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2145 | 2146 | Gas Adsorption and Dynamics in Pillared Graphe... | Pillared Graphene Frameworks are a novel cla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2146 | 2147 | DepthSynth: Real-Time Realistic Synthetic Data... | Recent progress in computer vision has been ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2147 | 2148 | Short Laws for Finite Groups and Residual Fini... | We prove that for every $n \in \mathbb{N}$ a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2148 | 2149 | Majorana Spin Liquids, Topology and Supercondu... | We theoretically address spin chain analogs ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2149 | 2150 | Conditional Mean and Quantile Dependence Testi... | Motivated by applications in biological scie... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2150 | 2151 | Finding low-tension communities | Motivated by applications that arise in onli... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2151 | 2152 | Cohomology of the flag variety under PBW degen... | PBW degenerations are a particularly nice fa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2152 | 2153 | Exact MAP inference in general higher-order gr... | This paper is concerned with the problem of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2153 | 2154 | Dissolution of topological Fermi arcs in a dir... | Weyl semimetals (WSMs) have recently attract... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2154 | 2155 | Performance Improvement in Noisy Linear Consen... | We analyze performance of a class of time-de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2155 | 2156 | Use of First and Third Person Views for Deep I... | We explore the problem of intersection class... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2156 | 2157 | On the Liouville heat kernel for k-coarse MBRW... | We study the Liouville heat kernel (in the $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2157 | 2158 | Bounding the convergence time of local probabi... | Isoperimetric inequalities form a very intui... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2158 | 2159 | Excitable behaviors | This chapter revisits the concept of excitab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2159 | 2160 | Laplacian solitons: questions and homogeneous ... | We give the first examples of closed Laplaci... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2160 | 2161 | The Markoff Group of Transformations in Prime ... | The Markoff group of transformations is a gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2161 | 2162 | The equivariant index of twisted dirac operato... | Consider a spin manifold M, equipped with a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2162 | 2163 | Proportionally Representative Participatory Bu... | Participatory budgeting is one of the exciti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2163 | 2164 | The Arctic Ocean seasonal cycles of heat and f... | This paper presents the first estimate of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2164 | 2165 | Standard Zero-Free Regions for Rankin--Selberg... | We give a simple proof of a standard zero-fr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2165 | 2166 | Mass transfer in asymptotic-giant-branch binar... | Binary stars can interact via mass transfer ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2166 | 2167 | On polar relative normalizations of ruled surf... | This paper deals with skew ruled surfaces in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2167 | 2168 | Femtosecond X-ray Fourier holography imaging o... | Ultrafast X-ray imaging provides high resolu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2168 | 2169 | The Rank Effect | We decompose returns for portfolios of botto... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2169 | 2170 | The Generalized Label Correcting Method for Op... | Nearly all autonomous robotic systems use so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2170 | 2171 | Learning to Compose Task-Specific Tree Structures | For years, recursive neural networks (RvNNs)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2171 | 2172 | Navier-Stokes flow past a rigid body: attainab... | Consider the Navier-Stokes flow in 3-dimensi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2172 | 2173 | Flux cost functions and the choice of metaboli... | Metabolic fluxes in cells are governed by ph... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2173 | 2174 | Finding Archetypal Spaces for Data Using Neura... | Archetypal analysis is a type of factor anal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2174 | 2175 | Formally continuous functions on Baire space | A function from Baire space to the natural n... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2175 | 2176 | Universal Joint Image Clustering and Registrat... | We consider the problem of universal joint c... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2176 | 2177 | Quantitative statistical stability and speed o... | We consider a general relation between fixed... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2177 | 2178 | Minimax Rényi Redundancy | The redundancy for universal lossless compre... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2178 | 2179 | DeepArchitect: Automatically Designing and Tra... | In deep learning, performance is strongly af... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2179 | 2180 | Dynamical control of atoms with polarized bich... | We propose ultranarrow dynamical control of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2180 | 2181 | Cycle packings of the complete multigraph | Bryant, Horsley, Maenhaut and Smith recently... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2181 | 2182 | Statistical Inference for the Population Lands... | Modern statistical inference tasks often req... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2182 | 2183 | Super cavity solitons and the coexistence of m... | Passive Kerr cavities driven by coherent las... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2183 | 2184 | Twisting and Mixing | We present a framework that connects three i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2184 | 2185 | KeyVec: Key-semantics Preserving Document Repr... | Previous studies have demonstrated the empir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2185 | 2186 | Integer Factorization with a Neuromorphic Sieve | The bound to factor large integers is domina... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2186 | 2187 | Probabilistic Assessment of PV-Battery System ... | The increasing uptake of residential batteri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2187 | 2188 | Simulating Cellular Communications in Vehicula... | The evolution of cellular technologies towar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2188 | 2189 | AdaBatch: Adaptive Batch Sizes for Training De... | Training deep neural networks with Stochasti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2189 | 2190 | Extremely broadband ultralight thermally emiss... | We report the design, fabrication and charac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2190 | 2191 | Wright-Fisher diffusions for evolutionary game... | We investigate spatial evolutionary games wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2191 | 2192 | Quantized Compressed Sensing for Partial Rando... | We provide the first analysis of a non-trivi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2192 | 2193 | Optimal Scheduling of Multi-Energy Systems wit... | This paper proposes a detailed optimal sched... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2193 | 2194 | On the sharpness and the injective property of... | Justification Awareness Models, JAMs, were p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2194 | 2195 | AFT*: Integrating Active Learning and Transfer... | The splendid success of convolutional neural... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2195 | 2196 | Do triangle-free planar graphs have exponentia... | Thomassen conjectured that triangle-free pla... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2196 | 2197 | Smart TWAP trading in continuous-time equilibria | This paper presents a continuous-time equili... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2197 | 2198 | Self-sustained activity in balanced networks w... | The brain can display self-sustained activit... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2198 | 2199 | Fixed-Rank Approximation of a Positive-Semidef... | Several important applications, such as stre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2199 | 2200 | A New Perspective on Robust $M$-Estimation: Fi... | Heavy-tailed errors impair the accuracy of t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2200 | 2201 | On the incorporation of interval-valued fuzzy ... | In this paper we analyse the benefits of inc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2201 | 2202 | Characterization of Thermal Neutron Beam Monitors | Neutron beam monitors with high efficiency, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2202 | 2203 | Detecting Galaxy-Filament Alignments in the Sl... | Previous studies have shown the filamentary ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2203 | 2204 | Pandeia: A Multi-mission Exposure Time Calcula... | Pandeia is the exposure time calculator (ETC... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2204 | 2205 | The numbers of edges of 5-polytopes with a giv... | A basic combinatorial invariant of a convex ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2205 | 2206 | MapExif: an image scanning and mapping tool fo... | Recently, the integration of geographical co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2206 | 2207 | Fitch-Style Modal Lambda Calculi | Fitch-style modal deduction, in which modali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2207 | 2208 | Hot Stuff for One Year (HSOY) - A 583 million ... | Recently, the first installment of data from... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2208 | 2209 | Asymptotic behaviour of ground states for mixt... | We consider randomly distributed mixtures of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2209 | 2210 | Extended Reduced-Form Framework for Non-Life I... | In this paper we propose a general framework... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2210 | 2211 | Overview of Recent Studies and Design Changes ... | This paper will cover several studies and de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2211 | 2212 | Complete algebraic solution of multidimensiona... | We consider multidimensional optimization pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2212 | 2213 | Deep Learning on Attributed Graphs: A Journey ... | A graph is a powerful concept for representa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2213 | 2214 | Supermodular Optimization for Redundant Robot ... | This paper considers the assignment of multi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2214 | 2215 | Several classes of optimal ternary cyclic codes | Cyclic codes have efficient encoding and dec... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2215 | 2216 | $Σ$-pure-injective modules for string algebras... | We prove that indecomposable $\Sigma$-pure-i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2216 | 2217 | Continuous Optimization of Adaptive Quadtree S... | We present a novel continuous optimization m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2217 | 2218 | Machine Learning Meets Microeconomics: The Cas... | We provide a microeconomic framework for dec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2218 | 2219 | Structured Control Nets for Deep Reinforcement... | In recent years, Deep Reinforcement Learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2219 | 2220 | PAC Identification of Many Good Arms in Stocha... | We consider the problem of identifying any $... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2220 | 2221 | Collaborative Filtering using Denoising Auto-E... | Recommender systems (RS) help users navigate... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2221 | 2222 | Stein's Method for Stationary Distributions of... | We develop a new technique, based on Stein's... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2222 | 2223 | Enabling Multi-Source Neural Machine Translati... | In this paper, we propose a novel and elegan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2223 | 2224 | Risk-sensitive Inverse Reinforcement Learning ... | The literature on Inverse Reinforcement Lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2224 | 2225 | QRT maps and related Laurent systems | In recent work it was shown how recursive fa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2225 | 2226 | Model-based reinforcement learning in differen... | This paper seeks to combine differential gam... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2226 | 2227 | The depth of a finite simple group | We introduce the notion of the depth of a fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2227 | 2228 | TRAGALDABAS. First results on cosmic ray studi... | Cosmic rays originating from extraterrestria... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2228 | 2229 | Approximation of solutions of SDEs driven by a... | Our aim in this paper is to establish some s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2229 | 2230 | Smoothed GMM for quantile models | This paper develops theory for feasible esti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2230 | 2231 | Multi-district preference modelling | Generating realistic artificial preference d... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2231 | 2232 | Orientability of the moduli space of Spin(7)-i... | Let $(M,\Omega)$ be a closed $8$-dimensional... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2232 | 2233 | Neural Text Generation: A Practical Guide | Deep learning methods have recently achieved... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2233 | 2234 | Context Prediction for Unsupervised Deep Learn... | Point clouds provide a flexible and natural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2234 | 2235 | A core-set approach for distributed quadratic ... | A new challenge for learning algorithms in c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2235 | 2236 | On the Erasure Robustness Property of Random M... | The study of the restricted isometry propert... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2236 | 2237 | The Weighted Kendall and High-order Kernels fo... | We propose new positive definite kernels for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2237 | 2238 | Synchronizing automata and the language of min... | We study a connection between synchronizing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2238 | 2239 | Peephole: Predicting Network Performance Befor... | The quest for performant networks has been a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2239 | 2240 | Optimization Landscape and Expressivity of Dee... | We analyze the loss landscape and expressive... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2240 | 2241 | A new cosine series antialiasing function and ... | We formulated and implemented a procedure to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2241 | 2242 | Defining Equations of Nilpotent Orbits for Bor... | Let $G$ be a quasi-simple algebraic group de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2242 | 2243 | Quadratically Tight Relations for Randomized Q... | Let $f:\{0,1\}^n \rightarrow \{0,1\}$ be a B... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2243 | 2244 | Parabolic subgroup orbits on finite root systems | Oshima's Lemma describes the orbits of parab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2244 | 2245 | User Modelling for Avoiding Overfitting in Int... | In human-in-the-loop machine learning, the u... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2245 | 2246 | A note on the asymptotics of the modified Bess... | We employ the exponentially improved asympto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2246 | 2247 | Fair k-Center Clustering for Data Summarization | In data summarization we want to choose k pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2247 | 2248 | Advanced Bayesian Multilevel Modeling with the... | The brms package allows R users to easily sp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2248 | 2249 | $W$-entropy, super Perelman Ricci flows and $(... | In this paper, we prove the characterization... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2249 | 2250 | Stellar energetic particle ionization in proto... | Anomalies in the abundance measurements of s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2250 | 2251 | Extended Trust-Region Problems with One or Two... | We establish a geometric condition guarantee... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2251 | 2252 | Weighted batch means estimators in Markov chai... | This paper proposes a family of weighted bat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2252 | 2253 | Backpropagation through the Void: Optimizing c... | Gradient-based optimization is the foundatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2253 | 2254 | Truncation-free Hybrid Inference for DPMM | Dirichlet process mixture models (DPMM) are ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2254 | 2255 | Functors and morphisms determined by subcatego... | We study the existence and uniqueness of min... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2255 | 2256 | Collective Effects in Nanolasers Explained by ... | We study the stationary photon output and st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2256 | 2257 | The Risk of Machine Learning | Many applied settings in empirical economics... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2257 | 2258 | Agatha: disentangling periodic signals from co... | Periodograms are used as a key significance ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2258 | 2259 | A Probabilistic Disease Progression Model for ... | In this work, we consider the problem of pre... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2259 | 2260 | On the generation of the quarks through sponta... | In this paper we present the state of the ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2260 | 2261 | Distributed Holistic Clustering on Linked Data | Link discovery is an active field of researc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2261 | 2262 | A branch-and-bound algorithm for the minimum r... | The minimum $k$-enclosing ball problem seeks... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2262 | 2263 | Dependency Parsing with Dilated Iterated Graph... | Dependency parses are an effective way to in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2263 | 2264 | Motion Planning in Irreducible Path Spaces | The motion of a mechanical system can be def... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2264 | 2265 | Learning Neural Networks with Two Nonlinear La... | We give a polynomial-time algorithm for lear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2265 | 2266 | Sample-Derived Disjunctive Rules for Secure Po... | Machine learning techniques have been used i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2266 | 2267 | Satellite altimetry reveals spatial patterns o... | The main properties of the climate of waves ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2267 | 2268 | Estimation of Covariance Matrices for Portfoli... | Estimating covariances between financial ass... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2268 | 2269 | Zeeman interaction and Jahn-Teller effect in $... | We present a thorough analysis of the interp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2269 | 2270 | Measuring the Declared SDK Versions and Their ... | Android has been the most popular smartphone... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2270 | 2271 | The Design and Implementation of Modern Online... | This paper presents a framework for the impl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2271 | 2272 | Emergence of a spectral gap in a class of rand... | Motivated by the intriguing behavior display... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2272 | 2273 | Helping News Editors Write Better Headlines: A... | We present a software tool that employs stat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2273 | 2274 | ParaGraphE: A Library for Parallel Knowledge G... | Knowledge graph embedding aims at translatin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2274 | 2275 | The Globular Cluster - Dark Matter Halo Connec... | I present a simple phenomenological model fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2275 | 2276 | NullHop: A Flexible Convolutional Neural Netwo... | Convolutional neural networks (CNNs) have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2276 | 2277 | Platooning in the Presence of a Speed Drop: A ... | The positive impacts of platooning on travel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2277 | 2278 | Koszul duality for Lie algebroids | This paper studies the role of dg-Lie algebr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2278 | 2279 | Semi-Semantic Line-Cluster Assisted Monocular ... | This paper presents a novel method to reduce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2279 | 2280 | Direct visualization of vortex ice in a nanost... | Artificial ice systems have unique physical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2280 | 2281 | Statistical Mechanics of Node-perturbation Lea... | Node-perturbation learning is a type of stat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2281 | 2282 | New Generalized Fixed Point Results on $S_{b}$... | Recently $S_{b}$-metric spaces have been int... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2282 | 2283 | A Decentralized Optimization Framework for Ene... | Designing decentralized policies for wireles... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2283 | 2284 | Inf-sup stable finite-element methods for the ... | In this paper we propose and analyze a finit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2284 | 2285 | Power Control and Relay Selection in Full-Dupl... | This paper investigates power control and re... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2285 | 2286 | Ternary and $n$-ary $f$-distributive Structures | We introduce and study ternary $f$-distribut... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2286 | 2287 | Deformations of infinite-dimensional Lie algeb... | The important unsolved problem in theory of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2287 | 2288 | Tunable high-harmonic generation by chromatic ... | In this work we study the impact of chromati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2288 | 2289 | Gate Switchable Transport and Optical Anisotro... | Anisotropy describes the directional depende... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2289 | 2290 | MM Algorithms for Variance Component Estimatio... | Logistic linear mixed model is widely used i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2290 | 2291 | Settling the query complexity of non-adaptive ... | We prove that any non-adaptive algorithm tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2291 | 2292 | Investigation of Language Understanding Impact... | Language understanding is a key component in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2292 | 2293 | String stability and a delay-based spacing pol... | A novel delay-based spacing policy for the c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2293 | 2294 | Reidemeister spectra for solvmanifolds in low ... | The Reidemeister number of an endomorphism o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2294 | 2295 | Cross-layer Optimization for Ultra-reliable an... | In this paper, we propose a framework for cr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2295 | 2296 | Network Inference via the Time-Varying Graphic... | Many important problems can be modeled as a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2296 | 2297 | Construction of dynamical semigroups by a func... | A functional version of the Kato one-paramet... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2297 | 2298 | Visual Reasoning with Multi-hop Feature Modula... | Recent breakthroughs in computer vision and ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2298 | 2299 | Behavioral-clinical phenotyping with type 2 di... | Objective: To evaluate unsupervised clusteri... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2299 | 2300 | Ultrahigh capacitive energy storage in highly ... | We report structural, optical, temperature a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2300 | 2301 | Hermitian-Yang-Mills connections on collapsing... | Let $X\rightarrow {\mathbb P}^1$ be an ellip... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2301 | 2302 | Highly Efficient Human Action Recognition with... | In this paper we propose the use of quantum ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2302 | 2303 | The Game Imitation: Deep Supervised Convolutio... | We present a vision-only model for gaming AI... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2303 | 2304 | Differential relations for almost Belyi maps | Several kinds of differential relations for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2304 | 2305 | Non-commutative holomorphic semicocycles | This paper studies holomorphic semicocycles ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2305 | 2306 | Comparative Study of Virtual Machines and Cont... | In this work, we plan to develop a system to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2306 | 2307 | Developmental tendencies in the Academic Field... | The emergence of intellectual property as an... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2307 | 2308 | Periodic fourth-order cubic NLS: Local well-po... | In this paper, we consider the cubic fourth-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2308 | 2309 | Feature Learning for Meta-Paths in Knowledge G... | In this thesis, we study the problem of feat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2309 | 2310 | Closed-Form Exact Inverses of the Weakly Singu... | We introduce new boundary integral operators... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2310 | 2311 | Focus on Imaging Methods in Granular Physics | Granular materials are complex multi-particl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2311 | 2312 | The Stochastic Matching Problem: Beating Half ... | In the stochastic matching problem, we are g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2312 | 2313 | Measuring the unmeasurable - a project of dome... | The prevention of domestic violence (DV) hav... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2313 | 2314 | Attaining Capacity with Algebraic Geometry Cod... | In this paper we show how to attain the capa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2314 | 2315 | Embedded real-time monitoring using SystemC in... | Avionics is one kind of domain where prevent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2315 | 2316 | One pixel attack for fooling deep neural networks | Recent research has revealed that the output... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2316 | 2317 | A computer simulation of the Volga River hydro... | We investigate of a special dam optimal loca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2317 | 2318 | Multi-proton bunch driven hollow plasma wakefi... | Proton-driven plasma wakefield acceleration ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2318 | 2319 | Self corrective Perturbations for Semantic Seg... | Convolutional Neural Networks have been a su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2319 | 2320 | Large-Scale Mapping of Human Activity using Ge... | This paper is the first work to perform spat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2320 | 2321 | Structure of a Parabolic Partial Differential ... | This paper studies the structure of a parabo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2321 | 2322 | GCN-GAN: A Non-linear Temporal Link Prediction... | In this paper, we generally formulate the dy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2322 | 2323 | Efficient Exact and Approximate Algorithms for... | Graphs are an important tool to model data i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2323 | 2324 | A multi-instrument non-parametric reconstructi... | Context: In the past decade, sensitive, reso... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2324 | 2325 | Recognizing Union-Find trees built up using un... | Disjoint-Set forests, consisting of Union-Fi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2325 | 2326 | A Competitive Algorithm for Online Multi-Robot... | In this paper, we study the problem of explo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2326 | 2327 | Warped Riemannian metrics for location-scale m... | The present paper shows that warped Riemanni... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2327 | 2328 | Admissibility of solution estimators for stoch... | We look at stochastic optimization problems ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2328 | 2329 | Min-Max Regret Scheduling To Minimize the Tota... | We study the single machine scheduling probl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2329 | 2330 | Correcting rural building annotations in OpenS... | Rural building mapping is paramount to suppo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2330 | 2331 | Closed-form Harmonic Contrast Control with Sur... | The problem of suppressing the scattering fr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2331 | 2332 | Numerical methods to prevent pressure oscillat... | The accurate and robust simulation of transc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2332 | 2333 | Shape Convergence for Aggregate Tiles in Confo... | Given a substitution tiling $T$ of the plane... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2333 | 2334 | Performance and sensitivity of vortex coronagr... | The detection of molecular species in the at... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2334 | 2335 | Classical Spacetime Structure | I discuss several issues related to "classic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2335 | 2336 | Fractal curves from prime trigonometric series | We study the convergence of the parameter fa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2336 | 2337 | Facets on the convex hull of $d$-dimensional B... | For stationary, homogeneous Markov processes... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2337 | 2338 | Local systems on complements of arrangements o... | We consider smooth, complex quasi-projective... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2338 | 2339 | Some Open Problems in Random Matrix Theory and... | We describe a list of open problems in rando... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2339 | 2340 | A semi-parametric estimation for max-mixture s... | We proposed a semi-parametric estimation pro... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2340 | 2341 | Spectroscopic Observation and Analysis of HII ... | The spectra of 413 star-forming (or HII) reg... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2341 | 2342 | Output-only parameter identification of a colo... | The problem of output-only parameter identif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2342 | 2343 | Deep learning to achieve clinically applicable... | Over half a million individuals are diagnose... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2343 | 2344 | Anomaly Detection in Hierarchical Data Streams... | We consider the problem of detecting a few t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2344 | 2345 | Intelligent Parameter Tuning in Optimization-b... | A number of image-processing problems can be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2345 | 2346 | Adversarial Examples that Fool Detectors | An adversarial example is an example that ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2346 | 2347 | FLUX: Progressive State Estimation Based on Za... | We propose a homotopy continuation method ca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2347 | 2348 | Direct and mediating influences of user-develo... | User participation is considered an effectiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2348 | 2349 | Equivariant Schrödinger maps from two dimensio... | In this article, we consider the equivariant... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2349 | 2350 | A fast numerical method for ideal fluid flow i... | A collection of arbitrarily-shaped solid obj... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2350 | 2351 | A Short Survey on Probabilistic Reinforcement ... | A reinforcement learning agent tries to maxi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2351 | 2352 | Modification of low-temperature silicon dioxid... | The structure, composition and electrophysic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2352 | 2353 | GelSlim: A High-Resolution, Compact, Robust, a... | This work describes the development of a hig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2353 | 2354 | The Muon g-2 experiment at Fermilab | The upcoming Fermilab E989 experiment will m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2354 | 2355 | Ringel duality as an instance of Koszul duality | In their previous work, S. Koenig, S. Ovsien... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2355 | 2356 | Bypass Fraud Detection: Artificial Intelligenc... | Telecom companies are severely damaged by by... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2356 | 2357 | Absence of cyclotron resonance in the anomalou... | It is observed that many thin superconductin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2357 | 2358 | Scenario Reduction Revisited: Fundamental Limi... | The goal of scenario reduction is to approxi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2358 | 2359 | Testing the science/technology relationship by... | The relationship of scientific knowledge dev... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2359 | 2360 | The Informativeness of $k$-Means and Dimension... | The learning of mixture models can be viewed... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2360 | 2361 | A Mention-Ranking Model for Abstract Anaphora ... | Resolving abstract anaphora is an important,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2361 | 2362 | Harmonic density interpolation methods for hig... | We present an effective harmonic density int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2362 | 2363 | Stochastic Low-Rank Bandits | Many problems in computer vision and recomme... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2363 | 2364 | Temporal resolution of a pre-maximum halt in a... | Classical novae show a rapid rise in optical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2364 | 2365 | The Thermophysical Properties of the Bagnold D... | In this work, we compare the thermophysical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2365 | 2366 | Entrywise Eigenvector Analysis of Random Matri... | Recovering low-rank structures via eigenvect... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2366 | 2367 | Algorithmic Trading with Fitted Q Iteration an... | We present the use of the fitted Q iteration... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2367 | 2368 | Superrigidity of actions on finite rank median... | Finite rank median spaces are a simultaneous... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2368 | 2369 | Detecting and Explaining Causes From Text For ... | Explaining underlying causes or effects abou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2369 | 2370 | Mailbox Types for Unordered Interactions | We propose a type system for reasoning on pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2370 | 2371 | The Complexity of Counting Surjective Homomorp... | A homomorphism from a graph G to a graph H i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2371 | 2372 | A recursive algorithm and a series expansion r... | We consider the spatially homogeneous Boltzm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2372 | 2373 | Periodic auxetics: Structure and design | Materials science has adopted the term of au... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2373 | 2374 | Asymptotics of maximum likelihood estimation f... | Asymptotics of maximum likelihood estimation... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2374 | 2375 | Enabling Massive Deep Neural Networks with the... | Deep Neural Networks (DNNs) have emerged as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2375 | 2376 | Univariate and Bivariate Geometric Discrete Ge... | Marshall and Olkin (1997, Biometrika, 84, 64... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2376 | 2377 | What Can Machine Learning Teach Us about Commu... | Rapid improvements in machine learning over ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2377 | 2378 | Global stability of a network-based SIRS epide... | This paper studies the dynamics of a network... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2378 | 2379 | Slicewise definability in first-order logic wi... | For every $q\in \mathbb N$ let $\textrm{FO}_... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2379 | 2380 | The efficiency of community detection by most ... | Community analysis is an important way to as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2380 | 2381 | Composite Adaptive Control for Bilateral Teleo... | Composite adaptive control schemes, which us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2381 | 2382 | Infinitely many periodic orbits just above the... | We introduce a new critical value $c_\infty(... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2382 | 2383 | Decentralized Random Walk-Based Data Collectio... | We analyze a decentralized random walk-based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2383 | 2384 | The Fan Region at 1.5 GHz. I: Polarized synchr... | The Fan Region is one of the dominant featur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2384 | 2385 | The redshift distribution of cosmological samp... | Determining the redshift distribution $n(z)$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2385 | 2386 | DeepCodec: Adaptive Sensing and Recovery via D... | In this paper we develop a novel computation... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2386 | 2387 | Robotic frameworks, architectures and middlewa... | Nowadays, the construction of a complex robo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2387 | 2388 | Analysis of equivalence relation in joint spar... | The joint sparse recovery problem is a gener... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2388 | 2389 | The Stochastic Firefighter Problem | The dynamics of infectious diseases spread i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2389 | 2390 | The phase space structure of the oligopoly dyn... | We investigate the dynamical complexity of C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2390 | 2391 | Generalizations of the 'Linear Chain Trick': I... | Mathematical modelers have long known of a "... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2391 | 2392 | Life and work of Egbert Brieskorn (1936 - 2013) | Egbert Brieskorn died on July 11, 2013, a fe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2392 | 2393 | Resource Allocation for a Full-Duplex Base Sta... | Exploiting full-duplex (FD) technology on ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2393 | 2394 | Combining Neural Networks and Tree Search for ... | We consider task and motion planning in comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2394 | 2395 | BT-Nets: Simplifying Deep Neural Networks via ... | Recently, deep neural networks (DNNs) have b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2395 | 2396 | Resampling Strategy in Sequential Monte Carlo ... | Sequential Monte Carlo (SMC) methods are a c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2396 | 2397 | Transverse Shift in Andreev Reflection | An incoming electron is reflected back as a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2397 | 2398 | Production of Entanglement Entropy by Decoherence | We examine the dynamics of entanglement entr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2398 | 2399 | Aggressive Economic Incentives and Physical Ac... | Aggressive incentive schemes that allow indi... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2399 | 2400 | Dynamics of resonances and equilibria of Low E... | The nearby space surrounding the Earth is de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2400 | 2401 | Nonequilibrium photonic transport and phase tr... | We characterize photonic transport in a boun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2401 | 2402 | The Unusual Effectiveness of Averaging in GAN ... | We show empirically that the optimal strateg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2402 | 2403 | A null test of General Relativity: New limits ... | We compare the long-term fractional frequenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2403 | 2404 | Stellarator bootstrap current and plasma flow ... | The bootstrap current and flow velocity of a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2404 | 2405 | SG1120-1202: Mass-Quenching as Tracked by UV E... | We use the Hubble Space Telescope to obtain ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2405 | 2406 | Dynamical patterns in individual trajectories ... | Society faces a fundamental global problem o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2406 | 2407 | Convergence rate bounds for a proximal ADMM wi... | This paper establishes convergence rate boun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2407 | 2408 | Detection, Recognition and Tracking of Moving ... | In this paper, we address the basic problem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2408 | 2409 | Microfluidics for Chemical Synthesis: Flow Che... | Klavs F. Jensen is Warren K. Lewis Professor... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2409 | 2410 | Global Sensitivity Analysis of High Dimensiona... | The complexity and size of state-of-the-art ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2410 | 2411 | Few new reals | We introduce a new method for building model... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2411 | 2412 | Boundary Hamiltonian theory for gapped topolog... | In this paper we propose a Hamiltonian appro... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2412 | 2413 | Fast Inverse Nonlinear Fourier Transformation ... | This paper considers the non-Hermitian Zakha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2413 | 2414 | Propagation in media as a probe for topologica... | The central goal of this thesis is to develo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2414 | 2415 | Leverage Score Sampling for Faster Accelerated... | Given a matrix $\mathbf{A}\in\mathbb{R}^{n\t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2415 | 2416 | SOTER: Programming Safe Robotics System using ... | Autonomous robots increasingly depend on thi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2416 | 2417 | On the Evaluation of Silicon Photomultipliers ... | Silicon photomultipliers (SiPMs) are potenti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2417 | 2418 | Reconsidering Experiments | Experiments may not reveal their full import... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2418 | 2419 | Streaming Kernel PCA with $\tilde{O}(\sqrt{n})... | We study the statistical and computational a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2419 | 2420 | Universal Protocols for Information Disseminat... | We consider a population of $n$ agents which... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2420 | 2421 | A note on species realizations and nondegenera... | In this note we show that a mutation theory ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2421 | 2422 | A Unified Stochastic Formulation of Dissipativ... | We use the "generalized hierarchical equatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2422 | 2423 | Vortex states and spin textures of rotating sp... | We consider the ground-state properties of R... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2423 | 2424 | Semi-Global Weighted Least Squares in Image Fi... | Solving the global method of Weighted Least ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2424 | 2425 | Universal elliptic Gauß sums for Atkin primes ... | This work builds on earlier results. We defi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2425 | 2426 | Deep Residual Networks and Weight Initialization | Residual Network (ResNet) is the state-of-th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2426 | 2427 | Wavelet graphs for the direct detection of gra... | A second generation of gravitational wave de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2427 | 2428 | A Survey on Hypergraph Products (Erratum) | A surprising diversity of different products... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2428 | 2429 | One- and two-channel Kondo model with logarith... | Simple scaling consideration and NRG solutio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2429 | 2430 | A deep Convolutional Neural Network for topolo... | This paper proposes a deep Convolutional Neu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2430 | 2431 | Focused Hierarchical RNNs for Conditional Sequ... | Recurrent Neural Networks (RNNs) with attent... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2431 | 2432 | The Faraday room of the CUORE Experiment | The paper describes the Faraday room that sh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2432 | 2433 | Simulations and measurements of the impact of ... | We describe a benchmark study of collective ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2433 | 2434 | Estimation of the asymptotic variance of univa... | Correlated random fields are a common way to... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2434 | 2435 | Ensembles of Multiple Models and Architectures... | Deep learning approaches such as convolution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2435 | 2436 | Estimating Phase Duration for SPaT Messages | A SPaT (Signal Phase and Timing) message des... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2436 | 2437 | Efficient Spatial Variation Characterization v... | In this paper, we propose a novel method to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2437 | 2438 | TS-MPC for Autonomous Vehicles including a dyn... | In this work, a novel approach is presented ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2438 | 2439 | Flexibility Analysis for Smart Grid Demand Res... | Flexibility is a key enabler for the smart g... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2439 | 2440 | Duluth at SemEval-2017 Task 6: Language Models... | This paper describes the Duluth system that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2440 | 2441 | Classification of grasping tasks based on EEG-... | This work presents an innovative application... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2441 | 2442 | Kepler sheds new and unprecedented light on th... | Stellar evolution models are most uncertain ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2442 | 2443 | Complexity of short Presburger arithmetic | We study complexity of short sentences in Pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2443 | 2444 | Deep neural network based speech separation op... | Mean square error (MSE) has been the preferr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2444 | 2445 | Characterization and control of linear couplin... | We introduce a new application of measuring ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2445 | 2446 | Adaptive Inferential Method for Monotone Graph... | We consider the problem of undirected graphi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2446 | 2447 | High-dose-rate prostate brachytherapy inverse ... | High-dose-rate brachytherapy is a tumor trea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2447 | 2448 | Scaling the Scattering Transform: Deep Hybrid ... | We use the scattering network as a generic a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2448 | 2449 | Methodological variations in lagged regression... | We studied how lagged linear regression can ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2449 | 2450 | Leontief Meets Shannon - Measuring the Complex... | We develop a complexity measure for large-sc... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2450 | 2451 | Exploring nucleon spin structure through neutr... | The net contribution of the strange quark sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2451 | 2452 | A unimodular Liouville hyperbolic souvlaki ---... | Carmesin, Federici, and Georgakopoulos [arXi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2452 | 2453 | Comparison Based Nearest Neighbor Search | We consider machine learning in a comparison... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2453 | 2454 | LSTM Networks for Data-Aware Remaining Time Pr... | Predicting the completion time of business p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2454 | 2455 | Message-passing algorithm of quantum annealing... | Quantum annealing (QA) is a generic method f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2455 | 2456 | RLE Plots: Visualising Unwanted Variation in H... | Unwanted variation can be highly problematic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2456 | 2457 | ALMA Observations of Gas-Rich Galaxies in z~1.... | We present ALMA CO (2-1) detections in 11 ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2457 | 2458 | CardiacNET: Segmentation of Left Atrium and Pr... | Anatomical and biophysical modeling of left ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2458 | 2459 | Comparison of Polynomial Chaos and Gaussian Pr... | Data assimilation is widely used to improve ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2459 | 2460 | Thermal Sunyaev-Zel'dovich effect in the inter... | The presence of ubiquitous magnetic fields i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2460 | 2461 | One-dimensional model of chiral fermions with ... | We study a model of two species of one-dimen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2461 | 2462 | A lower bound on the positive semidefinite ran... | The positive semidefinite rank of a convex b... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2462 | 2463 | Klt varieties with trivial canonical class - H... | We investigate the holonomy group of singula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2463 | 2464 | Selective Classification for Deep Neural Networks | Selective classification techniques (also kn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2464 | 2465 | Crowdsourcing Ground Truth for Medical Relatio... | Cognitive computing systems require human la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2465 | 2466 | Chaotic laser based physical random bit stream... | We demonstrate a random bit streaming system... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2466 | 2467 | Observation of Intrinsic Half-metallic Behavio... | We have investigated the electronic states a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2467 | 2468 | Development and Characterisation of a Gas Syst... | A quality assurance and performance qualific... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2468 | 2469 | Convergence of extreme value statistics in a t... | We search for the signature of universal pro... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2469 | 2470 | A deep search for metals near redshift 7: the ... | We present a search for metal absorption lin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2470 | 2471 | Energy-Performance Trade-offs in Mobile Data T... | By year 2020, the number of smartphone users... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2471 | 2472 | A stability result on optimal Skorokhod embedding | Motivated by the model- independent pricing ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2472 | 2473 | On Symmetric Losses for Learning from Corrupte... | This paper aims to provide a better understa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2473 | 2474 | Phase matched nonlinear optics via patterning ... | The ease of integration coupled with large s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2474 | 2475 | Any cyclic quadrilateral can be inscribed in a... | We prove that any cyclic quadrilateral can b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2475 | 2476 | A finite Q-bad space | We prove that for a free noncyclic group $F$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2476 | 2477 | On Blocking Collisions between People, Objects... | Intentional or unintentional contacts are bo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2477 | 2478 | Increasing Papers' Discoverability with Precis... | The number of published findings in biomedic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2478 | 2479 | On topological obstructions to global stabiliz... | We consider a classical problem of control o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2479 | 2480 | Automated Refactoring: Can They Pass The Turin... | Refactoring is a maintenance activity that a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2480 | 2481 | Free fermions on a piecewise linear four-manif... | This is the second in a series of papers whe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2481 | 2482 | Scalable Metropolis-Hastings for Exact Bayesia... | Bayesian inference via standard Markov Chain... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2482 | 2483 | Regularization of the Kernel Matrix via Covari... | The kernel trick concept, formulated as an i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2483 | 2484 | Fixing an error in Caponnetto and de Vito (2007) | The seminal paper of Caponnetto and de Vito ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2484 | 2485 | Supervised Typing of Big Graphs using Semantic... | We propose a supervised algorithm for genera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2485 | 2486 | Flexible Attributed Network Embedding | Network embedding aims to find a way to enco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2486 | 2487 | Attention Please: Consider Mockito when Evalua... | Automated program repair (APR) has attracted... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2487 | 2488 | Communication Modalities for Supervised Teleop... | This study tries to explain the connection b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2488 | 2489 | Learning in anonymous nonatomic games with app... | We introduce a model of anonymous games with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2489 | 2490 | Asynchronous Accelerated Proximal Stochastic G... | In this work, we study the problem of minimi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2490 | 2491 | Intermediate curvatures and highly connected m... | We show that after forming a connected sum w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2491 | 2492 | Structured Differential Learning for Automatic... | We introduce a technique that can automatica... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2492 | 2493 | A new fractional derivative of variable order ... | In this paper, we introduce two new non-sing... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2493 | 2494 | Safe Semi-Supervised Learning of Sum-Product N... | In several domains obtaining class annotatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2494 | 2495 | A Structured Approach to the Analysis of Remot... | The number of studies for the analysis of re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2495 | 2496 | Approximations of the Restless Bandit Problem | The multi-armed restless bandit problem is s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2496 | 2497 | Iteratively reweighted $\ell_1$ algorithms wit... | Iteratively reweighted $\ell_1$ algorithm is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2497 | 2498 | Automatic generation of analysis class diagram... | In object oriented software development, the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2498 | 2499 | Deep Learning in Pharmacogenomics: From Gene R... | This Perspective provides examples of curren... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2499 | 2500 | Virtual Crystals and Nakajima Monomials | An explicit description of the virtualizatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2500 | 2501 | Memory effects, transient growth, and wave bre... | The mechanisms underlying cardiac fibrillati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2501 | 2502 | An Analysis of the Value of Information when E... | In this paper, we propose an information-the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2502 | 2503 | Probabilistic Generative Adversarial Networks | We introduce the Probabilistic Generative Ad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2503 | 2504 | Model comparison for Gibbs random fields using... | The reversible jump Markov chain Monte Carlo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2504 | 2505 | Functorial compactification of linear spaces | We define compactifications of vector spaces... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2505 | 2506 | Almost complex structures on connected sums of... | We show that the m-fold connected sum $m\#\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2506 | 2507 | Raman Scattering by a Two-Dimensional Fermi Li... | We present a microscopic theory of Raman sca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2507 | 2508 | Nearly Optimal Robust Subspace Tracking | In this work, we study the robust subspace t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2508 | 2509 | The Authority of "Fair" in Machine Learning | In this paper, we argue for the adoption of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2509 | 2510 | The Social Bow Tie | Understanding tie strength in social network... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2510 | 2511 | Response Regimes in Equivalent Mechanical Mode... | The paper considers non-stationary responses... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2511 | 2512 | Opinion evolution in time-varying social influ... | Investigation of social influence dynamics r... | 1 | 1 | 1 | 0 | 0 | 0 |
| 2512 | 2513 | k*-Nearest Neighbors: From Global to Local | The weighted k-nearest neighbors algorithm i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2513 | 2514 | Network Slicing for Ultra-Reliable Low Latency... | An important novelty of 5G is its role in tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2514 | 2515 | Markov Decision Processes with Continuous Side... | We consider a reinforcement learning (RL) se... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2515 | 2516 | Nonlinear stage of Benjamin-Feir instability i... | We study a three-wave truncation of a recent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2516 | 2517 | Computational Thinking in Patch | With the future likely to see even more perv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2517 | 2518 | Skoda's Ideal Generation from Vanishing Theore... | Skoda's 1972 result on ideal generation is a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2518 | 2519 | Computing Nonvacuous Generalization Bounds for... | One of the defining properties of deep learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2519 | 2520 | Method for Computationally Efficient Design of... | Dielectric microstructures have generated mu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2520 | 2521 | Computing and Using Minimal Polynomials | Given a zero-dimensional ideal I in a polyno... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2521 | 2522 | DiVM: Model Checking with LLVM and Graph Memory | In this paper, we introduce the concept of a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2522 | 2523 | Uhlenbeck's decomposition in Sobolev and Morre... | We present a self-contained proof of Uhlenbe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2523 | 2524 | Making Asynchronous Distributed Computations R... | We consider the problem of making distribute... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2524 | 2525 | Justifications in Constraint Handling Rules fo... | We present a straightforward source-to-sourc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2525 | 2526 | Bose-Hubbard lattice as a controllable environ... | We investigate the open dynamics of an atomi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2526 | 2527 | Semi-decidable equivalence relations obtained ... | Composition and lattice join (transitive clo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2527 | 2528 | ClipAudit: A Simple Risk-Limiting Post-Electio... | We propose a simple risk-limiting audit for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2528 | 2529 | LCA(2), Weil index, and product formula | In this paper we study the category LCA(2) o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2529 | 2530 | A Dichotomy for Sampling Barrier-Crossing Even... | We study how to sample paths of a random wal... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2530 | 2531 | Crawling migration under chemical signalling: ... | Cell migration is a fundamental process invo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2531 | 2532 | Towards a Deeper Understanding of Adversarial ... | Recent work has proposed various adversarial... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2532 | 2533 | Transit Visibility Zones of the Solar System P... | The detection of thousands of extrasolar pla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2533 | 2534 | Nearest-neighbour Markov point processes on gr... | We define nearest-neighbour point processes ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2534 | 2535 | A Hierarchical Bayesian Linear Regression Mode... | One of the challenges in model-based control... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2535 | 2536 | Multitask Learning and Benchmarking with Clini... | Health care is one of the most exciting fron... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2536 | 2537 | Essentially Finite Vector Bundles on Normal Ps... | Let $X$ be a normal, connected and projectiv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2537 | 2538 | Fluid flow across a wavy channel brought in co... | A pressure driven flow in contact interface ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2538 | 2539 | Species tree estimation using ASTRAL: how many... | Species tree reconstruction from genomic dat... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2539 | 2540 | Two weight Commutators in the Dirichlet and Ne... | In this paper we establish the characterizat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2540 | 2541 | Schoenberg Representations and Gramian Matrice... | We represent Matérn functions in terms of Sc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2541 | 2542 | A generalization of the Hasse-Witt matrix of a... | The Hasse-Witt matrix of a hypersurface in $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2542 | 2543 | Few-Shot Learning with Graph Neural Networks | We propose to study the problem of few-shot ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2543 | 2544 | High-precision measurement of the proton's ato... | We report on the precise measurement of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2544 | 2545 | Prospects of detecting HI using redshifted 21 ... | Distribution of cold gas in the post-reioniz... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2545 | 2546 | Unconditional bases of subspaces related to no... | Assume that $T$ is a self-adjoint operator o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2546 | 2547 | Centralities of Nodes and Influences of Layers... | We formulate and propose an algorithm (Multi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2547 | 2548 | Twofold triple systems with cyclic 2-intersect... | Given a combinatorial design $\mathcal{D}$ w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2548 | 2549 | Consequences of Unhappiness While Developing S... | The growing literature on affect among softw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2549 | 2550 | Typesafe Abstractions for Tensor Operations | We propose a typesafe abstraction to tensors... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2550 | 2551 | Structurally Sparsified Backward Propagation f... | Exploiting sparsity enables hardware systems... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2551 | 2552 | Linear density-based clustering with a discret... | Density-based clustering techniques are used... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2552 | 2553 | An inexact subsampled proximal Newton-type met... | We propose a fast proximal Newton-type algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2553 | 2554 | Future Energy Consumption Prediction Based on ... | We use grey forecast model to predict the fu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2554 | 2555 | AutoPass: An Automatic Password Generator | Text password has long been the dominant use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2555 | 2556 | A Practically Competitive and Provably Consist... | Randomized experiments have been critical to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2556 | 2557 | The cosmic shoreline: the evidence that escape... | The planets of the Solar System divide neatl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2557 | 2558 | Universal kinetics for engagement of mechanose... | When plated onto substrates, cell morphology... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2558 | 2559 | Agent-based computing from multi-agent systems... | Agent-Based Computing is a diverse research ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2559 | 2560 | Large Spontaneous Hall Effects in Chiral Topol... | As novel topological phases in correlated el... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2560 | 2561 | Mott metal-insulator transition in the Doped H... | Motivated by the current interest in the und... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2561 | 2562 | ASDA : Analyseur Syntaxique du Dialecte Alg{é}... | Opinion mining and sentiment analysis in soc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2562 | 2563 | Latent Intention Dialogue Models | Developing a dialogue agent that is capable ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2563 | 2564 | Quasiconvex elastodynamics: weak-strong unique... | A weak-strong uniqueness result is proved fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2564 | 2565 | Accelerated Dual Learning by Homotopic Initial... | Gradient descent and coordinate descent are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2565 | 2566 | Inverse Reinforcement Learning from Summary Data | Inverse reinforcement learning (IRL) aims to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2566 | 2567 | Algorithm for Optimization and Interpolation b... | On one hand, consider the problem of finding... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2567 | 2568 | Human experts vs. machines in taxa recognition | The step of expert taxa recognition currentl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2568 | 2569 | A micrometer-thick oxide film with high thermo... | Thermoelectric (TE) materials achieve locali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2569 | 2570 | MIT at SemEval-2017 Task 10: Relation Extracti... | Over 50 million scholarly articles have been... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2570 | 2571 | Maximizing acquisition functions for Bayesian ... | Bayesian optimization is a sample-efficient ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2571 | 2572 | Angular momentum evolution of galaxies over th... | We present a MUSE and KMOS dynamical study 4... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2572 | 2573 | Iterative Object and Part Transfer for Fine-Gr... | The aim of fine-grained recognition is to id... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2573 | 2574 | On measures of edge-uncolorability of cubic gr... | There are many hard conjectures in graph the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2574 | 2575 | Gas around galaxy haloes - III: hydrogen absor... | Modern theories of galaxy formation predict ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2575 | 2576 | Distributed Newton Methods for Deep Neural Net... | Deep learning involves a difficult non-conve... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2576 | 2577 | Personalized advice for enhancing well-being u... | The attention for personalized mental health... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2577 | 2578 | Being Robust (in High Dimensions) Can Be Pract... | Robust estimation is much more challenging i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2578 | 2579 | Properties of In-Plane Graphene/MoS2 Heterojun... | The graphene/MoS2 heterojunction formed by j... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2579 | 2580 | Semi-extraspecial groups with an abelian subgr... | Let $p$ be a prime. A $p$-group $G$ is defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2580 | 2581 | Genetic and Memetic Algorithm with Diversity E... | The lack of diversity in a genetic algorithm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2581 | 2582 | Determinants of Mobile Money Adoption in Pakistan | In this work, we analyze the problem of adop... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2582 | 2583 | Cherlin's conjecture for almost simple groups ... | We prove Cherlin's conjecture, concerning bi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2583 | 2584 | Universal Function Approximation by Deep Neura... | This article concerns the expressive power o... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2584 | 2585 | Network Essence: PageRank Completion and Centr... | Jiří Matoušek (1963-2015) had many breakthro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2585 | 2586 | A Regularized Framework for Sparse and Structu... | Modern neural networks are often augmented w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2586 | 2587 | Intrinsically Motivated Goal Exploration Proce... | Intrinsically motivated spontaneous explorat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2587 | 2588 | Sentiment Perception of Readers and Writers in... | Previous research has traditionally analyzed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2588 | 2589 | On C-class equations | The concept of a C-class of differential equ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2589 | 2590 | Confidence Intervals for Quantiles from Histog... | Interval estimation of quantiles has been tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2590 | 2591 | Reach and speed of judgment propagation in the... | In recent years, a large body of research ha... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2591 | 2592 | Texture Characterization by Using Shape Co-occ... | Texture characterization is a key problem in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2592 | 2593 | NGC 3105: A Young Cluster in the Outer Galaxy | Images and spectra of the open cluster NGC 3... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2593 | 2594 | Exact solution of a two-species quantum dimer ... | We present an exact ground state solution of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2594 | 2595 | Strong instability of standing waves for nonli... | We study the instability of standing wave so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2595 | 2596 | Theory and Applications of Matrix-Weighted Con... | This paper proposes the matrix-weighted cons... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2596 | 2597 | Multi-armed Bandit Problems with Strategic Arms | We study a strategic version of the multi-ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2597 | 2598 | Emerging Topics in Assistive Reading Technolog... | With the recent focus in the accessibility f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2598 | 2599 | Supervised learning with quantum enhanced feat... | Machine learning and quantum computing are t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2599 | 2600 | On The Limitation of Some Fully Observable Mul... | Using password based authentication techniqu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2600 | 2601 | Predictive and Prescriptive Analytics for Loca... | In this paper, we study an analytical approa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2601 | 2602 | Algebraic characterization of regular fraction... | In this paper we study the behavior of the f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2602 | 2603 | Biomedical Event Trigger Identification Using ... | Biomedical events describe complex interacti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2603 | 2604 | Modern-day Universities and Regional Development | Nowadays it is quite evident that knowledge-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2604 | 2605 | Method of Reduction of Variables for Bilinear ... | Bilinear matrix inequality (BMI) problems in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2605 | 2606 | Nonlinear transport associated with spin-densi... | We have carried out the transient nonlinear ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2606 | 2607 | Bayesian Compression for Deep Learning | Compression and computational efficiency in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2607 | 2608 | The Observability Concept in a Class of Hybrid... | In the discrete modeling approach for hybrid... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2608 | 2609 | Towards a More Reliable Privacy-preserving Rec... | This paper proposes a privacy-preserving dis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2609 | 2610 | A study of posture judgement on vehicles using... | We study methods to estimate drivers' postur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2610 | 2611 | Smoothed nonparametric two-sample tests | We propose new smoothed median and the Wilco... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2611 | 2612 | The Complexity of Graph-Based Reductions for R... | We study the never-worse relation (NWR) for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2612 | 2613 | A stack-vector routing protocol for automatic ... | In a network, a tunnel is a part of a path w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2613 | 2614 | Using of heterogeneous corpora for training of... | The paper summarizes the development of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2614 | 2615 | Inferring Narrative Causality between Event Pa... | To understand narrative, humans draw inferen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2615 | 2616 | On Hom-Gerstenhaber algebras and Hom-Lie algeb... | We define the notion of hom-Batalin-Vilkovis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2616 | 2617 | Global existence in the 1D quasilinear parabol... | The paper should be viewed as complement of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2617 | 2618 | Supercongruences between truncated ${}_3F_2$ h... | We establish four supercongruences between t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2618 | 2619 | Indoor Localization Using Visible Light Via Fu... | A multiple classifiers fusion localization t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2619 | 2620 | Node Centralities and Classification Performan... | Embedding graph nodes into a vector space ca... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2620 | 2621 | Data Fusion Reconstruction of Spatially Embedd... | We introduce a kernel Lasso (kLasso) optimiz... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2621 | 2622 | Reconstruction from Periodic Nonlinearities, W... | We consider the problem of reconstructing si... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2622 | 2623 | Multirole Logic (Extended Abstract) | We identify multirole logic as a new form of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2623 | 2624 | Interpreting Classifiers through Attribute Int... | In this work we present the novel ASTRID met... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2624 | 2625 | A Modified Levy Jump-Diffusion Model Based on ... | In this paper, we propose a modified Levy ju... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2625 | 2626 | Testing approximate predictions of displacemen... | We present a test to quantify how well some ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2626 | 2627 | Efficient and Secure Routing Protocol for WSN-... | Advances in Wireless Sensor Network (WSN) ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2627 | 2628 | Jackknife variance estimation for common mean ... | Samples with a common mean but possibly diff... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2628 | 2629 | ISM properties of a Massive Dusty Star-Forming... | We report the discovery and constrain the ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2629 | 2630 | A convex formulation of traffic dynamics on tr... | This article proposes a numerical scheme for... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2630 | 2631 | Computational and informatics advances for rep... | The reproducibility of scientific research h... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2631 | 2632 | HPD-invariance of the Tate, Beilinson and Pars... | We prove that the Tate, Beilinson and Parshi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2632 | 2633 | Multi-dueling Bandits with Dependent Arms | The dueling bandits problem is an online lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2633 | 2634 | New constraints on the millimetre emission of ... | The presence of dusty debris around main seq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2634 | 2635 | Bosonic integer quantum Hall effect as topolog... | Based on a quasi-one-dimensional limit of qu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2635 | 2636 | Connected Vehicular Transportation: Data Analy... | With onboard operating systems becoming incr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2636 | 2637 | Strongly ergodic equivalence relations: spectr... | We obtain a spectral gap characterization of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2637 | 2638 | On-the-fly Operation Batching in Dynamic Compu... | Dynamic neural network toolkits such as PyTo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2638 | 2639 | Mixtures of Skewed Matrix Variate Bilinear Fac... | Clustering is the process of finding and ana... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2639 | 2640 | Transfer Learning to Learn with Multitask Neur... | Deep learning models require extensive archi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2640 | 2641 | Hierarchical Game-Theoretic Planning for Auton... | The actions of an autonomous vehicle on the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2641 | 2642 | Observable dictionary learning for high-dimens... | This paper introduces a method for efficient... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2642 | 2643 | Counterintuitive Reconstruction of the Polar O... | Understanding the structure of ZnO surface r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2643 | 2644 | A Finite-Tame-Wild Trichotomy Theorem for Tens... | In this paper, we consider the problem of de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2644 | 2645 | Decomposing the Quantile Ratio Index with appl... | The quantile ratio index introduced by Prend... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2645 | 2646 | Metamorphic Moving Horizon Estimation | This paper considers a practical scenario wh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2646 | 2647 | Erosion distance for generalized persistence m... | The persistence diagram of Cohen-Steiner, Ed... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2647 | 2648 | Efficient Adjoint Computation for Wavelet and ... | First-order optimization algorithms, often p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2648 | 2649 | RCD: Rapid Close to Deadline Scheduling for Da... | Datacenter-based Cloud Computing services pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2649 | 2650 | Real representations of finite symplectic grou... | We prove that when $q$ is a power of $2$, ev... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2650 | 2651 | Risk measure estimation for $β$-mixing time se... | In this paper, we discuss the application of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2651 | 2652 | Transfer entropy between communities in comple... | With the help of transfer entropy, we analyz... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2652 | 2653 | Disentangled VAE Representations for Multi-Asp... | Many problems in machine learning and relate... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2653 | 2654 | On the spectral geometry of manifolds with con... | In the previous article we derived a detaile... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2654 | 2655 | Neural Task Programming: Learning to Generaliz... | In this work, we propose a novel robot learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2655 | 2656 | Discovery of potential collaboration networks ... | Scientific publishing conveys the outputs of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2656 | 2657 | Towards Planning and Control of Hybrid Systems... | We present a multi-query recovery policy for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2657 | 2658 | Clustering with t-SNE, provably | t-distributed Stochastic Neighborhood Embedd... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2658 | 2659 | The Observable Properties of Cool Winds from G... | Winds arising from galaxies, star clusters, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2659 | 2660 | Noise Flooding for Detecting Audio Adversarial... | Neural models enjoy widespread use across a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2660 | 2661 | Representation Learning and Pairwise Ranking f... | In this paper, we propose a novel ranking fr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2661 | 2662 | On the Sublinear Regret of Distributed Primal-... | This paper introduces consensus-based primal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2662 | 2663 | Reliability study of proportional odds family ... | The proportional odds model gives a method o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2663 | 2664 | Global Orientifolded Quivers with Inflation | We describe global embeddings of fractional ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2664 | 2665 | Discretization of Springer fibers | Consider a nilpotent element e in a simple c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2665 | 2666 | On the Underapproximation of Reach Sets of Abs... | We consider the problem of proving that each... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2666 | 2667 | A Bayesian nonparametric approach to log-conca... | The estimation of a log-concave density on $... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2667 | 2668 | A Complete Characterization of the 1-Dimension... | Metric graphs are special types of metric sp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2668 | 2669 | Critical exponent $ω$ in the Gross-Neveu-Yukaw... | The critcal exponent $\omega$ is evaluated a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2669 | 2670 | Path Planning for Multiple Heterogeneous Unman... | This article presents a framework and develo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2670 | 2671 | Dropout-based Active Learning for Regression | Active learning is relevant and challenging ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2671 | 2672 | Modeling Human Categorization of Natural Image... | Over the last few decades, psychologists hav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2672 | 2673 | BARCHAN: Blob Alignment for Robust CHromatogra... | Comprehensive Two dimensional gas chromatogr... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2673 | 2674 | Homogeneity Pursuit in Single Index Models bas... | Panel data analysis is an important topic in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2674 | 2675 | Feeding vs. Falling: The growth and collapse o... | In order to understand the origin of observe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2675 | 2676 | Complex waveguide based on a magneto-optic lay... | We theoretically investigate the dispersion ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2676 | 2677 | Discriminants of complete intersection space c... | In this paper, we develop a new approach to ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2677 | 2678 | On the Characteristic and Permanent Polynomial... | There is a digraph corresponding to every sq... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2678 | 2679 | A bulk-boundary correspondence for dynamical p... | We study the Loschmidt echo for quenches in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2679 | 2680 | The Consciousness Prior | A new prior is proposed for representation l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2680 | 2681 | Multi-Scale Pipeline for the Search of String-... | We propose a multi-scale edge-detection algo... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2681 | 2682 | A simultaneous generalization of the theorems ... | Inspired by recent work of I. Baoulina, we g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2682 | 2683 | Some Time-changed fractional Poisson processes | In this paper, we study the fractional Poiss... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2683 | 2684 | Fast algorithm of adaptive Fourier series | Adaptive Fourier decomposition (AFD, precise... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2684 | 2685 | Hybrid Indexes to Expedite Spatial-Visual Search | Due to the growth of geo-tagged images, rece... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2685 | 2686 | Model compression for faster structural separa... | Electron Cryo-Tomography (ECT) enables 3D vi... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2686 | 2687 | Low quasiparticle coherence temperature in the... | We use the Kotliar-Ruckenstein slave-boson f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2687 | 2688 | A Note on Iterated Consistency and Infinite Pr... | Schmerl and Beklemishev's work on iterated r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2688 | 2689 | Turning Internet of Things(IoT) into Internet ... | Internet of Things (IoT) is the next big evo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2689 | 2690 | Cwikel estimates revisited | In this paper, we propose a new approach to ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2690 | 2691 | Smooth Pinball Neural Network for Probabilisti... | Uncertainty analysis in the form of probabil... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2691 | 2692 | Asynchronous Coordinate Descent under More Rea... | Asynchronous-parallel algorithms have the po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2692 | 2693 | Zero-temperature magnetic response of small fu... | The ground-state magnetic response of fuller... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2693 | 2694 | Stochastic Chemical Reaction Networks for Robu... | We show that discrete distributions on the $... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2694 | 2695 | Deep Reinforcement Learning for Event-Driven M... | The incorporation of macro-actions (temporal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2695 | 2696 | Early Salient Region Selection Does Not Drive ... | The current dominant visual processing parad... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2696 | 2697 | Bonsai: Synthesis-Based Reasoning for Type Sys... | We describe algorithms for symbolic reasonin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2697 | 2698 | Preference-based performance measures for Time... | For Time-Domain Global Similarity (TDGS) met... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2698 | 2699 | On the Prospects for Detecting a Net Photon Ci... | If dark matter interactions with Standard Mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2699 | 2700 | Are Bitcoin Bubbles Predictable? Combining a G... | We develop a strong diagnostic for bubbles a... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2700 | 2701 | The Emission Structure of Formaldehyde MegaMasers | The formaldehyde MegaMaser emission has been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2701 | 2702 | Variational approach for learning Markov proce... | Inference, prediction and control of complex... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2702 | 2703 | A unifying framework for the modelling and ana... | This paper presents a new framework for anal... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2703 | 2704 | A new class of ferromagnetic semiconductors wi... | Ferromagnetic semiconductors (FMSs), which h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2704 | 2705 | On a Distributed Approach for Density-based Cl... | Efficient extraction of useful knowledge fro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2705 | 2706 | Accretion of Planetary Material onto Host Stars | Accretion of planetary material onto host st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2706 | 2707 | High-Fidelity, Single-Shot, Quantum-Logic-Assi... | We use a co-trapped ion ($^{88}\mathrm{Sr}^{... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2707 | 2708 | Investigation of faint galactic carbon stars f... | Infra-Red(IR) astronomical databases, namely... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2708 | 2709 | Quantifying Interpretability and Trust in Mach... | Decisions by Machine Learning (ML) models ha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2709 | 2710 | The Intertropical Convergence Zone | This activity has been developed as a resour... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2710 | 2711 | Nonconvex Sparse Logistic Regression with Weak... | In this work we propose to fit a sparse logi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2711 | 2712 | Inapproximability of the independent set polyn... | We study the complexity of approximating the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2712 | 2713 | A giant with feet of clay: on the validity of ... | This paper considers the use of Machine Lear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2713 | 2714 | Constraining accretion signatures of exoplanet... | We present a near-infrared direct imaging se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2714 | 2715 | Obstructions to planarity of contact 3-manifolds | We prove that if a contact 3-manifold admits... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2715 | 2716 | Bounds on harmonic radius and limits of manifo... | Under the usual condition that the volume of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2716 | 2717 | Fast and Scalable Bayesian Deep Learning by We... | Uncertainty computation in deep learning is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2717 | 2718 | Improving average ranking precision in user se... | Availability of research datasets is keyston... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2718 | 2719 | Adversarial Attacks on Neural Networks for Gra... | Deep learning models for graphs have achieve... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2719 | 2720 | Electromagnetic energy, momentum and forces in... | From the energy-momentum tensors of the elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2720 | 2721 | Thermotronics: toward nanocircuits to manage r... | The control of electric currents in solids i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2721 | 2722 | Multiplication and Presence of Shielding Mater... | We present the results from the first measur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2722 | 2723 | General Refraction Problems with Phase Discont... | This paper provides a mathematical approach ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2723 | 2724 | An Efficiently Searchable Encrypted Data Struc... | At CCS 2015 Naveed et al. presented first at... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2724 | 2725 | Hyperfine state entanglement of spinor BEC and... | Condensate of spin-1 atoms frozen in a uniqu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2725 | 2726 | Making Neural Programming Architectures Genera... | Empirically, neural networks that attempt to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2726 | 2727 | Bagged Empirical Null p-values: A Method to Ac... | When conducting large scale inference, such ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2727 | 2728 | Identifying Vessel Branching from Fluid Stress... | Objects moving in fluids experience patterns... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2728 | 2729 | Impact of Optimal Storage Allocation on Price ... | Recent studies show that the fast growing ex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2729 | 2730 | An independent axiomatisation for free short-c... | Short-circuit evaluation denotes the semanti... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2730 | 2731 | A Note on a Communication Game | We describe a communication game, and a conj... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2731 | 2732 | Iteration of Quadratic Polynomials Over Finite... | For a finite field of odd cardinality $q$, w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2732 | 2733 | Constraints on the Growth and Spin of the Supe... | We present 1-second cadence observations of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2733 | 2734 | Sampling for Approximate Bipartite Network Pro... | Bipartite networks manifest as a stream of e... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2734 | 2735 | Navigate, Understand, Communicate: How Develop... | Background: Performance bugs can lead to sev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2735 | 2736 | MEXIT: Maximal un-coupling times for stochasti... | Classical coupling constructions arrange for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2736 | 2737 | Learning Effective Changes for Software Projects | The primary motivation of much of software a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2737 | 2738 | Aggregating multiple types of complex data in ... | The increasing richness in volume, and espec... | 0 | 0 | 0 | 1 | 0 | 1 |
| 2738 | 2739 | Deep Multi-View Spatial-Temporal Network for T... | Taxi demand prediction is an important build... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2739 | 2740 | Interstellar communication. VII. Benchmarking ... | We have explored the optimal frequency of in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2740 | 2741 | A description length approach to determining t... | We present an asymptotic criterion to determ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2741 | 2742 | Complementary legs and rational balls | In this note we study the Seifert rational h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2742 | 2743 | Gravitational Waves from Stellar Black Hole Bi... | We investigate the impact of resonant gravit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2743 | 2744 | Search for Exoplanets around Northern Circumpo... | We present the detection of long-period RV v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2744 | 2745 | Measuring Item Similarity in Introductory Prog... | A personalized learning system needs a large... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2745 | 2746 | Term Models of Horn Clauses over Rational Pave... | This paper is a contribution to the study of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2746 | 2747 | Galaxy Rotation and Supermassive Black Hole Bi... | Supermassive black hole (SMBH) binaries resi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2747 | 2748 | A Formal Approach to Exploiting Multi-Stage At... | Web applications require access to the file-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2748 | 2749 | Bit Fusion: Bit-Level Dynamically Composable A... | Fully realizing the potential of acceleratio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2749 | 2750 | Multiple Access Wiretap Channel with Noiseless... | The physical layer security in the up-link o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2750 | 2751 | Inter-Subject Analysis: Inferring Sparse Inter... | We develop a new modeling framework for Inte... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2751 | 2752 | Impact of surface functionalisation on the qua... | Nanoscale quantum probes such as the nitroge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2752 | 2753 | Nesterov's Acceleration For Approximate Newton | Optimization plays a key role in machine lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2753 | 2754 | Coverage Centrality Maximization in Undirected... | Centrality metrics are among the main tools ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2754 | 2755 | Color difference makes a difference: four plan... | The removal of noise typically correlated in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2755 | 2756 | Recurrent Deep Embedding Networks for Genotype... | The understanding of variations in genome se... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2756 | 2757 | Measuring and avoiding side effects using rela... | How can we design reinforcement learning age... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2757 | 2758 | Neural State Classification for Hybrid Systems | We introduce the State Classification Proble... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2758 | 2759 | Optimization of Tree Ensembles | Tree ensemble models such as random forests ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2759 | 2760 | Equations of state for real gases on the nucle... | The formalism to augment the classical model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2760 | 2761 | Born Again Neural Networks | Knowledge distillation (KD) consists of tran... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2761 | 2762 | Exploit Kits: The production line of the Cyber... | The annual cost of Cybercrime to the global ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2762 | 2763 | Helicity locking in light emitted from a plasm... | Surface plasmon waves carry an intrinsic tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2763 | 2764 | Declarative Statistics | In this work we introduce declarative statis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2764 | 2765 | Description of CRESST-II data | In Phase 2 of CRESST-II 18 detector modules ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2765 | 2766 | ABC of ladder operators for rationally extende... | The problem of construction of ladder operat... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2766 | 2767 | On permutation-invariance of limit theorems | By a classical principle of probability theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2767 | 2768 | Superconductivity at 33 - 37 K in $ALn_2$Fe$_4... | We have synthesized 10 new iron oxyarsenides... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2768 | 2769 | Live Visualization of GUI Application Code Cov... | The present paper introduces the initial imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2769 | 2770 | 3D Simulation of Electron and Ion Transmission... | Time Projection Chamber (TPC) has been chose... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2770 | 2771 | Witt and Cohomological Invariants of Witt Classes | We classify all invariants of the functor $I... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2771 | 2772 | The Cooperative Output Regulation Problem of D... | In this paper, we first present an adaptive ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2772 | 2773 | Preferred traces on C*-algebras of self-simila... | Recent results of Laca, Raeburn, Ramagge and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2773 | 2774 | Tool Breakage Detection using Deep Learning | In manufacture, steel and other metals are m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2774 | 2775 | Continuous Learning in Single-Incremental-Task... | It was recently shown that architectural, re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2775 | 2776 | Diagonal Rescaling For Neural Networks | We define a second-order neural network stoc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2776 | 2777 | Dynamic Bernoulli Embeddings for Language Evol... | Word embeddings are a powerful approach for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2777 | 2778 | Homotopy Decompositions of Gauge Groups over R... | We analyse the homotopy types of gauge group... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2778 | 2779 | W-algebras associated to surfaces | We define an integral form of the deformed W... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2779 | 2780 | Comparing Classical and Relativistic Kinematic... | The aim of this paper is to present a new lo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2780 | 2781 | Anomalous Acoustic Plasmon Mode from Topologic... | Plasmons, the collective excitations of elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2781 | 2782 | Klein-Gordonization: mapping superintegrable q... | We describe a procedure naturally associatin... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2782 | 2783 | Towards Gene Expression Convolutions using Gen... | We study the challenges of applying deep lea... | 0 | 0 | 0 | 1 | 1 | 0 |
| 2783 | 2784 | Density-Functional Theory Study of the Optoele... | Novel low-band-gap copolymer oligomers are p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2784 | 2785 | Accurate ranking of influential spreaders in n... | We propose an efficient and accurate measure... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2785 | 2786 | Learning Multimodal Transition Dynamics for Mo... | In this paper we study how to learn stochast... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2786 | 2787 | Publication Trends in Physics Education: A Bib... | A publication trend in Physics Education by ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2787 | 2788 | Unveiling Swarm Intelligence with Network Scie... | Self-organization is a natural phenomenon th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2788 | 2789 | Sphere geometry and invariants | A finite abstract simplicial complex G defin... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2789 | 2790 | Chaos and thermalization in small quantum systems | Chaos and ergodicity are the cornerstones of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2790 | 2791 | Index Search Algorithms for Databases and Mode... | Over the years, many different indexing tech... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2791 | 2792 | Bounding the Radius of Convergence of Analytic... | Contour integration is a crucial technique i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2792 | 2793 | An Efficient Algorithm for the Multicomponent ... | The goal of this study is to develop an effi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2793 | 2794 | Goldstone-like phonon modes in a (111)-straine... | Goldstone modes are massless particles resul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2794 | 2795 | Estimating Heterogeneous Causal Effects in the... | This paper provides a link between causal in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2795 | 2796 | SUBIC: A Supervised Bi-Clustering Approach for... | Traditional medicine typically applies one-s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2796 | 2797 | Polarization leakage in epoch of reionization ... | Leakage of polarized Galactic diffuse emissi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2797 | 2798 | Image Reconstruction using Matched Wavelet Est... | This paper proposes a joint framework wherei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2798 | 2799 | Python Implementation and Construction of Fini... | Here we present a working framework to estab... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2799 | 2800 | Near-Optimal Closeness Testing of Discrete His... | We investigate the problem of testing the eq... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2800 | 2801 | Insider-Attacks on Physical-Layer Group Secret... | Physical-layer group secret-key (GSK) genera... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2801 | 2802 | Multi-modal Feedback for Affordance-driven Int... | Interactive reinforcement learning (IRL) ext... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2802 | 2803 | Estimating the reproductive number, total outb... | As South and Central American countries prep... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2803 | 2804 | A systematic study of the class imbalance prob... | In this study, we systematically investigate... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2804 | 2805 | New simple lattices in products of trees and t... | Let $\Gamma \leq \mathrm{Aut}(T_{d_1}) \time... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2805 | 2806 | Fourth-order time-stepping for stiff PDEs on t... | We present in this paper algorithms for solv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2806 | 2807 | On Formalizing Fairness in Prediction with Mac... | Machine learning algorithms for prediction a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2807 | 2808 | The Memory Function Formalism: A Review | An introduction to the Zwanzig-Mori-Götze-Wö... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2808 | 2809 | RIPML: A Restricted Isometry Property based Ap... | The multilabel learning problem with large n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2809 | 2810 | Erratum to: Medial axis and singularities | We correct one erroneous statement made in o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2810 | 2811 | AP-initiated Multi-User Transmissions in IEEE ... | Next-generation 802.11ax WLANs will make ext... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2811 | 2812 | What do we know about the geometry of space? | The belief that three dimensional space is i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2812 | 2813 | Evidence of new twinning modes in magnesium qu... | Twinning is an important deformation mode of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2813 | 2814 | Probing the Interatomic Potential of Solids by... | Femtosecond optical pulses at mid-infrared f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2814 | 2815 | Assessment of learning tomography using Mie th... | In Optical diffraction tomography, the multi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2815 | 2816 | Single Molecule Studies Under Constant Force U... | Optical tweezers have enabled important insi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2816 | 2817 | Measuring the effects of Loop Quantum Cosmolog... | In this Essay we investigate the observation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2817 | 2818 | Convergence Analysis of Proximal Gradient with... | In many modern machine learning applications... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2818 | 2819 | Exploring the Interconnectedness of Cryptocurr... | Correlation networks were used to detect cha... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2819 | 2820 | Affective Neural Response Generation | Existing neural conversational models proces... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2820 | 2821 | Energy Efficient Power Allocation in Massive M... | In this paper, energy efficient power alloca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2821 | 2822 | Composite fermion basis for M-component Bose g... | The composite fermion (CF) formalism produce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2822 | 2823 | An FPT Algorithm Beating 2-Approximation for $... | In the $k$-Cut problem, we are given an edge... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2823 | 2824 | Dynamics beyond dynamic jam; unfolding the Pai... | This paper analyses in detail the dynamics i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2824 | 2825 | Existence and regularity of positive solutions... | This paper deals with existence and regulari... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2825 | 2826 | World Literature According to Wikipedia: Intro... | Among the manifold takes on world literature... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2826 | 2827 | Robust Task Clustering for Deep Many-Task Lear... | We investigate task clustering for deep-lear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2827 | 2828 | Detecting Learning vs Memorization in Deep Neu... | The roles played by learning and memorizatio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2828 | 2829 | Bias Correction For Paid Search In Media Mix M... | Evaluating the return on ad spend (ROAS), th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2829 | 2830 | Neville's algorithm revisited | Neville's algorithm is known to provide an e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2830 | 2831 | Forecasting and Granger Modelling with Non-lin... | Traditional linear methods for forecasting m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2831 | 2832 | HDLTex: Hierarchical Deep Learning for Text Cl... | The continually increasing number of documen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2832 | 2833 | Multi-task Learning with Gradient Guided Polic... | We present a method for efficient learning o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2833 | 2834 | Mean square in the prime geodesic theorem | We prove upper bounds for the mean square of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2834 | 2835 | Approximation Fixpoint Theory and the Well-Fou... | We define a novel, extensional, three-valued... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2835 | 2836 | An Application of Deep Neural Networks in the ... | Spectroscopic surveys require fast and effic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2836 | 2837 | Analysis of Service-oriented Modeling Approach... | Microservice Architecture (MSA) is a novel s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2837 | 2838 | RoboJam: A Musical Mixture Density Network for... | RoboJam is a machine-learning system for gen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2838 | 2839 | Quasi-two-dimensional Fermi surfaces with loca... | We report measurements of the de Haas-van Al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2839 | 2840 | Differential Forms, Linked Fields and the $u$-... | We associate an Albert form to any pair of c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2840 | 2841 | A cyclic system with delay and its characteris... | A nonlinear cyclic system with delay and the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2841 | 2842 | Object Detection and Motion Planning for Autom... | Automatic welding of tubular TKY joints is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2842 | 2843 | Nilpotence order growth of recursion operators... | We prove that the killing rate of certain de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2843 | 2844 | Analyzing Hidden Representations in End-to-End... | Neural models have become ubiquitous in auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2844 | 2845 | Bayesian uncertainty quantification in linear ... | Diffusion MRI (dMRI) is a valuable tool in t... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2845 | 2846 | On the Fine-Grained Complexity of Empirical Ri... | Empirical risk minimization (ERM) is ubiquit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2846 | 2847 | Deep Learning for Predicting Asset Returns | Deep learning searches for nonlinear factors... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2847 | 2848 | Analysis of Distributed ADMM Algorithm for Con... | ADMM is a popular algorithm for solving conv... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2848 | 2849 | Jet determination of smooth CR automorphisms a... | We prove finite jet determination for (finit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2849 | 2850 | A Well-Tempered Landscape for Non-convex Robus... | We present a mathematical analysis of a non-... | 1 | 0 | 1 | 1 | 0 | 0 |
| 2850 | 2851 | Biologically inspired protection of deep netwo... | Inspired by biophysical principles underlyin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2851 | 2852 | Intrinsic entropies of log-concave distributions | The entropy of a random variable is well-kno... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2852 | 2853 | Iteratively Linearized Reweighted Alternating ... | In this paper, we consider solving a class o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2853 | 2854 | Acoustic Features Fusion using Attentive Multi... | In this paper, we present a novel deep fusio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2854 | 2855 | An EM Based Probabilistic Two-Dimensional CCA ... | Recently, two-dimensional canonical correlat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2855 | 2856 | Understanding Group Event Scheduling via the O... | The wide adoption of smartphones and mobile ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2856 | 2857 | Energy Level Alignment at Hybridized Organic-m... | Hybridized molecule/metal interfaces are ubi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2857 | 2858 | Radio detection of Extensive Air Showers (ECRS... | Detection of the mostly geomagnetically gene... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2858 | 2859 | Bandit Regret Scaling with the Effective Loss ... | We study how the regret guarantees of nonsto... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2859 | 2860 | Changing Fashion Cultures | The paper presents a novel concept that anal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2860 | 2861 | A strong failure of aleph_0-stability for atom... | We study classes of atomic models At_T of a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2861 | 2862 | Sub-Gaussian estimators of the mean of a rando... | We study the problem of estimating the mean ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2862 | 2863 | Resource Allocation for Containing Epidemics f... | We study the problem of containing epidemic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2863 | 2864 | Towards Plan Transformations for Real-World Pi... | In this paper, we investigate the possibilit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2864 | 2865 | Learning for New Visual Environments with Limi... | In computer vision applications, such as dom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2865 | 2866 | A Survey of Bandwidth and Latency Enhancement ... | Among mobile cloud applications, mobile clou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2866 | 2867 | Modulation of High-Energy Particles and the He... | Cosmic ray intensities (CRIs) recorded by si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2867 | 2868 | Detecting the impact of public transit on the ... | In many developing countries, public transit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2868 | 2869 | The Hamiltonian Dynamics of Magnetic Confineme... | We consider a class of magnetic fields defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2869 | 2870 | Airway segmentation from 3D chest CT volumes b... | Some lung diseases are related to bronchial ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2870 | 2871 | Multi-robot motion-formation distributed contr... | In this paper, we present the design and imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2871 | 2872 | On the Impossibility of Supersized Machines | In recent years, a number of prominent compu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2872 | 2873 | Non-geodesic variations of Hodge structure of ... | There are a number of examples of variations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2873 | 2874 | Finding Differentially Covarying Needles in a ... | Recent results in coupled or temporal graphi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2874 | 2875 | A Distributed Algorithm for Computing a Common... | A distributed algorithm is described for fin... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2875 | 2876 | The maximum of the 1-measurement of a metric m... | For a metric measure space, we treat the set... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2876 | 2877 | Limits to Arbitrage in Markets with Stochastic... | Distributed ledger technologies rely on cons... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2877 | 2878 | Normalized Information Distance and the Oscill... | We study the complexity of approximations to... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2878 | 2879 | Exponential Moving Average Model in Parallel S... | As training data rapid growth, large-scale p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2879 | 2880 | Is One Hyperparameter Optimizer Enough? | Hyperparameter tuning is the black art of au... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2880 | 2881 | Deep Generalized Canonical Correlation Analysis | We present Deep Generalized Canonical Correl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2881 | 2882 | Faithfulness of Probability Distributions and ... | A main question in graphical models and caus... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2882 | 2883 | On the multipliers of repelling periodic point... | We give a lower bound for the multipliers of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2883 | 2884 | The BCS critical temperature in a weak homogen... | We show that, within a linear approximation ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2884 | 2885 | 25 Tweets to Know You: A New Model to Predict ... | Predicting personality is essential for soci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2885 | 2886 | Low Resolution Face Recognition Using a Two-Br... | We propose a novel couple mappings method fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2886 | 2887 | A Comparative Study of Full-Duplex Relaying Sc... | Various sectors are likely to carry a set of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2887 | 2888 | Some algebraic invariants of edge ideal of cir... | Let $G$ be the circulant graph $C_n(S)$ with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2888 | 2889 | Efficient Pricing of Barrier Options on High V... | Barrier options are one of the most widely t... | 0 | 0 | 0 | 1 | 0 | 1 |
| 2889 | 2890 | Massively parallel multicanonical simulations | Generalized-ensemble Monte Carlo simulations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2890 | 2891 | Gaia and VLT astrometry of faint stars: Precis... | We compared positions of the Gaia first data... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2891 | 2892 | Parallel transport in shape analysis: a scalab... | The analysis of manifold-valued data require... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2892 | 2893 | Spectral Projector-Based Graph Fourier Transforms | The paper presents the graph Fourier transfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2893 | 2894 | Quantum Mechanical Approach to Modelling Relia... | Dempster-Shafer evidence theory is wildly ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2894 | 2895 | Midgar: Detection of people through computer v... | Could we use Computer Vision in the Internet... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2895 | 2896 | Interpreting and Explaining Deep Neural Networ... | Interpretability of deep neural networks is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2896 | 2897 | On the Performance of a Canonical Labeling for... | Graph matching in two correlated random grap... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2897 | 2898 | On semi-supervised learning | Semi-supervised learning deals with the prob... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2898 | 2899 | Fourier dimension and spectral gaps for hyperb... | We obtain an essential spectral gap for a co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2899 | 2900 | Semantic Evolutionary Concept Distances for Ef... | In this work several semantic approaches to ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2900 | 2901 | Emission line galaxies behind the planetary ne... | During the start of a survey program using F... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2901 | 2902 | An example related to the slicing inequality f... | For $n\in \mathbb{N}$ let $S_n$ be the small... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2902 | 2903 | Two-level schemes for the advection equation | The advection equation is the basis for math... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2903 | 2904 | Estimating functional time series by moving av... | Functional time series have become an integr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2904 | 2905 | Benford's law: a 'sleeping beauty' sleeping in... | Benford's law is an empirical observation, f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2905 | 2906 | Characterizing correlations and synchronizatio... | Synchronization, that occurs both for non-ch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2906 | 2907 | Soft modes and strain redistribution in contin... | The deformation of disordered solids relies ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2907 | 2908 | On the Optimality of Kernel-Embedding Based Go... | The reproducing kernel Hilbert space (RKHS) ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2908 | 2909 | The influence of contrarians in the dynamics o... | In this work we consider the presence of con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2909 | 2910 | Risk-neutral valuation under differential fund... | We develop a unified valuation theory that i... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2910 | 2911 | Singular Spectrum and Recent Results on Hierar... | We use trace class scattering theory to excl... | 0 | 1 | 1 | 0 | 0 | 0 |
| 2911 | 2912 | Weyl states and Fermi arcs in parabolic bands | Weyl fermions are shown to exist inside a pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2912 | 2913 | Flexible Deep Neural Network Processing | The recent success of Deep Neural Networks (... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2913 | 2914 | Kinetic approach to relativistic dissipation | Despite a long record of intense efforts, th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2914 | 2915 | Cross-label Suppression: A Discriminative and ... | This paper addresses image classification th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2915 | 2916 | DiSAN: Directional Self-Attention Network for ... | Recurrent neural nets (RNN) and convolutiona... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2916 | 2917 | Eigenvalues of compactly perturbed operators v... | We derive new estimates for the number of di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2917 | 2918 | Theoretical Properties for Neural Networks wit... | Recently low displacement rank (LDR) matrice... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2918 | 2919 | A data driven trimming procedure for robust cl... | Classification rules can be severely affecte... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2919 | 2920 | The Salesman's Improved Tours for Fundamental ... | Finding the exact integrality gap $\alpha$ f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2920 | 2921 | Maximum Number of Modes of Gaussian Mixtures | Gaussian mixture models are widely used in S... | 0 | 0 | 1 | 1 | 0 | 0 |
| 2921 | 2922 | Dynamic Clearing and Contagion in Financial Ne... | In this paper we will consider a generalized... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2922 | 2923 | On the Semantics of Intensionality and Intensi... | Intensionality is a phenomenon that occurs i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2923 | 2924 | A Theory of Solvability for Lossless Power Flo... | This two-part paper details a theory of solv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2924 | 2925 | Narcissus: Deriving Correct-By-Construction De... | It is a neat result from functional programm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2925 | 2926 | Discrete and Continuous Green Energy on Compac... | In this article we study the role of the Gre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2926 | 2927 | High Capacity, Secure (n, n/8) Multi Secret Im... | The rising need of secret image sharing with... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2927 | 2928 | MATMPC - A MATLAB Based Toolbox for Real-time ... | In this paper we introduce MATMPC, an open s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2928 | 2929 | A Copula-based Imputation Model for Missing Da... | We propose a copula based method to handle m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2929 | 2930 | Rovibrational optical cooling of a molecular beam | Cooling the rotation and the vibration of mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2930 | 2931 | When Work Matters: Transforming Classical Netw... | Numerous pattern recognition applications ca... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2931 | 2932 | Factoring the Cycle Aging Cost of Batteries Pa... | When participating in electricity markets, o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2932 | 2933 | Asynchronous Parallel Bayesian Optimisation vi... | We design and analyse variations of the clas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2933 | 2934 | Hydrodynamic signatures of stationary Marangon... | We experimentally study steady Marangoni-dri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2934 | 2935 | Exponential growth of homotopy groups of suspe... | We study the asymptotic behavior of the homo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2935 | 2936 | Approximation Algorithms for Rectangle Packing... | In rectangle packing problems we are given t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2936 | 2937 | R-boundedness Approach to linear third differe... | The aim of this work is to study the existen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2937 | 2938 | Entanglement and quantum transport in integrab... | Understanding the entanglement structure of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2938 | 2939 | Data-Efficient Multirobot, Multitask Transfer ... | Transfer learning has the potential to reduc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2939 | 2940 | Exponential Bounds for the Erdős-Ginzburg-Ziv ... | The Erdős-Ginzburg-Ziv constant of an abelia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2940 | 2941 | Soft Weight-Sharing for Neural Network Compres... | The success of deep learning in numerous app... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2941 | 2942 | Neural Discourse Structure for Text Categoriza... | We show that discourse structure, as defined... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2942 | 2943 | On the optimal design of grid-based binary hol... | Grid based binary holography (GBH) is an att... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2943 | 2944 | Thermal physics of the inner coma: ALMA studie... | We present spatially and spectrally-resolved... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2944 | 2945 | Alternating Iteratively Reweighted Minimizatio... | Nowadays, the availability of large-scale da... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2945 | 2946 | The formation of the Milky Way halo and its dw... | We present a homogeneous set of accurate atm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2946 | 2947 | Fixed-Gain Augmented-State Tracking-Filters | A procedure for the design of fixed-gain tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2947 | 2948 | The Detectability of Radio Auroral Emission fr... | Magnetically active stars possess stellar wi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2948 | 2949 | Converting topological insulators into topolog... | We report the electronic band structures and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2949 | 2950 | When Do Birds of a Feather Flock Together? k-M... | Given a set of data, one central goal is to ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2950 | 2951 | Collective Sedimentation of Squirmers under Gr... | Active particles, which interact hydrodynami... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2951 | 2952 | Differentially Private Bayesian Learning on Di... | Many applications of machine learning, for e... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2952 | 2953 | Metastability and avalanche dynamics in strong... | We experimentally study the stability of a b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2953 | 2954 | Optical nanoscopy via quantum control | We present a scheme for nanoscopic imaging o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2954 | 2955 | Skin Lesion Classification Using Deep Multi-sc... | We present a deep learning approach to the I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2955 | 2956 | Confidence Intervals and Hypothesis Testing fo... | In nonlinear dynamics, and to a lesser exten... | 0 | 1 | 0 | 1 | 0 | 0 |
| 2956 | 2957 | Feature overwriting as a finite mixture proces... | The ungrammatical sentence "The key to the c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2957 | 2958 | Photographic dataset: playing cards | This is a photographic dataset collected for... | 1 | 1 | 0 | 0 | 0 | 0 |
| 2958 | 2959 | Dynamic constraints on activity and connectivi... | Human learning is a complex process in which... | 0 | 0 | 0 | 0 | 1 | 0 |
| 2959 | 2960 | A note on Weyl groups and crystallographic roo... | We follow the dual approach to Coxeter syste... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2960 | 2961 | Smoothness-based Edge Detection using Low-SNR ... | In the emerging advancement in the branch of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2961 | 2962 | Distributed resource allocation through utilit... | Game theory has emerged as a novel approach ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2962 | 2963 | IDK Cascades: Fast Deep Learning by Learning n... | Advances in deep learning have led to substa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2963 | 2964 | Learning a Unified Control Policy for Safe Fal... | Being able to fall safely is a necessary mot... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2964 | 2965 | Long-Range Interactions for Hydrogen: 6P-1S an... | The collisional shift of a transition consti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2965 | 2966 | Generating Music Medleys via Playing Music Puz... | Generating music medleys is about finding an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2966 | 2967 | Collisional Dynamics of Solitons in the Couple... | We investigate the focusing coupled PT-symme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2967 | 2968 | Frustrated spin-1/2 molecular magnetism in the... | We have performed magnetic susceptibility, h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2968 | 2969 | Data-Driven Model Predictive Control of Autono... | The goal of this paper is to present an end-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2969 | 2970 | Predictions of planet detections with near inf... | The SPIRou near infrared spectro-polarimeter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2970 | 2971 | Quantum models with energy-dependent potential... | We construct energy-dependent potentials for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2971 | 2972 | Constructions and classifications of projectiv... | This paper is intended both an introduction ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2972 | 2973 | Generalised Reichenbachian Common Cause Systems | The principle of the common cause claims tha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2973 | 2974 | Discovery of the most metal-poor damped Lyman-... | We report the discovery and analysis of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2974 | 2975 | A Concurrent Perspective on Smart Contracts | In this paper, we explore remarkable similar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2975 | 2976 | Noise Models in the Nonlinear Spectral Domain ... | Existing works on building a soliton transmi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 2976 | 2977 | Shape analysis on Lie groups and homogeneous s... | In this paper we are concerned with the appr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2977 | 2978 | Markov Models for Health Economic Evaluations:... | Health economic evaluation studies are widel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2978 | 2979 | Amorphous Alloys, Degradation Performance of A... | Today freshwater is more important than ever... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2979 | 2980 | Towards the ab initio based theory of the phas... | Despite of the appearance of numerous new ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2980 | 2981 | Solitons in a modified discrete nonlinear Schr... | We study the bulk and surface nonlinear mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2981 | 2982 | Functional renormalization-group approach to t... | A possibility of the topological Kosterlitz-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2982 | 2983 | Reentrant Phase Coherence in Superconducting N... | The short coherence lengths characteristic o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2983 | 2984 | Micromagnetic Simulations for Coercivity Impro... | In this work we investigate the potential of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2984 | 2985 | Semi-parametric Dynamic Asymmetric Laplace Mod... | The joint Value at Risk (VaR) and expected s... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2985 | 2986 | Mobility tensor of a sphere moving on a super-... | The paper addresses the hydrodynamic behavio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2986 | 2987 | Influence of Resampling on Accuracy of Imbalan... | In many real-world binary classification tas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2987 | 2988 | Literature Survey on Interplay of Topics, Info... | Researchers have attempted to model informat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2988 | 2989 | Extended B-Spline Collocation Method For KdV-B... | The extended form of the classical polynomia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2989 | 2990 | On smile properties of volatility derivatives ... | We develop a method to study the implied vol... | 0 | 0 | 0 | 0 | 0 | 1 |
| 2990 | 2991 | Risk-Sensitive Optimal Control of Queues | We consider the problem of designing risk-se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 2991 | 2992 | SPECULOOS exoplanet search and its prototype o... | One of the most significant goals of modern ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2992 | 2993 | Small-dimensional representations of algebraic... | For $G$ an algebraic group of type $A_l$ ove... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2993 | 2994 | Detection of methylisocyanate (CH3NCO) in a so... | We report the detection of the prebiotic mol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2994 | 2995 | A prismatic classifying space | A qualgebra $G$ is a set having two binary o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 2995 | 2996 | Generalized Biplots for Multidimensional Scale... | Dimension reduction and visualization is a s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2996 | 2997 | Semi-supervised Conditional GANs | We introduce a new model for building condit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 2997 | 2998 | Implicit Quantile Networks for Distributional ... | In this work, we build on recent advances in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 2998 | 2999 | Looping and Clustering model for the organizat... | The bacterial genome is organized in a struc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 2999 | 3000 | Simultaneous-equation Estimation without Instr... | For a single equation in a system of linear ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3000 | 3001 | Mean field limits for nonlinear spatially exte... | We consider spatially extended systems of in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3001 | 3002 | Bias correction in daily maximum and minimum t... | The Global Historical Climatology Network-Da... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3002 | 3003 | Mechanism of the double heterostructure TiO2/Z... | Understanding the mechanism of the heterojun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3003 | 3004 | Maximum Number of Common Zeros of Homogeneous ... | About two decades ago, Tsfasman and Boguslav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3004 | 3005 | Wave-induced vortex recoil and nonlinear refra... | When a vortex refracts surface waves, the mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3005 | 3006 | Transport of Intensity Equation Microscopy for... | Microtubules (MTs) are filamentous protein p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3006 | 3007 | First-principles prediction of the stacking fa... | The intrinsic stacking fault energy (ISFE) $... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3007 | 3008 | Mathematical Programming formulations for the ... | In this paper we address the problem of elec... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3008 | 3009 | DAGs with NO TEARS: Continuous Optimization fo... | Estimating the structure of directed acyclic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3009 | 3010 | Throughput-Optimal Broadcast in Wireless Netwo... | We consider the problem of efficient packet ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3010 | 3011 | The Resilience of Life to Astrophysical Events | Much attention has been given in the literat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3011 | 3012 | Kinky DNA in solution: Small angle scattering ... | DNA is a flexible molecule, but the degree o... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3012 | 3013 | Explaining Aviation Safety Incidents Using Dee... | Although aviation accidents are rare, safety... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3013 | 3014 | Normalized Direction-preserving Adam | Adaptive optimization algorithms, such as Ad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3014 | 3015 | Learning Deep CNN Denoiser Prior for Image Res... | Model-based optimization methods and discrim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3015 | 3016 | The Challenge of Spin-Orbit-Tuned Ground State... | Effects of spin-orbit interactions in conden... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3016 | 3017 | Derived Picard groups of preprojective algebra... | In this paper, we study two-sided tilting co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3017 | 3018 | Semi-supervised Learning in Network-Structured... | We propose and analyze a method for semi-sup... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3018 | 3019 | Susceptibility of Methicillin Resistant Staphy... | Staphylococcus aureus responsible for nosoco... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3019 | 3020 | Friendships, Rivalries, and Trysts: Characteri... | Understanding how ideas relate to each other... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3020 | 3021 | Deep Feature Learning for Graphs | This paper presents a general graph represen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3021 | 3022 | Pseudospectral Model Predictive Control under ... | Trajectory optimization of a controlled dyna... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3022 | 3023 | Phonon-assisted oscillatory exciton dynamics i... | In monolayer semiconductor transition metal ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3023 | 3024 | Manifold Regularization for Kernelized LSTD | Policy evaluation or value function or Q-fun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3024 | 3025 | Normality of the Thue--Morse sequence along Pi... | We prove that for $1<c<4/3$ the subsequence ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3025 | 3026 | Radio Weak Lensing Shear Measurement in the Vi... | This paper extends the method introduced in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3026 | 3027 | Loop Representation of Wigner's Little Groups | Wigner's little groups are the subgroups of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3027 | 3028 | MOA Data Reveal a New Mass, Distance, and Rela... | We present the MOA Collaboration light curve... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3028 | 3029 | Ground state degeneracy in quantum spin system... | We develop a no-go theorem for two-dimension... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3029 | 3030 | Introspection: Accelerating Neural Network Tra... | Neural Networks are function approximators t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3030 | 3031 | Single crystal polarized neutron diffraction s... | Polarised neutron diffraction measurements h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3031 | 3032 | Rigidity of volume-minimizing hypersurfaces in... | In this paper we generalize the main result ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3032 | 3033 | Dolha - an Efficient and Exact Data Structure ... | A streaming graph is a graph formed by a seq... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3033 | 3034 | Semi-classical states for the nonlinear Choqua... | We study existence and multiplicity of semi-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3034 | 3035 | Results from the first cryogenic NaI detector ... | Recently there is a flourishing and notable ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3035 | 3036 | Minimal Representations of Lie Algebras With N... | We obtain minimal dimension matrix represent... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3036 | 3037 | Forecasting day-ahead electricity prices in Eu... | Motivated by the increasing integration amon... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3037 | 3038 | A Longitudinal Higher-Order Diagnostic Classif... | Providing diagnostic feedback about growth i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3038 | 3039 | On Fairness and Calibration | The machine learning community has become in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3039 | 3040 | AADS: Augmented Autonomous Driving Simulation ... | Simulation systems have become an essential ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3040 | 3041 | Scheme-theoretic Whitney conditions and applic... | We investigate a scheme-theoretic variant of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3041 | 3042 | Role of 1-D finite size Heisenberg chain in in... | VO2 samples are grown with different oxygen ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3042 | 3043 | Electron paramagnetic resonance g-tensors from... | We present a state interaction spin-orbit co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3043 | 3044 | A multilayer multiconfiguration time-dependent... | Quantum transport is studied for the nonequi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3044 | 3045 | Robust Identification of Target Genes and Outl... | Correct classification of breast cancer sub-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3045 | 3046 | Semi-Lagrangian one-step methods for two class... | Semi-Lagrangian methods are numerical method... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3046 | 3047 | Deep Learning for Forecasting Stock Returns in... | Many studies have been undertaken by using m... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3047 | 3048 | Efficient Nearest-Neighbor Search for Dynamica... | Nearest-neighbor search dominates the asympt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3048 | 3049 | Primitivity, Uniform Minimality and State Comp... | A minimal deterministic finite automaton (DF... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3049 | 3050 | An Empirical Evaluation of Allgatherv on Multi... | Applications for deep learning and big data ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3050 | 3051 | Summary of Topological Study of Chaotic CBC Mo... | In cryptography, block ciphers are the most ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3051 | 3052 | Benchmarking five numerical simulation techniq... | We present numerical studies of two photonic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3052 | 3053 | MSO+nabla is undecidable | This paper is about an extension of monadic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3053 | 3054 | Fast Nonconvex Deconvolution of Calcium Imagin... | Calcium imaging data promises to transform t... | 0 | 0 | 0 | 1 | 1 | 0 |
| 3054 | 3055 | Thinking Fast and Slow with Deep Learning and ... | Sequential decision making problems, such as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3055 | 3056 | Computer-aided implant design for the restorat... | Patient-specific cranial implants are import... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3056 | 3057 | Dimension-free Information Concentration via E... | Information concentration of probability mea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3057 | 3058 | A review of Dan's reduction method for multipl... | In this paper we will give an account of Dan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3058 | 3059 | Improved Bayesian Compression | Compression of Neural Networks (NN) has beco... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3059 | 3060 | Transient Response Improvement for Interconnec... | In this paper, we propose a method of design... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3060 | 3061 | Gradient Sparsification for Communication-Effi... | Modern large scale machine learning applicat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3061 | 3062 | Interactions mediated by a public good transie... | Bacterial communities have rich social lives... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3062 | 3063 | Transfer results for Frobenius extensions | We study Frobenius extensions which are free... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3063 | 3064 | Ergodicity of spherically symmetric fluid flow... | We consider the Burgers equation posed on th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3064 | 3065 | Recency-weighted Markovian inference | We describe a Markov latent state space (MLS... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3065 | 3066 | A revisit on the compactness of commutators | A new characterization of CMO(R^n) is establ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3066 | 3067 | Question Answering through Transfer Learning f... | We show that the task of question answering ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3067 | 3068 | Relative phantom maps | We define a map $f\colon X\to Y$ to be a pha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3068 | 3069 | Concepts of Architecture, Structure and System | The current ISO standards pertaining to the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3069 | 3070 | On mesoprimary decomposition of monoid congrue... | We prove two main results concerning mesopri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3070 | 3071 | Assessing the state of e-Readiness for Small a... | Emerging economies frequently show a large c... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3071 | 3072 | Densities of Hyperbolic Cusp Invariants | We find that cusp densities of hyperbolic kn... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3072 | 3073 | Data Augmentation for Robust Keyword Spotting ... | Accurate on-device keyword spotting (KWS) wi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3073 | 3074 | A Canonical-based NPN Boolean Matching Algorit... | This paper presents a new compact canonical-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3074 | 3075 | Cross ratios on boundaries of symmetric spaces... | We generalize the natural cross ratio on the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3075 | 3076 | Heterogeneous inputs to central pattern genera... | In our previous work, we studied an intercon... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3076 | 3077 | Link invariants derived from multiplexing of c... | We introduce the multiplexing of a crossing,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3077 | 3078 | Adaptive Algebraic Multiscale Solver for Compr... | This paper presents the development of an Ad... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3078 | 3079 | Automatic differentiation of hybrid models Ill... | We investigate the automatic differentiation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3079 | 3080 | Pinning down the mass of Kepler-10c: the impor... | Initial RV characterisation of the enigmatic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3080 | 3081 | Human-Centered Autonomous Vehicle Systems: Pri... | Building effective, enjoyable, and safe auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3081 | 3082 | Controlled trapping of single particle states ... | A periodic array of atomic sites, described ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3082 | 3083 | Adaptive Noise Cancellation Using Deep Cerebel... | This paper proposes a deep cerebellar model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3083 | 3084 | A Relaxation-based Network Decomposition Algor... | Transient stability simulation of a large-sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3084 | 3085 | A Quantitative Analysis of WCAG 2.0 Compliance... | Web portals have served as an excellent medi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3085 | 3086 | Portfolio Construction Matters | The role of portfolio construction in the im... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3086 | 3087 | Function space analysis of deep learning repre... | In this paper we propose a function space ap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3087 | 3088 | Random group cobordisms of rank 7/4 | We construct a model of random groups of ran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3088 | 3089 | Transport properties across the many-body loca... | We theoretically study transport properties ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3089 | 3090 | Analytic solution and stationary phase approxi... | The lasso and elastic net linear regression ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3090 | 3091 | (Un)predictability of strong El Niño events | The El Niño-Southern Oscillation (ENSO) is a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3091 | 3092 | Deep Learning Assisted Heuristic Tree Search f... | One of the key challenges for operations res... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3092 | 3093 | Efficient Benchmarking of Algorithm Configurat... | The optimization of algorithm (hyper-)parame... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3093 | 3094 | Multiplicative local linear hazard estimation ... | This paper develops detailed mathematical st... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3094 | 3095 | Random Perturbations of Matrix Polynomials | A sum of a large-dimensional random matrix p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3095 | 3096 | Monitoring Information Quality within Web Serv... | The composition of web services is a promisi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3096 | 3097 | An open-source platform to study uniaxial stre... | We present an automatic measurement platform... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3097 | 3098 | Nonlinear probability. A theory with incompati... | In 1991 J.F. Aarnes introduced the concept o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3098 | 3099 | Parametrised second-order complexity theory wi... | We extend the framework for complexity of op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3099 | 3100 | VEEGAN: Reducing Mode Collapse in GANs using I... | Deep generative models provide powerful tool... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3100 | 3101 | High-Resolution Breast Cancer Screening with M... | Advances in deep learning for natural images... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3101 | 3102 | Adaptive posterior contraction rates for the h... | We investigate the frequentist properties of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3102 | 3103 | A Convex Optimization Approach to Dynamic Prog... | A convex optimization-based method is propos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3103 | 3104 | Investigating Enactive Learning for Autonomous... | The enactive approach to cognition is typica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3104 | 3105 | Computability of semicomputable manifolds in c... | We study computable topological spaces and s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3105 | 3106 | Acoustic streaming and its suppression in inho... | We present a theoretical and experimental st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3106 | 3107 | Predicting Pulsar Scintillation from Refractiv... | The dynamic and secondary spectra of many pu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3107 | 3108 | Disruptive Behavior Disorder (DBD) Rating Scal... | In the presented study Parent/Teacher Disrup... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3108 | 3109 | A GPU Poisson-Fermi Solver for Ion Channel Sim... | The Poisson-Fermi model is an extension of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3109 | 3110 | Quantum Monte Carlo with variable spins: fixed... | We study several aspects of the recently int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3110 | 3111 | Robustifying Independent Component Analysis by... | We introduce coroICA, confounding-robust ind... | 0 | 0 | 0 | 1 | 1 | 0 |
| 3111 | 3112 | Diversification-Based Learning in Computing an... | Diversification-Based Learning (DBL) derives... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3112 | 3113 | A Tutorial on Canonical Correlation Methods | Canonical correlation analysis is a family o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3113 | 3114 | Towards Neural Co-Processors for the Brain: Co... | The field of brain-computer interfaces is po... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3114 | 3115 | Enhanced conservation properties of Vlasov cod... | Many phenomena in collisionless plasma physi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3115 | 3116 | A note on $p^λ$-convex set in a complete Riema... | In this paper we have generalized the notion... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3116 | 3117 | Bounded cohomology and virtually free hyperbol... | Using a probabilistic argument we show that ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3117 | 3118 | Transpiling Programmable Computable Functions ... | Programming Computable Functions (PCF) is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3118 | 3119 | Scattering polarization of the $d$-states of i... | Analysis of solar magnetic fields using obse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3119 | 3120 | Persistence Codebooks for Topological Data Ana... | Topological data analysis, such as persisten... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3120 | 3121 | Multivariate Analysis for Computing Maxima in ... | We study the problem of computing the \texts... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3121 | 3122 | Generalized multi-Galileons, covariantized new... | It has been pointed out that non-singular co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3122 | 3123 | Tonic activation of extrasynaptic NMDA recepto... | NMDA receptors (NMDA-R) typically contribute... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3123 | 3124 | Using Minimum Path Cover to Boost Dynamic Prog... | Aligning sequencing reads on graph represent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3124 | 3125 | Visual Integration of Data and Model Space in ... | Ensembles of classifier models typically del... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3125 | 3126 | Steady States of Rotating Stars and Galaxies | A rotating continuum of particles attracted ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3126 | 3127 | Critical properties of the contact process wit... | We have studied the critical properties of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3127 | 3128 | A Unified Strouhal-Reynolds Number Relationshi... | A new Strouhal-Reynolds number relationship,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3128 | 3129 | On Data-Dependent Random Features for Improved... | The randomized-feature approach has been suc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3129 | 3130 | Anomalous electron spectrum and its relation t... | The recent discovery of a direct link betwee... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3130 | 3131 | New goodness-of-fit diagnostics for conditiona... | This paper proposes new specification tests ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3131 | 3132 | Tailoring Heterovalent Interface Formation wit... | Integrating different semiconductor material... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3132 | 3133 | Looking backward: From Euler to Riemann | We survey the main ideas in the early histor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3133 | 3134 | Algorithmic Performance-Accuracy Trade-off in ... | In this paper we investigate an emerging app... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3134 | 3135 | A comparison theorem for MW-motivic cohomology | We prove that for a finitely generated field... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3135 | 3136 | Wiener Filtering for Passive Linear Quantum Sy... | This paper considers a version of the Wiener... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3136 | 3137 | Robust Navigation In GNSS Degraded Environment... | Robust navigation in urban environments has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3137 | 3138 | On reproduction of On the regularization of Wa... | This report has several purposes. First, our... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3138 | 3139 | Density Estimation with Contaminated Data: Min... | This paper studies density estimation under ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3139 | 3140 | A uniform bound on the Brauer groups of certai... | Let U be the complement of a smooth anticano... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3140 | 3141 | Composable Deep Reinforcement Learning for Rob... | Model-free deep reinforcement learning has b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3141 | 3142 | Stimulated Raman Scattering Imposes Fundamenta... | Temporal cavity solitons (CS) are optical pu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3142 | 3143 | Investigation of Using VAE for i-Vector Speake... | New system for i-vector speaker recognition ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3143 | 3144 | A Unifying Framework for Convergence Analysis ... | Many machine learning models are reformulate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3144 | 3145 | A Newman property for BLD-mappings | We define a Newman property for BLD-mappings... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3145 | 3146 | Learning to Use Learners' Advice | In this paper, we study a variant of the fra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3146 | 3147 | Fast and Accurate Time Series Classification w... | Time series (TS) occur in many scientific an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3147 | 3148 | Deep Neural Network Architectures for Modulati... | In this work, we investigate the value of em... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3148 | 3149 | Stack Overflow Considered Harmful? The Impact ... | Online programming discussion platforms such... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3149 | 3150 | United Nations Digital Blue Helmets as a Start... | Prior works, such as the Tallinn manual on t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3150 | 3151 | Motives of derived equivalent K3 surfaces | We observe that derived equivalent K3 surfac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3151 | 3152 | Robust Dual View Deep Agent | Motivated by recent advance of machine learn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3152 | 3153 | Microplasma generation by slow microwave in an... | Microplasma generation using microwaves in a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3153 | 3154 | K-theory of group Banach algebras and Banach p... | We investigate Banach algebras of convolutio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3154 | 3155 | A Biologically Plausible Supervised Learning M... | Spiking neural networks (SNNs) possess energ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3155 | 3156 | Learning from various labeling strategies for ... | Suicide is an important but often misunderst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3156 | 3157 | Modeling Information Flow Through Deep Neural ... | This paper proposes a principled information... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3157 | 3158 | Scalable Twin Neural Networks for Classificati... | Twin Support Vector Machines (TWSVMs) have e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3158 | 3159 | Learning Compact Recurrent Neural Networks wit... | Recurrent Neural Networks (RNNs) are powerfu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3159 | 3160 | Deep Learning applied to Road Traffic Speed fo... | In this paper, we propose deep learning arch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3160 | 3161 | Wait For It: Identifying "On-Hold" Self-Admitt... | Self-admitted technical debt refers to situa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3161 | 3162 | Real time observation of granular rock analogu... | A better understanding and anticipation of n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3162 | 3163 | Virtual link and knot invariants from non-abel... | For a given $(X,S,\beta)$, where $S,\beta\co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3163 | 3164 | An extensible cluster-graph taxonomy for open ... | We present a new extensible and divisible ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3164 | 3165 | CREATE: Multimodal Dataset for Unsupervised Le... | The CREATE database is composed of 14 hours ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3165 | 3166 | Deep learning enhanced mobile-phone microscopy | Mobile-phones have facilitated the creation ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3166 | 3167 | On convergence of the sample correlation matri... | In this paper, we consider an estimation pro... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3167 | 3168 | Minimal Controllability of Conjunctive Boolean... | Given a conjunctive Boolean network (CBN) wi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3168 | 3169 | Consensus report on 25 years of searches for d... | Starting from a summary of detection statist... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3169 | 3170 | D-optimal designs for complex Ornstein-Uhlenbe... | Complex Ornstein-Uhlenbeck (OU) processes ha... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3170 | 3171 | On Stein's Identity and Near-Optimal Estimatio... | We consider estimating the parametric compon... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3171 | 3172 | Self-adjointness and spectral properties of Di... | We define Dirac operators on $\mathbb{S}^3$ ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3172 | 3173 | Latent tree models | Latent tree models are graphical models defi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3173 | 3174 | Program Synthesis from Visual Specification | Program synthesis is the process of automati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3174 | 3175 | Towards a Knowledge Graph based Speech Interface | Applications which use human speech as an in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3175 | 3176 | An asymptotic equipartition property for measu... | Let $G$ be a sofic group, and let $\Sigma = ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3176 | 3177 | Dynamic Objects Segmentation for Visual Locali... | Visual localization and mapping is a crucial... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3177 | 3178 | Gradient Masking Causes CLEVER to Overestimate... | A key problem in research on adversarial exa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3178 | 3179 | Gaussian process regression for forest attribu... | While the analysis of airborne laser scannin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3179 | 3180 | Quantum capacitance of double-layer graphene | We study the ground-state properties of a do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3180 | 3181 | DeepTriangle: A Deep Learning Approach to Loss... | We propose a novel approach for loss reservi... | 0 | 0 | 0 | 1 | 0 | 1 |
| 3181 | 3182 | Distributed Time Synchronization for Networks ... | In this paper a new distributed asynchronous... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3182 | 3183 | Using High-Rising Cities to Visualize Performa... | For developers concerned with a performance ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3183 | 3184 | Controller Synthesis for Discrete-time Hybrid ... | We present a novel controller synthesis appr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3184 | 3185 | Fast Stochastic Variance Reduced Gradient Meth... | Recently, research on accelerated stochastic... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3185 | 3186 | A vertex-weighted-Least-Squares gradient recon... | Gradient reconstruction is a key process for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3186 | 3187 | The reverse mathematics of theorems of Jordan ... | The Jordan decomposition theorem states that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3187 | 3188 | Semiflat Orbifold Projections | We compute the semiflat positive cone $K_0^{... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3188 | 3189 | Magnetization process of the S = 1/2 two-leg o... | We have measured the magnetization of the or... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3189 | 3190 | Deep Over-sampling Framework for Classifying I... | Class imbalance is a challenging issue in pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3190 | 3191 | Failsafe Mechanism Design of Multicopters Base... | In order to handle undesirable failures of a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3191 | 3192 | Inverse Design of Single- and Multi-Rotor Hori... | A method for inverse design of horizontal ax... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3192 | 3193 | The Double Galaxy Cluster Abell 2465 III. X-ra... | We report Chandra X-ray observations and opt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3193 | 3194 | Superdensity Operators for Spacetime Quantum M... | We introduce superdensity operators as a too... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3194 | 3195 | Monte Carlo study of magnetic nanoparticles ad... | We study properties of magnetic nanoparticle... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3195 | 3196 | Inference in high-dimensional linear regressio... | We introduce an asymptotically unbiased esti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3196 | 3197 | Counterfactual Learning for Machine Translatio... | Counterfactual learning is a natural scenari... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3197 | 3198 | Conversion of Mersenne Twister to double-preci... | The 32-bit Mersenne Twister generator MT1993... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3198 | 3199 | BaHaMAS: A Bash Handler to Monitor and Adminis... | Numerical QCD is often extremely resource de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3199 | 3200 | Computational Study of Halide Perovskite-Deriv... | The electronic structure and energetic stabi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3200 | 3201 | A Bootstrap Lasso + Partial Ridge Method to Co... | For high-dimensional sparse linear models, h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3201 | 3202 | The Music Streaming Sessions Dataset | At the core of many important machine learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3202 | 3203 | CUSBoost: Cluster-based Under-sampling with Bo... | Class imbalance classification is a challeng... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3203 | 3204 | Finding events in temporal networks: Segmentat... | In this paper we study the problem of discov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3204 | 3205 | On the area of constrained polygonal linkages | We study configuration spaces of linkages wh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3205 | 3206 | Effects of geometrical frustration on ferromag... | The small-cluster exact-diagonalization calc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3206 | 3207 | Learning Hybrid Process Models From Events: Pr... | Process discovery techniques return process ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3207 | 3208 | El Lenguaje Natural como Lenguaje Formal | Formal languages theory is useful for the st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3208 | 3209 | Bounds for the completely positive rank of a s... | In this paper, we find an upper bound for th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3209 | 3210 | Gaussian process classification using posterio... | This paper proposes a new algorithm for Gaus... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3210 | 3211 | On Inconsistency Indices and Inconsistency Axi... | Pairwise comparisons are an important tool o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3211 | 3212 | Heteroclinic traveling fronts for a generalize... | We study the existence of monotone heterocli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3212 | 3213 | Computer Algebra for Microhydrodynamics | I describe a method for computer algebra tha... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3213 | 3214 | Rapid micro fluorescence in situ hybridization... | This paper describes a micro fluorescence in... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3214 | 3215 | Learning the Morphology of Brain Signals Using... | Neural time-series data contain a wide varie... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3215 | 3216 | Machine Learning for Drug Overdose Surveillance | We describe two recently proposed machine le... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3216 | 3217 | A Capsule based Approach for Polyphonic Sound ... | Polyphonic sound event detection (polyphonic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3217 | 3218 | Linear simulation of ion temperature gradient ... | The global gyrokinetic toroidal code (GTC) h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3218 | 3219 | Advanced engineering of single-crystal gold na... | A nanofabrication process for realizing opti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3219 | 3220 | Stick-breaking processes, clumping, and Markov... | We consider the connections among `clumped' ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3220 | 3221 | Scaling laws of Rydberg excitons | Rydberg atoms have attracted considerable in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3221 | 3222 | Variable selection in multivariate linear mode... | In this paper, we propose a novel variable s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3222 | 3223 | A Novel Model of Cancer-Induced Peripheral Neu... | Background. Models of cancer-induced neuropa... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3223 | 3224 | Statistical inference using SGD | We present a novel method for frequentist st... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3224 | 3225 | Core Discovery in Hidden Graphs | Massive network exploration is an important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3225 | 3226 | Some exact Bradlow vortex solutions | We consider the Bradlow equation for vortice... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3226 | 3227 | Saturating sets in projective planes and hyper... | Let $\Pi_q$ be an arbitrary finite projectiv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3227 | 3228 | Accelerated Optimization in the PDE Framework:... | Following the seminal work of Nesterov, acce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3228 | 3229 | Limitations on Variance-Reduction and Accelera... | We study the conditions under which one is a... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3229 | 3230 | Stability Enhanced Large-Margin Classifier Sel... | Stability is an important aspect of a classi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3230 | 3231 | Some Sphere Theorems in Linear Potential Theory | In this paper we analyze the capacitary pote... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3231 | 3232 | Non-Gaussian Component Analysis using Entropy ... | Non-Gaussian component analysis (NGCA) is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3232 | 3233 | Positive Geometries and Canonical Forms | Recent years have seen a surprising connecti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3233 | 3234 | Computational Thinking in Education: Where doe... | Computational Thinking (CT) has been describ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3234 | 3235 | Spincaloritronic signal generation in non-dege... | Spincaloritronic signal generation due to th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3235 | 3236 | Optimal fidelity multi-level Monte Carlo for q... | We quantify uncertainties in the location an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3236 | 3237 | A New Take on Protecting Cyclists in Smart Cities | Pollution in urban centres is becoming a maj... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3237 | 3238 | The effect upon neutrinos of core-collapse sup... | During the accretion phase of a core-collaps... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3238 | 3239 | Positive-Unlabeled Learning with Non-Negative ... | From only positive (P) and unlabeled (U) dat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3239 | 3240 | PSZ2LenS. Weak lensing analysis of the Planck ... | The possibly unbiased selection process in s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3240 | 3241 | GP CaKe: Effective brain connectivity with cau... | A fundamental goal in network neuroscience i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3241 | 3242 | On boundary behavior of mappings on Riemannian... | A boundary behavior of ring mappings on Riem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3242 | 3243 | Privacy Preserving Face Retrieval in the Cloud... | Recently, cloud storage and processing have ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3243 | 3244 | A Markov Chain Theory Approach to Characterizi... | This work provides a simplified proof of the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3244 | 3245 | Averages of Unlabeled Networks: Geometric Char... | It is becoming increasingly common to see la... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3245 | 3246 | The Abelian distribution | We define the Abelian distribution and study... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3246 | 3247 | PULSEDYN - A dynamical simulation tool for stu... | We introduce PULSEDYN, a particle dynamics p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3247 | 3248 | Stabilization Control of the Differential Mobi... | This paper presents the design of a control ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3248 | 3249 | A Random Sample Partition Data Model for Big D... | Big data sets must be carefully partitioned ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3249 | 3250 | A family of transformed copulas with singular ... | In this paper, we present a family of bivari... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3250 | 3251 | Deep Learning for micro-Electrocorticographic ... | Machine learning can extract information fro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3251 | 3252 | Clipped Matrix Completion: A Remedy for Ceilin... | We consider the problem of recovering a low-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3252 | 3253 | End-to-End Multi-Task Denoising for joint SDR ... | Supervised learning based on a deep neural n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3253 | 3254 | Scalable Importance Tempering and Bayesian Var... | We propose a Monte Carlo algorithm to sample... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3254 | 3255 | Distributed Convolutional Dictionary Learning ... | Convolutional dictionary learning (CDL) esti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3255 | 3256 | Performance Analysis of Robust Stable PID Cont... | This paper derives new formulations for desi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3256 | 3257 | On Conjugates and Adjoint Descent | In this note we present an $\infty$-categori... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3257 | 3258 | Learning to Parse and Translate Improves Neura... | There has been relatively little attention t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3258 | 3259 | Boundary feedback stabilization of a flexible ... | This paper addresses the boundary stabilizat... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3259 | 3260 | Out-colourings of Digraphs | We study vertex colourings of digraphs so th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3260 | 3261 | An Improved Video Analysis using Context based... | Locality Sensitive Hashing (LSH) based algor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3261 | 3262 | Commuting graphs on Coxeter groups, Dynkin dia... | For a group $H$ and a non empty subset $\Gam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3262 | 3263 | Exact energy stability of Bénard-Marangoni con... | Using the energy method we investigate the s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3263 | 3264 | A sharpening of a problem on Bernstein polynom... | We present an elementary proof of a conjectu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3264 | 3265 | Local Estimate on Convexity Radius and decay o... | In this paper we prove the following pointwi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3265 | 3266 | Magnetic properties of the spin-1 chain compou... | We report experimental results of the static... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3266 | 3267 | Multiple core hole formation by free-electron ... | We investigate the formation of multiple-cor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3267 | 3268 | An Intriguing Failing of Convolutional Neural ... | Few ideas have enjoyed as large an impact on... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3268 | 3269 | Uniformly recurrent subgroups and the ideal st... | We study the ideal structure of reduced cros... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3269 | 3270 | TrajectoryNet: An Embedded GPS Trajectory Repr... | Understanding and discovering knowledge from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3270 | 3271 | Modularity Matters: Learning Invariant Relatio... | We focus on two supervised visual reasoning ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 3271 | 3272 | Proofs of some Propositions of the semi-Intuit... | We offer the proofs that complete our articl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3272 | 3273 | Entanglement in topological systems | These lecture notes on entanglement in topol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3273 | 3274 | Equivalence between Differential Inclusions In... | In this paper, we study the existence and th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3274 | 3275 | Effect of iron oxide loading on magnetoferriti... | Synthetic biological macromolecule of magnet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3275 | 3276 | Volumetric Super-Resolution of Multispectral Data | Most multispectral remote sensors (e.g. Quic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3276 | 3277 | Atomic Convolutional Networks for Predicting P... | Empirical scoring functions based on either ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 3277 | 3278 | Random characters under the $L$-measure, I : D... | We define the $L$-measure on the set of Diri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3278 | 3279 | The Effects of Superheating Treatment on Distr... | In the present study, superheating treatment... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3279 | 3280 | Cycle-of-Learning for Autonomous Systems from ... | We discuss different types of human-robot in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3280 | 3281 | Comparison of methods for early-readmission pr... | Background: Choosing the most performing met... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3281 | 3282 | How the notion of ACCESS guides the organizati... | This contribution will show how Access play ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3282 | 3283 | Soliton-potential interactions for nonlinear S... | In this work we mainly consider the dynamics... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3283 | 3284 | Incommensurately modulated twin structure of n... | Incommensurately modulated twin structure of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3284 | 3285 | Jensen's force and the statistical mechanics o... | The cortex exhibits self-sustained highly-ir... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3285 | 3286 | Notes on relative normalizations of ruled surf... | This paper deals with relative normalization... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3286 | 3287 | Ferroelectric control of the giant Rashba spin... | GeTe wins the renewed research interest due ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3287 | 3288 | Topological phase of the interlayer exchange c... | We show, theoretically, that the phase of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3288 | 3289 | New constraints on time-dependent variations o... | Observations of the CMB today allow us to an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3289 | 3290 | ForestClaw: A parallel algorithm for patch-bas... | We describe a parallel, adaptive, multi-bloc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3290 | 3291 | Distributed Triangle Counting in the Graphulo ... | Triangle counting is a key algorithm for lar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3291 | 3292 | Ensemble Classifier for Eye State Classificati... | The growing importance and utilization of me... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3292 | 3293 | Nutritionally recommended food for semi- to st... | Diet design for vegetarian health is challen... | 1 | 0 | 0 | 0 | 1 | 0 |
| 3293 | 3294 | Does data interpolation contradict statistical... | We show that learning methods interpolating ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3294 | 3295 | Spin-Frustrated Pyrochlore Chains in the Volca... | Search of new frustrated magnetic systems is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3295 | 3296 | Detail-revealing Deep Video Super-resolution | Previous CNN-based video super-resolution ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3296 | 3297 | MON: Mission-optimized Overlay Networks | Large organizations often have users in mult... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3297 | 3298 | Generalized Results on Monoids as Memory | We show that some results from the theory of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3298 | 3299 | Radio Resource Allocation for Multicarrier-Low... | Multicarrier-low density spreading multiple ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3299 | 3300 | Estimating the Spectral Density of Large Impli... | Many important problems are characterized by... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3300 | 3301 | Robust 3D Distributed Formation Control with A... | We present a distributed control strategy fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3301 | 3302 | Discrete Extremes | Our contribution is to widen the scope of ex... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3302 | 3303 | Rapid Adaptation with Conditionally Shifted Ne... | We describe a mechanism by which artificial ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3303 | 3304 | JamBot: Music Theory Aware Chord Based Generat... | We propose a novel approach for the generati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3304 | 3305 | Inflationary Primordial Black Holes as All Dar... | Following a new microlensing constraint on p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3305 | 3306 | Condition number and matrices | It is well known the concept of the conditio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3306 | 3307 | Computational Tools in Weighted Persistent Hom... | In this paper, we study further properties a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3307 | 3308 | Dirac fermions in borophene | Honeycomb structures of group IV elements ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3308 | 3309 | Resolving the notorious case of conical inters... | The motion of electrons and nuclei in photoc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3309 | 3310 | Benchmarking gate-based quantum computers | With the advent of public access to small ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3310 | 3311 | Determinant structure for tau-function of holo... | In our previous works, a relationship betwee... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3311 | 3312 | Transfer Operator Based Approach for Optimal S... | In this paper we develop linear transfer Per... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3312 | 3313 | CryptoDL: Deep Neural Networks over Encrypted ... | Machine learning algorithms based on deep ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3313 | 3314 | Data-driven modeling of collaboration networks... | We analyze large-scale data sets about colla... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3314 | 3315 | Tunnelling in Dante's Inferno | We study quantum tunnelling in Dante's Infer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3315 | 3316 | Regulating Highly Automated Robot Ecologies: I... | Highly automated robot ecologies (HARE), or ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3316 | 3317 | Some theoretical results on tensor elliptical ... | The multilinear normal distribution is a wid... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3317 | 3318 | Applying Text Mining to Protest Stories as Voi... | Data driven activism attempts to collect, an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3318 | 3319 | Cost-Effective Training of Deep CNNs with Acti... | Deep convolutional neural networks have achi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3319 | 3320 | Flipping growth orientation of nanographitic s... | Nanographitic structures (NGSs) with multitu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3320 | 3321 | Topological thermal Hall effect due to Weyl ma... | We present the first theoretical evidence of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3321 | 3322 | Numerical prediction of the piezoelectric tran... | We present a simple electromechanical finite... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3322 | 3323 | A free energy landscape of the capture of CO2 ... | Frustrated Lewis pairs (FLPs) are known for ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3323 | 3324 | Improved Point Source Detection in Crowded Fie... | Cataloging is challenging in crowded fields ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3324 | 3325 | Local Convergence of Proximal Splitting Method... | We analyze the local convergence of proximal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3325 | 3326 | On the boundary between qualitative and quanti... | Causal relationships among variables are com... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3326 | 3327 | How Could Polyhedral Theory Harness Deep Learn... | The holy grail of deep learning is to come u... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3327 | 3328 | Optimal top dag compression | It is shown that for a given ordered node-la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3328 | 3329 | Synthesizing SystemC Code from Delay Hybrid CSP | Delay is omnipresent in modern control syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3329 | 3330 | Analysis of Annual Cyclone Frequencies over Ba... | This paper discusses the time series trend a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3330 | 3331 | Load Thresholds for Cuckoo Hashing with Overla... | Dietzfelbinger and Weidling [DW07] proposed ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3331 | 3332 | Evaluating the hot hand phenomenon using predi... | Consider the problem of modeling memory for ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3332 | 3333 | Closed almost-Kähler 4-manifolds of constant n... | We show that a closed almost Kähler 4-manifo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3333 | 3334 | Pretest and Stein-Type Estimations in Quantile... | In this study, we consider preliminary test ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3334 | 3335 | Outcrop fracture characterization on suppositi... | Conventional fracture data collection method... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3335 | 3336 | Exploiting routinely collected severe case dat... | Influenza remains a significant burden on he... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3336 | 3337 | Consistent Inter-Model Specification for Time-... | This paper shows how to recover stochastic v... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3337 | 3338 | Optimal Task Scheduling in Communication-Const... | Mobile edge computing (MEC) is expected to b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3338 | 3339 | Infinitary generalizations of Deligne's comple... | Given a regular cardinal $\kappa$ such that ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3339 | 3340 | Progressive Growing of GANs for Improved Quali... | We describe a new training methodology for g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3340 | 3341 | Saxion Cosmology for Thermalized Gravitino Dar... | In all supersymmetric theories, gravitinos, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3341 | 3342 | One-step and Two-step Classification for Abusi... | Automatic abusive language detection is a di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3342 | 3343 | Massive data compression for parameter-depende... | We show how the massive data compression alg... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3343 | 3344 | A Novel Data-Driven Framework for Risk Charact... | Electronic medical records (EMR) contain lon... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3344 | 3345 | Knotted solutions for linear and nonlinear the... | We examine knotted solutions, the most simpl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3345 | 3346 | Implicit Media Tagging and Affect Prediction f... | We present a method that automatically evalu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3346 | 3347 | Improving Legal Information Retrieval by Distr... | Legal professionals worldwide are currently ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3347 | 3348 | Modeling Study of Laser Beam Scattering by Def... | Accurate modeling of light scattering from n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3348 | 3349 | Combinatorial and Asymptotical Results on the ... | In 2009, Joselli et al introduced the Neighb... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3349 | 3350 | On the structure of join tensors with applicat... | We investigate the structure of join tensors... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3350 | 3351 | Adversarial Variational Optimization of Non-Di... | Complex computer simulators are increasingly... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3351 | 3352 | Learning Light Transport the Reinforced Way | We show that the equations of reinforcement ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3352 | 3353 | Posterior Asymptotic Normality for an Individu... | We consider the sparse high-dimensional line... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3353 | 3354 | Subdeterminant Maximization via Nonconvex Rela... | Several fundamental problems that arise in o... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3354 | 3355 | On the Uplink Achievable Rate of Massive MIMO ... | This paper considers channel estimation and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3355 | 3356 | On The Complexity of Enumeration | We investigate the relationship between seve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3356 | 3357 | On $p$-degree of elliptic curves | In this note we investigate the $p$-degree f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3357 | 3358 | Combinatorial formulas for Kazhdan-Lusztig pol... | In \cite{y1} Yin generalized the definition ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3358 | 3359 | Arithmetic statistics of modular symbols | Mazur, Rubin, and Stein have recently formul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3359 | 3360 | Approximation Techniques for Stochastic Analys... | There has been an increasing demand for form... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3360 | 3361 | Characterizing time-irreversibility in disorde... | We study the effects of local perturbations ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3361 | 3362 | A Lower Bound for the Number of Central Config... | We study the indices of the geodesic central... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3362 | 3363 | Scattering dominated high-temperature phase of... | The controversy regarding the precise nature... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3363 | 3364 | Motional Ground State Cooling Outside the Lamb... | We report Raman sideband cooling of a single... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3364 | 3365 | Quantifying the uncertainties in an ensemble o... | Meaningful climate predictions must be accom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3365 | 3366 | A Learning-Based Framework for Two-Dimensional... | Situational awareness in vehicular networks ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3366 | 3367 | Learning from Multiple Cities: A Meta-Learning... | Spatial-temporal prediction is a fundamental... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3367 | 3368 | Universal locally univalent functions and univ... | We prove Runge-type theorems and universalit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3368 | 3369 | Towards a New Interpretation of Separable Conv... | In recent times, the use of separable convol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3369 | 3370 | Numerical Simulations of Regolith Sampling Pro... | We present recent improvements in the simula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3370 | 3371 | Lexical analysis of automated accounts on Twitter | In recent years, social bots have been using... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3371 | 3372 | The effect of the virial state of molecular cl... | A set of Smoothed Particle Hydrodynamics sim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3372 | 3373 | A contract-based method to specify stimulus-re... | A number of formal methods exist for capturi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3373 | 3374 | Estimation of the covariance structure of heav... | We propose and analyze a new estimator of th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3374 | 3375 | Deep Reinforcement Learning for De-Novo Drug D... | We propose a novel computational strategy fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3375 | 3376 | Batch Data Processing and Gaussian Two-Armed B... | We consider the two-armed bandit problem as ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3376 | 3377 | Estimating Under Five Mortality in Space and T... | Accurate estimates of the under-5 mortality ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3377 | 3378 | Cyclotomic Construction of Strong External Dif... | Strong external difference family (SEDF) and... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3378 | 3379 | Acoustic double negativity induced by position... | Using a Multiple Scattering Theory algorithm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3379 | 3380 | Interoceptive robustness through environment-m... | Typically, AI researchers and roboticists tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3380 | 3381 | Strichartz estimates for non-degenerate Schröd... | We consider Schrödinger equation with a non-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3381 | 3382 | On the Diophantine equation $\sum_{j=1}^kjF_j^... | Let $F_n$ denote the $n^{th}$ term of the Fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3382 | 3383 | Uncertainty measurement with belief entropy on... | Social dilemmas have been regarded as the es... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3383 | 3384 | The diffusion equation with nonlocal data | We study the diffusion (or heat) equation on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3384 | 3385 | Exploring Neural Transducers for End-to-End Sp... | In this work, we perform an empirical compar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3385 | 3386 | Information Theory of Data Privacy | By combining Shannon's cryptography model wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3386 | 3387 | A combined entropy and utility based generativ... | Generative models, either by simple clusteri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3387 | 3388 | Phase Transitions of Spectral Initialization f... | We study a spectral initialization method th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3388 | 3389 | Understanding GANs: the LQG Setting | Generative Adversarial Networks (GANs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3389 | 3390 | A Rosenau-type approach to the approximation o... | {The numerical approximation of the solution... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3390 | 3391 | Analysis of Footnote Chasing and Citation Sear... | In interactive information retrieval, resear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3391 | 3392 | Direct Mapping Hidden Excited State Interactio... | The excited states of polyatomic systems are... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3392 | 3393 | You Are How You Walk: Uncooperative MoCap Gait... | This work offers a design of a video surveil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3393 | 3394 | Clebsch-Gordan Nets: a Fully Fourier Space Sph... | Recent work by Cohen \emph{et al.} has achie... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3394 | 3395 | Characterization of catastrophic instabilities... | Catastrophic events, though rare, do occur a... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3395 | 3396 | Discovery of Intrinsic Quantum Anomalous Hall ... | The quantum anomalous Hall (QAH) phase is a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3396 | 3397 | Temporal Convolution Networks for Real-Time Ab... | The automatic analysis of ultrasound sequenc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3397 | 3398 | The Role of Data Analysis in the Development o... | Data analysis plays an important role in the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3398 | 3399 | Quantification of the memory effect of steady-... | Dynamics of a system in general depends on i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3399 | 3400 | Geometrical optimization approach to isomeriza... | We study laser-driven isomerization reaction... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3400 | 3401 | Quandle rings | In this paper, a theory of quandle rings is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3401 | 3402 | On the application of Laguerre's method to the... | The polynomial eigenvalue problem arises in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3402 | 3403 | Limiting Behaviour of the Teichmüller Harmonic... | In this paper we study the Teichmüller harmo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3403 | 3404 | Invariant measures for the actions of the modu... | In this note, we give a nature action of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3404 | 3405 | Cartesian Fibrations and Representability | In higher category theory, we use fibrations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3405 | 3406 | Signal coupling to embedded pitch adapters in ... | We have examined the effects of embedded pit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3406 | 3407 | Winds and radiation in unison: a new semi-anal... | Star clusters interact with the interstellar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3407 | 3408 | Analysis-of-marginal-Tail-Means (ATM): a robus... | We present a new method, called Analysis-of-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3408 | 3409 | Modular System for Shelves and Coasts (MOSSCO ... | Shelf and coastal sea processes extend from ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3409 | 3410 | How big was Galileo's impact? Percussion in th... | The Giornata Sesta about the Force of Percus... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3410 | 3411 | Radar, without tears | A brief introduction to radar: principles, D... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3411 | 3412 | A Multi-Stage Algorithm for Acoustic Physical ... | One of the challenges in computational acous... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3412 | 3413 | A Warped Product Splitting Theorem Through Wea... | In this paper, we strengthen the splitting t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3413 | 3414 | Learning Instance Segmentation by Interaction | We present an approach for building an activ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3414 | 3415 | On convergence rate of stochastic proximal poi... | Significant parts of the recent learning lit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3415 | 3416 | Learning Texture Manifolds with the Periodic S... | This paper introduces a novel approach to te... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3416 | 3417 | Generating Representative Executions [Extended... | Analyzing the behaviour of a concurrent prog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3417 | 3418 | Extended periodic links and HOMFLYPT polynomial | Extended strongly periodic links have been i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3418 | 3419 | Exploring Cross-Domain Data Dependencies for S... | Over the past decade, the idea of smart home... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3419 | 3420 | Poseidon: An Efficient Communication Architect... | Deep learning models can take weeks to train... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3420 | 3421 | A closed formula for illiquid corporate bonds ... | We deduce a simple closed formula for illiqu... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3421 | 3422 | Toric Codes, Multiplicative Structure and Deco... | Long linear codes constructed from toric var... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3422 | 3423 | Outlier Detection by Consistent Data Selection... | Often the challenge associated with tasks li... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3423 | 3424 | Basic quantizations of $D=4$ Euclidean, Lorent... | We construct firstly the complete list of fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3424 | 3425 | Supervising Unsupervised Learning with Evoluti... | A method to control results of gradient desc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3425 | 3426 | Inductive Representation Learning in Large Att... | Graphs (networks) are ubiquitous and allow u... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3426 | 3427 | Evidence for Two Hot Jupiter Formation Paths | Disk migration and high-eccentricity migrati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3427 | 3428 | High-resolution Spectroscopy and Spectropolari... | The combination of photometry, spectroscopy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3428 | 3429 | Majority and Minority Voted Redundancy for Saf... | A new majority and minority voted redundancy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3429 | 3430 | Tight Analysis for the 3-Majority Consensus Dy... | We present a tight analysis for the well-stu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3430 | 3431 | Large-scale chromosome folding versus genomic ... | Using state-of-the-art techniques combining ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3431 | 3432 | Superlinear scaling in the urban system of Eng... | According to the theory of urban scaling, ur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3432 | 3433 | Extensile actomyosin? | Living cells move thanks to assemblies of ac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3433 | 3434 | Towards Deep Learning Models for Psychological... | There is an increasing interest in exploitin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3434 | 3435 | Direct Multitype Cardiac Indices Estimation vi... | Cardiac indices estimation is of great impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3435 | 3436 | Noncommutative hyperbolic metrics | We characterize certain noncommutative domai... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3436 | 3437 | Interpretable Low-Dimensional Regression via D... | We consider the problem of estimating a regr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3437 | 3438 | Basin stability for chimera states | Chimera states, namely complex spatiotempora... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3438 | 3439 | On the Usage of Databases of Educational Mater... | Technologies have become important part of o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3439 | 3440 | Deep Neural Linear Bandits: Overcoming Catastr... | We study the neural-linear bandit model for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3440 | 3441 | Breaking mean-motion resonances during Type I ... | We present two-dimensional hydrodynamical si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3441 | 3442 | The Stretch to Stray on Time: Resonant Length ... | First-passage times in random walks have a v... | 0 | 0 | 0 | 0 | 1 | 1 |
| 3442 | 3443 | Hierarchical Model for Long-term Video Prediction | Video prediction has been an active topic of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3443 | 3444 | Classical Music Clustering Based on Acoustic F... | In this paper we cluster 330 classical music... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3444 | 3445 | Many-Body-Localization : Strong Disorder pertu... | For random quantum spin models, the strong d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3445 | 3446 | Semi-supervised Learning for Discrete Choice M... | We introduce a semi-supervised discrete choi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3446 | 3447 | An Analytic Criterion for Turbulent Disruption... | Mean motion commensurabilities in multi-plan... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3447 | 3448 | Electronic structure of transferred graphene/h... | In van der Waals heterostructures, the perio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3448 | 3449 | Automatic sequences and generalised polynomials | We conjecture that bounded generalised polyn... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3449 | 3450 | Robust Regulation of Infinite-Dimensional Port... | We will give general sufficient conditions u... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3450 | 3451 | Existence of travelling waves and high activat... | We provide a mathematical analysis of a ther... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3451 | 3452 | The Motion of Small Bodies in Space-time | We consider the motion of small bodies in ge... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3452 | 3453 | Extracting urban impervious surface from GF-1 ... | Impervious surface area is a direct conseque... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3453 | 3454 | Positive and nodal single-layered solutions to... | We study the problem% \[ -\Delta v+\lambda v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3454 | 3455 | Robust, Deep and Inductive Anomaly Detection | PCA is a classical statistical technique who... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3455 | 3456 | Understanding Organizational Approach towards ... | End user privacy is a critical concern for a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3456 | 3457 | Baryonic impact on the dark matter orbital pro... | We study the orbital properties of dark matt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3457 | 3458 | Extreme Value Analysis Without the Largest Val... | In this paper we are concerned with the anal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3458 | 3459 | Controlling light in complex media beyond the ... | Studying the internal structure of complex s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3459 | 3460 | Uniqueness and stability of Ricci flow through... | We verify a conjecture of Perelman, which st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3460 | 3461 | Reciprocal space engineering with hyperuniform... | Hyperuniform geometries feature correlated d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3461 | 3462 | STFT spectral loss for training a neural speec... | This paper proposes a new loss using short-t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3462 | 3463 | Spectral Properties of Continuum Fibonacci Sch... | We study continuum Schrödinger operators on ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3463 | 3464 | Species tree inference from genomic sequences ... | The log-det distance between two aligned DNA... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3464 | 3465 | Structure preserving schemes for nonlinear Fok... | In this paper we focus on the construction o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3465 | 3466 | A Markov decision process approach to optimizi... | There are several different modalities, e.g.... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3466 | 3467 | Complex Contagions with Timers | A great deal of effort has gone into trying ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3467 | 3468 | Random Networks, Graphical Models, and Exchang... | We study conditional independence relationsh... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3468 | 3469 | Long-Term Inertial Navigation Aided by Dynamic... | A current-aided inertial navigation framewor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3469 | 3470 | Catching Zika Fever: Application of Crowdsourc... | In February 2016, World Health Organization ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3470 | 3471 | Monte Carlo determination of the low-energy co... | The low-energy constants, namely the spin st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3471 | 3472 | Explaining Parochialism: A Causal Account for ... | Political and social polarization are a sign... | 0 | 0 | 0 | 0 | 1 | 1 |
| 3472 | 3473 | A Secular Resonant Origin for the Loneliness o... | Despite decades of inquiry, the origin of gi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3473 | 3474 | An Incremental Slicing Method for Functional P... | Several applications of slicing require a pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3474 | 3475 | Accelerating Science with Generative Adversari... | Physicists at the Large Hadron Collider (LHC... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3475 | 3476 | A study of ancient Khmer ephemerides | We study ancient Khmer ephemerides described... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3476 | 3477 | Auto Deep Compression by Reinforcement Learnin... | Model-based compression is an effective, fac... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3477 | 3478 | Infinite Sparse Structured Factor Analysis | Matrix factorisation methods decompose multi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3478 | 3479 | RuntimeSearch: Ctrl+F for a Running Program | Developers often try to find occurrences of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3479 | 3480 | Accurate and Efficient Evaluation of Character... | A new method to improve the accuracy and eff... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3480 | 3481 | MUFASA: The assembly of the red sequence | We examine the growth and evolution of quenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3481 | 3482 | Symmetric calorons and the rotation map | We study $SU(2)$ calorons, also known as per... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3482 | 3483 | Deep Learning for Accelerated Reliability Anal... | Natural disasters can have catastrophic impa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3483 | 3484 | IMLS-SLAM: scan-to-model matching based on 3D ... | The Simultaneous Localization And Mapping (S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3484 | 3485 | Cooperative Online Learning: Keeping your Neig... | We study an asynchronous online learning set... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3485 | 3486 | FeaStNet: Feature-Steered Graph Convolutions f... | Convolutional neural networks (CNNs) have ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3486 | 3487 | On a minimal counterexample to Brauer's $k(B)$... | We study Brauer's long-standing $k(B)$-conje... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3487 | 3488 | The best fit for the observed galaxy Counts-in... | The Sloan Digital Sky Survey (SDSS) is the f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3488 | 3489 | Separator Reconnection at Earth's Dayside Magn... | We compare a global high resolution resistiv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3489 | 3490 | Semi-Supervised Overlapping Community Finding ... | Algorithms for detecting communities in comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3490 | 3491 | Designing Coalition-Proof Reverse Auctions ove... | This paper investigates reverse auctions tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3491 | 3492 | Probabilistic Line Searches for Stochastic Opt... | In deterministic optimization, line searches... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3492 | 3493 | Quantum Phase transition under pressure in a h... | Hydrogen (H)-doped LaFeAsO is a prototypical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3493 | 3494 | Hyperboloidal similarity coordinates and a glo... | We consider co-rotational wave maps from (1+... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3494 | 3495 | Supersymmetry in Closed Chains of Coupled Majo... | We consider a closed chain of even number of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3495 | 3496 | Renormalized Hennings Invariants and 2+1-TQFTs | We construct non-semisimple $2+1$-TQFTs yiel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3496 | 3497 | On Improving Deep Reinforcement Learning for P... | Deep Reinforcement Learning (RL) recently em... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3497 | 3498 | When to Invest in Security? Empirical Evidence... | Games of timing aim to determine the optimal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3498 | 3499 | Converting Cascade-Correlation Neural Nets int... | Humans are not only adept in recognizing wha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3499 | 3500 | Semiclassical "Divide-and-Conquer" Method for ... | A new semiclassical "divide-and-conquer" met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3500 | 3501 | Yangian Symmetry and Integrability of Planar N... | In this letter we establish Yangian symmetry... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3501 | 3502 | DaMaSCUS: The Impact of Underground Scattering... | Conventional dark matter direct detection ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3502 | 3503 | Allocation strategies for high fidelity models... | We propose a novel approach to allocating re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3503 | 3504 | Simplicial Closure and higher-order link predi... | Networks provide a powerful formalism for mo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3504 | 3505 | Basic concepts and tools for the Toki Pona min... | A minimal constructed language (conlang) is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3505 | 3506 | Spectral Methods for Nonparametric Models | Nonparametric models are versatile, albeit c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3506 | 3507 | Setting the threshold for high throughput dete... | Anomaly detection (AD) has garnered ample at... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3507 | 3508 | Photonic Loschmidt echo in binary waveguide la... | Time reversal is one of the most intriguing ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3508 | 3509 | Proof Reduction of Fair Stuttering Refinement ... | We present a series of definitions and theor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3509 | 3510 | Steady Galactic Dynamos and Observational Cons... | We study the global consequences in the halo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3510 | 3511 | Efficient Decision Trees for Multi-class Suppo... | We propose new methods for Support Vector Ma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3511 | 3512 | Semiclassical measures on hyperbolic surfaces ... | We show that each limiting semiclassical mea... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3512 | 3513 | Assessment of algorithms for computing moist a... | Atmospheric moist available potential energy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3513 | 3514 | A Zero Knowledge Sumcheck and its Applications | Many seminal results in Interactive Proofs (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3514 | 3515 | Exact diagonalization and cluster mean-field s... | Quantum magnetic phases near the magnetic sa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3515 | 3516 | Perturbed Proximal Descent to Escape Saddle Po... | We consider the problem of finding local min... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3516 | 3517 | Don't Panic! Better, Fewer, Syntax Errors for ... | Syntax errors are generally easy to fix for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3517 | 3518 | Predicting Tomorrow's Headline using Today's T... | Predicting the popularity of news article is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3518 | 3519 | On a problem of Bharanedhar and Ponnusamy invo... | In this paper, we give a negative answer to ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3519 | 3520 | Projecting UK Mortality using Bayesian General... | Forecasts of mortality provide vital informa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3520 | 3521 | The Case for Meta-Cognitive Machine Learning: ... | Machine learning is usually defined in behav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3521 | 3522 | Bulk viscosity model for near-equilibrium acou... | Acoustic wave attenuation due to vibrational... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3522 | 3523 | A Lagrangian fluctuation-dissipation relation ... | A Lagrangian fluctuation-dissipation relatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3523 | 3524 | Model Selection for Explosive Models | This paper examines the limit properties of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3524 | 3525 | Deep Energy Estimator Networks | Density estimation is a fundamental problem ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3525 | 3526 | A Scale Free Algorithm for Stochastic Bandits ... | Existing strategies for finite-armed stochas... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3526 | 3527 | An Asynchronous Parallel Approach to Sparse Re... | Asynchronous parallel computing and sparse r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3527 | 3528 | Cross-Entropy Loss and Low-Rank Features Have ... | State-of-the-art neural networks are vulnera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3528 | 3529 | Parametrizing modified gravity for cosmologica... | One of the challenges in testing gravity wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3529 | 3530 | Inductive Freeness of Ziegler's Canonical Mult... | Let $A$ be a free hyperplane arrangement. In... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3530 | 3531 | Toward III-V/Si co-integration by controlling ... | The integration of III-V on silicon is still... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3531 | 3532 | Proceedings XVI Jornadas sobre Programación y ... | This volume contains a selection of the pape... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3532 | 3533 | The proximal point algorithm in geodesic space... | We investigate the asymptotic behavior of se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3533 | 3534 | Spatio-temporal canards in neural field equations | Canards are special solutions to ordinary di... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3534 | 3535 | Counterfactuals, indicative conditionals, and ... | In this paper we study selected argument for... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3535 | 3536 | Efficient Convolutional Network Learning using... | We propose a DTCWT ScatterNet Convolutional ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3536 | 3537 | The $r$th moment of the divisor function: an e... | Let $\tau(n)$ be the number of divisors of $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3537 | 3538 | Liu-type Shrinkage Estimations in Linear Models | In this study, we present the preliminary te... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3538 | 3539 | Data-Dependent Coresets for Compressing Neural... | We present an efficient coresets-based neura... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3539 | 3540 | Active Galactic Nuclei: what's in a name? | Active Galactic Nuclei (AGN) are energetic a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3540 | 3541 | Fixed points of Legendre-Fenchel type transforms | A recent result characterizes the fully orde... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3541 | 3542 | High-Dimensional Materials and Process Optimiz... | The optimization of composition and processi... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3542 | 3543 | Two Posets of Noncrossing Partitions Coming Fr... | Consider the noncrossing set partitions of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3543 | 3544 | Semi-supervised model-based clustering with co... | In this paper, we focus on finding clusters ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3544 | 3545 | Local White Matter Architecture Defines Functi... | Large bundles of myelinated axons, called wh... | 0 | 0 | 0 | 1 | 1 | 0 |
| 3545 | 3546 | An upper bound on tricolored ordered sum-free ... | We present a strengthening of the lemma on t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3546 | 3547 | The effect of the spatial domain in FANOVA mod... | Functional Analysis of Variance (FANOVA) fro... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3547 | 3548 | Audio to Body Dynamics | We present a method that gets as input an au... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3548 | 3549 | Detecting causal associations in large nonline... | Identifying causal relationships from observ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3549 | 3550 | Controlling a remotely located Robot using Han... | Telepresence is a necessity for present time... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3550 | 3551 | Hybrid Machine Learning Approach to Popularity... | In the industry of video content providers s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3551 | 3552 | Vaught's Two-Cardinal Theorem and Quasi-Minima... | We prove the following continuous analogue o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3552 | 3553 | Spectral Calibration of the Fluorescence Teles... | We present a novel method to measure precise... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3553 | 3554 | Two properties of Müntz spaces | We show that Müntz spaces, as subspaces of $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3554 | 3555 | Rational approximations to the zeta function | This article describes a sequence of rationa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3555 | 3556 | The COS-Halos Survey: Metallicities in the Low... | We analyze new far-ultraviolet spectra of 13... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3556 | 3557 | On Quaternionic Tori and their Moduli Spaces | Quaternionic tori are defined as quotients o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3557 | 3558 | GIER: A Danish computer from 1961 with a role ... | A Danish computer, GIER, from 1961 played a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3558 | 3559 | Deep Bayesian Active Learning for Natural Lang... | Several recent papers investigate Active Lea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3559 | 3560 | Analogy and duality between random channel cod... | Here we write in a unified fashion (using "R... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3560 | 3561 | Towards Bursting Filter Bubble via Contextual ... | A rising topic in computational journalism i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3561 | 3562 | Nonlinear Loewy Factorizable Algebraic ODEs an... | In this paper, we introduce certain $n$-th o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3562 | 3563 | Grounding Symbols in Multi-Modal Instructions | As robots begin to cohabit with humans in se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3563 | 3564 | Morphometric analysis in gamma-ray astronomy u... | We pursue a novel morphometric analysis to d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3564 | 3565 | An Event-based Fast Movement Detection Algorit... | This work develops a tracking system based o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3565 | 3566 | $\textsf{S}^3T$: An Efficient Score-Statistic ... | We present an efficient score statistic, cal... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3566 | 3567 | Relaxing Integrity Requirements for Attack-Res... | The increase in network connectivity has als... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3567 | 3568 | Cross-Lingual Cross-Platform Rumor Verificatio... | With the increasing popularity of smart devi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3568 | 3569 | Convergence of the Kähler-Ricci iteration | The Ricci iteration is a discrete analogue o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3569 | 3570 | Joint estimation of genetic and parent-of-orig... | RNA sequencing allows one to study allelic i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3570 | 3571 | Consistency Analysis for Massively Inconsisten... | Bound-to-Bound Data Collaboration (B2BDC) pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3571 | 3572 | Hydra: a C++11 framework for data analysis in ... | Hydra is a header-only, templated and C++11-... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3572 | 3573 | Analysis of dropout learning regarded as ensem... | Deep learning is the state-of-the-art in fie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3573 | 3574 | Spatially-resolved Brillouin spectroscopy reve... | Mounting evidence connects the biomechanical... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3574 | 3575 | Combining Symbolic Execution and Model Checkin... | Message Passing Interface (MPI) is the stand... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3575 | 3576 | An Improved Modified Cholesky Decomposition Me... | The modified Cholesky decomposition is commo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3576 | 3577 | Self-exciting Point Processes: Infections and ... | This is a comment on Reinhart's "Review of S... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3577 | 3578 | Magnetism and charge density waves in RNiC$_2$... | We have compared the magnetic, transport, ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3578 | 3579 | Conjoined constraints on modified gravity from... | In this paper we present conjoined constrain... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3579 | 3580 | Coaxial collisions of a vortex ring and a sphe... | The dynamics of a circular thin vortex ring ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3580 | 3581 | Cosmic viscosity as a remedy for tension betwe... | Measurements of $\sigma_8$ from large scale ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3581 | 3582 | A probabilistic approach to emission-line gala... | We invoke a Gaussian mixture model (GMM) to ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 3582 | 3583 | Quantum repeaters with individual rare-earth i... | We present a quantum repeater scheme that is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3583 | 3584 | Questions and dependency in intuitionistic logic | In recent years, the logic of questions and ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3584 | 3585 | Translations: generalizing relative expressive... | There is a strong demand for precise means f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3585 | 3586 | Learning Aided Optimization for Energy Harvest... | This paper considers utility optimal power c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3586 | 3587 | Absence of long range order in the frustrated ... | Magnetic frustration and low dimensionality ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3587 | 3588 | A class of multi-resolution approximations for... | Gaussian processes are popular and flexible ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3588 | 3589 | Origin of Operating Voltage Increase in InGaN-... | As an attempt to further elucidate the opera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3589 | 3590 | Emergence of Selective Invariance in Hierarchi... | Many theories have emerged which investigate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3590 | 3591 | Virtual retraction and Howson's theorem in pro... | We show that for every finitely generated cl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3591 | 3592 | Convolutional Dictionary Learning: A Comparati... | Convolutional sparse representations are a f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3592 | 3593 | Replication Ethics | Suppose some future technology enables the s... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3593 | 3594 | PSYM-WIDE: a survey for large-separation plane... | We present the results of a direct-imaging s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3594 | 3595 | Boolean dimension and tree-width | The dimension is a key measure of complexity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3595 | 3596 | Drawing Planar Graphs with Few Geometric Primi... | We define the \emph{visual complexity} of a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3596 | 3597 | On the nature of the candidate T-Tauri star V5... | We report new multi-colour photometry and hi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3597 | 3598 | 3D-PRNN: Generating Shape Primitives with Recu... | The success of various applications includin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3598 | 3599 | Counting the number of distinct distances of e... | The defect of valued field extensions is a m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3599 | 3600 | On the Robustness of the CVPR 2018 White-Box A... | Neural networks are known to be vulnerable t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3600 | 3601 | Statistical Inference with Local Optima | We study the statistical properties of an es... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3601 | 3602 | Discovery of Shifting Patterns in Sequence Cla... | In this paper, we investigate the multi-vari... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3602 | 3603 | Virtual Network Migration on the GENI Wide-Are... | A virtual network (VN) contains a collection... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3603 | 3604 | Communication-efficient Algorithm for Distribu... | We propose a communicationally and computati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3604 | 3605 | A Bayesian Estimation for the Fractional Order... | The extraction of natural gas from the earth... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3605 | 3606 | Numerical simulations of magnetic billiards in... | We present numerical simulations of magnetic... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3606 | 3607 | On Lasso refitting strategies | A well-know drawback of l_1-penalized estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3607 | 3608 | Supercharacters and the discrete Fourier, cosi... | Using supercharacter theory, we identify the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3608 | 3609 | A connection between MAX $κ$-CUT and the inhom... | We study the asymptotic behavior of the Max ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3609 | 3610 | Kernel method for persistence diagrams via ker... | Topological data analysis is an emerging mat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3610 | 3611 | Time Complexity of Constraint Satisfaction via... | The exponential-time hypothesis (ETH) states... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3611 | 3612 | Novel Structured Low-rank algorithm to recover... | We propose a structured low rank matrix comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3612 | 3613 | Vector bundles and modular forms for Fuchsian ... | This article lays the foundations for the st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3613 | 3614 | Indoor UAV scheduling with Restful Task Assign... | Research in UAV scheduling has obtained an e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3614 | 3615 | Magnetic behavior of new compounds, Gd3RuSn6 a... | We report temperature (T) dependence of dc m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3615 | 3616 | Stochastic Assume-Guarantee Contracts for Cybe... | We develop an assume-guarantee contract fram... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3616 | 3617 | Ergodic Exploration of Distributed Information | This paper presents an active search traject... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3617 | 3618 | Manipulating magnetism by ultrafast control of... | In recent years, the optical control of exch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3618 | 3619 | Towards Visual Explanations for Convolutional ... | The predictive power of neural networks ofte... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3619 | 3620 | FBG-Based Control of a Continuum Manipulator I... | Tracking and controlling the shape of contin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3620 | 3621 | Generalized variational inequalities for maxim... | In this paper we present some new results on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3621 | 3622 | Chord Label Personalization through Deep Learn... | The increasing accuracy of automatic chord e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3622 | 3623 | Classification of Questions and Learning Outco... | Blooms Taxonomy (BT) have been used to class... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3623 | 3624 | Symmetric Rank Covariances: a Generalised Fram... | The need to test whether two random vectors ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3624 | 3625 | Linear magnetoresistance in the charge density... | We report measurements of the magnetoresista... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3625 | 3626 | Two classes of number fields with a non-princi... | This paper introduces two classes of totally... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3626 | 3627 | Diamond-colored distributive lattices, move-mi... | We present some elementary but foundational ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3627 | 3628 | Hidden Truncation Hyperbolic Distributions, Fi... | A hidden truncation hyperbolic (HTH) distrib... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3628 | 3629 | No evidence for a significant AGN contribution... | We reinvestigate a claimed sample of 22 X-ra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3629 | 3630 | Finding Crash-Consistency Bugs with Bounded Bl... | We present a new approach to testing file-sy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3630 | 3631 | Periodic solutions to the Cahn-Hilliard equati... | In this paper we construct entire solutions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3631 | 3632 | On the kinetic equation in Zakharov's wave tur... | The wave turbulence equation is an effective... | 0 | 1 | 1 | 0 | 0 | 0 |
| 3632 | 3633 | Regularizing Model Complexity and Label Struct... | Multi-label text classification is a popular... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3633 | 3634 | Network Design with Probabilistic Capacities | We consider a network design problem with ra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3634 | 3635 | Nanopteron solutions of diatomic Fermi-Pasta-U... | Consider an infinite chain of masses, each c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3635 | 3636 | Steering Orbital Optimization out of Local Min... | The general procedure underlying Hartree-Foc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3636 | 3637 | Mapping stellar content to dark matter halos -... | Recent studies suggest that the quenching pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3637 | 3638 | Blue Supergiant X-ray Binaries in the Nearby D... | In young starburst galaxies, the X-ray popul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3638 | 3639 | ConsiDroid: A Concolic-based Tool for Detectin... | In this paper, we present a concolic executi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3639 | 3640 | Mesh Model (MeMo): A Systematic Approach to Ag... | Innovation and entrepreneurship have a very ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3640 | 3641 | Alternative derivation of exact law for compre... | The exact law for fully developed homogeneou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3641 | 3642 | CMS-HF Calorimeter Upgrade for Run II | CMS-HF Calorimeters have been undergoing a m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3642 | 3643 | Is Flat Fielding Safe for Precision CCD Astron... | The ambitious goals of precision cosmology w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3643 | 3644 | Gas removal in the Ursa Minor galaxy: linking ... | We present results from a non-cosmological, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3644 | 3645 | Identifiability and Estimation of Structural V... | Causal inference in multivariate time series... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3645 | 3646 | Towards Practical Differential Privacy for SQL... | Differential privacy promises to enable gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3646 | 3647 | Adapting Engineering Education to Industrie 4.... | Industrie 4.0 is originally a future vision ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3647 | 3648 | A Survey on QoE-oriented Wireless Resources Sc... | Future wireless systems are expected to prov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3648 | 3649 | Wandering domains for diffeomorphisms of the k... | We show that there is no C^{k+1} diffeomorph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3649 | 3650 | Orthogonal Statistical Learning | We provide excess risk guarantees for statis... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3650 | 3651 | Disentangling group and link persistence in Dy... | We study the inference of a model of dynamic... | 1 | 1 | 0 | 1 | 0 | 0 |
| 3651 | 3652 | A Reactive and Efficient Walking Pattern Gener... | Available possibilities to prevent a biped r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3652 | 3653 | Frequentist Consistency of Variational Bayes | A key challenge for modern Bayesian statisti... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3653 | 3654 | Quantum variance on quaternion algebras, II | A method for determining quantum variance as... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3654 | 3655 | An intracardiac electrogram model to bridge vi... | Virtual heart models have been proposed to e... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3655 | 3656 | A note on conditional versus joint uncondition... | The consistency of a bootstrap or resampling... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3656 | 3657 | Dynamic scaling analysis of the long-range RKK... | Dynamic scaling analyses of linear and nonli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3657 | 3658 | A Bayesian hierarchical model for related dens... | Bayesian hierarchical models are used to sha... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3658 | 3659 | Groups of fast homeomorphisms of the interval ... | We adapt the Ping-Pong Lemma, which historic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3659 | 3660 | The CodRep Machine Learning on Source Code Com... | CodRep is a machine learning competition on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3660 | 3661 | Flag representations of mixed volumes and mixe... | Mixed volumes $V(K_1,\dots, K_d)$ of convex ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3661 | 3662 | Learning Hard Alignments with Variational Infe... | There has recently been significant interest... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3662 | 3663 | A New Sparse and Robust Adaptive Lasso Estimat... | Many problems in signal processing require f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3663 | 3664 | Systematic Quantum Mechanical Region Determina... | Hybrid quantum mechanical-molecular mechanic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3664 | 3665 | Comparison of electricity market designs for s... | In this study, we develop a theoretical mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3665 | 3666 | Look Mum, no VM Exits! (Almost) | Multi-core CPUs are a standard component in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3666 | 3667 | Harnessing Structures in Big Data via Guarante... | Low-rank modeling plays a pivotal role in si... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3667 | 3668 | Automatic Segmentation of the Left Ventricle i... | Accurate delineation of the left ventricle (... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3668 | 3669 | Maximal Jacobian-based Saliency Map Attack | The Jacobian-based Saliency Map Attack is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3669 | 3670 | Least-Squares Temporal Difference Learning for... | Reinforcement learning (RL) has been success... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3670 | 3671 | VERITAS long term monitoring of Gamma-Ray emis... | BL Lacertae is the prototype of the blazar s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3671 | 3672 | Spin Susceptibility of the Topological Superco... | Experiment and theory indicate that UPt3 is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3672 | 3673 | Nano-jet Related to Bessel Beams and to Super-... | The appearance of a Nano-jet in the micro-sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3673 | 3674 | Factorization systems on (stable) derivators | We define triangulated factorization systems... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3674 | 3675 | Dynamic Provable Data Possession Protocols wit... | Cloud storage services have become accessibl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3675 | 3676 | Robustness of persistent currents in two-dimen... | We consider two-dimensional (2D) Dirac quant... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3676 | 3677 | On the arithmetically Cohen-Macaulay property ... | We study the arithmetically Cohen-Macaulay (... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3677 | 3678 | Fitting 3D Shapes from Partial and Noisy Point... | Point clouds obtained from photogrammetry ar... | 1 | 0 | 0 | 0 | 1 | 0 |
| 3678 | 3679 | Unique Information and Secret Key Decompositions | The unique information ($UI$) is an informat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3679 | 3680 | Decomposition Algorithm for Distributionally R... | We study distributionally robust optimizatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3680 | 3681 | PD-ML-Lite: Private Distributed Machine Learni... | Privacy is a major issue in learning from di... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3681 | 3682 | ISS Property with Respect to Boundary Disturba... | This paper deals with the establishment of I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3682 | 3683 | English-Japanese Neural Machine Translation wi... | Neural machine translation (NMT) has recentl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3683 | 3684 | Consistency Guarantees for Permutation-Based C... | Bayesian networks, or directed acyclic graph... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3684 | 3685 | TriviaQA: A Large Scale Distantly Supervised C... | We present TriviaQA, a challenging reading c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3685 | 3686 | Optimizing Node Discovery on Networks: Problem... | Many people dream to become famous, YouTube ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3686 | 3687 | Some properties of h-MN-convexity and Jensen's... | In this work, we introduce the class of $h$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3687 | 3688 | Impact of Traditional Sparse Optimizations on ... | Achieving high performance for sparse applic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3688 | 3689 | Finding Bottlenecks: Predicting Student Attrit... | With pressure to increase graduation rates a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3689 | 3690 | Chemical evolution of 244Pu in the solar vicin... | Meteoritic abundances of r-process elements ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3690 | 3691 | SAVITR: A System for Real-time Location Extrac... | We present SAVITR, a system that leverages t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3691 | 3692 | Fractional Driven Damped Oscillator | The resonances associated with a fractional ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3692 | 3693 | Bootstrap confidence sets for spectral project... | Let $X_{1},\ldots,X_{n}$ be i.i.d. sample in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3693 | 3694 | Locally recoverable codes from algebraic curve... | A locally recoverable code is a code over a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3694 | 3695 | Specification properties on uniform spaces | In the following text we introduce specifica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3695 | 3696 | Tidal tails around the outer halo globular clu... | We report the discovery of tidal tails aroun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3696 | 3697 | Learning by Playing - Solving Sparse Reward Ta... | We propose Scheduled Auxiliary Control (SAC-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3697 | 3698 | An Infinite Hidden Markov Model With Similarit... | We describe a generalization of the Hierarch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3698 | 3699 | Methods for Estimation of Convex Sets | In the framework of shape constrained estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3699 | 3700 | Dynamics of Charged Bulk Viscous Collapsing Cy... | In this paper, we have explored the effects ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3700 | 3701 | An Invitation to Polynomiography via Exponenti... | The subject of Polynomiography deals with al... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3701 | 3702 | Towards Comfortable Cycling: A Practical Appro... | This is a no brainer. Using bicycles to comm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3702 | 3703 | Comparison moduli spaces of Riemann surfaces | We define a kind of moduli space of nested s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3703 | 3704 | Training a Neural Network in a Low-Resource Se... | Manually labeled corpora are expensive to cr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3704 | 3705 | Prior-aware Dual Decomposition: Document-speci... | Spectral topic modeling algorithms operate o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3705 | 3706 | Spectra of Earth-like Planets Through Geologic... | Future observations of terrestrial exoplanet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3706 | 3707 | Empathy in Bimatrix Games | Although the definition of what empathetic p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3707 | 3708 | Free transport for convex potentials | We construct non-commutative analogs of tran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3708 | 3709 | The Trace Criterion for Kernel Bandwidth Selec... | Support vector data description (SVDD) is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3709 | 3710 | Chemical exfoliation of MoS2 leads to semicond... | A trigonal phase existing only as small patc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3710 | 3711 | A note on the approximate admissibility of reg... | We study the problem of estimating an unknow... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3711 | 3712 | Simple labeled graph $C^*$-algebras are associ... | By a labeled graph $C^*$-algebra we mean a $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3712 | 3713 | Extracting Epistatic Interactions in Type 2 Di... | 2 Diabetes is a leading worldwide public hea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3713 | 3714 | A Bootstrap Method for Error Estimation in Ran... | In recent years, randomized methods for nume... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3714 | 3715 | Results of measurements of the flux of albedo ... | Results of investigations of the near-horizo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3715 | 3716 | Nanoscale superconducting memory based on the ... | The demand for low-dissipation nanoscale mem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3716 | 3717 | The Autonomic Architecture of the Licas System | Licas (lightweight internet-based communicat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3717 | 3718 | Some Characterizations on the Normalized Lomme... | In this paper, we introduce new technique fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3718 | 3719 | Applied Evaluative Informetrics: Part 1 | This manuscript is a preprint version of Par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3719 | 3720 | General multilevel Monte Carlo methods for pri... | We describe general multilevel Monte Carlo m... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3720 | 3721 | Medical applications of diamond magnetometry: ... | The sensing of magnetic fields has important... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3721 | 3722 | On the origin of the hydraulic jump in a thin ... | For more than a century, it has been believe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3722 | 3723 | Discovery of Complex Anomalous Patterns of Sex... | When sexual violence is a product of organiz... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3723 | 3724 | Using Social Network Information in Bayesian T... | We investigate the problem of truth discover... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3724 | 3725 | IVOA Recommendation: HiPS - Hierarchical Progr... | This document presents HiPS, a hierarchical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3725 | 3726 | Mammography Assessment using Multi-Scale Deep ... | Applying deep learning methods to mammograph... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3726 | 3727 | Studies to Understand and Optimize the Perform... | In order to optimize the performance of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3727 | 3728 | Linear Parameter Varying Representation of a c... | Linear parameter-varying (LPV) models form a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3728 | 3729 | Kinetic and radiative power from optically thi... | We perform a set of general relativistic, ra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3729 | 3730 | First-Principles Many-Body Investigation of Co... | Correlated oxide heterostructures pose a cha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3730 | 3731 | Faster Boosting with Smaller Memory | The two state-of-the-art implementations of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3731 | 3732 | Deep Structured Learning for Facial Action Uni... | We consider the task of automated estimation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3732 | 3733 | Placing the spotted T Tauri star LkCa 4 on an ... | Ages and masses of young stars are often est... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3733 | 3734 | Coexistence of pressure-induced structural pha... | We report a study of the structural phase tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3734 | 3735 | On the Complexity of the Weighted Fused Lasso | The solution path of the 1D fused lasso for ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3735 | 3736 | Prediction of Stable Ground-State Lithium Poly... | Hydrogen-rich compounds are important for un... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3736 | 3737 | Analytical methods for vacuum simulations in h... | The Future Circular Collider (FCC), currentl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3737 | 3738 | Global solutions to reaction-diffusion equatio... | Let $\xi(t\,,x)$ denote space-time white noi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3738 | 3739 | On the semigroup rank of a group | For an arbitrary group $G$, it is shown that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3739 | 3740 | A time series distance measure for efficient c... | Starting from a dataset with input/output ti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3740 | 3741 | Parametric Analysis of Cherenkov Light LDF fro... | In this paper we propose a 'knee-like' appro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3741 | 3742 | On the primary spacing and microsegregation of... | In this study, an alloy phase-field model is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3742 | 3743 | An Alternative Approach to Functional Linear P... | We have previously proposed the partial quan... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3743 | 3744 | Parallel mining of time-faded heavy hitters | We present PFDCMSS, a novel message-passing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3744 | 3745 | On a Minkowski-like inequality for asymptotica... | The Minkowski inequality is a classical ineq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3745 | 3746 | Instantaneous Arbitrage and the CAPM | This paper studies the concept of instantane... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3746 | 3747 | On the Complexity of Approximating Wasserstein... | We study the complexity of approximating Was... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3747 | 3748 | Witnessing Adversarial Training in Reproducing... | Modern implicit generative models such as ge... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3748 | 3749 | Heterogeneous Transfer Learning: An Unsupervis... | Transfer learning leverages the knowledge in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3749 | 3750 | Diffusion transformations, Black-Scholes equat... | We develop a new class of path transformatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3750 | 3751 | Generation of concept-representative symbols | The visual representation of concepts or ide... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3751 | 3752 | Quantitative results using variants of Schmidt... | Schmidt's game is generally used to deduce q... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3752 | 3753 | Sublogarithmic Distributed Algorithms for Lová... | Locally Checkable Labeling (LCL) problems in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3753 | 3754 | Continuous User Authentication via Unlabeled P... | In this paper, we propose a novel continuous... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3754 | 3755 | Testing isomorphism of lattices over CM-orders | A CM-order is a reduced order equipped with ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3755 | 3756 | How strong are correlations in strongly recurr... | Cross-correlations in the activity in neural... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3756 | 3757 | JSON: data model, query languages and schema s... | Despite the fact that JSON is currently one ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3757 | 3758 | A six-factor asset pricing model | The present study introduce the human capita... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3758 | 3759 | Director Field Analysis (DFA): Exploring Local... | In Diffusion Tensor Imaging (DTI) or High An... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3759 | 3760 | A Multi-Objective Deep Reinforcement Learning ... | This paper presents a new multi-objective de... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3760 | 3761 | Advantages of versatile neural-network decodin... | Finding optimal correction of errors in gene... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3761 | 3762 | A retrieval-based dialogue system utilizing ut... | Finding semantically rich and computer-under... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3762 | 3763 | Show, Attend and Interact: Perceivable Human-R... | For a safe, natural and effective human-robo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3763 | 3764 | Sparse Gaussian Processes for Continuous-Time ... | Continuous-time trajectory representations a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3764 | 3765 | Testing homogeneity of proportions from sparse... | In this paper, we consider testing the homog... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3765 | 3766 | Henkin measures for the Drury-Arveson space | We exhibit Borel probability measures on the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3766 | 3767 | Robust Subspace Learning: Robust PCA, Robust S... | PCA is one of the most widely used dimension... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3767 | 3768 | Discriminative Bimodal Networks for Visual Loc... | Associating image regions with text queries ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3768 | 3769 | The failure of rational dilation on the symmet... | The open and closed \textit{symmetrized poly... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3769 | 3770 | Particle-without-Particle: a practical pseudos... | Partial differential equations with distribu... | 0 | 0 | 0 | 0 | 1 | 1 |
| 3770 | 3771 | X-Cube Fracton Model on Generic Lattices: Phas... | Fracton order is a new kind of quantum order... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3771 | 3772 | Genetic Algorithm for Epidemic Mitigation by R... | Min-SEIS-Cluster is an optimization problem ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3772 | 3773 | Angpow: a software for the fast computation of... | The statistical distribution of galaxies is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3773 | 3774 | Robust and Flexible Estimation of Stochastic M... | Causal mediation analysis can improve unders... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3774 | 3775 | Radial anisotropy in omega Cen limiting the ro... | Finding an intermediate-mass black hole (IMB... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3775 | 3776 | The Feeling of Success: Does Touch Sensing Hel... | A successful grasp requires careful balancin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3776 | 3777 | On the essential spectrum of elliptic differen... | Let $\mathcal{A}$ be a $C^*$-algebra of boun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3777 | 3778 | Shrinking Horizon Model Predictive Control wit... | We present Shrinking Horizon Model Predictiv... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3778 | 3779 | Novel processes and metrics for a scientific e... | Scientific evaluation is a determinant of ho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3779 | 3780 | Topological quantization of energy transport i... | Topological effects typically discussed in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3780 | 3781 | Environmental impact assessment for climate ch... | A high degree of consensus exists in the cli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3781 | 3782 | Nested Convex Bodies are Chaseable | In the Convex Body Chasing problem, we are g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3782 | 3783 | Analytic properties of approximate lattices | We introduce a notion of cocycle-induction f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3783 | 3784 | Auxiliary Variables in TLA+ | Auxiliary variables are often needed for ver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3784 | 3785 | A Homological model for the coloured Jones pol... | In this paper we will present a homological ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3785 | 3786 | Extremes of threshold-dependent Gaussian proce... | In this contribution we are concerned with t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3786 | 3787 | The null hypothesis of common jumps in case of... | This paper proposes novel tests for the abse... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3787 | 3788 | Property Safety Stock Policy for Correlated Co... | Deriving the optimal safety stock quantity w... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3788 | 3789 | Carleman estimates for the time-fractional adv... | In this article, we prove Carleman estimates... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3789 | 3790 | Generating and Aligning from Data Geometries w... | Unsupervised domain mapping has attracted su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3790 | 3791 | Wolf-Rayet spin at low metallicity and its imp... | The spin of Wolf-Rayet (WR) stars at low met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3791 | 3792 | What Drives the International Development Agen... | There is surprisingly little known about age... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3792 | 3793 | Randomizing growing networks with a time-respe... | Complex networks are often used to represent... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3793 | 3794 | High-dimensional posterior consistency for hie... | The choice of tuning parameter in Bayesian v... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3794 | 3795 | A metric of mutual energy and unlikely interse... | We introduce a metric of mutual energy for a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3795 | 3796 | Volvox barberi flocks, forming near-optimal, t... | Volvox barberi is a multicellular green alga... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3796 | 3797 | Learning to Identify Ambiguous and Misleading ... | Accuracy is one of the basic principles of j... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3797 | 3798 | Evidence of Complex Contagion of Information i... | It has recently become possible to study the... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3798 | 3799 | Birecurrent sets | A set is called recurrent if its minimal aut... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3799 | 3800 | Mobile Robotic Fabrication at 1:1 scale: the I... | This paper presents the concept of an In sit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3800 | 3801 | The path to high-energy electron-positron coll... | We describe the road which led to the constr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3801 | 3802 | Lazarsfeld-Mukai Reflexive Sheaves and their S... | Consider an ample and globally generated lin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3802 | 3803 | Dimensionality reduction for acoustic vehicle ... | We propose a method for recognizing moving v... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3803 | 3804 | Efficient Estimation of Linear Functionals of ... | We study principal component analysis (PCA) ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3804 | 3805 | A stroll in the jungle of error bounds | The aim of this paper is to give a short ove... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3805 | 3806 | Variational obstacle avoidance problem on Riem... | We introduce variational obstacle avoidance ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3806 | 3807 | An Extension of Heron's Formula | This paper introduces an extension of Heron'... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3807 | 3808 | Learning Less-Overlapping Representations | In representation learning (RL), how to make... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3808 | 3809 | LDPC Code Design for Distributed Storage: Bala... | Distributed storage systems suffer from sign... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3809 | 3810 | Structural, magnetic, and electronic propertie... | We report on the optimization process to syn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3810 | 3811 | GPU-Based High-Performance Imaging for Mingant... | As a dedicated solar radio interferometer, t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3811 | 3812 | Deep Voice 3: Scaling Text-to-Speech with Conv... | We present Deep Voice 3, a fully-convolution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3812 | 3813 | Ubenwa: Cry-based Diagnosis of Birth Asphyxia | Every year, 3 million newborns die within th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3813 | 3814 | Fluid-Structure Interaction with the Entropic ... | We propose a novel fluid-structure interacti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3814 | 3815 | Two provably consistent divide and conquer clu... | In this article, we advance divide-and-conqu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3815 | 3816 | Feature-based visual odometry prior for real-t... | Robust and fast motion estimation and mappin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3816 | 3817 | Effective Description of Higher-Order Scalar-T... | Most existing theories of dark energy and/or... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3817 | 3818 | Compressive Sensing Approaches for Autonomous ... | Video analytics requires operating with larg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3818 | 3819 | Making Neural QA as Simple as Possible but not... | Recent development of large-scale question a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3819 | 3820 | Finite-dimensional Gaussian approximation with... | Introducing inequality constraints in Gaussi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3820 | 3821 | A Generalization of Quasi-twisted Codes: Multi... | Cyclic codes and their various generalizatio... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3821 | 3822 | On the Successive Cancellation Decoding of Pol... | A method for efficiently successive cancella... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3822 | 3823 | OpenML: An R Package to Connect to the Machine... | OpenML is an online machine learning platfor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3823 | 3824 | Discovering Latent Patterns of Urban Cultural ... | Cultural activity is an inherent aspect of u... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3824 | 3825 | Direct mapping of the temperature and velocity... | Accurate measurements of the physical struct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3825 | 3826 | Learning Rates for Kernel-Based Expectile Regr... | Conditional expectiles are becoming an incre... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3826 | 3827 | Critical role of electronic correlations in de... | The choice that a solid system "makes" when ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3827 | 3828 | A Machine Learning Alternative to P-values | This paper presents an alternative approach ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3828 | 3829 | Image Registration Techniques: A Survey | Image Registration is the process of alignin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3829 | 3830 | Learning Whenever Learning is Possible: Univer... | This work initiates a general study of learn... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3830 | 3831 | Obstructions for three-coloring and list three... | A graph is $H$-free if it has no induced sub... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3831 | 3832 | Hybrid quantum-classical modeling of quantum d... | The design of electrically driven quantum do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3832 | 3833 | Efficient exploration with Double Uncertain Va... | This paper studies directed exploration for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3833 | 3834 | Auxiliary Variables for Multi-Dirichlet Priors | Bayesian models that mix multiple Dirichlet ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3834 | 3835 | Improving and Assessing Planet Sensitivity of ... | We present a new matched filter algorithm fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3835 | 3836 | Numerical non-LTE 3D radiative transfer using ... | 3D non-LTE radiative transfer problems are c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3836 | 3837 | Test Case Prioritization Techniques for Model-... | Recently, several Test Case Prioritization (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3837 | 3838 | Magnetic order and interactions in ferrimagnet... | The magnetism in Mn$_3$Si$_2$Te$_6$ has been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3838 | 3839 | On the Solution of Linear Programming Problems... | The Big Data phenomenon has spawned large-sc... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3839 | 3840 | Highly accurate acoustic scattering: Isogeomet... | This work is concerned with a unique combina... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3840 | 3841 | Deep Domain Adaptation Based Video Smoke Detec... | In this paper, a deep domain adaptation base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3841 | 3842 | NaCl crystal from salt solution with far below... | Under ambient conditions, we directly observ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3842 | 3843 | Plasmonic properties of refractory titanium ni... | The development of plasmonic and metamateria... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3843 | 3844 | The localization transition in SU(3) gauge theory | We study the Anderson-like localization tran... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3844 | 3845 | Conformation Clustering of Long MD Protein Dyn... | Recent developments in specialized computer ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3845 | 3846 | Optimal Low-Rank Dynamic Mode Decomposition | Dynamic Mode Decomposition (DMD) has emerged... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3846 | 3847 | Improving Community Detection by Mining Social... | Social relationships can be divided into dif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3847 | 3848 | The set of quantum correlations is not closed | We construct a linear system non-local game ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3848 | 3849 | Correction to the article: Floer homology and ... | This note corrects the mistakes in the splic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3849 | 3850 | Tree tribes and lower bounds for switching lemmas | We show tight upper and lower bounds for swi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3850 | 3851 | Gyrokinetic ion and drift kinetic electron mod... | The kinetic effects of electrons are importa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3851 | 3852 | Transferring Agent Behaviors from Videos via M... | A major bottleneck for developing general re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3852 | 3853 | Learning to Segment and Represent Motion Primi... | Developing an intelligent vehicle which can ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3853 | 3854 | NeuralPower: Predict and Deploy Energy-Efficie... | "How much energy is consumed for an inferenc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3854 | 3855 | The Minor Fall, the Major Lift: Inferring Emot... | We investigate the association between music... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3855 | 3856 | Effective computation of $\mathrm{SO}(3)$ and ... | We propose a general algorithm to compute al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3856 | 3857 | Subextensions for co-induced modules | Using cohomological methods, we prove a crit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3857 | 3858 | Specht Polytopes and Specht Matroids | The generators of the classical Specht modul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3858 | 3859 | Existence theorems for the Cauchy problem of 2... | In this paper, we investigate the Cauchy pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3859 | 3860 | Mass Conservative and Energy Stable Finite Dif... | In this paper we describe two fully mass con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3860 | 3861 | Density-equalizing maps for simply-connected o... | In this paper, we are concerned with the pro... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3861 | 3862 | Measuring the radius and mass of Planet Nine | Batygin and Brown (2016) have suggested the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3862 | 3863 | Efficient and principled score estimation with... | We propose a fast method with statistical gu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3863 | 3864 | Small presentations of model categories and Vo... | We prove existence results for small present... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3864 | 3865 | Automatic Trimap Generation for Image Matting | Image matting is a longstanding problem in c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3865 | 3866 | X-ray spectral properties of seven heavily obs... | We present the combined Chandra and Swift-BA... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3866 | 3867 | Towards the LISA Backlink: Experiment design f... | LISA is a proposed space-based laser interfe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3867 | 3868 | Real-valued (Medical) Time Series Generation w... | Generative Adversarial Networks (GANs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3868 | 3869 | Embedded eigenvalues of generalized Schrödinge... | We provide examples of operators $T(D)+V$ wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3869 | 3870 | Multichannel Robot Speech Recognition Database... | In real human robot interaction (HRI) scenar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3870 | 3871 | The Algorithmic Inflection of Russian and Gene... | We present a deterministic algorithm for Rus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3871 | 3872 | Automatic Analysis of EEGs Using Big Data and ... | Objective: A clinical decision support tool ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3872 | 3873 | Implementing a Concept Network Model | The same concept can mean different things o... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3873 | 3874 | Two simple observations on representations of ... | M. Hanzer and I. Matic have proved that the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3874 | 3875 | Spinors in Spacetime Algebra and Euclidean 4-S... | This article explores the geometric algebra ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3875 | 3876 | Near-sphere lattices with constant nonlocal me... | We are concerned with unbounded sets of $\ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3876 | 3877 | Stability, convergence, and limit cycles in so... | Mathematical models for physiological proces... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3877 | 3878 | Poisson multi-Bernoulli mixture filter: direct... | We provide a derivation of the Poisson multi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3878 | 3879 | Surface magnetism in a chiral d-wave supercond... | Surface properties are examined in a chiral ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3879 | 3880 | Penetrating a Social Network: The Follow-back ... | Modern threats have emerged from the prevale... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3880 | 3881 | Universality of density waves in p-doped La2Cu... | The contribution of $O^{2-}$ ions to antifer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3881 | 3882 | The perceived assortativity of social networks... | Networks describe a range of social, biologi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3882 | 3883 | Generalized Sheet Transition Conditions (GSTCs... | We used a multiple-scale homogenization meth... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3883 | 3884 | $k^{τ,ε}$-anonymity: Towards Privacy-Preservin... | Mobile network operators can track subscribe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3884 | 3885 | The Taipan Galaxy Survey: Scientific Goals and... | Taipan is a multi-object spectroscopic galax... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3885 | 3886 | The Externalities of Exploration and How Data ... | Online learning algorithms, widely used to p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3886 | 3887 | Life-span of blowup solutions to semilinear wa... | This paper is concerned with the blowup phen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3887 | 3888 | Invariant submanifolds of (LCS)n-Manifolds wit... | The object of the present paper is to study ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3888 | 3889 | Iterated filtering methods for Markov process ... | Dynamic epidemic models have proven valuable... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3889 | 3890 | An Algebraic-Combinatorial Proof Technique for... | This paper considers the problem of designin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3890 | 3891 | The Word Problem of $\mathbb{Z}^n$ Is a Multip... | The \emph{word problem} of a group $G = \lan... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3891 | 3892 | Rigorous proof of the Boltzmann-Gibbs distribu... | Models in econophysics, i.e., the emerging f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3892 | 3893 | Stochastic population dynamics in spatially ex... | Spatially extended population dynamics model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3893 | 3894 | Learning Policies for Markov Decision Processe... | We consider the problem of learning a policy... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3894 | 3895 | Expecting the Unexpected: Training Detectors f... | As autonomous vehicles become an every-day r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3895 | 3896 | The sequence of open and closed prefixes of a ... | A finite word is closed if it contains a fac... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3896 | 3897 | Capital Regulation under Price Impacts and Dyn... | We construct a continuous time model for pri... | 0 | 0 | 0 | 0 | 0 | 1 |
| 3897 | 3898 | On seaweed subalgebras and meander graphs in t... | In 2000, Dergachev and Kirillov introduced s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3898 | 3899 | Singular Riemannian flows and characteristic n... | Let $M$ be an even-dimensional, oriented clo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3899 | 3900 | Transformation Models in High-Dimensions | Transformation models are a very important t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3900 | 3901 | Rank Two Non-Commutative Laurent Phenomenon an... | We study polynomial generalizations of the K... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3901 | 3902 | Faster Coordinate Descent via Adaptive Importa... | Coordinate descent methods employ random par... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3902 | 3903 | On the role of synaptic stochasticity in train... | Stochasticity and limited precision of synap... | 1 | 1 | 0 | 1 | 0 | 0 |
| 3903 | 3904 | Secants, bitangents, and their congruences | A congruence is a surface in the Grassmannia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3904 | 3905 | Convergence of Stochastic Approximation Monte ... | We investigate the behavior of the deviation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3905 | 3906 | On the approximation by convolution type doubl... | In this paper, we prove the pointwise conver... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3906 | 3907 | Characterization of polynomials whose large po... | We give a criterion which characterizes a ho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3907 | 3908 | The Moon Illusion explained by the Projective ... | The Moon often appears larger near the perce... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3908 | 3909 | Bloch line dynamics within moving domain walls... | We study field-driven magnetic domain wall d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3909 | 3910 | Approaching the UCT problem via crossed produc... | We show that the UCT problem for separable, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3910 | 3911 | Some Remarks about the Complexity of Epidemics... | Recent outbreaks of Ebola, H1N1 and other in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3911 | 3912 | Entanglement Entropy in Excited States of the ... | We investigate the entanglement properties o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3912 | 3913 | Poisson-Fermi Formulation of Nonlocal Electros... | We present a nonlocal electrostatic formulat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3913 | 3914 | Learning to Transfer | Transfer learning borrows knowledge from a s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3914 | 3915 | Strong Metric Subregularity of Mappings in Var... | Although the property of strong metric subre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3915 | 3916 | Systematic Identification of LAEs for Visible ... | We present the SILVERRUSH program strategy a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3916 | 3917 | Experimental study of mini-magnetosphere | Magnetosphere at ion kinetic scales, or mini... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3917 | 3918 | Matrix KP: tropical limit and Yang-Baxter maps | We study soliton solutions of matrix Kadomts... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3918 | 3919 | Poster Abstract: LPWA-MAC - a Low Power Wide A... | Low-Power Wide-Area Networks (LPWANs) are be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3919 | 3920 | Asymptotic Enumeration of Compacted Binary Trees | A compacted tree is a graph created from a b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3920 | 3921 | The STAR MAPS-based PiXeL detector | The PiXeL detector (PXL) for the Heavy Flavo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3921 | 3922 | Complete intersection monomial curves and the ... | Let $C({\bf n})$ be a complete intersection ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3922 | 3923 | Stable and unstable vortex knots in a trapped ... | The dynamics of a quantum vortex torus knot ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3923 | 3924 | Design of Configurable Sequential Circuits in ... | Quantum-dot cellular automata (QCA) is a lik... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3924 | 3925 | ADINE: An Adaptive Momentum Method for Stochas... | Two major momentum-based techniques that hav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3925 | 3926 | Symplectic rational $G$-surfaces and equivaria... | We give characterizations of a finite group ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3926 | 3927 | Biderivations of the twisted Heisenberg-Viraso... | In this paper, the biderivations without the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3927 | 3928 | A Data Science Approach to Understanding Resid... | When the residents of Flint learned that lea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3928 | 3929 | Proximally Guided Stochastic Subgradient Metho... | In this paper, we introduce a stochastic pro... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3929 | 3930 | Solvable Integration Problems and Optimal Samp... | We compute the integral of a function or the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3930 | 3931 | Label Stability in Multiple Instance Learning | We address the problem of \emph{instance lab... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3931 | 3932 | New indicators for assessing the quality of in... | Computational procedures to foresee the 3D s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3932 | 3933 | A finite element method for elliptic problems ... | In this paper we propose a finite element me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3933 | 3934 | Sum-Product Graphical Models | This paper introduces a new probabilistic ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3934 | 3935 | Dependence of the Martian radiation environmen... | The energetic particle environment on the Ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3935 | 3936 | Transactional Partitioning: A New Abstraction ... | The growth in variety and volume of OLTP (On... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3936 | 3937 | Analyzing the Digital Traces of Political Mani... | Until recently, social media was seen to pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3937 | 3938 | Event-Radar: Real-time Local Event Detection S... | The local event detection is to use posting ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3938 | 3939 | Computing metric hulls in graphs | We prove that, given a closure function the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3939 | 3940 | Evolutionary games on cycles with strong selec... | Evolutionary games on graphs describe how st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3940 | 3941 | Epsilon-shapes: characterizing, detecting and ... | We focus on the analysis of planar shapes an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3941 | 3942 | Central Moment Discrepancy (CMD) for Domain-In... | The learning of domain-invariant representat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3942 | 3943 | Understanding Geometry of Encoder-Decoder CNNs | Encoder-decoder networks using convolutional... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3943 | 3944 | AutoShuffleNet: Learning Permutation Matrices ... | ShuffleNet is a state-of-the-art light weigh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3944 | 3945 | ACDC: Altering Control Dependence Chains for A... | Once a failure is observed, the primary conc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3945 | 3946 | Proceedings Eighth Workshop on Intersection Ty... | This volume contains a final and revised sel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3946 | 3947 | Microlensing of Extremely Magnified Stars near... | Recent observations of lensed galaxies at co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3947 | 3948 | NFFT meets Krylov methods: Fast matrix-vector ... | The graph Laplacian is a standard tool in da... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3948 | 3949 | Convergence rate of a simulated annealing algo... | In this paper we propose a modified version ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3949 | 3950 | Trans-allelic model for prediction of peptide:... | Major histocompatibility complex class two (... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3950 | 3951 | Improved Speech Reconstruction from Silent Video | Speechreading is the task of inferring phone... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3951 | 3952 | Cluster-based Haldane state in edge-shared tet... | Fedotovite K$_2$Cu$_3$O(SO$_4$)$_3$ is a can... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3952 | 3953 | Super-Isolated Elliptic Curves and Abelian Sur... | We call a simple abelian variety over $\math... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3953 | 3954 | Long Short-Term Memory (LSTM) networks with je... | Multivariate techniques based on engineered ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3954 | 3955 | Tangent measures of elliptic harmonic measure ... | Tangent measure and blow-up methods, are pow... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3955 | 3956 | Aroma: Code Recommendation via Structural Code... | Programmers often write code which have simi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3956 | 3957 | On Hoffman's conjectural identity | In this paper, we shall prove the equality \... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3957 | 3958 | Parametric gain and wavelength conversion via ... | We demonstrate sub-picosecond wavelength con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3958 | 3959 | Doubly Accelerated Stochastic Variance Reduced... | In this paper, we develop a new accelerated ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 3959 | 3960 | Automatically Leveraging MapReduce Frameworks ... | MapReduce is a popular programming paradigm ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3960 | 3961 | Estimate Sequences for Stochastic Composite Op... | In this paper, we propose a unified view of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3961 | 3962 | Results of the first NaI scintillating calorim... | Over almost three decades the TAUP conferenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3962 | 3963 | Deep SNP: An End-to-end Deep Neural Network wi... | Diagnosis and risk stratification of cancer ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 3963 | 3964 | $(L,M)$-fuzzy convex structures | In this paper, the notion of $(L,M)$-fuzzy c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3964 | 3965 | Passive Compliance Control of Aerial Manipulators | This paper presents a passive compliance con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3965 | 3966 | The phase retrieval problem for solutions of t... | In this paper we consider the phase retrieva... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3966 | 3967 | Counting intersecting and pairs of cross-inter... | A family of subsets of $\{1,\ldots,n\}$ is c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 3967 | 3968 | Zero-field Skyrmions with a High Topological N... | Magnetic skyrmions are swirling spin texture... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3968 | 3969 | DoShiCo Challenge: Domain Shift in Control Pre... | Training deep neural network policies end-to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3969 | 3970 | Knowledge Discovery from Layered Neural Networ... | Interpretability has become an important iss... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3970 | 3971 | Optimal Stopping for Interval Estimation in Be... | We propose an optimal sequential methodology... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3971 | 3972 | Derivation of a Non-autonomous Linear Boltzman... | A linear Boltzmann equation with nonautonomo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3972 | 3973 | On Blockwise Symmetric Matchgate Signatures an... | For any $n\geq 3$ and $ q\geq 3$, we prove t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3973 | 3974 | Deconfined quantum critical points: symmetries... | The deconfined quantum critical point (QCP),... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3974 | 3975 | Ensemble Methods as a Defense to Adversarial P... | Deep learning has become the state of the ar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3975 | 3976 | The unrolled quantum group inside Lusztig's qu... | In this letter we prove that the unrolled sm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3976 | 3977 | Forward Collision Vehicular Radar with IEEE 80... | Increasing safety and automation in transpor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3977 | 3978 | Link Before You Share: Managing Privacy Polici... | With the advent of numerous online content p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3978 | 3979 | Holistic Interstitial Lung Disease Detection u... | Accurately predicting and detecting intersti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3979 | 3980 | Convergence Results for Neural Networks via El... | We study whether a depth two neural network ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3980 | 3981 | The norm residue symbol for higher local fields | Since the development of higher local class ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3981 | 3982 | Optimizing tree decompositions in MSO | The classic algorithm of Bodlaender and Klok... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3982 | 3983 | Nonparametric relative error estimation of the... | Let $ (T_i)_i$ be a sequence of independent ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3983 | 3984 | Intelligent Home Energy Management System for ... | This paper presents an intelligent home ener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3984 | 3985 | Interpretable Structure-Evolving LSTM | This paper develops a general framework for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3985 | 3986 | On Optimization over Tail Distributions | We investigate the use of optimization to co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 3986 | 3987 | Isotropic covariance functions on graphs and t... | We develop parametric classes of covariance ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 3987 | 3988 | Towards Probabilistic Formal Modeling of Robot... | Cell injection is a technique in the domain ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3988 | 3989 | Representations of language in a model of visu... | We present a visually grounded model of spee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3989 | 3990 | Long-Term Video Interpolation with Bidirection... | This paper considers the challenging task of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3990 | 3991 | Evolutionary dynamics of cooperation in neutra... | Cooperation is a difficult proposition in th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3991 | 3992 | Large global-in-time solutions to a nonlocal m... | We consider the parabolic-elliptic model for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 3992 | 3993 | Microservices: Granularity vs. Performance | Microservice Architectures (MA) have the pot... | 1 | 0 | 0 | 0 | 0 | 0 |
| 3993 | 3994 | The strictly-correlated electron functional fo... | The strong-interaction limit of the Hohenber... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3994 | 3995 | A stable numerical strategy for Reynolds-Rayle... | The coupling of Reynolds and Rayleigh-Plesse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3995 | 3996 | Accelerated Sparse Subspace Clustering | State-of-the-art algorithms for sparse subsp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 3996 | 3997 | Prediction of helium vapor quality in steady s... | Steady State Superconducting Tokamak (SST-1)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3997 | 3998 | Synthesis of Highly Anisotropic Semiconducting... | Pseudo-one dimensional (pseudo-1D) materials... | 0 | 1 | 0 | 0 | 0 | 0 |
| 3998 | 3999 | Criticality as It Could Be: organizational inv... | This paper outlines a methodological approac... | 1 | 1 | 0 | 0 | 0 | 0 |
| 3999 | 4000 | Projection Free Rank-Drop Steps | The Frank-Wolfe (FW) algorithm has been wide... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4000 | 4001 | Doubly autoparallel structure on the probabili... | On the probability simplex, we can consider ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4001 | 4002 | Probing Hidden Spin Order with Interpretable M... | The search of unconventional magnetic and no... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4002 | 4003 | Maximum a Posteriori Joint State Path and Para... | A wide variety of phenomena of engineering a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4003 | 4004 | Spreading of an infectious disease between dif... | The endogenous adaptation of agents, that ma... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4004 | 4005 | Observation and calculation of the quasi-bound... | Although the existence of quasi-bound rotati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4005 | 4006 | A case study of hurdle and generalized additiv... | The dark ages of the Universe end with the f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4006 | 4007 | Out-of-focus: Learning Depth from Image Bokeh ... | In this project, we propose a novel approach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4007 | 4008 | Iterative Machine Teaching | In this paper, we consider the problem of ma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4008 | 4009 | GibbsNet: Iterative Adversarial Inference for ... | Directed latent variable models that formula... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4009 | 4010 | Characterization of 1-Tough Graphs using Factors | For a graph $G$, let $odd(G)$ and $\omega(G)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4010 | 4011 | Optimization by gradient boosting | Gradient boosting is a state-of-the-art pred... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4011 | 4012 | RDV: Register, Deposit, Vote: Secure and Decen... | A decentralized payment system is not secure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4012 | 4013 | The Rees algebra of a two-Borel ideal is Koszul | Let $M$ and $N$ be two monomials of the same... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4013 | 4014 | A forward--backward random process for the spe... | We give a new expression for the law of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4014 | 4015 | From Curves to Tropical Jacobians and Back | Given a curve defined over an algebraically ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4015 | 4016 | Importance sampling the union of rare events w... | We consider importance sampling to estimate ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4016 | 4017 | Estimating the sensitivity of centrality measu... | Most network studies rely on an observed net... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4017 | 4018 | Matrix product moments in normal variables | Let ${\cal X }=XX^{\prime}$ be a random matr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4018 | 4019 | Asymptotics and Optimal Bandwidth Selection fo... | Bandwidth selection is crucial in the kernel... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4019 | 4020 | Population-specific design of de-immunized pro... | Immunogenicity is a major problem during the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4020 | 4021 | Linearized Binary Regression | Probit regression was first proposed by Blis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4021 | 4022 | Arithmetic properties of polynomials | In this paper, first, we prove that the Diop... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4022 | 4023 | A Graph Analytics Framework for Ranking Author... | A lot of scientific works are published in d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4023 | 4024 | Inner Cohomology of the General Linear Group | The main theorem is incorrectly stated.\n | 0 | 0 | 1 | 0 | 0 | 0 |
| 4024 | 4025 | Particle-hole symmetry and composite fermions ... | We study fractional quantum Hall states at f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4025 | 4026 | Large-type Artin groups are systolic | We prove that Artin groups from a class cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4026 | 4027 | Gradient Sensing via Cell Communication | The chemotactic dynamics of cells and organi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4027 | 4028 | Nichols Algebras and Quantum Principal Bundles | A general procedure for constructing Yetter-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4028 | 4029 | Inference of signals with unknown correlation ... | We present a method to reconstruct autocorre... | 0 | 1 | 0 | 1 | 0 | 0 |
| 4029 | 4030 | An optimization approach for dynamical Tucker ... | An optimization-based approach for the Tucke... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4030 | 4031 | Optical and structural study of the pressure-i... | The optical absorption of CdWO$_4$ is report... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4031 | 4032 | Learning Context-Sensitive Convolutional Filte... | Convolutional neural networks (CNNs) have re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4032 | 4033 | On right $S$-Noetherian rings and $S$-Noetheri... | In this paper we study right $S$-Noetherian ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4033 | 4034 | Reconfiguration of Brain Network between Resti... | The oddball paradigm is widely applied to th... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4034 | 4035 | Approximate Ranking from Pairwise Comparisons | A common problem in machine learning is to r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4035 | 4036 | Optimised information gathering in smartphone ... | Human activities from hunting to emailing ar... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4036 | 4037 | On Recoverable and Two-Stage Robust Selection ... | In this paper the problem of selecting $p$ o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4037 | 4038 | Sparsity/Undersampling Tradeoffs in Anisotropi... | We study anisotropic undersampling schemes l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4038 | 4039 | Multi-way sparsest cut problem on trees with a... | Given a graph, the sparsest cut problem asks... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4039 | 4040 | Gallucci's axiom revisited | In this paper we propose a well-justified sy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4040 | 4041 | Effect of the non-thermal Sunyaev-Zel'dovich E... | A recent stacking analysis of Planck HFI dat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4041 | 4042 | ModelFactory: A Matlab/Octave based toolbox to... | Background: Model-based analysis of movement... | 1 | 0 | 0 | 0 | 1 | 0 |
| 4042 | 4043 | Dimensionality reduction with missing values i... | In this study, we propose a new statical app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4043 | 4044 | An effective formalism for testing extensions ... | The recent direct observation of gravitation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4044 | 4045 | On the Wiener-Hopf method for surface plasmons... | By formally invoking the Wiener-Hopf method,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4045 | 4046 | Sim2Real View Invariant Visual Servoing by Rec... | Humans are remarkably proficient at controll... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4046 | 4047 | The homotopy Lie algebra of symplectomorphism ... | We consider the 3-point blow-up of the manif... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4047 | 4048 | Pressure Drop and Flow development in the Entr... | In the present investigation, the developmen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4048 | 4049 | Household poverty classification in data-scarc... | We describe a method to identify poor househ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4049 | 4050 | Linguistic Matrix Theory | Recent research in computational linguistics... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4050 | 4051 | Dissecting Ponzi schemes on Ethereum: identifi... | Ponzi schemes are financial frauds where, un... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4051 | 4052 | On orthogonality and learning recurrent networ... | It is well known that it is challenging to t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4052 | 4053 | Chunk-Based Bi-Scale Decoder for Neural Machin... | In typical neural machine translation~(NMT),... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4053 | 4054 | IL-Net: Using Expert Knowledge to Guide the De... | Deep neural networks (DNN) excel at extracti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4054 | 4055 | Fast Spectral Clustering Using Autoencoders an... | In this paper, we introduce an algorithm for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4055 | 4056 | Sufficient Markov Decision Processes with Alte... | Advances in mobile computing technologies ha... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4056 | 4057 | Gate-controlled magnonic-assisted switching of... | Interfacing a ferromagnet with a polarized f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4057 | 4058 | Three-Dimensional Electronic Structure of type... | By combining bulk sensitive soft-X-ray angul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4058 | 4059 | Decentralized Online Learning with Kernels | We consider multi-agent stochastic optimizat... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4059 | 4060 | Enumeration of complementary-dual cyclic $\mat... | Let $\mathbb{F}_q$ denote the finite field o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4060 | 4061 | MUTAN: Multimodal Tucker Fusion for Visual Que... | Bilinear models provide an appealing framewo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4061 | 4062 | Nucleosynthesis Predictions and High-Precision... | Two new high-precision measurements of the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4062 | 4063 | Nearly-Linear Time Spectral Graph Reduction fo... | This paper proposes a scalable algorithmic f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4063 | 4064 | Text Indexing and Searching in Sublinear Time | We introduce the first index that can be bui... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4064 | 4065 | Temperature dependence of the bulk Rashba spli... | We study the temperature dependence of the R... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4065 | 4066 | Viscosity solutions and the minimal surface sy... | We give a definition of viscosity solution f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4066 | 4067 | Ray-tracing semiclassical low frequency acoust... | The recently introduced acoustic ray-tracing... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4067 | 4068 | Towards Understanding the Evolution of the WWW... | The World Wide Web conference is a well-esta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4068 | 4069 | Hierarchical State Abstractions for Decision-M... | In this semi-tutorial paper, we first review... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4069 | 4070 | The generalized Milne problem in gas-dusty atm... | We consider the generalized Milne problem in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4070 | 4071 | h-multigrid agglomeration based solution strat... | In this work we exploit agglomeration based ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4071 | 4072 | The content correlation of multiple streaming ... | We study how to detect clusters in a graph d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4072 | 4073 | Fundamental solutions for second order parabol... | We construct fundamental solutions of second... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4073 | 4074 | CMB in the river frame and gauge invariance at... | GAUGE INVARIANCE: The Sachs-Wolfe formula de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4074 | 4075 | Active matrix completion with uncertainty quan... | The noisy matrix completion problem, which a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4075 | 4076 | Majoration du nombre de valeurs friables d'un ... | For $Q$ a polynomial with integer coefficien... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4076 | 4077 | General analytical solution for the electromag... | Implementing the modal method in the electro... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4077 | 4078 | Synthetic geometry of differential equations: ... | We give an abstract formulation of the forma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4078 | 4079 | Precision Prediction for the Cosmological Dens... | The distribution of matter in the universe i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4079 | 4080 | Hamiltonian analogs of combustion engines: a s... | Workhorse theories throughout all of physics... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4080 | 4081 | Towards Arbitrary Noise Augmentation - Deep Le... | Accurate noise modelling is important for tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4081 | 4082 | Unbiased Simulation for Optimizing Stochastic ... | In this paper, we introduce an unbiased grad... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4082 | 4083 | Temporal Grounding Graphs for Language Underst... | A robot's ability to understand or ground na... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4083 | 4084 | Nonconvex generalizations of ADMM for nonlinea... | The growing demand on efficient and distribu... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4084 | 4085 | Interpretable LSTMs For Whole-Brain Neuroimagi... | The analysis of neuroimaging data poses seve... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4085 | 4086 | Effect of Isopropanol on Gold Assisted Chemica... | Wet etching is an essential and complex step... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4086 | 4087 | Integrating Runtime Values with Source Code to... | An inherently abstract nature of source code... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4087 | 4088 | Nearest Embedded and Embedding Self-Nested Trees | Self-nested trees present a systematic form ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4088 | 4089 | Computing the Lusztig--Vogan Bijection | Let $G$ be a connected complex reductive alg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4089 | 4090 | Divide and Conquer: Variable Set Separation in... | In this paper we propose an improvement for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4090 | 4091 | The bottom of the spectrum of time-changed pro... | We give a necessary and sufficient condition... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4091 | 4092 | Autocorrelation and Lower Bound on the 2-Adic ... | In modern stream cipher, there are many algo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4092 | 4093 | Integration of Machine Learning Techniques to ... | The telecommunications industry is highly co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4093 | 4094 | A Convex Cycle-based Degradation Model for Bat... | A vital aspect in energy storage planning an... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4094 | 4095 | Demonstration of cascaded modulator-chicane mi... | We present results of an experiment showing ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4095 | 4096 | Grothendieck rigidity of 3-manifold groups | We show that fundamental groups of compact, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4096 | 4097 | Sobczyk's simplicial calculus does not have a ... | The pseudoscalars in Garret Sobczyk's paper ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4097 | 4098 | Hierarchy of Information Scrambling, Thermaliz... | We determine the information scrambling rate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4098 | 4099 | Neural Collaborative Autoencoder | In recent years, deep neural networks have y... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4099 | 4100 | Reexamination of Tolman's law and the Gibbs ad... | The influence of the surface curvature on th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4100 | 4101 | Dual Supervised Learning | Many supervised learning tasks are emerged i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4101 | 4102 | Pentavalent symmetric graphs of order four tim... | A graph is said to be symmetric if its autom... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4102 | 4103 | Applying the Polyhedral Model to Tile Time Loo... | The run time of many scientific computation ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4103 | 4104 | Deictic Image Maps: An Abstraction For Learnin... | In applications of deep reinforcement learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4104 | 4105 | Charged Vector Particles Tunneling From 5D Bla... | In this paper, we investigate the Hawking ra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4105 | 4106 | Implementing implicit OpenMP data sharing on GPUs | OpenMP is a shared memory programming model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4106 | 4107 | Real-Time Impulse Noise Removal from MR Images... | In the recent years image processing techniq... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4107 | 4108 | Pitfalls of Graph Neural Network Evaluation | Semi-supervised node classification in graph... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4108 | 4109 | Randomized CP Tensor Decomposition | The CANDECOMP/PARAFAC (CP) tensor decomposit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4109 | 4110 | App Store 2.0: From Crowd Information to Actio... | Given the increasing competition in mobile a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4110 | 4111 | An Information Matrix Approach for State Secrecy | This paper studies the problem of remote sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4111 | 4112 | Adversarial Attacks on Node Embeddings | The goal of network representation learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4112 | 4113 | Time-reversed magnetically controlled perturba... | Manipulating and focusing light deep inside ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4113 | 4114 | Dimensionality-strain phase diagram of stronti... | The competition between spin-orbit coupling,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4114 | 4115 | Herschel survey and modelling of externally-il... | Protoplanetary disks undergo substantial mas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4115 | 4116 | Observation of Spatio-temporal Instability of ... | We study the spatio-temporal instability gen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4116 | 4117 | Spectral curves for the rogue waves | Here we find the spectral curves, correspond... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4117 | 4118 | Volume functional of compact manifolds with a ... | We prove that a critical metric of the volum... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4118 | 4119 | Deep Multitask Learning for Semantic Dependenc... | We present a deep neural architecture that p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4119 | 4120 | Chentsov's theorem for exponential families | Chentsov's theorem characterizes the Fisher ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4120 | 4121 | Dark trions and biexcitons in WS2 and WSe2 mad... | The direct band gap character and large spin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4121 | 4122 | SGDLibrary: A MATLAB library for stochastic gr... | We consider the problem of finding the minim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4122 | 4123 | Structured Uncertainty Prediction Networks | This paper is the first work to propose a ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4123 | 4124 | Shannon's entropy and its Generalizations towa... | Starting from the pioneering works of Shanno... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4124 | 4125 | Understanding MIDI: A Painless Tutorial on Mid... | A short overview demystifying the midi audio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4125 | 4126 | Optimization, fast and slow: optimally switchi... | We develop the first Bayesian Optimization a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4126 | 4127 | Optimization of exposure time division for wid... | The optical observations of wide fields of v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4127 | 4128 | Multi-Entity Dependence Learning with Rich Con... | Multi-Entity Dependence Learning (MEDL) expl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4128 | 4129 | A recognition algorithm for simple-triangle gr... | A simple-triangle graph is the intersection ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4129 | 4130 | A normalized gradient flow method with attract... | In this paper, we generalize the normalized ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4130 | 4131 | Truncation in Hahn Fields is Undecidable and Wild | We show that in any nontrivial Hahn field wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4131 | 4132 | Direct measurement of laser aberration and ahe... | Laser communication has advances in compared... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4132 | 4133 | DNN-Buddies: A Deep Neural Network-Based Estim... | This paper introduces the first deep neural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4133 | 4134 | Attack Analysis for Distributed Control System... | Although adverse effects of attacks have bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4134 | 4135 | A conservative scheme for electromagnetic simu... | A conservative scheme has been formulated an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4135 | 4136 | Corrupt Bandits for Preserving Local Privacy | We study a variant of the stochastic multi-a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4136 | 4137 | Deep Reinforcement Learning based Optimal Cont... | Energy consumption for hot water production ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4137 | 4138 | A Model-Based Fuzzy Control Approach to Achiev... | Self-adaptive system (SAS) is capable of adj... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4138 | 4139 | See the Near Future: A Short-Term Predictive M... | The Intelligent Transportation System (ITS) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4139 | 4140 | Single-Crystal N-polar GaN p-n Diodes by Plasm... | N-polar GaN p-n diodes are realized on singl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4140 | 4141 | Particle Identification with the TOP and ARICH... | Particle identification at the Belle II expe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4141 | 4142 | Face Detection and Face Recognition In the Wil... | This paper presents an easy and efficient fa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4142 | 4143 | End-to-end Learning of Deterministic Decision ... | Conventional decision trees have a number of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4143 | 4144 | Conceptualization of Object Compositions Using... | A topological shape analysis is proposed and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4144 | 4145 | Long-term Blood Pressure Prediction with Deep ... | Existing methods for arterial blood pressure... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4145 | 4146 | Risks for life on habitable planets from super... | We explore some of the ramifications arising... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4146 | 4147 | Thermodynamics of Spin-1/2 Kagomé Heisenberg A... | Quantum fluctuations from frustration can tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4147 | 4148 | Fast Rigid 3D Registration Solution: A Simple ... | A novel solution is obtained to solve the ri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4148 | 4149 | Massive MIMO 5G Cellular Networks: mm-wave vs.... | Enhanced mobile broadband (eMBB) is one of t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4149 | 4150 | Independent Set Size Approximation in Graph St... | We study the problem of estimating the size ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4150 | 4151 | Two-Person Zero-Sum Games with Unbounded Payof... | This paper provides sufficient conditions fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4151 | 4152 | Scale relativistic formulation of non-differen... | This article is the second in a series of tw... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4152 | 4153 | Compact arrangement for femtosecond laser indu... | We present a simple apparatus for femtosecon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4153 | 4154 | Hierarchical Summarization of Metric Changes | We study changes in metrics that are defined... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4154 | 4155 | Manifold learning with bi-stochastic kernels | In this paper we answer the following questi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4155 | 4156 | The importance of the weak: Interaction modifi... | The modification of geometry and interaction... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4156 | 4157 | How To Extract Fashion Trends From Social Medi... | With the proliferation of social media, fash... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4157 | 4158 | Multi-Task Learning Using Neighborhood Kernels | This paper introduces a new and effective al... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4158 | 4159 | Optimized Bucket Wheel Design for Asteroid Exc... | Current spacecraft need to launch with all o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4159 | 4160 | Fraction of the X-ray selected AGNs with optic... | Compared with numerous X-ray dominant active... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4160 | 4161 | A local search 2.917-approximation algorithm f... | We study the {\em maximum duo-preservation s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4161 | 4162 | Towards Automatic Learning of Heuristics for M... | The current trends in next-generation exasca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4162 | 4163 | Using Graphs of Classifiers to Impose Declarat... | We propose a general approach to modeling se... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4163 | 4164 | Fabrication of a centimeter-long cavity on a n... | We report the fabrication of a 1.2 cm long c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4164 | 4165 | Optimized Deformed Laplacian for Spectrum-base... | Spectral clustering is one of the most popul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4165 | 4166 | High dimensional deformed rectangular matrices... | We consider the recovery of a low rank $M \t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4166 | 4167 | Validation of the 3-under-2 principle of cell ... | The aim of this work is to propose a first c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4167 | 4168 | Self-bound quantum droplets in atomic mixtures | Self-bound quantum droplets are a newly disc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4168 | 4169 | Control of Gene Regulatory Networks with Noisy... | This paper is concerned with the problem of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4169 | 4170 | On Memory System Design for Stochastic Computing | Growing uncertainty in design parameters (an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4170 | 4171 | Strongly convex stochastic online optimization... | In this paper we propose a new approach to o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4171 | 4172 | Unsupervised Domain Adaptation for Face Recogn... | Despite rapid advances in face recognition, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4172 | 4173 | Unifying DAGs and UGs | We introduce a new class of graphical models... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4173 | 4174 | Program Completionin the Input Language of GRINGO | We argue that turning a logic program into a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4174 | 4175 | Numerical modelling of surface water wave inte... | In the present manuscript, we consider the p... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4175 | 4176 | Dynamic Curriculum Learning for Imbalanced Dat... | Human attribute analysis is a challenging ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4176 | 4177 | Causal Discovery in the Presence of Measuremen... | Measurement error in the observed values of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4177 | 4178 | Elliptic fibrations on covers of the elliptic ... | We consider the K3 surfaces that arise as do... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4178 | 4179 | A wide field-of-view crossed Dragone optical s... | A side-fed crossed Dragone telescope provide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4179 | 4180 | Searching for Biophysically Realistic Paramete... | Individual Neurons in the nervous systems ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4180 | 4181 | Matrix elements of irreducible representations... | In Part 1 we study the spherical functions o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4181 | 4182 | On the variance of internode distance under th... | We consider the problem of estimating specie... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4182 | 4183 | DOPING: Generative Data Augmentation for Unsup... | Recently, the introduction of the generative... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4183 | 4184 | Online Human Gesture Recognition using Recurre... | Gestures are a natural communication modalit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4184 | 4185 | Conditional Variance Penalties and Domain Shif... | When training a deep network for image class... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4185 | 4186 | The First Optical Spectra of Wolf Rayet Stars ... | Deep narrow-band HST imaging of the iconic s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4186 | 4187 | Machine Learning Topological Invariants with N... | In this Letter we supervisedly train neural ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4187 | 4188 | Topics and Label Propagation: Best of Both Wor... | We propose a Label Propagation based algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4188 | 4189 | Parallel Markov Chain Monte Carlo for the Indi... | Indian Buffet Process based models are an el... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4189 | 4190 | The Robot Routing Problem for Collecting Aggre... | We propose a new model for formalizing rewar... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4190 | 4191 | Estimating occupation time functionals | We study the estimation of integral type fun... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4191 | 4192 | Bootstrapping a Lexicon for Emotional Arousal ... | Emotional arousal increases activation and p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4192 | 4193 | Early Solar System irradiation quantified by l... | X-ray emission in young stellar objects (YSO... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4193 | 4194 | Two classes of nonlocal Evolution Equations re... | We consider reaction-diffusion equations and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4194 | 4195 | Analyzing IO Amplification in Linux File Systems | We present the first systematic analysis of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4195 | 4196 | Feature analysis of multidisciplinary scientif... | The features of collaboration patterns are o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4196 | 4197 | Inflationary magneto-(non)genesis, increasing ... | We study the generation of magnetic fields d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4197 | 4198 | HornDroid: Practical and Sound Static Analysis... | We present HornDroid, a new tool for the sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4198 | 4199 | Assessing the reliability polynomial based on ... | In this paper, we study the robustness of ne... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4199 | 4200 | Interval Exchange Transformations and Low-Disc... | In [Mas82] and [Vee78] it was proved indepen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4200 | 4201 | Metric-Optimized Example Weights | Real-world machine learning applications oft... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4201 | 4202 | Interior Eigensolver for Sparse Hermitian Defi... | This paper proposes an efficient method for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4202 | 4203 | A Polya-Vinogradov-type inequality on $\mathbb... | We establish a Polya-Vinogradov-type bound f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4203 | 4204 | Distinction of representations via Bruhat-Tits... | Introductory and pedagogical treatmeant of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4204 | 4205 | Face Super-Resolution Through Wasserstein GANs | Generative adversarial networks (GANs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4205 | 4206 | Network-based protein structural classification | Experimental determination of protein functi... | 0 | 0 | 0 | 1 | 1 | 0 |
| 4206 | 4207 | Deep Learning for Environmentally Robust Speec... | Eliminating the negative effect of non-stati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4207 | 4208 | The function field Sathé-Selberg formula in ar... | We use a function field analogue of a method... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4208 | 4209 | Polynomial Relations Between Matrices of Graphs | We derive a correspondence between the eigen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4209 | 4210 | Random active path model of deep neural networ... | Deep learning has become a powerful and popu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4210 | 4211 | Super Generalized Central Limit Theorem: Limit... | In nature or societies, the power-law is pre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4211 | 4212 | On the Adjacency Spectra of Hypertrees | We extend the results of Zhang et al. to sho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4212 | 4213 | Coherent structures and spectral energy transf... | Plasma turbulence at scales of the order of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4213 | 4214 | Bayesian Sparsification of Recurrent Neural Ne... | Recurrent neural networks show state-of-the-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4214 | 4215 | Malaria Likelihood Prediction By Effectively S... | We build a deep reinforcement learning (RL) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4215 | 4216 | Curious Minds Wonder Alike: Studying Multimoda... | Curiosity is the strong desire to learn or k... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4216 | 4217 | Communication Complexity of Discrete Fair Divi... | We initiate the study of the communication c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4217 | 4218 | A proof of the Muir-Suffridge conjecture for c... | We prove (and improve) the Muir-Suffridge co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4218 | 4219 | Continuous Functional Calculus for Quaternioni... | In this article we give an approach to defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4219 | 4220 | Evolution of structure, magnetism and electron... | The interplay between spin-orbit coupling (S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4220 | 4221 | Cieliebak's Invariance Theorem and contact str... | We present a strong version of Abouzaid's No... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4221 | 4222 | Learning Graph Weighted Models on Pictures | Graph Weighted Models (GWMs) have recently b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4222 | 4223 | Solutions for biharmonic equations with steep ... | In this paper, we are concerned with the exi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4223 | 4224 | General three and four person two color Hat Game | N distinguishable players are randomly fitte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4224 | 4225 | Pencilled regular parallelisms | Over any field $\mathbb K$, there is a bijec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4225 | 4226 | The loss surface of deep and wide neural networks | While the optimization problem behind deep n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4226 | 4227 | Gap Acceptance During Lane Changes by Large-Tr... | This paper presents an analysis of rearward ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4227 | 4228 | Diversity-Sensitive Conditional Generative Adv... | We propose a simple yet highly effective met... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4228 | 4229 | Predicting Expressive Speaking Style From Text... | Global Style Tokens (GSTs) are a recently-pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4229 | 4230 | Independence of Sources in Social Networks | Online social networks are more and more stu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4230 | 4231 | Classical and quantum systems: transport due t... | We review possible mechanisms for energy tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4231 | 4232 | An a Priori Exponential Tail Bound for k-Folds... | We consider a priori generalization bounds d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4232 | 4233 | Relaxed Wasserstein with Applications to GANs | We propose a novel class of statistical dive... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4233 | 4234 | Extremal functions for the Moser--Trudinger in... | We study the existence and nonexistence of m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4234 | 4235 | Dex: Incremental Learning for Complex Environm... | This paper introduces Dex, a reinforcement l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4235 | 4236 | The first order partial differential equations... | In this paper we discuss the first order par... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4236 | 4237 | The Genus-One Global Mirror Theorem for the Qu... | We prove the genus-one restriction of the al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4237 | 4238 | Self-Calibration of Mobile Manipulator Kinemat... | We present a novel approach for mobile manip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4238 | 4239 | Towards Open Data for the Citation Content Ana... | The paper presents first results of the CitE... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4239 | 4240 | Real Time Collision Detection and Identificati... | The majority of everyday tasks involve inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4240 | 4241 | Time-dynamic inference for non-Markov transiti... | In this article, weak convergence of the gen... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4241 | 4242 | Multitask Learning with CTC and Segmental CRF ... | Segmental conditional random fields (SCRFs) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4242 | 4243 | Electronic structure and non-linear optical pr... | The use of eco-friendly materials for the en... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4243 | 4244 | Connectivity Learning in Multi-Branch Networks | While much of the work in the design of conv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4244 | 4245 | A multiple timescales approach to bridging spi... | A rigorous bridge between spiking-level and ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4245 | 4246 | Two-Stream RNN/CNN for Action Recognition in 3... | The recognition of actions from video sequen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4246 | 4247 | DNA translocation through alpha-haemolysin nan... | Digital information can be encoded in the bu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4247 | 4248 | Contextuality from missing and versioned data | Traditionally categorical data analysis (e.g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4248 | 4249 | Reveal the Mantle and K-40 Components of Geone... | In this article we present an idea of using ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4249 | 4250 | Improving Stock Movement Prediction with Adver... | This paper contributes a new machine learnin... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4250 | 4251 | Weighted estimates for positive operators and ... | We characterize strong type and weak type in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4251 | 4252 | Sentiment Identification in Code-Mixed Social ... | Sentiment analysis is the Natural Language P... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4252 | 4253 | SVSGAN: Singing Voice Separation via Generativ... | Separating two sources from an audio mixture... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4253 | 4254 | Microscopic theory of refractive index applied... | In this article, we first derive the wavevec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4254 | 4255 | Semidefinite Relaxation-Based Optimization of ... | An optimization procedure for multi-transmit... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4255 | 4256 | Counterfactual Reasoning with Disjunctive Know... | We consider the problem of estimating counte... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4256 | 4257 | Post-edit Analysis of Collective Biography Gen... | Text generation is increasingly common but o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4257 | 4258 | The SysML/KAOS Domain Modeling Approach | A means of building safe critical systems co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4258 | 4259 | Neighborhood selection with application to soc... | The topic of this paper is modeling and anal... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4259 | 4260 | Spinless hourglass nodal-line semimetals | Nodal-line semimetals, one of the topologica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4260 | 4261 | Average-radius list-recovery of random linear ... | We analyze the list-decodability, and relate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4261 | 4262 | Insights on representational similarity in neu... | Comparing different neural network represent... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4262 | 4263 | Complex Hadamard matrices with noncommutative ... | We axiomatize and study the matrices of type... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4263 | 4264 | Subregular Complexity and Deep Learning | This paper argues that the judicial use of f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4264 | 4265 | Observation of oscillatory relaxation in the S... | Topological crystalline insulators have been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4265 | 4266 | Chaotic Dynamics of Inner Ear Hair Cells | Experimental records of active bundle motili... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4266 | 4267 | From Dirac semimetals to topological phases in... | Weyl and Dirac (semi)metals in three dimensi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4267 | 4268 | CHIME FRB: An application of FFT beamforming f... | We have developed FFT beamforming techniques... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4268 | 4269 | MRI-PET Registration with Automated Algorithm ... | Magnetic Resonance Imaging (MRI) and Positro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4269 | 4270 | Generalization of Special Functions and its Ap... | The goal of this paper is to extend the clas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4270 | 4271 | Incident Light Frequency-based Image Defogging... | Considering the problem of color distortion ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4271 | 4272 | Tangent points of d-lower content regular sets... | We present a generalisation of C. Bishop and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4272 | 4273 | Quasi-Oracle Estimation of Heterogeneous Treat... | Flexible estimation of heterogeneous treatme... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4273 | 4274 | Adaptive clustering procedure for continuous g... | In hierarchical searches for continuous grav... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4274 | 4275 | The heat trace for the drifting Laplacian and ... | We study the heat trace for both the driftin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4275 | 4276 | Generative Adversarial Networks for Black-Box ... | As online systems based on machine learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4276 | 4277 | Coloring ($P_6$, diamond, $K_4$)-free graphs | We show that every ($P_6$, diamond, $K_4$)-f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4277 | 4278 | Habitable Climate Scenarios for Proxima Centau... | The nearby exoplanet Proxima Centauri b will... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4278 | 4279 | Level bounds for exceptional quantum subgroups... | There is a long-standing belief that the mod... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4279 | 4280 | Convolution Forgetting Curve Model for Repeate... | Most of mathematic forgetting curve models f... | 1 | 0 | 0 | 0 | 1 | 0 |
| 4280 | 4281 | Efficient computation of multidimensional thet... | An important step in the efficient computati... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4281 | 4282 | The careless use of language in quantum inform... | An imperative aspect of modern science is th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4282 | 4283 | Origin of meteoritic stardust unveiled by a re... | Stardust grains recovered from meteorites pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4283 | 4284 | Some Connections Between Cycles and Permutatio... | We present a new proof of a fundamental resu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4284 | 4285 | Generalizing the first-difference correlated r... | Animal telemetry data are often analysed wit... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4285 | 4286 | Low spin wave damping in the insulating chiral... | Chiral magnets with topologically nontrivial... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4286 | 4287 | Adversarial PoseNet: A Structure-aware Convolu... | For human pose estimation in monocular image... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4287 | 4288 | Deep Learning from Shallow Dives: Sonar Image ... | Among underwater perceptual sensors, imaging... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4288 | 4289 | Large-scale Feature Selection of Risk Genetic ... | Genome-wide association studies (GWAS) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4289 | 4290 | Strong Functional Representation Lemma and App... | This paper shows that for any random variabl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4290 | 4291 | Emergence of Structured Behaviors from Curiosi... | Infants are experts at playing, with an amaz... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4291 | 4292 | Predicting shim gaps in aircraft assembly with... | A modern aircraft may require on the order o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4292 | 4293 | Multivariate central limit theorems for Radema... | Quantitative multivariate central limit theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4293 | 4294 | Modification of Social Dominance in Social Net... | According to the DeGroot-Friedkin model of a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4294 | 4295 | On Abrikosov Lattice Solutions of the Ginzburg... | We prove existence of Abrikosov vortex latti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4295 | 4296 | $0.7-2.5~μ$m spectra of Hilda asteroids | The Hilda asteroids are primitive bodies in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4296 | 4297 | Ground-state properties of unitary bosons: fro... | The properties of cold Bose gases at unitari... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4297 | 4298 | Lower bounds on the Noether number | The best known method to give a lower bound ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4298 | 4299 | A Survey on the Adoption of Cloud Computing in... | Education is a key factor in ensuring econom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4299 | 4300 | Deep Neural Networks as Gaussian Processes | It has long been known that a single-layer f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4300 | 4301 | The Brown-Peterson spectrum is not $E_{2(p^2+2... | Recently, Lawson has shown that the 2-primar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4301 | 4302 | Beliefs in Markov Trees - From Local Computati... | This paper is devoted to expressiveness of h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4302 | 4303 | A model for random fire induced tree-grass coe... | Tree-grass coexistence in savanna ecosystems... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4303 | 4304 | A depth-based method for functional time serie... | An approach is presented for making predicti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4304 | 4305 | Dihedral Molecular Configurations Interacting ... | In this paper, we investigate periodic vibra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4305 | 4306 | Understanding news story chains using informat... | Content analysis of news stories (whether ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4306 | 4307 | Fair Kernel Learning | New social and economic activities massively... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4307 | 4308 | Underwater Surveying via Bearing only Cooperat... | Bearing only cooperative localization has be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4308 | 4309 | Sterile Neutrinos and B-L Symmetry | We revisit the relation between the neutrino... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4309 | 4310 | Effects of parametric uncertainties in cascade... | This paper is concerned with the generation ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4310 | 4311 | A computer-based recursion algorithm for autom... | This paper proposes a computer-based recursi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4311 | 4312 | Abelian Tensor Models on the Lattice | We consider a chain of Abelian Klebanov-Tarn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4312 | 4313 | Distance-based Confidence Score for Neural Net... | The reliable measurement of confidence in cl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4313 | 4314 | Benford analysis of quantum critical phenomena... | Benford's law is an empirical edict stating ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4314 | 4315 | A Divergence Bound for Hybrids of MCMC and Var... | Two popular classes of methods for approxima... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4315 | 4316 | Making Sense of Bell's Theorem and Quantum Non... | Bell's theorem has fascinated physicists and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4316 | 4317 | On Some properties of dyadic operators | In this paper, the objects of our investigat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4317 | 4318 | Rationalizability and Epistemic Priority Order... | At the beginning of a dynamic game, players ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4318 | 4319 | Communications for Wearable Devices | Wearable devices are transforming computing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4319 | 4320 | Nonlocal Nonlinear Schrödinger Equations and T... | We study standard and nonlocal nonlinear Sch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4320 | 4321 | Robustness via Retrying: Closed-Loop Robotic M... | Prediction is an appealing objective for sel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4321 | 4322 | S-Isomap++: Multi Manifold Learning from Strea... | Manifold learning based methods have been wi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4322 | 4323 | Extreme radio-wave scattering associated with ... | We use data on extreme radio scintillation t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4323 | 4324 | Tracking network dynamics: a survey of distanc... | From longitudinal biomedical studies to soci... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4324 | 4325 | Enhancing Multi-Class Classification of Random... | Both neural networks and decision trees are ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4325 | 4326 | Graded components of local cohomology modules | Let $A$ be a regular ring containing a field... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4326 | 4327 | Drug Selection via Joint Push and Learning to ... | Selecting the right drugs for the right pati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4327 | 4328 | Two-dimensional electron gas at the interface ... | The temperature dependence of the electrical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4328 | 4329 | Linear Discriminant Generative Adversarial Net... | We develop a novel method for training of GA... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4329 | 4330 | Machine learning for classification and quanti... | Monoclonal antibodies constitute one of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4330 | 4331 | Sequential noise-induced escapes for oscillato... | It is well known that the addition of noise ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4331 | 4332 | Confluence of Conditional Term Rewrite Systems... | Conditional term rewriting is an intuitive y... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4332 | 4333 | Observation of Skyrmions at Room Temperature i... | Magnetic skyrmions are topological spin stru... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4333 | 4334 | Bayesian Nonparametric Spectral Estimation | Spectral estimation (SE) aims to identify ho... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4334 | 4335 | Imprecise dynamic walking with time-projection... | We present a new walking foot-placement cont... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4335 | 4336 | Interplay of dilution and magnetic field in th... | We study the magnetic field effects on the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4336 | 4337 | RNN-based Early Cyber-Attack Detection for the... | An RNN-based forecasting approach is used to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4337 | 4338 | Modelling of limitations of bulk heterojunctio... | Polymer solar cells are considered as very p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4338 | 4339 | Detecting singular weak-dissipation limit for ... | A `flutter machine' is introduced for the in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4339 | 4340 | A Hand Combining Two Simple Grippers to Pick u... | This paper proposes a novel robotic hand des... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4340 | 4341 | A Time Hierarchy Theorem for the LOCAL Model | The celebrated Time Hierarchy Theorem for Tu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4341 | 4342 | Second sound in systems of one-dimensional fer... | We study sound in Galilean invariant systems... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4342 | 4343 | The equational theory of the natural join and ... | The natural join and the inner union operati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4343 | 4344 | Doping-induced spin-orbit splitting in Bi-dope... | Our predictions, based on density-functional... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4344 | 4345 | A robotic vision system to measure tree traits | The autonomous measurement of tree traits, s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4345 | 4346 | Resolution enhancement in in-line holography b... | Mechanical vibrations of components of the o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4346 | 4347 | Embodied Question Answering | We present a new AI task -- Embodied Questio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4347 | 4348 | Toward Unsupervised Text Content Manipulation | Controlled generation of text is of high pra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4348 | 4349 | Unsupervised learning of object landmarks by f... | Learning automatically the structure of obje... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4349 | 4350 | Data-Efficient Design Exploration through Surr... | Design optimization techniques are often use... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4350 | 4351 | Stochastic seismic waveform inversion using ge... | We present an application of deep generative... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4351 | 4352 | A Capillary Surface with No Radial Limits | In 1996, Kirk Lancaster and David Siegel inv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4352 | 4353 | Brain Computer Interface for Gesture Control o... | Brain computer interface (BCI) provides prom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4353 | 4354 | Multi-agent Gaussian Process Motion Planning v... | This paper deals with motion planning for mu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4354 | 4355 | Faster Algorithms for Mean-Payoff Parity Games | Graph games provide the foundation for model... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4355 | 4356 | Similarity Function Tracking using Pairwise Co... | Recent work in distance metric learning has ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4356 | 4357 | Deep Boosted Regression for MR to CT Synthesis | Attenuation correction is an essential requi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4357 | 4358 | Discretisation of regularity structures | We introduce a general framework allowing to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4358 | 4359 | Optimization of Wireless Power Transfer System... | This paper presents a rigorous optimization ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4359 | 4360 | Sharpening Jensen's Inequality | This paper proposes a new sharpened version ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4360 | 4361 | Knotted solutions, from electromagnetism to fl... | Knotted solutions to electromagnetism and fl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4361 | 4362 | On the intersection graph of ideals of $\mathb... | Let $m>1$ be an integer, and let $I(\mathbb{... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4362 | 4363 | Optimization of Executable Formal Interpreters... | In recent publications, we presented a novel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4363 | 4364 | Healthcare Robotics | Robots have the potential to be a game chang... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4364 | 4365 | Personalized Thread Recommendation for MOOC Di... | Social learning, i.e., students learning fro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4365 | 4366 | CREATE: Cohort Retrieval Enhanced by Analysis ... | Background: Widespread adoption of electroni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4366 | 4367 | The same strain of Piscine orthoreovirus (PRV-... | Piscine orthoreovirus Strain PRV-1 is the ca... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4367 | 4368 | Charge transfer and metallicity in LaNiO$_3$/L... | Motivated by recent experiments, we use the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4368 | 4369 | On Learning the $cμ$ Rule in Single and Parall... | We consider learning-based variants of the $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4369 | 4370 | Report: Performance comparison between C2075 a... | In this report, some cosmological correlatio... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4370 | 4371 | Crafting Adversarial Examples For Speech Paral... | Computational paralinguistic analysis is inc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4371 | 4372 | On the Analysis of Bacterial Cooperation with ... | The exchange of small molecular signals with... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4372 | 4373 | The Ebb and Flow of Controversial Debates on S... | We explore how the polarization around contr... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4373 | 4374 | Training of Deep Neural Networks based on Dist... | The vanishing gradient problem was a major o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4374 | 4375 | Generalized Concomitant Multi-Task Lasso for s... | In high dimension, it is customary to consid... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4375 | 4376 | A deep learning-based method for prostate segm... | We propose a novel automatic method for accu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4376 | 4377 | A note on signature of Lefschetz fibrations wi... | Using theorems of Eliashberg and McDuff, Etn... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4377 | 4378 | Wild Bootstrapping Rank-Based Procedures: Mult... | Split-plot or repeated measures designs are ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4378 | 4379 | Graphical Sequent Calculi for Modal Logics | The syntax of modal graphs is defined in ter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4379 | 4380 | Engineering a flux-dependent mobility edge in ... | There has been great interest in realizing q... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4380 | 4381 | On the tensor semigroup of affine kac-moody li... | In this paper, we are interested in the deco... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4381 | 4382 | Electronic and Thermodynamic Properties of the... | Development of new greenhouse gas scavengers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4382 | 4383 | Monaural Singing Voice Separation with Skip-Fi... | Singing voice separation based on deep learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4383 | 4384 | Confidence Bands for Coefficients in High Dime... | We study high-dimensional linear models with... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4384 | 4385 | On the Power of Truncated SVD for General High... | We show that given an estimate $\widehat{A}$... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4385 | 4386 | Don't Look Back: Robustifying Place Categoriza... | When a human drives a car along a road for t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4386 | 4387 | Ultra-broadband On-chip Twisted Light Emitter | On-chip twisted light emitters are essential... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4387 | 4388 | Linear Additive Markov Processes | We introduce LAMP: the Linear Additive Marko... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4388 | 4389 | Radial and circular synchronization clusters i... | We consider extended starlike networks where... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4389 | 4390 | On the Fourth Power Moment of Fourier Coeffici... | Let $a(n)$ be the Fourier coefficients of a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4390 | 4391 | Provable benefits of representation learning | There is general consensus that learning rep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4391 | 4392 | TherML: Thermodynamics of Machine Learning | In this work we offer a framework for reason... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4392 | 4393 | Forecasting Across Time Series Databases using... | With the advent of Big Data, nowadays in man... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4393 | 4394 | Application of Self-Play Reinforcement Learnin... | We introduce a new virtual environment for s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4394 | 4395 | Fashion-MNIST: a Novel Image Dataset for Bench... | We present Fashion-MNIST, a new dataset comp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4395 | 4396 | Experimental Evaluation of Book Drawing Algori... | A $k$-page book drawing of a graph $G=(V,E)$... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4396 | 4397 | Probing magnetism in the vortex phase of PuCoG... | We have measured X-ray magnetic circular dic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4397 | 4398 | Joint secrecy over the K-Transmitter Multiple ... | This paper studies the problem of secure com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4398 | 4399 | Nonlinear Flexoelectricity in Non-centrosymmet... | We analytically derive the elastic, dielectr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4399 | 4400 | Well-posedness of nonlinear transport equation... | We are concerned with multidimensional nonli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4400 | 4401 | Massively parallel lattice-Boltzmann codes on ... | This paper describes a massively parallel co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4401 | 4402 | A Large Dimensional Study of Regularized Discr... | This article carries out a large dimensional... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4402 | 4403 | Non-Spherical Szekeres models in the language ... | We study the differences and equivalences be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4403 | 4404 | Smart materials and structures for energy harv... | Vibrational energy harvesters capture mechan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4404 | 4405 | DropIn: Making Reservoir Computing Neural Netw... | The paper presents a novel, principled appro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4405 | 4406 | A Single-Channel Architecture for Algebraic In... | An area efficient row-parallel architecture ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4406 | 4407 | More lessons from the six box toy experiment | Following a paper in which the fundamental a... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4407 | 4408 | A Biomechanical Study on the Use of Curved Dri... | Osteonecrosis occurs due to the loss of bloo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4408 | 4409 | Output feedback exponential stabilization for ... | We study the output feedback exponential sta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4409 | 4410 | Bio-inspired Tensegrity Soft Modular Robots | In this paper, we introduce a design princip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4410 | 4411 | How proper are Bayesian models in the astronom... | The well-known Bayes theorem assumes that a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4411 | 4412 | Diffusive Tidal Evolution for Migrating hot Ju... | I consider a Jovian planet on a highly eccen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4412 | 4413 | Von Neumann dimension, Hodge index theorem and... | This note contains a reformulation of the Ho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4413 | 4414 | Relativistic asymmetries in the galaxy cross-c... | We study the asymmetry in the two-point cros... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4414 | 4415 | Hybrid CTC-Attention based End-to-End Speech R... | In this paper, we present an end-to-end auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4415 | 4416 | Harmonic analysis and distribution-free infere... | Fourier analysis and representation of circu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4416 | 4417 | Free-form modelling of galaxy clusters: a Baye... | A new method is presented for modelling the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4417 | 4418 | Multi-focus Attention Network for Efficient De... | Deep reinforcement learning (DRL) has shown ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4418 | 4419 | Weak lensing power spectrum reconstruction by ... | We propose an Analytical method of Blind Sep... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4419 | 4420 | Optimal Output Consensus of High-Order Multi-A... | In this paper, we study an optimal output co... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4420 | 4421 | Equilibrium selection via Optimal transport | We propose a new dynamics for equilibrium se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4421 | 4422 | Predicting Parkinson's Disease using Latent In... | This paper presents a new method for medical... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4422 | 4423 | Representation Theorems for Solvable Sesquilin... | New results are added to the paper [4] about... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4423 | 4424 | Using Continuous Power Modulation for Exchangi... | This letter provides a simple but efficient ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4424 | 4425 | Spectral Efficient and Energy Aware Clustering... | The current and envisaged increase of cellul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4425 | 4426 | Lattice Rescoring Strategies for Long Short Te... | Recurrent neural network (RNN) language mode... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4426 | 4427 | Vanishing of Littlewood-Richardson polynomials... | J. DeLoera-T. McAllister and K. D. Mulmuley-... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4427 | 4428 | Multi-task memory networks for category-specif... | In aspect-based sentiment analysis, most exi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4428 | 4429 | Discussion on Computationally Efficient Multiv... | I begin my discussion by summarizing the met... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4429 | 4430 | Elucidation of the helical spin structure of FeAs | We present the results of resonant x-ray sca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4430 | 4431 | A Brain-Inspired Trust Management Model to Ass... | Rapid popularity of Internet of Things (IoT)... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4431 | 4432 | The topography of the environment alters the o... | In environments with scarce resources, adopt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4432 | 4433 | A Neural Network Approach for Mixing Language ... | The performance of Neural Network (NN)-based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4433 | 4434 | Iron Intercalated Covalent-Organic Frameworks:... | Covalent-organic frameworks (COFs) are intri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4434 | 4435 | DCFNet: Deep Neural Network with Decomposed Co... | Filters in a Convolutional Neural Network (C... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4435 | 4436 | Symmetries, Invariants and Generating Function... | Gravitationally collapsed objects are known ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4436 | 4437 | Reversible Sequences of Cardinals, Reversible ... | A relational structure ${\mathbb X}$ is said... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4437 | 4438 | A Longitudinal Study of Google Play | The difficulty of large scale monitoring of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4438 | 4439 | Nonparametric Variational Auto-encoders for Hi... | The recently developed variational autoencod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4439 | 4440 | Corpus-compressed Streaming and the Spotify Pr... | In this work, we describe a problem which we... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4440 | 4441 | An intrinsic parallel transport in Wasserstein... | If M is a smooth compact connected Riemannia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4441 | 4442 | Factor Analysis for Spectral Estimation | Power spectrum estimation is an important to... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4442 | 4443 | Effects of Images with Different Levels of Fam... | Evaluating human brain potentials during wat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4443 | 4444 | Image synthesis with graph cuts: a fast model ... | Geophysical inversion should ideally produce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4444 | 4445 | Graded super duality for general linear Lie su... | We provide a new proof of the super duality ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4445 | 4446 | On a Formal Model of Safe and Scalable Self-dr... | In recent years, car makers and tech compani... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4446 | 4447 | A Low-power Reversible Alkali Atom Source | An electrically-controllable, solid-state, r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4447 | 4448 | GoT-WAVE: Temporal network alignment using gra... | Global pairwise network alignment (GPNA) aim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4448 | 4449 | Randomness-induced quantum spin liquid on hone... | We present a quantu spin liquid state in a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4449 | 4450 | Symmetric structure for the endomorphism algeb... | We show that for any singular dominant integ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4450 | 4451 | Cantor series and rational numbers | The article is devoted to the investigation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4451 | 4452 | PAFit: an R Package for the Non-Parametric Est... | Many real-world systems are profitably descr... | 1 | 1 | 0 | 1 | 0 | 0 |
| 4452 | 4453 | Kähler metrics via Lorentzian Geometry in dime... | Given a semi-Riemannian $4$-manifold $(M,g)$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4453 | 4454 | z-Classes and Rational Conjugacy Classes in Al... | In this paper, we compute the number of z-cl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4454 | 4455 | Sleep Stage Classification Based on Multi-leve... | This paper proposes a practical approach for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4455 | 4456 | Martin David Kruskal: a biographical memoir | Martin David Kruskal was one of the most ver... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4456 | 4457 | Unified theory for finite Markov chains | We provide a unified framework to compute th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4457 | 4458 | A Simulator for Hedonic Games | Hedonic games are meant to model how coaliti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4458 | 4459 | Estimating Large Precision Matrices via Modifi... | We introduce the $k$-banded Cholesky prior f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4459 | 4460 | High order conformal symplectic and ergodic sc... | In this paper, we consider the stochastic La... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4460 | 4461 | Crowd ideation of supervised learning problems | Crowdsourcing is an important avenue for col... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4461 | 4462 | Joins in the strong Weihrauch degrees | The Weihrauch degrees and strong Weihrauch d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4462 | 4463 | Advanced LSTM: A Study about Better Time Depen... | Long short-term memory (LSTM) is normally us... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4463 | 4464 | A combinatorial model for the free loop fibration | We introduce the abstract notion of a closed... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4464 | 4465 | On the number of circular orders on a group | We give a classification and complete algebr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4465 | 4466 | Preparation and Measurement in Quantum Memory ... | Quantum Cognition has delivered a number of ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4466 | 4467 | Detailed proof of Nazarov's inequality | The purpose of this note is to provide a det... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4467 | 4468 | TRPL+K: Thick-Restart Preconditioned Lanczos+K... | The Lanczos method is one of the standard ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4468 | 4469 | Behavior of l-bits near the many-body localiza... | Eigenstates of fully many-body localized (FM... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4469 | 4470 | ROPE: high-dimensional network modeling with r... | Network modeling has become increasingly pop... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4470 | 4471 | Developing Robot Driver Etiquette Based on Nat... | Automated vehicles can change the society by... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4471 | 4472 | e-Fair: Aggregation in e-Commerce for Exploiti... | In recent years, many new and interesting mo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4472 | 4473 | Stable spike clusters for the precursor Gierer... | We consider the Gierer-Meinhardt system with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4473 | 4474 | Solvability of curves on surfaces | In this article, we study subloci of solvabl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4474 | 4475 | Scaling Limits for Super--replication with Tra... | We prove limit theorems for the super-replic... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4475 | 4476 | Kernel-based Inference of Functions over Graphs | The study of networks has witnessed an explo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4476 | 4477 | Noncommutative products of Euclidean spaces | We present natural families of coordinate al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4477 | 4478 | X-ray and Optical Study of the Gamma-ray Sourc... | We observed the field of the Fermi source 3F... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4478 | 4479 | Adversarial Variational Inference and Learning... | Markov random fields (MRFs) find application... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4479 | 4480 | Geometric k-nearest neighbor estimation of ent... | Nonparametric estimation of mutual informati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4480 | 4481 | Resonant Electron Impact Excitation of 3d leve... | We present laboratory spectra of the $3p$--$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4481 | 4482 | Automated Top View Registration of Broadcast F... | In this paper, we propose a novel method to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4482 | 4483 | Reservoir Computing for Detection of Steady St... | Fabrication of devices in industrial plants ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4483 | 4484 | Fast swaption pricing in Gaussian term structu... | We propose a fast and accurate numerical met... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4484 | 4485 | Temporal-related Convolutional-Restricted-Bolt... | In this article, we extend the conventional ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4485 | 4486 | Predicting how and when hidden neurons skew me... | A major obstacle to understanding neural cod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4486 | 4487 | Humanoid Robots as Agents of Human Consciousne... | The "Loving AI" project involves developing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4487 | 4488 | Reinforcing Adversarial Robustness using Model... | In this paper we study leveraging confidence... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4488 | 4489 | Stateless Puzzles for Real Time Online Fraud P... | The profitability of fraud in online systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4489 | 4490 | Multi-Period Flexibility Forecast for Low Volt... | Near-future electric distribution grids oper... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4490 | 4491 | Assessing the Economics of Customer-Sited Mult... | This paper presents an approach to assess th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4491 | 4492 | A Hamiltonian approach for the Thermodynamics ... | In this work we study the Thermodynamics of ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4492 | 4493 | Dzyaloshinskii Moriya interaction across antif... | The antiferromagnet (AFM) / ferromagnet (FM)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4493 | 4494 | Pore cross-talk in colloidal filtration | Blockage of pores by particles is found in m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4494 | 4495 | Temporal Markov Processes for Transport in Por... | Monte Carlo (MC) simulations of transport in... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4495 | 4496 | Defect Properties of Na and K in Cu2ZnSnS4 fro... | In-growth or post-deposition treatment of $C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4496 | 4497 | Explicit minimisation of a convex quadratic un... | A novel approach is introduced to a very wid... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4497 | 4498 | Morphisms of open games | We define a notion of morphisms between open... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4498 | 4499 | U(1)$\times$SU(2) Gauge Invariance Made Simple... | A semi-relativistic density-functional theor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4499 | 4500 | L^2-Betti numbers of rigid C*-tensor categorie... | We compute the $L^2$-Betti numbers of the fr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4500 | 4501 | Hierarchical internal representation of spectr... | Recently, there is increasing interest and r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4501 | 4502 | Global weak solutions in a three-dimensional K... | The coupled quasilinear Keller-Segel-Navier-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4502 | 4503 | On Consistency of Compressive Spectral Clustering | Spectral clustering is one of the most popul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4503 | 4504 | Large-scale validation of an automatic EEG aro... | $\textbf{Objective}$: To assess the validity... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4504 | 4505 | Story of the Developments in Statistical Physi... | We review the developments of the statistica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4505 | 4506 | LocalNysation: A bottom up approach to efficie... | We consider a localized approach in the well... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4506 | 4507 | Evolutionary Acyclic Graph Partitioning | Directed graphs are widely used to model dat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4507 | 4508 | Mechanisms of near-surface structural evolutio... | The wear-driven structural evolution of nano... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4508 | 4509 | Generalized Hölder's inequality on Morrey spaces | The aim of this paper is to present necessar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4509 | 4510 | Endomorphism Algebras of Abelian varieties wit... | This is (mostly) a survey article. We use an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4510 | 4511 | Ranks of rational points of the Jacobian varie... | In this paper, we obtain bounds for the Mord... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4511 | 4512 | A Generalized Function defined by the Euler fi... | We have shown that in some region where the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4512 | 4513 | Optical emission of graphene and electron-hole... | We report on the first experimental observat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4513 | 4514 | Occlusion-Aware Risk Assessment for Autonomous... | Navigating safely in urban environments rema... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4514 | 4515 | Quantum oscillations and Dirac-Landau levels i... | When magnetic field is applied to metals and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4515 | 4516 | Parallel Implementation of Efficient Search Sc... | The emergence and development of cancer is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4516 | 4517 | A note on the paper "Contraction mappings in $... | In this paper we correct an inaccuracy that ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4517 | 4518 | Floquet Analysis of Kuznetsov--Ma breathers: A... | In the present work, we aim at taking a step... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4518 | 4519 | Playing Music in Just Intonation - A Dynamical... | We investigate a dynamically adapting tuning... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4519 | 4520 | Photon propagation through linearly active dimers | We provide an analytic propagator for non-He... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4520 | 4521 | End-to-End Learning of Geometry and Context fo... | We propose a novel deep learning architectur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4521 | 4522 | BLADYG: A Graph Processing Framework for Large... | Recently, distributed processing of large dy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4522 | 4523 | Variational Inference via Transformations on D... | Variational inference methods often focus on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4523 | 4524 | VLSI Computational Architectures for the Arith... | The discrete cosine transform (DCT) is a wid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4524 | 4525 | Simulated Tornado Optimization | We propose a swarm-based optimization algori... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4525 | 4526 | On a backward problem for multidimensional Gin... | In this paper, we consider a backward in tim... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4526 | 4527 | Electronic and atomic kinetics in solids irrad... | In this brief review we discuss the transien... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4527 | 4528 | Network analysis of the COSMOS galaxy field | The galaxy data provided by COSMOS survey fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4528 | 4529 | A Functional Taxonomy of Music Generation Systems | Digital advances have transformed the face o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4529 | 4530 | Covariant representations for singular actions... | Singular actions on C*-algebras are automorp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4530 | 4531 | Control Synthesis for Permutation-Symmetric Hi... | General purpose correct-by-construction synt... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4531 | 4532 | Commutativity and Commutative Pairs of Some Di... | In this study, explicit differential equatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4532 | 4533 | Astrophysical signatures of leptonium | More than 10^43 positrons annihilate every s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4533 | 4534 | Enhancing Stratified Graph Sampling Algorithms... | Sampling technique has become one of the rec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4534 | 4535 | Testing for Balance in Social Networks | Friendship and antipathy exist in concert wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4535 | 4536 | Empirical Recurrence Rates for Seismic Signals... | We review the recurrence intervals as a func... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4536 | 4537 | Landau Damping of Beam Instabilities by Electr... | Modern and future particle accelerators empl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4537 | 4538 | On Algebraic Characterization of SSC of the Ja... | In this paper, some algebraic and combinator... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4538 | 4539 | Accelerated Gossip via Stochastic Heavy Ball M... | In this paper we show how the stochastic hea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4539 | 4540 | Attention-Based Models for Text-Dependent Spea... | Attention-based models have recently shown g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4540 | 4541 | Escaping the Curse of Dimensionality in Simila... | Similarity and metric learning provides a pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4541 | 4542 | Automata-Guided Hierarchical Reinforcement Lea... | Skills learned through (deep) reinforcement ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4542 | 4543 | Emergent transport in a many-body open system ... | We analyze an open many-body system that is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4543 | 4544 | Experimental Investigation of Optimum Beam Siz... | In this paper, the effect of transmitter bea... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4544 | 4545 | The role of surface water in the geometry of M... | Mars' surface bears the imprint of valley ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4545 | 4546 | An All-in-One Network for Dehazing and Beyond | This paper proposes an image dehazing model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4546 | 4547 | GdPtPb: A non collinear antiferromagnet with d... | In the spirit of searching for Gd-based, fru... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4547 | 4548 | Belitskii's canonical forms of linear dynamica... | In the note, all indecomposable canonical fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4548 | 4549 | The Geometry of Nodal Sets and Outlier Detection | Let $(M,g)$ be a compact manifold and let $-... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4549 | 4550 | Multimodal Clustering for Community Detection | Multimodal clustering is an unsupervised tec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4550 | 4551 | Identification of a space varying coefficient ... | In this paper we solve the problem of the id... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4551 | 4552 | Efficient four-wave mixing at the nanofocus of... | Nonlinear optics, especially frequency mixin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4552 | 4553 | Weakly nonergodic dynamics in the Gross--Pitae... | The microcanonical Gross--Pitaevskii (aka se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4553 | 4554 | Does agricultural subsidies foster Italian sou... | During the last decades, public policies bec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4554 | 4555 | Proton fire hose instabilities in the expandin... | Using two-dimensional hybrid expanding box s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4555 | 4556 | Minimax Optimal Rates of Estimation in Functio... | We establish minimax optimal rates of conver... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4556 | 4557 | Phase Retrieval via Randomized Kaczmarz: Theor... | We consider the problem of phase retrieval, ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4557 | 4558 | Beyond perturbation 1: de Rham spaces | It is shown that if one uses the notion of i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4558 | 4559 | Semantic Web Prefetching Using Semantic Relate... | Internet as become the way of life in the fa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4559 | 4560 | Learning Certifiably Optimal Rule Lists for Ca... | We present the design and implementation of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4560 | 4561 | Cold-Start Reinforcement Learning with Softmax... | Policy-gradient approaches to reinforcement ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4561 | 4562 | Implicit Cooperative Positioning in Vehicular ... | Absolute positioning of vehicles is based on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4562 | 4563 | A Generalized Accelerated Composite Gradient M... | We demonstrate that the augmented estimate s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4563 | 4564 | Piezoresponse of ferroelectric films in ferroi... | The interplay between electrochemical surfac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4564 | 4565 | Penalty Alternating Direction Methods for Mixe... | Feasibility pumps are highly effective prima... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4565 | 4566 | Lorentz covariant and gauge invariant descript... | Starting from covariant expressions, a gauge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4566 | 4567 | Dirichlet's theorem and Jacobsthal's function | If $a$ and $d$ are relatively prime, we refe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4567 | 4568 | Asymptotic control theory for a closed string | We develop an asymptotical control theory fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4568 | 4569 | Large Scale Replication Projects in Contempora... | Replication is complicated in psychological ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4569 | 4570 | Intrinsic pinning by naturally occurring corre... | We study the angular dependence of the dissi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4570 | 4571 | Models for the Displacement Calculus | The displacement calculus $\mathbf{D}$ is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4571 | 4572 | Labeled homology of higher-dimensional automata | We construct labeling homomorphisms on the c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4572 | 4573 | Magnetic Actuation and Feedback Cooling of a C... | We demonstrate the integration of a mesoscop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4573 | 4574 | A Maximum Matching Algorithm for Basis Selecti... | We present a solution to scale spectral algo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4574 | 4575 | Bäcklund Transformations for the Boussinesq Eq... | The Bäcklund transformation (BT) for the "go... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4575 | 4576 | Towards Evolutional Compression | Compressing convolutional neural networks (C... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4576 | 4577 | Spin inversion in fluorinated graphene n-p jun... | We consider a dilute fluorinated graphene na... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4577 | 4578 | Brunn-Minkowski inequalities in product metric... | Given one metric measure space $X$ satisfyin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4578 | 4579 | Deep Learning with Low Precision by Half-wave ... | The problem of quantizing the activations of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4579 | 4580 | Degenerate cyclotomic Hecke algebras and highe... | We associate a monoidal category $\mathcal{H... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4580 | 4581 | Intense automorphisms of finite groups | Let $G$ be a group. An automorphism of $G$ i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4581 | 4582 | The spectra of harmonic layer potential operat... | We study the adjoint of the double layer pot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4582 | 4583 | Experimental Determination of the Structural C... | The structural coefficient of restitution de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4583 | 4584 | Onset of a modulational instability in trapped... | We explore the phase diagram of a finite-siz... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4584 | 4585 | Visual Detection of Structural Changes in Time... | Topological data analysis is an emerging are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4585 | 4586 | Controller Synthesis for Discrete-Time Polynom... | In this paper, we design nonlinear state fee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4586 | 4587 | Lose The Views: Limited Angle CT Reconstructio... | Computed Tomography (CT) reconstruction is a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4587 | 4588 | A three-dimensional symmetry result for a phas... | We consider bounded solutions of the nonloca... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4588 | 4589 | The growth of bismuth on Bi$_2$Se$_3$ and the ... | Bi(0001) films with thicknesses up to severa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4589 | 4590 | Introduction to Tensor Decompositions and thei... | Tensors are multidimensional arrays of numer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4590 | 4591 | Sampling-based vs. Design-based Uncertainty in... | Consider a researcher estimating the paramet... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4591 | 4592 | Scalable Joint Models for Reliable Uncertainty... | Missing data and noisy observations pose sig... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4592 | 4593 | Concurrent Coding: A Reason to Think Different... | Concurrent coding is an unconventional encod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4593 | 4594 | Traveling dark-bright solitons in a reduced sp... | In the present work, we explore the potentia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4594 | 4595 | On methods to determine bounds on the Q-factor... | This paper revisit and extend the interestin... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4595 | 4596 | Nano-optical imaging of monolayer MoSe2 using ... | Band gap tuning in two-dimensional transitio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4596 | 4597 | Electron paramagnetic resonance and photochrom... | The defect in diamond formed by a vacancy su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4597 | 4598 | On central leaves of Hodge-type Shimura variet... | Kisin and Pappas constructed integral models... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4598 | 4599 | The sequential loss of allelic diversity | This paper gives a new flavor of what Peter ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4599 | 4600 | Online classification of imagined speech using... | Most brain-computer interfaces (BCIs) based ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4600 | 4601 | A Parsimonious Dynamical Model for Structural ... | The human brain is capable of diverse feats ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4601 | 4602 | Estimation of mean residual life | Yang (1978) considered an empirical estimate... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4602 | 4603 | Trace-free characters and abelian knot contact... | We calculate ghost characters for the (5,6)-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4603 | 4604 | Surface Plasmon Excitation of Second Harmonic ... | We aim to clarify the role that absorption p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4604 | 4605 | Fault diagnosability of data center networks | The data center networks $D_{n,k}$, proposed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4605 | 4606 | The Effects of Protostellar Disk Turbulence on... | Turbulence is the leading candidate for angu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4606 | 4607 | A General Framework of Multi-Armed Bandit Proc... | This paper proposes a general framework of m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4607 | 4608 | Autonomous Urban Localization and Navigation w... | Urban environments offer a challenging scena... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4608 | 4609 | Iterative Refinement for $\ell_p$-norm Regression | We give improved algorithms for the $\ell_{p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4609 | 4610 | Minimal free resolution of the associated grad... | In this article, we give the explicit minima... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4610 | 4611 | Knowledge distillation using unlabeled mismatc... | Current approaches for Knowledge Distillatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4611 | 4612 | Forbidden triads and Creative Success in Jazz:... | This article argues for the importance of fo... | 0 | 1 | 0 | 1 | 0 | 0 |
| 4612 | 4613 | Structural analysis of rubble-pile asteroids a... | Solar system small bodies come in a wide var... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4613 | 4614 | The Imani Periodic Functions: Genesis and Prel... | The Leah-Hamiltonian, $H(x,y)=y^2/2+3x^{4/3}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4614 | 4615 | Towards fully automated protein structure eluc... | Nuclear magnetic resonance (NMR) spectroscop... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4615 | 4616 | On families of fibred knots with equal Seifert... | For every genus $g\geq 2$, we construct an i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4616 | 4617 | Robust Computation in 2D Absolute EIT (a-EIT) ... | Objective: Absolute images have important ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4617 | 4618 | A Comparison of Spatial-based Targeted Disease... | Epidemic outbreaks are an important healthca... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4618 | 4619 | Attosecond Streaking in the Water Window: A Ne... | We report on the first streaking measurement... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4619 | 4620 | The intrinsic Baldwin effect in broad Balmer l... | We investigate the intrinsic Baldwin effect ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4620 | 4621 | A Novel Formal Agent-based Simulation Modeling... | HIV/AIDS spread depends upon complex pattern... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4621 | 4622 | Interplay of Fluorescence and Phosphorescence ... | Biluminescent organic emitters show simultan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4622 | 4623 | Ion-impact-induced multifragmentation of liqui... | An instability of a liquid droplet traversed... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4623 | 4624 | Planning Hybrid Driving-Stepping Locomotion on... | Navigating in search and rescue environments... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4624 | 4625 | Blackbody Radiation in Classical Physics: A Hi... | We point out that current textbooks of moder... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4625 | 4626 | The Lyman Continuum escape fraction of faint g... | The reionization of the Universe is one of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4626 | 4627 | The effect of stellar and AGN feedback on the ... | We study the effect of different feedback pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4627 | 4628 | Asteroid 2017 FZ2 et al.: signs of recent mass... | The first direct detection of the asteroidal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4628 | 4629 | On Increasing Self-Confidence in Non-Bayesian ... | We study the convergence of the log-linear n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4629 | 4630 | Exploring a search for long-duration transient... | Soft gamma repeaters and anomalous X-ray pul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4630 | 4631 | Optomechanical characterization of silicon nit... | We report on the optical and mechanical char... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4631 | 4632 | Coupling between a charge density wave and mag... | The Prototypical magnetic memory shape alloy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4632 | 4633 | Best-Effort FPGA Programming: A Few Steps Can ... | FPGA-based heterogeneous architectures provi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4633 | 4634 | Towards the study of least squares estimators ... | Penalized least squares estimation is a popu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4634 | 4635 | A Multi-traffic Inter-cell Interference Coordi... | This paper proposes a novel semi-distributed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4635 | 4636 | Distributional Adversarial Networks | We propose a framework for adversarial train... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4636 | 4637 | First order magneto-structural transition and ... | The first order magneto-structural transitio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4637 | 4638 | Parametric Gaussian Process Regression for Big... | This work introduces the concept of parametr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4638 | 4639 | Achieving non-discrimination in prediction | Discrimination-aware classification is recei... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4639 | 4640 | Fixing and almost fixing a planar convex body | A set of points a 1 ,. .. , a n fixes a plan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4640 | 4641 | Undersampled dynamic X-ray tomography with dim... | In this paper, we consider prior-based dimen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4641 | 4642 | End-to-End Sound Source Separation Conditioned... | Can we perform an end-to-end sound source se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4642 | 4643 | Group analysis of general Burgers-Korteweg-de ... | The complete group classification problem fo... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4643 | 4644 | Evolutionary Generative Adversarial Networks | Generative adversarial networks (GAN) have b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4644 | 4645 | Extended Sammon Projection and Wavelet Kernel ... | Smartphones have ubiquitously integrated int... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4645 | 4646 | On the free path length distribution for linea... | We consider the distribution of free path le... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4646 | 4647 | Spin-Orbit Misalignments of Three Jovian Plane... | We present measurements of the spin-orbit mi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4647 | 4648 | Accurate parameter estimation for Bayesian Net... | This paper introduces a novel parameter esti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4648 | 4649 | Modeling and Simulation of the Dynamics of the... | This paper applies the multibond graph appro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4649 | 4650 | Nauticle: a general-purpose particle-based sim... | Nauticle is a general-purpose simulation too... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4650 | 4651 | Local and non-local energy spectra of superflu... | Below the phase transition temperature $Tc \... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4651 | 4652 | Microwave SQUID Multiplexer demonstration for ... | Key performance characteristics are demonstr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4652 | 4653 | Preserving Differential Privacy Between Featur... | Privacy is crucial in many applications of m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4653 | 4654 | Parallel implementation of a vehicle rail dyna... | This research presents a model of a complex ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4654 | 4655 | Towards Neural Phrase-based Machine Translation | In this paper, we present Neural Phrase-base... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4655 | 4656 | Towards Accurate Multi-person Pose Estimation ... | We propose a method for multi-person detecti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4656 | 4657 | Global band topology of simple and double Dira... | We combine space group representation theory... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4657 | 4658 | Topological Perspectives on Statistical Quanti... | In statistics cumulants are defined to be fu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4658 | 4659 | A Python Calculator for Supernova Remnant Evol... | A freely available Python code for modelling... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4659 | 4660 | Über die Präzision interprozeduraler Analysen | In this work, we examine two approaches to i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4660 | 4661 | Gee-Haw Whammy Diddle | Gee-Haw Whammy Diddle is a seemingly simple ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4661 | 4662 | Cancellation theorem for Grothendieck-Witt-cor... | The cancellation theorem for Grothendieck-Wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4662 | 4663 | Jumping across biomedical contexts using compr... | Motivation: The rapid growth of diverse biol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4663 | 4664 | Memories of a Theoretical Physicist | While I was dealing with a brain injury and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4664 | 4665 | Connecting the dots between mechanosensitive c... | Rapid changes in extracellular osmolarity ar... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4665 | 4666 | Optical Mapping Near-eye Three-dimensional Dis... | We present an optical mapping near-eye (OMNI... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4666 | 4667 | Quantum anomalous Hall state from spatially de... | Topological phases typically encode topology... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4667 | 4668 | Poisson--Gamma Dynamical Systems | We introduce a new dynamical system for sequ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4668 | 4669 | Best-Choice Edge Grafting for Efficient Struct... | Incremental methods for structure learning o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4669 | 4670 | Cavity-enhanced transport of charge | We theoretically investigate charge transpor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4670 | 4671 | Isoparameteric hypersurfaces in a Randers sphe... | In this paper, I study the isoparametric hyp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4671 | 4672 | Bright-field microscopy of transparent objects... | Formation of a bright-field microscopic imag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4672 | 4673 | Entropy Production Rate is Maximized in Non-Co... | The actin cytoskeleton is an active semi-fle... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4673 | 4674 | Intrinsic resolving power of XUV diffraction g... | We introduce a method for using Fizeau inter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4674 | 4675 | When do we have the power to detect biological... | Determining the relative importance of envir... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4675 | 4676 | Spectral Algorithms for Computing Fair Support... | Classifiers and rating scores are prone to i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4676 | 4677 | Random matrix approach for primal-dual portfol... | In this paper, we revisit the portfolio opti... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4677 | 4678 | On a method for constructing the Lax pairs for... | A method for constructing the Lax pairs for ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4678 | 4679 | Insight into the modeling of seismic waves for... | Motivated by the need to detect an undergrou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4679 | 4680 | Uncorrelated far AGN flaring with their delaye... | The most distant AGN, within the allowed GZK... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4680 | 4681 | How to centralize and normalize quandle extens... | We show that quandle coverings in the sense ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4681 | 4682 | Geometric Fluctuation Theorem | We derive an extended fluctuation theorem fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4682 | 4683 | Opinion Dynamics via Search Engines (and other... | Ranking algorithms are the information gatek... | 1 | 0 | 0 | 0 | 0 | 1 |
| 4683 | 4684 | Exploring home robot capabilities by medium fi... | In order for autonomous robots to be able to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4684 | 4685 | Unsupervised Domain Adaptation Based on Source... | Unsupervised domain adaptation is the proble... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4685 | 4686 | On structured surfaces with defects: geometry,... | Given a distribution of defects on a structu... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4686 | 4687 | Management system for the SND experiments | A new management system for the SND detector... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4687 | 4688 | Fatiguing STDP: Learning from Spike-Timing Cod... | Spiking neural networks (SNNs) could play a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4688 | 4689 | Kernel-Based Learning for Smart Inverter Control | Distribution grids are currently challenged ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4689 | 4690 | Temperature fluctuations in a changing climate... | There is an ongoing debate in the literature... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4690 | 4691 | Matrix factorizations for quantum complete int... | We introduce twisted matrix factorizations f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4691 | 4692 | Coresets for Vector Summarization with Applica... | We provide a deterministic data summarizatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4692 | 4693 | Two-dimensional matter-wave solitons and vorti... | The nonlinear lattice---a new and nonlinear ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4693 | 4694 | RELink: A Research Framework and Test Collecti... | Improvements of entity-relationship (E-R) se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4694 | 4695 | NimbRo-OP2X: Adult-sized Open-source 3D Printe... | Humanoid robotics research depends on capabl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4695 | 4696 | Optical bandgap engineering in nonlinear silic... | Silicon nitride is awell-established materia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4696 | 4697 | Approximate Steepest Coordinate Descent | We propose a new selection rule for the coor... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4697 | 4698 | How Robust are Deep Neural Networks? | Convolutional and Recurrent, deep neural net... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4698 | 4699 | Learning Latent Representations for Speech Gen... | An ability to model a generative process and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4699 | 4700 | Approximate Profile Maximum Likelihood | We propose an efficient algorithm for approx... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4700 | 4701 | On the generalized nonlinear Camassa-Holm equa... | In this paper, a generalized nonlinear Camas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4701 | 4702 | 802.11 Wireless Simulation and Anomaly Detecti... | Despite the growing popularity of 802.11 wir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4702 | 4703 | Early MFCC And HPCP Fusion for Robust Cover So... | While most schemes for automatic cover song ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4703 | 4704 | Optimally Gathering Two Robots | We present an algorithm that ensures in fini... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4704 | 4705 | On Grauert-Riemenschneider type criterions | Let $(X,\omega)$ be a compact Hermitian mani... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4705 | 4706 | P-Governance Technology: Using Big Data for Po... | Information and Communication Technology (IC... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4706 | 4707 | The Forgettable-Watcher Model for Video Questi... | A number of visual question answering approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4707 | 4708 | Analogues of the $p^n$th Hilbert symbol in cha... | The $p$th degree Hilbert symbol $(\cdot,\cdo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4708 | 4709 | GAMER-2: a GPU-accelerated adaptive mesh refin... | We present GAMER-2, a GPU-accelerated adapti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4709 | 4710 | Partition algebras $\mathsf{P}_k(n)$ with $2k>... | Assume $\mathsf{M}_n$ is the $n$-dimensional... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4710 | 4711 | Distributed sub-optimal resource allocation ov... | In this paper, we consider distributed optim... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4711 | 4712 | Decentralized P2P Energy Trading under Network... | The increasing uptake of distributed energy ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4712 | 4713 | Fictitious GAN: Training GANs with Historical ... | Generative adversarial networks (GANs) are p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4713 | 4714 | Suppression of Hall number due to charge densi... | Understanding the pseudogap phase in hole-do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4714 | 4715 | The Wavefunction of the Collapsing Bose-Einste... | Bose-Einstein condensates with tunable inter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4715 | 4716 | Not-So-Random Features | We propose a principled method for kernel le... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4716 | 4717 | Dual-Primal Graph Convolutional Networks | In recent years, there has been a surge of i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4717 | 4718 | CLEAR: Coverage-based Limiting-cell Experiment... | Direct cDNA preamplification protocols devel... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4718 | 4719 | Training Deep AutoEncoders for Collaborative F... | This paper proposes a novel model for the ra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4719 | 4720 | Unit circle rectification of the MVDR beamformer | The sample matrix inversion (SMI) beamformer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4720 | 4721 | Reducing Storage of Global Wind Ensembles with... | Wind has the potential to make a significant... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4721 | 4722 | Jackknife Empirical Likelihood-based inference... | Widely used income inequality measure, Gini ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4722 | 4723 | Continual One-Shot Learning of Hidden Spike-Pa... | This paper presents a constructive algorithm... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4723 | 4724 | Interpretable High-Dimensional Inference Via S... | In the fields of neuroimaging and genetics, ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4724 | 4725 | A maximum principle for free boundary minimal ... | We establish a boundary maximum principle fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4725 | 4726 | Drawing Big Graphs using Spectral Sparsification | Spectral sparsification is a general techniq... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4726 | 4727 | Optimal paths on the road network as directed ... | We analyze the statistics of the shortest an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4727 | 4728 | Optimal proportional reinsurance and investmen... | In this work we investigate the optimal prop... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4728 | 4729 | Formal Black-Box Analysis of Routing Protocol ... | The Internet infrastructure relies entirely ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4729 | 4730 | Finding polynomial loop invariants for probabi... | Quantitative loop invariants are an essentia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4730 | 4731 | Active Decision Boundary Annotation with Deep ... | This paper is on active learning where the g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4731 | 4732 | Multifrequency Excitation and Detection Scheme... | We theoretically and experimentally demonstr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4732 | 4733 | Extended Kitaev chain with longer-range hoppin... | We consider the Kitaev chain model with fini... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4733 | 4734 | Global entropy solutions to the compressible E... | We study the motion of isentropic gas in noz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4734 | 4735 | Effects of atrial fibrillation on the arterial... | Atrial fibrillation (AF) is the most common ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4735 | 4736 | Controllability and optimal control of the tra... | We study controllability of a Partial Differ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4736 | 4737 | Gravitational instabilities in a protosolar-li... | Gravitational instabilities (GIs) are most l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4737 | 4738 | Information Processing by Networks of Quantum ... | We suggest a model of a multi-agent society ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4738 | 4739 | The Value of Sharing Intermittent Spectrum | Recent initiatives by regulatory agencies to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4739 | 4740 | Origin of layer dependence in band structures ... | We study the origin of layer dependence in b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4740 | 4741 | From Strings to Sets | A complete proof is given of relative interp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4741 | 4742 | Sharp measure contraction property for general... | We prove that H-type Carnot groups of rank $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4742 | 4743 | Twisted Quantum Double Model of Topological Or... | We generalize the twisted quantum double mod... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4743 | 4744 | Evolutionary game of coalition building under ... | We study the fragmentation-coagulation (or m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4744 | 4745 | Nearly resolution V plans on blocks of small size | In Bagchi (2010) main effect plans "orthogon... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4745 | 4746 | Graphene-based electron transport layers in pe... | The electron transport layer (ETL) plays a f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4746 | 4747 | Learning and Transferring IDs Representation i... | Many machine intelligence techniques are dev... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4747 | 4748 | Differentiable Supervector Extraction for Enco... | In this paper, we propose a new differentiab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4748 | 4749 | In situ accretion of gaseous envelopes on to p... | The core accretion hypothesis posits that pl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4749 | 4750 | New Two Step Laplace Adam-Bashforth Method for... | This paper presents a novel method that allo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4750 | 4751 | The Impact of Alternation | Alternating automata have been widely used t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4751 | 4752 | Partial-wave Coulomb t-matrices for like-charg... | We study a special case at which the analyti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4752 | 4753 | Robust Causal Estimation in the Large-Sample L... | Causal effect estimation from observational ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4753 | 4754 | The Cross-section of a Spherical Double Cone | We show that the poset of $SL(n)$-orbit clos... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4754 | 4755 | Understanding looping kinetics of a long polym... | The fundamental understanding of loop format... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4755 | 4756 | SESA: Supervised Explicit Semantic Analysis | In recent years supervised representation le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4756 | 4757 | High-Level Concepts for Affective Understandin... | This paper aims to bridge the affective gap ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4757 | 4758 | A Network of Networks Approach to Interconnect... | We present two different approaches to model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4758 | 4759 | A Nonparametric Method for Producing Isolines ... | We present a method for drawing isolines ind... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4759 | 4760 | Finite element error analysis for measure-valu... | This work is concerned with the optimal cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4760 | 4761 | Marked points on translation surfaces | We show that all GL(2,R) equivariant point m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4761 | 4762 | Multitask Learning for Fundamental Frequency E... | Fundamental frequency (f0) estimation from p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4762 | 4763 | Real eigenvalues of a non-self-adjoint perturb... | We study the eigenvalues of the self-adjoint... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4763 | 4764 | Planning with Multiple Biases | Recent work has considered theoretical model... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4764 | 4765 | Zhu reduction for Jacobi $n$-point functions a... | We establish precise Zhu reduction formulas ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4765 | 4766 | Fourier-like multipliers and applications for ... | Timelimited functions and bandlimited functi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4766 | 4767 | Inferring Properties of the ISM from Supernova... | We model the size distribution of supernova ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4767 | 4768 | Mining Target Attribute Subspace and Set of Ta... | Community detection provides invaluable help... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4768 | 4769 | Achieving rental harmony with a secretive room... | Given the subjective preferences of n roomma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4769 | 4770 | A Channel-Based Perspective on Conjugate Priors | A desired closure property in Bayesian proba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4770 | 4771 | Cascaded Coded Distributed Computing on Hetero... | Coded distributed computing (CDC) introduced... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4771 | 4772 | A FEL Based on a Superlattice | The motion and photon emission of electrons ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4772 | 4773 | Thermal and non-thermal emission from the coco... | We present hydrodynamic simulations of the h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4773 | 4774 | Least Squares Polynomial Chaos Expansion: A Re... | As non-institutive polynomial chaos expansio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4774 | 4775 | Efficient Dense Labeling of Human Activity Seq... | Recognizing human activities in a sequence i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4775 | 4776 | Higher Tetrahedral Algebras | We introduce and study the higher tetrahedra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4776 | 4777 | Adaptive multi-penalty regularization based on... | For many algorithms, parameter tuning remain... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4777 | 4778 | Shape Generation using Spatially Partitioned P... | We propose a method to generate 3D shapes us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4778 | 4779 | Open Vocabulary Scene Parsing | Recognizing arbitrary objects in the wild ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4779 | 4780 | Parameter Estimation in Mean Reversion Process... | This paper describes the procedure to estima... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4780 | 4781 | User Interface (UI) Design Issues for the Mult... | A multitude of web and desktop applications ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4781 | 4782 | NetSpam: a Network-based Spam Detection Framew... | Nowadays, a big part of people rely on avail... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4782 | 4783 | Proving Non-Deterministic Computations in Agda | We investigate proving properties of Curry p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4783 | 4784 | NeuroRule: A Connectionist Approach to Data Mi... | Classification, which involves finding rules... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4784 | 4785 | Contextual Explanation Networks | Modern learning algorithms excel at producin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4785 | 4786 | Inference for Differential Equation Models usi... | Statistical regression models whose mean fun... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4786 | 4787 | Joint Trajectory and Communication Design for ... | Unmanned aerial vehicles (UAVs) have attract... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4787 | 4788 | Imaging the Schwarzschild-radius-scale Structu... | We propose a new imaging technique for radio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4788 | 4789 | The process of purely event-driven programs | Using process algebra, this paper describes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4789 | 4790 | Partial dust obscuration in active galactic nu... | The profiles of the broad emission lines of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4790 | 4791 | From Plants to Landmarks: Time-invariant Plant... | Agricultural robots are expected to increase... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4791 | 4792 | There's more to the multimedia effect than mee... | Textbooks in applied mathematics often use g... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4792 | 4793 | Methods of Enumerating Two Vertex Maps of Arbi... | This paper provides an alternate proof to pa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4793 | 4794 | Higher Theory and the Three Problems of Physics | According to the Butterfield--Isham proposal... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4794 | 4795 | Light emission by accelerated electric, toroid... | Emission of electromagnetic radiation by acc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4795 | 4796 | Bayesian Approaches to Distribution Regression | Distribution regression has recently attract... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4796 | 4797 | Atomic-Scale Structure Relaxation, Chemistry a... | By using the state-of-the-art microscopy and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4797 | 4798 | Transição de fase no sistema de Hénon-Heiles (... | The Henon-Heiles system was originally propo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4798 | 4799 | Self-similar solutions of fragmentation equati... | We study the large time behaviour of the mas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4799 | 4800 | Refining Source Representations with Relation ... | Although neural machine translation (NMT) wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4800 | 4801 | On the Statistical Efficiency of Optimal Kerne... | We propose a novel combination of optimizati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4801 | 4802 | Ultracold atoms in multiple-radiofrequency dre... | We present the first experimental demonstrat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4802 | 4803 | Distribution Matching in Variational Inference | We show that Variational Autoencoders consis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4803 | 4804 | Henkin constructions of models with size conti... | We survey the technique of constructing cust... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4804 | 4805 | Orthogonal groups in characteristic 2 acting o... | We show that for all integers $m\geq 2$, and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4805 | 4806 | Free LSD: Prior-Free Visual Landing Site Detec... | Full autonomy for fixed-wing unmanned aerial... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4806 | 4807 | Semi-supervised and Active-learning Scenarios:... | We address the problem of efficient acoustic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4807 | 4808 | Energy spectrum of cascade showers generated b... | The spatial distribution of Cherenkov radiat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4808 | 4809 | The limit point of the pentagram map | The pentagram map is a discrete dynamical sy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4809 | 4810 | Reconstruction formulas for Photoacoustic Imag... | In this paper we study the problem of photoa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4810 | 4811 | Rank Determination for Low-Rank Data Completion | Recently, fundamental conditions on the samp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4811 | 4812 | Network structure from rich but noisy data | Driven by growing interest in the sciences, ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4812 | 4813 | Algebraic Foundations of Proof Refinement | We contribute a general apparatus for depend... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4813 | 4814 | Transfer Learning for Neural Semantic Parsing | The goal of semantic parsing is to map natur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4814 | 4815 | Definable Valuations induced by multiplicative... | We study the algebraic implications of the n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4815 | 4816 | Bridging the Gap Between Layout Pattern Sampli... | Layout hotpot detection is one of the main s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4816 | 4817 | iCorr : Complex correlation method to detect o... | Computational prediction of origin of replic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4817 | 4818 | On the Power Spectral Density Applied to the A... | A routine task for art historians is paintin... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4818 | 4819 | Simons' type formula for slant submanifolds of... | In this paper, we study a slant submanifold ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4819 | 4820 | Eco-evolutionary feedbacks - theoretical model... | 1. Theoretical models pertaining to feedback... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4820 | 4821 | Unusual behavior of cuprates explained by hete... | The cuprate high-temperature superconductors... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4821 | 4822 | An Agile Software Engineering Method to Design... | Cryptocurrencies and their foundation techno... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4822 | 4823 | Optimizing Prediction Intervals by Tuning Rand... | Recent studies have shown that tuning predic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4823 | 4824 | Explicit construction of RIP matrices is Ramse... | Matrices $\Phi\in\R^{n\times p}$ satisfying ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4824 | 4825 | Rocket Launching: A Universal and Efficient Fr... | Models applied on real time response task, l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4825 | 4826 | The CMS HGCAL detector for HL-LHC upgrade | The High Luminosity LHC (HL-LHC) will integr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4826 | 4827 | Complete Classification of Generalized Santha-... | Let $\mathcal{F}$ be a finite alphabet and $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4827 | 4828 | Hermann Hankel's "On the general theory of mot... | The present is a companion paper to "A conte... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4828 | 4829 | Targeted Damage to Interdependent Networks | The giant mutually connected component (GMCC... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4829 | 4830 | The limit of the Hermitian-Yang-Mills flow on ... | In this paper, we study the asymptotic behav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4830 | 4831 | High-accuracy phase-field models for brittle f... | Phase-field approaches to fracture based on ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4831 | 4832 | Straggler Mitigation in Distributed Optimizati... | Slow running or straggler tasks can signific... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4832 | 4833 | Inference Trees: Adaptive Inference with Explo... | We introduce inference trees (ITs), a new cl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4833 | 4834 | Application of backpropagation neural networks... | We propose a scheme to employ backpropagatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4834 | 4835 | Bayesian Bootstraps for Massive Data | Recently, two scalable adaptations of the bo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4835 | 4836 | Show, Adapt and Tell: Adversarial Training of ... | Impressive image captioning results are achi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4836 | 4837 | Faster Fuzzing: Reinitialization with Deep Neu... | We improve the performance of the American F... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4837 | 4838 | Contego: An Adaptive Framework for Integrating... | Embedded real-time systems (RTS) are pervasi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4838 | 4839 | Second Order Analysis for Joint Source-Channel... | We derive the second order rates of joint so... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4839 | 4840 | Interface currents and magnetization in single... | Chiral and helical domain walls are generic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4840 | 4841 | Implicit Weight Uncertainty in Neural Networks | Modern neural networks tend to be overconfid... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4841 | 4842 | A systematic analysis of the XMM-Newton backgr... | A detailed characterization of the particle ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4842 | 4843 | DeepPermNet: Visual Permutation Learning | We present a principled approach to uncover ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4843 | 4844 | ADE String Chains and Mirror Symmetry | 6d superconformal field theories (SCFTs) are... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4844 | 4845 | (non)-automaticity of completely multiplicativ... | In this article we consider the completely m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4845 | 4846 | Timing Aware Dummy Metal Fill Methodology | In this paper, we analyzed parasitic couplin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4846 | 4847 | Asymptotic efficiency of the proportional comp... | We consider a manager, who allocates some fi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4847 | 4848 | Non-equilibrium statistical mechanics of conti... | Continuous attractors have been used to unde... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4848 | 4849 | Some results on the existence of t-all-or-noth... | A $(t, s, v)$-all-or-nothing transform is a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4849 | 4850 | Exhaustive Exploration of the Failure-obliviou... | High-availability of software systems requir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4850 | 4851 | Theoretical Accuracy in Cosmological Growth Es... | We elucidate the importance of the consisten... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4851 | 4852 | Model-Robust Counterfactual Prediction Method | We develop a novel method for counterfactual... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4852 | 4853 | Exponentiated Generalized Pareto Distribution:... | The Generalized Pareto Distribution (GPD) pl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4853 | 4854 | Learning with Average Top-k Loss | In this work, we introduce the {\em average ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4854 | 4855 | Reflexive polytopes arising from perfect graphs | Reflexive polytopes form one of the distingu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4855 | 4856 | Meta Networks | Neural networks have been successfully appli... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4856 | 4857 | Variable selection for clustering with Gaussia... | The mixture models have become widely used i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4857 | 4858 | Analysing Magnetism Using Scanning SQUID Micro... | Scanning superconducting quantum interferenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4858 | 4859 | Algorithms for solving optimization problems a... | Machine Learning models incorporating multip... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4859 | 4860 | On the essential self-adjointness of singular ... | We prove a general essential self-adjointnes... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4860 | 4861 | Are Saddles Good Enough for Deep Learning? | Recent years have seen a growing interest in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4861 | 4862 | Monotonicity and enclosure methods for the p-L... | We show that the convex hull of a monotone p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4862 | 4863 | Tension and chemical efficiency of Myosin-II m... | Recent experiments demonstrate that molecula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4863 | 4864 | Token-based Function Computation with Memory | In distributed function computation, each no... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4864 | 4865 | Simple property of heterogeneous aspiration dy... | How individuals adapt their behavior in cult... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4865 | 4866 | Warm dark matter and the ionization history of... | In warm dark matter scenarios structure form... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4866 | 4867 | High quality factor manganese-doped aluminum l... | Aluminum lumped-element kinetic inductance d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4867 | 4868 | Tetramer Bound States in Heteronuclear Systems | We calculate the universal spectrum of trime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4868 | 4869 | Dark Energy Cosmological Models with General f... | In this paper, we have constructed dark ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4869 | 4870 | Mutual Kernel Matrix Completion | With the huge influx of various data nowaday... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4870 | 4871 | Quantum Klein Space and Superspace | We give an algebraic quantization, in the se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4871 | 4872 | Bayesian Lasso Posterior Sampling via Parallel... | It is well known that the Lasso can be inter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4872 | 4873 | Endogeneous Dynamics of Intraday Liquidity | In this paper we investigate the endogenous ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 4873 | 4874 | Medical Image Synthesis for Data Augmentation ... | Data diversity is critical to success when t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4874 | 4875 | Adaptive Feature Representation for Visual Tra... | Robust feature representation plays signific... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4875 | 4876 | An analysis of the SPARSEVA estimate for the f... | In this paper, we develop an upper bound for... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4876 | 4877 | The Remarkable Similarity of Massive Galaxy Cl... | We present the results of a Chandra X-ray su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4877 | 4878 | Rigorous estimates for the relegation algorithm | We revisit the relegation algorithm by Depri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4878 | 4879 | Linear Pentapods with a Simple Singularity Var... | There exists a bijection between the configu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4879 | 4880 | Neural Networks as Interacting Particle System... | Neural networks, a central tool in machine l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4880 | 4881 | Adaptive Similar Triangles Method: a Stable Al... | In this paper, we are motivated by two impor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4881 | 4882 | Images of Ideals under Derivations and $\mathc... | Let $K$ be a field of characteristic zero an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4882 | 4883 | Maximum genus of the Jenga like configurations | We treat the boundary of the union of blocks... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4883 | 4884 | A Decidable Very Expressive Description Logic ... | We introduce $\mathcal{DLR}^+$, an extension... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4884 | 4885 | Cloud-based Deep Learning of Big EEG Data for ... | Developing a Brain-Computer Interface~(BCI) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4885 | 4886 | Centrality measures for graphons: Accounting f... | As relational datasets modeled as graphs kee... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4886 | 4887 | A time-periodic mechanical analog of the quant... | We theoretically investigate the stability a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4887 | 4888 | Anharmonicity and the isotope effect in superc... | Recent experiments [Schaeffer 2015] have sho... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4888 | 4889 | Time-resolved polarimetry of the superluminous... | We present imaging polarimetry of the superl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4889 | 4890 | Deep Bayesian Active Learning with Image Data | Even though active learning forms an importa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4890 | 4891 | Robust Optical Flow Estimation in Rainy Scenes | Optical flow estimation in the rainy scenes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4891 | 4892 | Thermophysical Phenomena in Metal Additive Man... | Among the many additive manufacturing (AM) p... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4892 | 4893 | Numerical Methods for Pulmonary Image Registra... | Due to complexity and invisibility of human ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4893 | 4894 | Solving Non-parametric Inverse Problem in Cont... | In this paper, we address the inverse proble... | 1 | 1 | 0 | 1 | 0 | 0 |
| 4894 | 4895 | Topology Adaptive Graph Convolutional Networks | Spectral graph convolutional neural networks... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4895 | 4896 | Suspensions of finite-size neutrally-buoyant s... | We study the turbulent square duct flow of d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4896 | 4897 | Far-from-equilibrium transport of excited carr... | Transport of charged carriers in regimes of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4897 | 4898 | On annihilators of bounded $(\frak g, \frak k)... | Let $\frak g$ be a semisimple Lie algebra an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4898 | 4899 | Neutron Star Planets: Atmospheric processes an... | Of the roughly 3000 neutron stars known, onl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4899 | 4900 | Discrete Time-Crystalline Order in Cavity and ... | Discrete time crystals are a recently propos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4900 | 4901 | On the number of solutions of some transcenden... | We give upper and lower bounds for the numbe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4901 | 4902 | Relaxation of p-growth integral functionals un... | A representation formula for the relaxation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4902 | 4903 | Simultaneous shot inversion for nonuniform geo... | Stochastic optimization is key to efficient ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4903 | 4904 | Critical neural networks with short and long t... | In recent years self organised critical neur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4904 | 4905 | Harnessing functional segregation across brain... | Music, being a multifaceted stimulus evolvin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4905 | 4906 | Some characterizations of the preimage of $A_{... | The purpose of this paper is to give some ch... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4906 | 4907 | Magma oceans and enhanced volcanism on TRAPPIS... | Low-mass M stars are plentiful in the Univer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4907 | 4908 | Coqatoo: Generating Natural Language Versions ... | Due to their numerous advantages, formal pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4908 | 4909 | Buildup of Speaking Skills in an Online Learni... | In this study, we explore peer-interaction e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4909 | 4910 | A Note on Kaldi's PLDA Implementation | Some explanations to Kaldi's PLDA implementa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4910 | 4911 | Breakdown of the Chiral Anomaly in Weyl Semime... | The low-energy quasiparticles of Weyl semime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4911 | 4912 | Predicting Auction Price of Vehicle License Pl... | In Chinese societies, superstition is of par... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4912 | 4913 | Magnetic field--induced modification of select... | Magnetic field-induced giant modification of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4913 | 4914 | An Adaptive, Multivariate Partitioning Algorit... | In this work, we develop an adaptive, multiv... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4914 | 4915 | Twists of quantum Borel algebras | We classify Drinfeld twists for the quantum ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4915 | 4916 | Distributions and Statistical Power of Optimal... | In big data analysis for detecting rare and ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4916 | 4917 | Cubical-like geometry of quasi-median graphs a... | The class of quasi-median graphs is a genera... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4917 | 4918 | Doubly Nested Network for Resource-Efficient I... | We propose doubly nested network(DNNet) wher... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4918 | 4919 | Structural and bonding character of potassium-... | Recently, there is a series of reports by Wa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4919 | 4920 | Influence of the Forward Difference Scheme for... | Research on numerical stability of differenc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4920 | 4921 | Uniqueness of the von Neumann continuous factor | For a division ring $D$, denote by $\mathcal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4921 | 4922 | A hybrid finite volume -- finite element metho... | The paper develops a hybrid method for solvi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4922 | 4923 | From Quenched Disorder to Continuous Time Rand... | This work focuses on quantitative representa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4923 | 4924 | Network Flows that Solve Least Squares for Lin... | This paper presents a first-order {distribut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4924 | 4925 | A Framework for Evaluating Model-Driven Self-a... | In the last few years, Model Driven Developm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4925 | 4926 | Second order necessary and sufficient optimali... | In this article we study optimal control pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4926 | 4927 | Bipartite Envy-Free Matching | Bipartite Envy-Free Matching (BEFM) is a rel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4927 | 4928 | Phase diagram of a generalized off-diagonal Au... | Off-diagonal Aubry-André (AA) model has rece... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4928 | 4929 | Around Average Behavior: 3-lambda Network Model | The analysis of networks affects the researc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4929 | 4930 | Hierarchical star formation across the grand d... | We investigate how star formation is spatial... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4930 | 4931 | Informed Asymptotically Optimal Anytime Search | Path planning in robotics often requires fin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4931 | 4932 | Certifying coloring algorithms for graphs with... | Let $P_k$ be a path, $C_k$ a cycle on $k$ ve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4932 | 4933 | Efficient Estimation for Dimension Reduction w... | We propose a general index model for surviva... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4933 | 4934 | Analysis of error control in large scale two-s... | When dealing with the problem of simultaneou... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4934 | 4935 | Subdifferential characterization of probabilit... | Probability functions figure prominently in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4935 | 4936 | XES Tensorflow - Process Prediction using the ... | Predicting the next activity of a running pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4936 | 4937 | EPTL - A temporal logic for weakly consistent ... | The high availability and scalability of wea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4937 | 4938 | An initial-boundary value problem for the inte... | We investigate the initial-boundary value pr... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4938 | 4939 | 4-DoF Tracking for Robot Fine Manipulation Tasks | This paper presents two visual trackers from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4939 | 4940 | Absence of chaos in Digital Memcomputing Machi... | Digital memcomputing machines (DMMs) are non... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4940 | 4941 | New ideas for tests of Lorentz invariance with... | We describe a broadly applicable experimenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4941 | 4942 | Fine-resolution analysis of exoplanetary distr... | We investigate 1D exoplanetary distributions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4942 | 4943 | Small sets in dense pairs | Let $\widetilde{\mathcal M}=\langle \mathcal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4943 | 4944 | Meta-Learning MCMC Proposals | Effective implementations of sampling-based ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4944 | 4945 | Putting Self-Supervised Token Embedding on the... | Information distribution by electronic messa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4945 | 4946 | Enhanced ferromagnetic transition temperature ... | The correlation between magnetic properties ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4946 | 4947 | Getting the public involved in Quantum Error C... | The Decodoku project seeks to let users get ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4947 | 4948 | Courcelle's Theorem Made Dynamic | Dynamic complexity is concerned with updatin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4948 | 4949 | PorePy: An Open-Source Simulation Tool for Flo... | Fractures are ubiquitous in the subsurface a... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4949 | 4950 | Second-grade fluids in curved pipes | This paper is concerned with the application... | 0 | 1 | 1 | 0 | 0 | 0 |
| 4950 | 4951 | Designing nearly tight window for improving ti... | Many audio signal processing methods are for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4951 | 4952 | Asymptotic Properties of Recursive Maximum Lik... | Using stochastic gradient search and the opt... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4952 | 4953 | A Fast Integrated Planning and Control Framewo... | For safe and efficient planning and control ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4953 | 4954 | Microservices in Practice: A Survey Study | Microservices architectures have become larg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4954 | 4955 | Predicted novel insulating electride compound ... | The application of high pressure can fundame... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4955 | 4956 | The relationship between $k$-forcing and $k$-p... | Zero forcing and power domination are iterat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4956 | 4957 | The transition matrix between the Specht and w... | We compare two important bases of an irreduc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4957 | 4958 | Robotic Wireless Sensor Networks | In this chapter, we present a literature sur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4958 | 4959 | Using Mode Connectivity for Loss Landscape Ana... | Mode connectivity is a recently introduced f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4959 | 4960 | Lifelong Generative Modeling | Lifelong learning is the problem of learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4960 | 4961 | Finding Root Causes of Floating Point Error wi... | Floating-point arithmetic plays a central ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4961 | 4962 | Catalog of Candidates for Quasars at 3 < z < 5... | We have compiled a catalog of 903 candidates... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4962 | 4963 | The Theta Number of Simplicial Complexes | We introduce a generalization of the celebra... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4963 | 4964 | Prediction Scores as a Window into Classifier ... | Most multi-class classifiers make their pred... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4964 | 4965 | Effective perturbation theory for linear opera... | We propose a new approach to the spectral th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4965 | 4966 | I-MMSE relations in random linear estimation a... | Consider random linear estimation with Gauss... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4966 | 4967 | Non-convex Finite-Sum Optimization Via SCSG Me... | We develop a class of algorithms, as variant... | 1 | 0 | 1 | 0 | 0 | 0 |
| 4967 | 4968 | Minority carrier diffusion lengths and mobilit... | The hole diffusion length in n-InGaAs is ext... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4968 | 4969 | Layered semi-convection and tides in giant pla... | Layered semi-convection is a possible candid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4969 | 4970 | A new Weber type integral equation related to ... | We derive solvability conditions and closed-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4970 | 4971 | Non-commutative Discretize-then-Optimize Algor... | In this paper, we analyze the convergence of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4971 | 4972 | Gate-Variants of Gated Recurrent Unit (GRU) Ne... | The paper evaluates three variants of the Ga... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4972 | 4973 | Some results on the annihilators and attached ... | Let $(R, \frak m)$ be a local ring and $M$ a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4973 | 4974 | Translation matrix elements for spherical Gaus... | Spherical Gauss-Laguerre (SGL) basis functio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4974 | 4975 | A theoretical analysis of extending frequency-... | Inspired by the recent developments in the r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4975 | 4976 | Parallel Concatenation of Bayesian Filters: Tu... | In this manuscript a method for developing n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4976 | 4977 | Shot noise in ultrathin superconducting wires | Quantum phase slips (QPS) may produce non-eq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4977 | 4978 | Linearity of stability conditions | We study different concepts of stability for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4978 | 4979 | Urban Data Streams and Machine Learning: A Cas... | In this paper, we show how using publicly av... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4979 | 4980 | BinPro: A Tool for Binary Source Code Provenance | Enforcing open source licenses such as the G... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4980 | 4981 | The placement of the head that maximizes predi... | The minimization of the length of syntactic ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 4981 | 4982 | Nonparametric regression using deep neural net... | Consider the multivariate nonparametric regr... | 1 | 0 | 1 | 1 | 0 | 0 |
| 4982 | 4983 | Unsupervised Learning of Neural Networks to Ex... | This paper presents an unsupervised method t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4983 | 4984 | Measuring Cognitive Conflict in Virtual Realit... | As virtual reality (VR) emerges as a mainstr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4984 | 4985 | Strong deformations of DNA: Effect on the pers... | Extreme deformations of the DNA double helix... | 0 | 0 | 0 | 0 | 1 | 0 |
| 4985 | 4986 | BézierGAN: Automatic Generation of Smooth Curv... | Many real-world objects are designed by smoo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 4986 | 4987 | Raman scattering study of tetragonal magnetic ... | We use inelastic light scattering to study S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4987 | 4988 | Learning Mixture of Gaussians with Streaming Data | In this paper, we study the problem of learn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4988 | 4989 | Dust in the reionization era: ALMA observation... | We report on the detailed analysis of a grav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4989 | 4990 | Green-Blue Stripe Pattern for Range Sensing fr... | In this paper, we present a novel method for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 4990 | 4991 | It Takes (Only) Two: Adversarial Generator-Enc... | We present a new autoencoder-type architectu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4991 | 4992 | Electrostatic gyrokinetic simulation of global... | Boundary plasma physics plays an important r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4992 | 4993 | The Montecinos-Balsara ADER-FV Polynomial Basi... | Hyperbolic systems of PDEs can be solved to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4993 | 4994 | Reducibility of the Quantum Harmonic Oscillato... | We prove a reducibility result for a quantum... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4994 | 4995 | Model Order Selection Rules For Covariance Str... | The adaptive classification of the interfere... | 0 | 0 | 1 | 1 | 0 | 0 |
| 4995 | 4996 | Enhancing Interpretability of Black-box Soft-m... | The lack of interpretability often makes bla... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4996 | 4997 | CollaGAN : Collaborative GAN for Missing Image... | In many applications requiring multiple inpu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 4997 | 4998 | A Kuroda-style j-translation | In topos theory it is well-known that any nu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 4998 | 4999 | Electrical 2π phase control of infrared light ... | Modulating the amplitude and phase of light ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 4999 | 5000 | Existence of closed geodesics through a regula... | We show that on any translation surface, if ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5000 | 5001 | Mathematical and numerical validation of the s... | In this work, we extend the solid harmonics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5001 | 5002 | L1-norm Principal-Component Analysis of Comple... | L1-norm Principal-Component Analysis (L1-PCA... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5002 | 5003 | Viscous dissipation of surface waves and its r... | We consider dissipation of surface waves on ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5003 | 5004 | Neural Optimizer Search with Reinforcement Lea... | We present an approach to automate the proce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5004 | 5005 | Hybrid Sterility Can Only be Primary When Acti... | Parental gametes unite to form a zygote that... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5005 | 5006 | Point-Cloud-Based Aerial Fragmentation Analysi... | This work investigates the application of Un... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5006 | 5007 | DyNet: The Dynamic Neural Network Toolkit | We describe DyNet, a toolkit for implementin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5007 | 5008 | Polyteam Semantics | Team semantics is the mathematical framework... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5008 | 5009 | Where Classification Fails, Interpretation Rises | An intriguing property of deep neural networ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5009 | 5010 | Prior matters: simple and general methods for ... | Latent Dirichlet Allocation (LDA) models tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5010 | 5011 | Buckling in Armored Droplets | The issue of the buckling mechanism in dropl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5011 | 5012 | Density of Analytic Polynomials in Abstract Ha... | Let $X$ be a separable Banach function space... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5012 | 5013 | On non-Abelian Lie Bracket of Generalized Cova... | This is a theoretical paper, which is a cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5013 | 5014 | The Topology of Statistical Verifiability | Topological models of empirical and formal i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5014 | 5015 | A spectral approach to the linking number in t... | Given a closed Riemannian manifold and a pai... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5015 | 5016 | Volkov-Pankratov states in topological heteroj... | We show that a smooth interface between two ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5016 | 5017 | Sampling-based Estimation of In-degree Distrib... | The focus of this work is on estimation of t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5017 | 5018 | Phase I results with the Large Angle Beamstrah... | We report on the SuperKEKB Phase I operation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5018 | 5019 | Network flow of mobile agents enhances the evo... | We study the effect of contingent movement o... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5019 | 5020 | Neural Face Editing with Intrinsic Image Disen... | Traditional face editing methods often requi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5020 | 5021 | Data Reduction and Image Reconstruction Techni... | The technique of non-redundant masking (NRM)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5021 | 5022 | Dynamic transport in a quantum wire driven by ... | We consider a gated one-dimensional (1D) qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5022 | 5023 | A Nonlinear Kernel Support Matrix Machine for ... | In many problems of supervised tensor learni... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5023 | 5024 | Noisy Networks for Exploration | We introduce NoisyNet, a deep reinforcement ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5024 | 5025 | Global stability of the Rate Control Protocol ... | The Rate Control Protocol (RCP) is a congest... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5025 | 5026 | Performance Evaluation of Channel Decoding Wit... | With the demand of high data rate and low la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5026 | 5027 | Trading Bounds for Memory in Games with Counters | We study two-player games with counters, whe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5027 | 5028 | On the Tropical Discs Counting on Elliptic K3 ... | Using Lagrangian Floer theory, we study the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5028 | 5029 | The Frobenius problem for four numerical semig... | The greatest integer that does not belong to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5029 | 5030 | Coherence and its Role in Excitation Energy Tr... | We show that the coherence between different... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5030 | 5031 | Optimal Caching and Scheduling for Cache-enabl... | To maximize offloading gain of cache-enabled... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5031 | 5032 | Phytoplankton Hotspot Prediction With an Unsup... | Many interesting natural phenomena are spars... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5032 | 5033 | Effective field theory for dissipative fluids ... | In this paper we further develop the fluctua... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5033 | 5034 | Quantum non demolition measurements: parameter... | In Quantum Non Demolition measurements, the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5034 | 5035 | Why We Need New Evaluation Metrics for NLG | The majority of NLG evaluation relies on aut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5035 | 5036 | First constraints on fuzzy dark matter from Ly... | We present constraints on the masses of extr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5036 | 5037 | On functionals involving the torsional rigidit... | In this paper we study optimal estimates for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5037 | 5038 | Quasars Probing Quasars IX. The Kinematics of ... | We examine the kinematics of the gas in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5038 | 5039 | Deep Learning with Permutation-invariant Opera... | The computer-aided analysis of medical scans... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5039 | 5040 | Reeb dynamics inspired by Katok's example in F... | Inspired by Katok's examples of Finsler metr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5040 | 5041 | Pressure-induced magnetic collapse and metalli... | The crystal structure, magnetic ordering, an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5041 | 5042 | Real-Time Adaptive Image Compression | We present a machine learning-based approach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5042 | 5043 | Probabilistic Graphical Modeling approach to d... | In the context of dynamic emission tomograph... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5043 | 5044 | Perturbative Thermodynamic Geometry of Nonexte... | We investigate perturbative thermodynamic ge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5044 | 5045 | On some mellin transforms for the Riemann zeta... | We offer two new Mellin transform evaluation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5045 | 5046 | Timelike surfaces in Minkowski space with a ca... | Given a constant vector field $Z$ in Minkows... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5046 | 5047 | The existence and global exponential stability... | In this paper, a class of neutral type compe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5047 | 5048 | Fluid-Structure Interaction for the Classroom:... | While students may find spline interpolation... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5048 | 5049 | Modelling the evaporation of nanoparticle susp... | We present a Monte Carlo (MC) grid-based mod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5049 | 5050 | Image retargeting via Beltrami representation | Image retargeting aims to resize an image to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5050 | 5051 | Coupling Load-Following Control with OPF | In this paper, the optimal power flow (OPF) ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5051 | 5052 | A cellular algebra with specific decomposition... | Let $ \mathbb{A}$ be a cellular algebra over... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5052 | 5053 | On relation between discrete Frenet frames and... | The discrete Frenet equation entails a local... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5053 | 5054 | A stronger version of a question proposed by K... | In 1902, P. Stäckel proved the existence of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5054 | 5055 | Distance-based classifier by data transformati... | We consider classifiers for high-dimensional... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5055 | 5056 | Group Field theory and Tensor Networks: toward... | We establish a dictionary between group fiel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5056 | 5057 | Behavior of Accelerated Gradient Methods Near ... | We examine the behavior of accelerated gradi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5057 | 5058 | Distinguishing differential susceptibility, di... | Currently, two main approaches exist to dist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5058 | 5059 | A weak type estimate for rough singular integrals | We obtain a weak type $(1,1)$ estimate for a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5059 | 5060 | Threat analysis of IoT networks Using Artifici... | The Internet of things (IoT) is still in its... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5060 | 5061 | An experimental study of Bitcoin fluctuation u... | In this paper, we study the ability to make ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5061 | 5062 | A unified theory for exact stochastic modellin... | Hydroclimatic processes are characterized by... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5062 | 5063 | The Guiding Influence of Stanley Mandelstam, f... | The guiding influence of some of Stanley Man... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5063 | 5064 | Radiation-driven turbulent accretion onto mass... | Accretion of gas and interaction of matter a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5064 | 5065 | Bayesian Inference of Log Determinants | The log-determinant of a kernel matrix appea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5065 | 5066 | Investigating prescriptions for artificial res... | In numerical simulations, artificial terms a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5066 | 5067 | A Planning and Control Framework for Humanoid ... | Humanoid robots are increasingly demanded to... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5067 | 5068 | Attention-based Wav2Text with Feature Transfer... | Conventional automatic speech recognition (A... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5068 | 5069 | Amplitude death and resurgence of oscillation ... | The phenomenon of amplitude death has been e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5069 | 5070 | Quintessential Inflation with $α$-attractors | A novel approach to quintessential inflation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5070 | 5071 | Degenerate and chiral states in the extended H... | We present a study of the low temperature ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5071 | 5072 | Enhancing Blood Glucose Prediction with Meal A... | Objective: Numerous glucose prediction algor... | 1 | 0 | 0 | 0 | 1 | 0 |
| 5072 | 5073 | The fraction of cool-core clusters in X-ray vs... | We derive and compare the fractions of cool-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5073 | 5074 | Tracking by Animation: Unsupervised Learning o... | Online Multi-Object Tracking (MOT) from vide... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5074 | 5075 | Graph Convolutional Policy Network for Goal-Di... | Generating novel graph structures that optim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5075 | 5076 | Impact of the positive ion current on large si... | Given their small mobility coefficient in li... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5076 | 5077 | On Multilevel Coding Schemes Based on Non-Bina... | We address the problem of constructing of co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5077 | 5078 | Tunable coupling-induced resonance splitting i... | We propose and demonstrate a self-coupled mi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5078 | 5079 | High-precision measurements and theoretical ca... | We report measurements of the $^{115}$In $7p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5079 | 5080 | 2D reductions of the equation $u_{yy} = u_{tx}... | We consider the 3D equation $u_{yy} = u_{tx}... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5080 | 5081 | An improved Belief Propagation algorithm finds... | We first present an empirical study of the B... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5081 | 5082 | Large-scale diversity estimation through surna... | The study of surnames as both linguistic and... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5082 | 5083 | Schur $Q$-functions and the Capelli eigenvalue... | Let $\mathfrak l:= \mathfrak q(n)\times\math... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5083 | 5084 | Dynamics of cosmological perturbations in modi... | In this work we focus on a novel completion ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5084 | 5085 | Attentive Convolutional Neural Network based S... | Speech emotion recognition is an important a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5085 | 5086 | Men Are from Mars, Women Are from Venus: Evalu... | We present a quantitative analysis of human ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5086 | 5087 | Galaxies as High-Resolution Telescopes | Recent observations show a population of act... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5087 | 5088 | Continuous CM-regularity of semihomogeneous ve... | We show that if $X$ is an abelian variety of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5088 | 5089 | Factorisation of the product of Dirichlet seri... | In the first chapter, we will present a comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5089 | 5090 | LAP: a Linearize and Project Method for Solvin... | Many inverse problems involve two or more se... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5090 | 5091 | Obtaining the Current-Flux Relations of the Sa... | This paper proposes a method based on signal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5091 | 5092 | Approximation properties of (p,q)-Meyer-Konig-... | In this paper, we introduce Durrmeyer type m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5092 | 5093 | Deep Graph Infomax | We present Deep Graph Infomax (DGI), a gener... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5093 | 5094 | Solitons and breathers for nonisospectral mKdV... | Under investigation in this paper is the non... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5094 | 5095 | Sequential detection of low-rank changes using... | We study the problem of detecting an abrupt ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5095 | 5096 | Embodied Artificial Intelligence through Distr... | In this paper, we argue that the future of A... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5096 | 5097 | Does a growing static length scale control the... | Several theories of the glass transition pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5097 | 5098 | Canonical models of arithmetic $(1; \infty)$ c... | In 1983 Takeuchi showed that up to conjugati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5098 | 5099 | State observation and sensor selection for non... | A large variety of dynamical systems, such a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5099 | 5100 | A Faster Implementation of Online Run-Length B... | Run-length encoding Burrows-Wheeler Transfor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5100 | 5101 | Maximal fluctuations of confined actomyosin ge... | We investigate the effect of stress fluctuat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5101 | 5102 | Age-at-harvest models as monitoring and harves... | Quantifying and estimating wildlife populati... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5102 | 5103 | Information Planning for Text Data | Information planning enables faster learning... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5103 | 5104 | Development of Si-CMOS hybrid detectors toward... | Electron tracking based Compton imaging is a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5104 | 5105 | Sharp constant of an anisotropic Gagliardo-Nir... | In this paper we establish the best constant... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5105 | 5106 | Treatment Effect Quantification for Time-to-ev... | A draft addendum to ICH E9 has been released... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5106 | 5107 | A character of Siegel modular group of level 2... | Given a characteristic, we define a characte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5107 | 5108 | Antiferromagnetic Chern insulators in non-cent... | We investigate a new class of topological an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5108 | 5109 | The concentration-mass relation of clusters of... | The relation between a cosmological halo con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5109 | 5110 | Effects of the structural distortion on the el... | Effects of the structural distortion associa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5110 | 5111 | On the Joint Distribution Of $\mathrm{Sel}_ϕ(E... | If $E$ is an elliptic curve with a point of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5111 | 5112 | Learning What Data to Learn | Machine learning is essentially the sciences... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5112 | 5113 | Deformation estimation of an elastic object by... | Deformation estimation of elastic object ass... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5113 | 5114 | Comparative analysis of two discretizations of... | We have performed an empirical comparison of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5114 | 5115 | Zero-Shot Learning via Class-Conditioned Deep ... | We present a deep generative model for learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5115 | 5116 | On the vanishing viscosity approximation of a ... | We investigate the dynamics of a nonlinear s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5116 | 5117 | Noise-gating to clean astrophysical image data | I present a family of algorithms to reduce n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5117 | 5118 | Variational Bayesian dropout: pitfalls and fixes | Dropout, a stochastic regularisation techniq... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5118 | 5119 | Deep Belief Networks Based Feature Generation ... | Wind energy forecasting helps to manage powe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5119 | 5120 | Control Interpretations for First-Order Optimi... | First-order iterative optimization methods p... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5120 | 5121 | Mapping Images to Scene Graphs with Permutatio... | Machine understanding of complex images is a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5121 | 5122 | Identifying Similarities in Epileptic Patients... | Currently, approximately 30% of epileptic pa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5122 | 5123 | Variational Inference of Disentangled Latent C... | Disentangled representations, where the high... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5123 | 5124 | Designing the color of hot-dip galvanized stee... | The color of hot-dip galvanized steel sheet ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5124 | 5125 | Counting Multiplicities in a Hypersurface over... | We fix a counting function of multiplicities... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5125 | 5126 | Multiple Instance Learning Networks for Fine-G... | We consider the task of fine-grained sentime... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5126 | 5127 | Eva-CiM: A System-Level Energy Evaluation Fram... | Computing-in-Memory (CiM) architectures aim ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5127 | 5128 | Converging Shock Flows for a Mie-Grüneisen Equ... | Previous work has shown that the one-dimensi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5128 | 5129 | Robust estimation of tree structured Gaussian ... | Consider jointly Gaussian random variables w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5129 | 5130 | What Propels Celebrity Follower Counts? Langua... | Follower count is a factor that quantifies t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5130 | 5131 | Monochromatic metrics are generalized Berwald | We show that monochromatic Finsler metrics, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5131 | 5132 | CTCF Degradation Causes Increased Usage of Ups... | Transcriptional repressor CTCF is an importa... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5132 | 5133 | The stability of tightly-packed, evenly-spaced... | Many of the multi-planet systems discovered ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5133 | 5134 | GPUQT: An efficient linear-scaling quantum tra... | We present GPUQT, a quantum transport code f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5134 | 5135 | Full-Duplex Cooperative Cognitive Radio Networ... | This paper proposes and analyzes a new full-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5135 | 5136 | Inkjet printing-based volumetric display proje... | In this study, a method to construct a full-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5136 | 5137 | Analysis of luminosity distributions of strong... | Strong gravitational lensing gives access to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5137 | 5138 | Support Estimation via Regularized and Weighte... | We introduce a new framework for estimating ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5138 | 5139 | Two-photon superbunching of pseudothermal ligh... | Two-photon superbunching of pseudothermal li... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5139 | 5140 | Non Relativistic Limit of Integrable QFT with ... | The aim of this paper is to investigate the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5140 | 5141 | Extensions of the Benson-Solomon fusion systems | The Benson-Solomon systems comprise the only... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5141 | 5142 | Run-Wise Simulations for Imaging Atmospheric C... | We present a new paradigm for the simulation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5142 | 5143 | Multi-party Poisoning through Generalized $p$-... | In a poisoning attack against a learning alg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5143 | 5144 | Spectral edge behavior for eventually monotone... | We consider Jacobi matrices with eventually ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5144 | 5145 | Web Video in Numbers - An Analysis of Web-Vide... | Web video is often used as a source of data ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5145 | 5146 | Bernoulli Correlations and Cut Polytopes | Given $n$ symmetric Bernoulli variables, wha... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5146 | 5147 | Tensor products of NCDL-C*-algebras and the C*... | We show that the tensor product $A\otimes B$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5147 | 5148 | ViP-CNN: Visual Phrase Guided Convolutional Ne... | As the intermediate level task connecting im... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5148 | 5149 | Haantjes Algebras and Diagonalization | We propose the notion of Haantjes algebra, w... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5149 | 5150 | Multipair Massive MIMO Relaying Systems with O... | This paper considers a multipair amplify-and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5150 | 5151 | Bayesian Methods for Exoplanet Science | Exoplanet research is carried out at the lim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5151 | 5152 | Feature importance scores and lossless feature... | Understanding the influence of features in m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5152 | 5153 | Robust clustering of languages across Wikipedi... | Wikipedia is the largest existing knowledge ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5153 | 5154 | Attractive Heaviside-Maxwellian (Vector) Gravi... | Adopting two independent approaches (a) Lore... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5154 | 5155 | Critical pairing fluctuations in the normal st... | We study the effect of critical pairing fluc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5155 | 5156 | The Mixing method: low-rank coordinate descent... | In this paper, we propose a low-rank coordin... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5156 | 5157 | GeoSeq2Seq: Information Geometric Sequence-to-... | The Fisher information metric is an importan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5157 | 5158 | Stochastic graph Voronoi tessellation reveals ... | Given a network, the statistical ensemble of... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5158 | 5159 | Recursion for the smallest eigenvalue density ... | The statistics of the smallest eigenvalue of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5159 | 5160 | Comparing Neural and Attractiveness-based Visu... | Advances in image processing and computer vi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5160 | 5161 | DeepMapping: Unsupervised Map Estimation From ... | We propose DeepMapping, a novel registration... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5161 | 5162 | The First Comparison Between Swarm-C Accelerom... | The first systematic comparison between Swar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5162 | 5163 | Gaussian Parsimonious Clustering Models with C... | We consider model-based clustering methods f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5163 | 5164 | The Rice-Shapiro theorem in Computable Topology | We provide requirements on effectively enume... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5164 | 5165 | Multivariate Regression with Grossly Corrupted... | This paper studies the problem of multivaria... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5165 | 5166 | A Deep Learning Approach for Population Estima... | Knowing where people live is a fundamental c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5166 | 5167 | Trends in the Diffusion of Misinformation on S... | We measure trends in the diffusion of misinf... | 1 | 0 | 0 | 0 | 0 | 1 |
| 5167 | 5168 | SemEval 2017 Task 10: ScienceIE - Extracting K... | We describe the SemEval task of extracting k... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5168 | 5169 | Well-posedness of the Two-dimensional Nonlinea... | We consider a two-dimensional nonlinear Schr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5169 | 5170 | The nilpotent variety of $W(1;n)_{p}$ is irred... | In the late 1980s, Premet conjectured that t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5170 | 5171 | Solitons in Bose-Einstein Condensates with Hel... | We report on the existence and stability of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5171 | 5172 | Possible heights of graph transformation groups | In the following text we prove that for all ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5172 | 5173 | Dependencies: Formalising Semantic Catenae for... | Building machines that can understand text l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5173 | 5174 | A New Pseudo-color Technique Based on Intensit... | Remote sensing image processing is so import... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5174 | 5175 | Tunneling anisotropic magnetoresistance driven... | The independent control of two magnetic elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5175 | 5176 | Finding Efficient Swimming Strategies in a Thr... | We apply a reinforcement learning algorithm ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5176 | 5177 | Trapped imbalanced fermionic superfluids in on... | We propose and analyze a variational wave fu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5177 | 5178 | Prospects of dynamical determination of Genera... | We evaluated the prospects of quantifying th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5178 | 5179 | Modelling and Using Response Times in Online C... | Each time a learner in a self-paced online c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5179 | 5180 | Univalent Foundations and the UniMath Library | We give a concise presentation of the Unival... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5180 | 5181 | Distributed methods for synchronization of ort... | This paper addresses the problem of synchron... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5181 | 5182 | Stochastic Model of SIR Epidemic Modelling | Threshold theorem is probably the most impor... | 0 | 0 | 0 | 1 | 1 | 0 |
| 5182 | 5183 | Parent Oriented Teacher Selection Causes Langu... | An evolutionary model for emergence of diver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5183 | 5184 | Learning Role-based Graph Embeddings | Random walks are at the heart of many existi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5184 | 5185 | Quantum Emulation of Extreme Non-equilibrium P... | Ultracold atomic physics experiments offer a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5185 | 5186 | A Unified Analysis of Extra-gradient and Optim... | We consider solving convex-concave saddle po... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5186 | 5187 | Adaptive Multi-Step Prediction based EKF to Po... | Power system dynamic state estimation is ess... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5187 | 5188 | Solving SDPs for synchronization and MaxCut pr... | A number of statistical estimation problems ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5188 | 5189 | Poisson-Nernst-Planck equations with steric ef... | We study the existence and stability of stat... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5189 | 5190 | A Fast Noniterative Algorithm for Compressive ... | In this paper we present a new algorithm for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5190 | 5191 | Domain Adaptation by Using Causal Inference to... | An important goal common to domain adaptatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5191 | 5192 | Fitting ReLUs via SGD and Quantized SGD | In this paper we focus on the problem of fin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5192 | 5193 | The meet operation in the imbalance lattice of... | An alternative proof is given of the existen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5193 | 5194 | Approximating Partition Functions in Constant ... | We study approximations of the partition fun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5194 | 5195 | Stability of a Volterra Integral Equation on T... | In this paper, we study Hyers-Ulam stability... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5195 | 5196 | Near-IR period-luminosity relations for pulsat... | $\omega$ Centauri (NGC 5139) hosts hundreds ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5196 | 5197 | Pseudo-deterministic Proofs | We introduce pseudo-deterministic interactiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5197 | 5198 | The Mechanism behind Erosive Bursts in Porous ... | Erosion and deposition during flow through p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5198 | 5199 | The Maximum Likelihood Degree of Toric Varieties | We study the maximum likelihood degree (ML d... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5199 | 5200 | Low Mach number limit of a pressure correction... | We study the incompressible limit of a press... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5200 | 5201 | Objective Bayesian Analysis for Change Point P... | In this paper we present a loss-based approa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5201 | 5202 | On the Mechanism of Large Amplitude Flapping o... | An elastic foil interacting with a uniform f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5202 | 5203 | Ultrafast Epitaxial Growth of Metre-Sized Sing... | A foundation of the modern technology that u... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5203 | 5204 | Multidimensional Sampling of Isotropically Ban... | A new lower bound on the average reconstruct... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5204 | 5205 | Asymptotic structure of almost eigenfunctions ... | We use a weighted variant of the frequency f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5205 | 5206 | Palomar Optical Spectrum of Hyperbolic Near-Ea... | We present optical spectroscopy of the recen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5206 | 5207 | Electrically driven quantum light emission in ... | A single quantum dot deterministically coupl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5207 | 5208 | The Odyssey Approach for Optimizing Federated ... | Answering queries over a federation of SPARQ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5208 | 5209 | A variant of Gromov's problem on Hölder equiva... | It is unknown if there exists a locally $\al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5209 | 5210 | The Trees of Hanoi | The game of the Towers of Hanoi is generaliz... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5210 | 5211 | On the risk of convex-constrained least square... | We consider the problem of estimating the me... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5211 | 5212 | Benchmarks for Image Classification and Other ... | A good classification method should yield mo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5212 | 5213 | On the Binary Lossless Many-Help-One Problem w... | Although the rate region for the lossless ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5213 | 5214 | Efficient Correlated Topic Modeling with Topic... | Correlated topic modeling has been limited t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5214 | 5215 | Structure-aware error bounds for linear classi... | We prove risk bounds for binary classificati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5215 | 5216 | Dimensional reduction and the equivariant Cher... | We propose a dimensional reduction procedure... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5216 | 5217 | Practical Processing of Mobile Sensor Data for... | We present a practical approach for processi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5217 | 5218 | Formal Privacy for Functional Data with Gaussi... | Motivated by the rapid rise in statistical t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5218 | 5219 | An algorithm to reconstruct convex polyhedra f... | A well-known result in the study of convex p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5219 | 5220 | Electron affinities of water clusters from den... | In this work, we assess the accuracy of diel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5220 | 5221 | Grid-converged Solution and Analysis of the Un... | The flow in a shock tube is extremely comple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5221 | 5222 | Exact zero modes in twisted Kitaev chains | We study the Kitaev chain under generalized ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5222 | 5223 | Generative Temporal Models with Memory | We consider the general problem of modeling ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5223 | 5224 | Global research collaboration: Networks and pa... | This is an empirical paper that addresses th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5224 | 5225 | Spontaneous and stimulus-induced coherent stat... | How the information microscopically processe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5225 | 5226 | Parallelized Kendall's Tau Coefficient Computa... | Pairwise association measure is an important... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5226 | 5227 | Effect of Blast Exposure on Gene-Gene Interact... | Repeated exposure to low-level blast may ini... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5227 | 5228 | A sparse linear algebra algorithm for fast com... | Gaussian Markov random fields are used in a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5228 | 5229 | Rational motivic path spaces and Kim's relativ... | We initiate a study of path spaces in the na... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5229 | 5230 | Convergence Rates of Latent Topic Models Under... | In this paper we study the frequentist conve... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5230 | 5231 | Subspace Clustering of Very Sparse High-Dimens... | In this paper we consider the problem of clu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5231 | 5232 | Quarnet inference rules for level-1 networks | An important problem in phylogenetics is the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5232 | 5233 | 21 cm Angular Power Spectrum from Minihalos as... | Measurements of 21 cm line fluctuations from... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5233 | 5234 | The IRX-Beta Dust Attenuation Relation in Cosm... | We utilise a series of high-resolution cosmo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5234 | 5235 | Strict convexity of the Mabuchi functional for... | There are two parts of this paper. First, we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5235 | 5236 | Anonymous Variables in Imperative Languages | In this paper, we bring anonymous variables ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5236 | 5237 | Simultaneously constraining the astrophysics o... | The cosmic 21 cm signal is set to revolution... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5237 | 5238 | Non-penalized variable selection in high-dimen... | Standard penalized methods of variable selec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5238 | 5239 | DNN Filter Bank Cepstral Coefficients for Spoo... | With the development of speech synthesis tec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5239 | 5240 | The existence of positive least energy solutio... | The present study is concerned with the foll... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5240 | 5241 | Up-down colorings of virtual-link diagrams and... | We introduce an up-down coloring of a virtua... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5241 | 5242 | Comparison of SMT and RBMT; The Requirement of... | We present in this paper our work on compari... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5242 | 5243 | Introduction to the Special Issue on Approache... | The emerging field at the intersection of qu... | 1 | 0 | 0 | 0 | 1 | 0 |
| 5243 | 5244 | Towards Classification of Web ontologies using... | The new era of the Web is known as the seman... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5244 | 5245 | An Efficient Version of the Bombieri-Vaaler Lemma | In their celebrated paper "On Siegel's Lemma... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5245 | 5246 | Personalized and Private Peer-to-Peer Machine ... | The rise of connected personal devices toget... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5246 | 5247 | Interacting Chaplygin gas revisited | The implications of considering interaction ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5247 | 5248 | GALARIO: a GPU Accelerated Library for Analysi... | We present GALARIO, a computational library ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5248 | 5249 | Focused time-lapse inversion of radio and audi... | Geoelectrical techniques are widely used to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5249 | 5250 | Deep Exploration via Randomized Value Functions | We study the use of randomized value functio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5250 | 5251 | Spectral Norm Regularization for Improving the... | We investigate the generalizability of deep ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5251 | 5252 | Estimating the chromospheric magnetic field fr... | In this work we use the semi-empirical atmos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5252 | 5253 | An accurate approximation formula for gamma fu... | In this paper, we present a very accurate ap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5253 | 5254 | Reconciling Bayesian and Total Variation Metho... | A central theme in classical algorithms for ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5254 | 5255 | Perception Driven Texture Generation | This paper investigates a novel task of gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5255 | 5256 | Computational modeling approaches in gonadotro... | Follicle-stimulating hormone (FSH) and lutei... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5256 | 5257 | SEP-Nets: Small and Effective Pattern Networks | While going deeper has been witnessed to imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5257 | 5258 | Fundamental Limitations of Cavity-assisted Ato... | Atom interferometers employing optical cavit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5258 | 5259 | Markov chain aggregation and its application t... | Rule-based modelling allows to represent mol... | 1 | 0 | 0 | 0 | 1 | 0 |
| 5259 | 5260 | Shape and Positional Geometry of Multi-Object ... | In previous work, we introduced a method for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5260 | 5261 | Interface mediated mechanisms of plastic strai... | Through the combination of transmission elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5261 | 5262 | Refounding legitimacy towards Aethogenesis | The fusion of humans and technology takes us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5262 | 5263 | FELIX-2.0: New version of the finite element s... | The time-dependent generator coordinate meth... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5263 | 5264 | Scattering in the energy space for Boussinesq ... | In this note we show that all small solution... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5264 | 5265 | A Data-Driven Supply-Side Approach for Measuri... | The digital economy is a highly relevant ite... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5265 | 5266 | Low Rank Magnetic Resonance Fingerprinting | Purpose: Magnetic Resonance Fingerprinting (... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5266 | 5267 | SARAH: A Novel Method for Machine Learning Pro... | In this paper, we propose a StochAstic Recur... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5267 | 5268 | A criterion related to the Riemann Hypothesis | A crucial role in the Nyman-Beurling-Báez-Du... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5268 | 5269 | Non-Stationary Spectral Kernels | We propose non-stationary spectral kernels f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5269 | 5270 | Spectral and Energy Efficiency of Uplink D2D U... | One of key 5G scenarios is that device-to-de... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5270 | 5271 | Right for the Right Reasons: Training Differen... | Neural networks are among the most accurate ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5271 | 5272 | The ANTARES Collaboration: Contributions to IC... | Papers on the ANTARES multi-messenger progra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5272 | 5273 | Hamiltonian structure of peakons as weak solut... | The modified Camassa-Holm (mCH) equation is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5273 | 5274 | Orbital-dependent correlations in PuCoGa$_5$ | We investigate the normal state of the super... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5274 | 5275 | A variational derivation of the nonequilibrium... | Irreversible processes play a major role in ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5275 | 5276 | On certain weighted 7-colored partitions | Inspired by Andrews' 2-colored generalized F... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5276 | 5277 | Employee turnover prediction and retention pol... | This paper illustrates the similarities betw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5277 | 5278 | Do You Want Your Autonomous Car To Drive Like ... | With progress in enabling autonomous cars to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5278 | 5279 | Now Playing: Continuous low-power music recogn... | Existing music recognition applications requ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5279 | 5280 | COLA: Decentralized Linear Learning | Decentralized machine learning is a promisin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5280 | 5281 | Improving the Expected Improvement Algorithm | The expected improvement (EI) algorithm is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5281 | 5282 | Performance Limits of Solutions to Network Uti... | We study performance limits of solutions to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5282 | 5283 | Toeplitz Order | A new approach to problems of the Uncertaint... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5283 | 5284 | Definably compact groups definable in real clo... | We study definably compact definably connect... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5284 | 5285 | The unreasonable effectiveness of small neural... | Despite the widely-spread consensus on the b... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5285 | 5286 | Explicit cocycle formulas on finite abelian gr... | We provide explicit and unified formulas for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5286 | 5287 | Threshold Selection for Multivariate Heavy-Tai... | Regular variation is often used as the start... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5287 | 5288 | An Orchestrated Empirical Study on Deep Learni... | Deep learning (DL) has recently achieved tre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5288 | 5289 | On the complexity of topological conjugacy of ... | In this note, we analyze the classification ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5289 | 5290 | Classical affine W-superalgebras via generaliz... | The purpose of this article is to investigat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5290 | 5291 | Temporally Identity-Aware SSD with Attentional... | Temporal object detection has attracted sign... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5291 | 5292 | Carleman Estimate for Surface in Euclidean Spa... | This paper develops a Carleman type estimate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5292 | 5293 | Formalizing Timing Diagram Requirements in Dis... | Several temporal logics have been proposed t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5293 | 5294 | Cubical Covers of Sets in $\mathbb{R}^n$ | Wild sets in $\mathbb{R}^n$ can be tamed thr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5294 | 5295 | Mitochondrial network fragmentation modulates ... | Mitochondrial DNA (mtDNA) mutations cause se... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5295 | 5296 | Depth Separation for Neural Networks | Let $f:\mathbb{S}^{d-1}\times \mathbb{S}^{d-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5296 | 5297 | An Accurate Interconnect Test Structure for Pa... | For nanotechnology nodes, the feature size i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5297 | 5298 | A New Compton-thick AGN in our Cosmic Backyard... | NGC 1448 is one of the nearest luminous gala... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5298 | 5299 | Blowup constructions for Lie groupoids and a B... | We present natural and general ways of build... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5299 | 5300 | Possible spin gapless semiconductor type behav... | Spin-gapless semiconductors with their uniqu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5300 | 5301 | Simulated JWST/NIRISS Transit Spectroscopy of ... | The Transiting Exoplanet Survey Satellite (T... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5301 | 5302 | The general linear 2-groupoid | We deal with the symmetries of a (2-term) gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5302 | 5303 | DeepTFP: Mobile Time Series Data Analytics bas... | Traffic flow prediction is an important rese... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5303 | 5304 | Non-equilibrium Optical Conductivity: General ... | A non-equilibrium theory of optical conducti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5304 | 5305 | The Momentum Distribution of Liquid $^4$He | We report high-resolution neutron Compton sc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5305 | 5306 | Semantic Code Repair using Neuro-Symbolic Tran... | We study the problem of semantic code repair... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5306 | 5307 | Hints on the gradual re-sizing of the torus in... | Several authors have claimed that the less l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5307 | 5308 | Self-similar minimizers of a branched transpor... | We solve here completely an irrigation probl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5308 | 5309 | S-OHEM: Stratified Online Hard Example Mining ... | One of the major challenges in object detect... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5309 | 5310 | Deep Temporal-Recurrent-Replicated-Softmax for... | Dynamic topic modeling facilitates the ident... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5310 | 5311 | Generalizing Point Embeddings using the Wasser... | Embedding complex objects as vectors in low ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5311 | 5312 | Lancaster A at SemEval-2017 Task 5: Evaluation... | This paper describes our participation in Ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5312 | 5313 | Bootstrapping for multivariate linear regressi... | The multivariate linear regression model is ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5313 | 5314 | Long coherence times for edge spins | We show that in certain one-dimensional spin... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5314 | 5315 | Exploring light mediators with low-threshold d... | We explore the potential of future cryogenic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5315 | 5316 | DR/DZ equivalence conjecture and tautological ... | In this paper we present a family of conject... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5316 | 5317 | Surface Networks | We study data-driven representations for thr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5317 | 5318 | Forward Flux Sampling Calculation of Homogeneo... | We used molecular dynamics simulations and t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5318 | 5319 | Driving an Ornstein--Uhlenbeck Process to Desi... | First-passage time (FPT) of an Ornstein-Uhle... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5319 | 5320 | The self-consistent Dyson equation and self-en... | Perturbation theory using self-consistent Gr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5320 | 5321 | Statistical Implications of the Revenue Transf... | The Affordable Care Act (ACA) includes a per... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5321 | 5322 | Chance-Constrained Combinatorial Optimization ... | We investigate a class of chance-constrained... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5322 | 5323 | Optimal Input Design for Affine Model Discrimi... | This paper considers the optimal design of i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5323 | 5324 | Stable Unitary Integrators for the Numerical I... | The technique of continuous unitary transfor... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5324 | 5325 | Sparse and Smooth Prior for Bayesian Linear Re... | Sparsity of the solution of a linear regress... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5325 | 5326 | Deep Learning: Generalization Requires Deep Co... | Generalization error defines the discriminab... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5326 | 5327 | First detection of sign-reversed linear polari... | We report on the detection of linear polariz... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5327 | 5328 | Certifying Some Distributional Robustness with... | Neural networks are vulnerable to adversaria... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5328 | 5329 | The minimal hidden computer needed to implemen... | Master equations are commonly used to model ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5329 | 5330 | A multi-task convolutional neural network for ... | Mega-city analysis with very high resolution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5330 | 5331 | Exploiting Multi-layer Graph Factorization for... | Multi-attributed graph matching is a problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5331 | 5332 | Secure Search on the Cloud via Coresets and Sk... | \emph{Secure Search} is the problem of retri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5332 | 5333 | LATTES: a novel detector concept for a gamma-r... | The Large Array Telescope for Tracking Energ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5333 | 5334 | A general model for plane-based clustering wit... | In this paper, we propose a general model fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5334 | 5335 | Renormalization of quasiparticle band gap in d... | Doped free carriers can substantially renorm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5335 | 5336 | Hyperbolicity as an obstruction to smoothabili... | Ghys and Sergiescu proved in the $80$s that ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5336 | 5337 | Lasso ANOVA Decompositions for Matrix and Tens... | Consider the problem of estimating the entri... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5337 | 5338 | NetSciEd: Network Science and Education for th... | This short article presents a summary of the... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5338 | 5339 | A cup product lemma for continuous plurisubhar... | A version of Gromov's cup product lemma in w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5339 | 5340 | Near-perfect spin filtering and negative diffe... | Density functional theory and nonequilibrium... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5340 | 5341 | Search for magnetic inelastic dark matter with... | We present the first search for dark matter-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5341 | 5342 | Structural, elastic, electronic, and bonding p... | Theoretical investigation of structural, ela... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5342 | 5343 | Clustering and Model Selection via Penalized L... | In this study, we consider unsupervised clus... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5343 | 5344 | Topology reveals universal features for networ... | The topology of any complex system is key to... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5344 | 5345 | Gated Recurrent Networks for Seizure Detection | Recurrent Neural Networks (RNNs) with sophis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5345 | 5346 | Non-convex Conditional Gradient Sliding | We investigate a projection free method, nam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5346 | 5347 | Multinomial Sum Formulas of Multiple Zeta Values | For a pair of positive integers $n,k$ with $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5347 | 5348 | Copolar convexity | We introduce a new operation, copolar additi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5348 | 5349 | Go with the Flow: Compositional Abstractions f... | Concurrent separation logics have helped to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5349 | 5350 | A Liouville Theorem for Mean Curvature Flow | Ancient solutions arise in the study of para... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5350 | 5351 | FeSe(en)0.3 - Separated FeSe layers with strip... | Solvothermal intercalation of ethylenediamin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5351 | 5352 | Coexistence of quantum and classical flows in ... | Tangles of quantized vortex line of initial ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5352 | 5353 | Four-dimensional Lens Space Index from Two-dim... | We study the supersymmetric partition functi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5353 | 5354 | Lions' formula for RKHSs of real harmonic func... | Let $ \Omega$ be a bounded Lipschitz domain ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5354 | 5355 | Optimization and Performance of Bifacial Solar... | With the rapidly growing interest in bifacia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5355 | 5356 | Wave propagation modelling in various microear... | Simulation of wave propagation in a microear... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5356 | 5357 | Fast Snapshottable Concurrent Braun Heaps | This paper proposes a new concurrent heap al... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5357 | 5358 | GuideR: a guided separate-and-conquer rule lea... | This article presents GuideR, a user-guided ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5358 | 5359 | Frequency analysis and the representation of s... | Over short time intervals planetary ephemeri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5359 | 5360 | Geometric clustering in normed planes | Given two sets of points $A$ and $B$ in a no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5360 | 5361 | Spectrum Sharing for LTE-A Network in TV White... | Rural areas in the developing countries are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5361 | 5362 | Instantons for 4-manifolds with periodic ends ... | We construct an obstruction for the existenc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5362 | 5363 | Laplacian networks: growth, local symmetry and... | Inspired by river networks and other structu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5363 | 5364 | Dropping Convexity for More Efficient and Scal... | Multiview representation learning is very po... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5364 | 5365 | Automatic Vector-based Road Structure Mapping ... | In this paper, we studied a SLAM method for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5365 | 5366 | Schwarzian derivatives, projective structures,... | To a complex projective structure $\Sigma$ o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5366 | 5367 | A Deep Network Model for Paraphrase Detection ... | This paper is concerned with paraphrase dete... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5367 | 5368 | Organic-inorganic Copper(II)-based Material: a... | Lead halide perovskite solar cells have rece... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5368 | 5369 | Acyclic cluster algebras, reflection groups, a... | We establish a bijective correspondence betw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5369 | 5370 | Inferring Structural Characteristics of Networ... | Knowing the structure of an offline social n... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5370 | 5371 | A Method Of Detecting Gravitational Wave Based... | This work investigated the detection of grav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5371 | 5372 | The connection between zero chromaticity and l... | In this paper, we demonstrate the connection... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5372 | 5373 | Phonemic and Graphemic Multilingual CTC Based ... | Training automatic speech recognition (ASR) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5373 | 5374 | Model-Based Clustering of Time-Evolving Networ... | Dynamic networks are a general language for ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5374 | 5375 | Multi-agent Time-based Decision-making for the... | Many robotic applications, such as search-an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5375 | 5376 | Anisotropic twicing for single particle recons... | The missing phase problem in X-ray crystallo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5376 | 5377 | Epi-two-dimensional fluid flow: a new topologi... | While a variety of fundamental differences a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5377 | 5378 | Dimensional reduction and its breakdown in the... | The critical behavior of the random field $O... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5378 | 5379 | Statistical Properties of Loss Rate Estimators... | Four types of explicit estimators are propos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5379 | 5380 | On The Communication Complexity of High-Dimens... | We study the multiparty communication comple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5380 | 5381 | Moonshine: Distilling with Cheap Convolutions | Many engineers wish to deploy modern neural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5381 | 5382 | A New Wiretap Channel Model and its Strong Sec... | In this paper, a new wiretap channel model i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5382 | 5383 | One-to-One Matching of RTT and Path Changes | Route selection based on performance measure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5383 | 5384 | Infinite horizon asymptotic average optimality... | We study infinite-horizon asymptotic average... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5384 | 5385 | Energy fluxes and spectra for turbulent and la... | Two well-known turbulence models to describe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5385 | 5386 | Understanding low-temperature bulk transport i... | We present a new model to explain the differ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5386 | 5387 | Towards Optimal Strategy for Adaptive Probing ... | We investigate a graph probing problem in wh... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5387 | 5388 | Generalised Discount Functions applied to a Mo... | In recent years, work has been done to devel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5388 | 5389 | One year of monitoring the Vela pulsar using a... | We have observed the Vela pulsar for one yea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5389 | 5390 | Using Multiple Seasonal Holt-Winters Exponenti... | Elasticity is one of the key features of clo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5390 | 5391 | Possible evidence for spin-transfer torque ind... | Cooper pairs in superconductors are normally... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5391 | 5392 | Robust Guaranteed-Cost Adaptive Quantum Phase ... | Quantum parameter estimation plays a key rol... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5392 | 5393 | End-to-End Multi-View Networks for Text Classi... | We propose a multi-view network for text cla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5393 | 5394 | Collaborative similarity analysis of multilaye... | To understand the multiple relations between... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5394 | 5395 | Evaluation of equity-based debt obligations | We consider a class of participation rights,... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5395 | 5396 | Adaptive Feature Selection: Computationally Ef... | Online sparse linear regression is an online... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5396 | 5397 | Siamese Networks with Location Prior for Landm... | Image-guided radiation therapy can benefit f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5397 | 5398 | Single-Shot 3D Diffractive Imaging of Core-She... | We report 3D coherent diffractive imaging of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5398 | 5399 | SEPIA - a new single pixel receiver at the APE... | Context: We describe the new SEPIA (Swedish-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5399 | 5400 | Beyond normality: Learning sparse probabilisti... | We present an algorithm to identify sparse d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5400 | 5401 | QuanFuzz: Fuzz Testing of Quantum Program | Nowadays, quantum program is widely used and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5401 | 5402 | Option Pricing Models Driven by the Space-Time... | In this paper, we focus on option pricing mo... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5402 | 5403 | Anticipation: an effective evolutionary strate... | We built a two-state model of an asexually r... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5403 | 5404 | Unravelling Airbnb Predicting Price for New Li... | This paper analyzes Airbnb listings in the c... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5404 | 5405 | Finding, Hitting and Packing Cycles in Subexpo... | We give algorithms with running time $2^{O({... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5405 | 5406 | The self-referring DNA and protein: a remark o... | All known life forms are based upon a hierar... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5406 | 5407 | Optimal input design for system identification... | The aim of this paper is to design a band-li... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5407 | 5408 | Creating a Web Analysis and Visualization Envi... | Due to the rapid growth of the World Wide We... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5408 | 5409 | Transfer Learning by Asymmetric Image Weightin... | Supervised learning has been very successful... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5409 | 5410 | Service Providers of the Sharing Economy: Who ... | Many "sharing economy" platforms, such as Ub... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5410 | 5411 | The generalized Fermat equation with exponents... | We study the Generalized Fermat Equation $x^... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5411 | 5412 | On the image of the almost strict Morse n-cate... | In an earlier work, we constructed the almos... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5412 | 5413 | Short-term Memory of Deep RNN | The extension of deep learning towards tempo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5413 | 5414 | Deep Learning for Physical Processes: Incorpor... | We consider the use of Deep Learning methods... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5414 | 5415 | Neutron Stars in Screened Modified Gravity: Ch... | We consider the scalar field profile around ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5415 | 5416 | Spin pumping into superconductors: A new probe... | Spin pumping refers to the microwave-driven ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5416 | 5417 | Evidence of Eta Aquariid Outbursts Recorded in... | No firm evidence has existed that the ancien... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5417 | 5418 | Degenerations of NURBS curves while all of wei... | NURBS curve is widely used in Computer Aided... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5418 | 5419 | A Convex Parametrization of a New Class of Uni... | We propose a new class of universal kernel f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5419 | 5420 | Hessian-based Analysis of Large Batch Training... | Large batch size training of Neural Networks... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5420 | 5421 | Sparse-Group Bayesian Feature Selection Using ... | We present a Bayesian method for feature sel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5421 | 5422 | A Simple, Fast and Fully Automated Approach fo... | Brain CT has become a standard imaging tool ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5422 | 5423 | Anisotropic Dielectric Relaxation in Single Cr... | Three properties of the dielectric relaxatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5423 | 5424 | Design of Improved Quasi-Cyclic Protograph-Bas... | Protograph-based Raptor-like low-density par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5424 | 5425 | Comparing the Finite-Time Performance of Simul... | We empirically evaluate the finite-time perf... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5425 | 5426 | On the Constituent Attributes of Software and ... | Our societies are increasingly dependent on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5426 | 5427 | Borcherds-Bozec algebras, root multiplicities ... | Using the twisted denominator identity, we d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5427 | 5428 | Pressure-induced spin pairing transition of Fe... | High pressure can provoke spin transitions i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5428 | 5429 | LSH on the Hypercube Revisited | LSH (locality sensitive hashing) had emerged... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5429 | 5430 | A Novel Metamaterial-Inspired RF-coil for Prec... | In this paper we propose, design and test a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5430 | 5431 | A biofilm and organomineralisation model for t... | Ooids are typically spherical sediment grain... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5431 | 5432 | Spectral Filtering for General Linear Dynamica... | We give a polynomial-time algorithm for lear... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5432 | 5433 | Markov $L_2$-inequality with the Laguerre weight | Let $w_\alpha(t) := t^{\alpha}\,e^{-t}$, whe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5433 | 5434 | Intrusion Prevention and Detection in Grid Com... | Grids allow users flexible on-demand usage o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5434 | 5435 | Evolution-Preserving Dense Trajectory Descriptors | Recently Trajectory-pooled Deep-learning Des... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5435 | 5436 | Multilingual and Cross-lingual Timeline Extrac... | In this paper we present an approach to extr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5436 | 5437 | Mixture modeling on related samples by $ψ$-sti... | There has been great interest recently in ap... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5437 | 5438 | Optimal segmentation of directed graph and the... | The minimum feedback arc set problem asks to... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5438 | 5439 | Ensemble of Neural Classifiers for Scoring Kno... | This paper describes our approach for the tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5439 | 5440 | A Game-Theoretic Data-Driven Approach for Pseu... | In this paper, we present an efficient compu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5440 | 5441 | Nonsparse learning with latent variables | As a popular tool for producing meaningful a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5441 | 5442 | The Role of Network Analysis in Industrial and... | Many problems in industry --- and in the soc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5442 | 5443 | Automated Detection, Exploitation, and Elimina... | Double-fetch bugs are a special type of race... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5443 | 5444 | Fano resonances and fluorescence enhancement o... | We analytically study the spontaneous emissi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5444 | 5445 | Unoriented Spectral Triples | Any oriented Riemannian manifold with a Spin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5445 | 5446 | Gradient-enhanced kriging for high-dimensional... | Surrogate models provide a low computational... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5446 | 5447 | Contagion dynamics of extremist propaganda in ... | Recent terrorist attacks carried out on beha... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5447 | 5448 | Estimate exponential memory decay in Hidden Ma... | Inference in hidden Markov model has been ch... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5448 | 5449 | Fabrication of antenna-coupled KID array for C... | Kinetic Inductance Detectors (KIDs) have bec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5449 | 5450 | The biglasso Package: A Memory- and Computatio... | Penalized regression models such as the lass... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5450 | 5451 | Run-and-Inspect Method for Nonconvex Optimizat... | Many optimization algorithms converge to sta... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5451 | 5452 | Hierarchical Adversarially Learned Inference | We propose a novel hierarchical generative m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5452 | 5453 | Demonstration of a quantum key distribution ne... | We report the results of the implementation ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5453 | 5454 | ZhuSuan: A Library for Bayesian Deep Learning | In this paper we introduce ZhuSuan, a python... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5454 | 5455 | UntrimmedNets for Weakly Supervised Action Rec... | Current action recognition methods heavily r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5455 | 5456 | Flatness of Minima in Random Inflationary Land... | We study the likelihood which relative minim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5456 | 5457 | Deconvolutional Latent-Variable Model for Text... | A latent-variable model is introduced for te... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5457 | 5458 | Magneto-elastic coupling model of deformable a... | We develop a magneto-elastic (ME) coupling m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5458 | 5459 | Sparse Phase Retrieval via Sparse PCA Despite ... | We consider the problem of high-dimensional ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5459 | 5460 | Convex Optimization with Unbounded Nonconvex O... | We consider the problem of minimizing a conv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5460 | 5461 | Online $^{222}$Rn removal by cryogenic distill... | We describe the purification of xenon from t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5461 | 5462 | The Kite Graph is Determined by Its Adjacency ... | The Kite graph $Kite_{p}^{q}$ is obtained by... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5462 | 5463 | Matchability of heterogeneous networks pairs | We consider the problem of graph matchabilit... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5463 | 5464 | Visual Progression Analysis of Student Records... | University curriculum, both on a campus leve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5464 | 5465 | A Sparse Graph-Structured Lasso Mixed Model fo... | While linear mixed model (LMM) has shown a c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5465 | 5466 | Capacity Releasing Diffusion for Speed and Loc... | Diffusions and related random walk procedure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5466 | 5467 | Two-term spectral asymptotics for the Dirichle... | Continuing the series of works following Wey... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5467 | 5468 | Exact Good-Turing characterization of the two-... | Large sample size equivalence between the ce... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5468 | 5469 | Uniform deviation and moment inequalities for ... | We prove an exponential deviation inequality... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5469 | 5470 | On the Efficiency of Connection Charges---Part... | This two-part paper addresses the design of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5470 | 5471 | Simplified Gating in Long Short-term Memory (L... | The standard LSTM recurrent neural networks ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5471 | 5472 | Transition Jitter in Heat Assisted Magnetic Re... | In this paper we apply an extended Landau-Li... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5472 | 5473 | Complexity of human response delay in intermit... | Response delay is an inherent and essential ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5473 | 5474 | Algebraic cycles on some special hyperkähler v... | This note contains some examples of hyperkäh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5474 | 5475 | On recurrence in G-spaces | We introduce and analyze the following gener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5475 | 5476 | Deep adversarial neural decoding | Here, we present a novel approach to solve t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5476 | 5477 | Optimally Guarding 2-Reflex Orthogonal Polyhed... | We study the problem of guarding an orthogon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5477 | 5478 | Strongly regular decompositions and symmetric ... | For any positive integer $m$, the complete g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5478 | 5479 | Resilient Non-Submodular Maximization over Mat... | The control and sensing of large-scale syste... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5479 | 5480 | Tests for comparing time-invariant and time-va... | Based on periodogram-ratios of two univariat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5480 | 5481 | Temperley-Lieb and Birman-Murakami-Wenzl like ... | In this article we consider conditions under... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5481 | 5482 | A Nash Type result for Divergence Parabolic Eq... | In this paper we consider the divergence par... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5482 | 5483 | Wick order, spreadability and exchangeability ... | We exhibit a Hamel basis for the concrete $*... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5483 | 5484 | Visualizing Time-Varying Particle Flows with D... | The tasks of identifying separation structur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5484 | 5485 | Factorization tricks for LSTM networks | We present two simple ways of reducing the n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5485 | 5486 | Pure Rough Mereology and Counting | The study of mereology (parts and wholes) in... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5486 | 5487 | Relaxation of nonlinear elastic energies invol... | We start from a variational model for nemati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5487 | 5488 | A Scalable Framework for Acceleration of CNN T... | Deep Neural Networks (DNNs) have revolutioni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5488 | 5489 | Toward Incorporation of Relevant Documents in ... | Recent advances in neural word embedding pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5489 | 5490 | Randomized Load Balancing on Networks with Sto... | Iterative load balancing algorithms for indi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5490 | 5491 | The classification of Lagrangians nearby the W... | The Whitney immersion is a Lagrangian sphere... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5491 | 5492 | Simulation study of energy resolution, positio... | A simulation study of energy resolution, pos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5492 | 5493 | Multi-Round Influence Maximization (Extended V... | In this paper, we study the Multi-Round Infl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5493 | 5494 | Generalisation dynamics of online learning in ... | Deep neural networks achieve stellar general... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5494 | 5495 | Nonparametric Testing for Differences in Elect... | This work is motivated by the problem of tes... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5495 | 5496 | Dynamic coupling of ferromagnets via spin Hall... | The synchronized magnetization dynamics in f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5496 | 5497 | Exact Combinatorial Inference for Brain Images | The permutation test is known as the exact t... | 0 | 0 | 0 | 1 | 1 | 0 |
| 5497 | 5498 | Laser annealing heals radiation damage in aval... | Avalanche photodiodes (APDs) are a practical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5498 | 5499 | Bayesian Deep Convolutional Encoder-Decoder Ne... | We are interested in the development of surr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5499 | 5500 | A symmetric monoidal and equivariant Segal inf... | In [MMO] (arXiv:1704.03413), we reworked and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5500 | 5501 | Compact Convolutional Neural Networks for Clas... | Steady-State Visual Evoked Potentials (SSVEP... | 0 | 0 | 0 | 1 | 1 | 0 |
| 5501 | 5502 | Long-range proximity effect in Nb-based hetero... | Odd-frequency triplet Cooper pairs are belie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5502 | 5503 | ASK/PSK-correspondence and the r-map | We formulate a correspondence between affine... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5503 | 5504 | Trust Region Value Optimization using Kalman F... | Policy evaluation is a key process in reinfo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5504 | 5505 | Simplified Long Short-term Memory Recurrent Ne... | We present five variants of the standard Lon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5505 | 5506 | Contracts as specifications for dynamical syst... | This paper introduces assume/guarantee contr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5506 | 5507 | Visualizing the Phase-Space Dynamics of an Ext... | We map the phase-space trajectories of an ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5507 | 5508 | On decision regions of narrow deep neural netw... | We show that for neural network functions th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5508 | 5509 | An adelic arithmeticity theorem for lattices i... | We prove that, under mild assumptions, a lat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5509 | 5510 | Quadratic automaton algebras and intermediate ... | We present an example of a quadratic algebra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5510 | 5511 | Homotopy types of gauge groups related to $S^3... | Let $M_{l,m}$ be the total space of the $S^3... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5511 | 5512 | Optical quality assurance of GEM foils | An analysis software was developed for the h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5512 | 5513 | On the Global Continuity of the Roots of Famil... | We raise a question on the existence of cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5513 | 5514 | On Number of Rich Words | Any finite word $w$ of length $n$ contains a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5514 | 5515 | A Geometric Analysis of Power System Loadabili... | Understanding the feasible power flow region... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5515 | 5516 | Model Selection Confidence Sets by Likelihood ... | The traditional activity of model selection ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5516 | 5517 | Analysis of Dirichlet forms on graphs | In this thesis, we study connections between... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5517 | 5518 | Designing and building the mlpack open-source ... | mlpack is an open-source C++ machine learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5518 | 5519 | A Vietoris-Smale mapping theorem for the homot... | Results of Smale (1957) and Dugundji (1969) ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5519 | 5520 | Characterization of multivariate Bernoulli dis... | We express each Fréchet class of multivariat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5520 | 5521 | Note on character varieties and cluster algebras | We use Bonahon-Wong's trace map to study cha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5521 | 5522 | Privacy-Preserving Multi-Period Demand Respons... | We study a multi-period demand response prob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5522 | 5523 | An ALMA survey of submillimetre galaxies in th... | We determine the radio size distribution of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5523 | 5524 | Negative differential resistance and magnetore... | We investigate the transport properties of p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5524 | 5525 | Incremental Eigenpair Computation for Graph La... | The smallest eigenvalues and the associated ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5525 | 5526 | Audio-replay attack detection countermeasures | This paper presents the Speech Technology Ce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5526 | 5527 | Joint Scheduling and Transmission Power Contro... | In this paper, we study how to determine con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5527 | 5528 | Proceedings 15th International Conference on A... | The 15th International Conference on Automat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5528 | 5529 | Correlative cellular ptychography with functio... | Precise localization of nanoparticles within... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5529 | 5530 | A Dynamic-Adversarial Mining Approach to the S... | Operating in a dynamic real world environmen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5530 | 5531 | Software stage-effort estimation based on asso... | Relaying on early effort estimation to predi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5531 | 5532 | Phase Transitions in Approximate Ranking | We study the problem of approximate ranking ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5532 | 5533 | Finding Influential Training Samples for Gradi... | We address the problem of finding influentia... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5533 | 5534 | Vulnerability and co-susceptibility determine ... | In a network, a local disturbance can propag... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5534 | 5535 | Transfer learning for music classification and... | In this paper, we present a transfer learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5535 | 5536 | Dynamic Transition in Symbiotic Evolution Indu... | In a standard bifurcation of a dynamical sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5536 | 5537 | Scale-invariant magnetoresistance in a cuprate... | The anomalous metallic state in high-tempera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5537 | 5538 | Thermoelectric Devices: Principles and Future ... | The principles of the thermoelectric phenome... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5538 | 5539 | Exploring one particle orbitals in large Many-... | Strong disorder in interacting quantum syste... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5539 | 5540 | On transient waves in linear viscoelasticity | The aim of this paper is to present a compre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5540 | 5541 | Detection of an Optical Counterpart to the ALF... | We report on the detection at $>$98% confide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5541 | 5542 | Boosting the power factor with resonant states... | A particularly promising pathway to enhance ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5542 | 5543 | Activation cross-section data for alpha-partic... | Additional experimental cross sections were ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5543 | 5544 | Congestion-Aware Distributed Network Selection... | Intelligent network selection plays an impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5544 | 5545 | Deep Learning Based Large-Scale Automatic Sate... | High-resolution satellite imagery have been ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5545 | 5546 | Complexity of the Regularized Newton Method | Newton's method for finding an unconstrained... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5546 | 5547 | Quantifying Program Bias | With the range and sensitivity of algorithmi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5547 | 5548 | A Theory of Exoplanet Transits with Light Scat... | Exoplanet transit spectroscopy enables the c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5548 | 5549 | Tuning Majorana zero modes with temperature in... | We study a superconductor-normal state-super... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5549 | 5550 | A repulsive skyrmion chain as guiding track fo... | A skyrmion racetrack design is proposed that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5550 | 5551 | Compressive Sensing-Based Detection with Multi... | Detection with high dimensional multimodal d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5551 | 5552 | Factors in Recommending Contrarian Content on ... | Polarization is a troubling phenomenon that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5552 | 5553 | Generating the Log Law of the Wall with Superp... | Turbulence remains an unsolved multidiscipli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5553 | 5554 | Adaptive p-value weighting with power optimality | Weighting the p-values is a well-established... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5554 | 5555 | Topical homophily in online social systems | Understanding the dynamics of social interac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5555 | 5556 | Perceptual Context in Cognitive Hierarchies | Cognition does not only depend on bottom-up ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5556 | 5557 | Coherence for braided and symmetric pseudomonoids | Presentations for unbraided, braided and sym... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5557 | 5558 | Linear Optimal Power Flow Using Cycle Flows | Linear optimal power flow (LOPF) algorithms ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5558 | 5559 | Toward construction of a consistent field theo... | This article is a review by the authors conc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5559 | 5560 | The Exact Solution to Rank-1 L1-norm TUCKER2 D... | We study rank-1 {L1-norm-based TUCKER2} (L1-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5560 | 5561 | A Statistical Comparative Planetology Approach... | The search for habitable exoplanets and life... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5561 | 5562 | Fast Generation for Convolutional Autoregressi... | Convolutional autoregressive models have rec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5562 | 5563 | Variable domain N-linked glycosylation and neg... | Autoreactive B cells have a central role in ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5563 | 5564 | Periodic Airy process and equilibrium dynamics... | We establish an exact mapping between (i) th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5564 | 5565 | Quantum machine learning: a classical perspective | Recently, increased computational power and ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5565 | 5566 | Robot Assisted Tower Construction - A Resource... | Research on human-robot collaboration or hum... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5566 | 5567 | Counterexample Guided Inductive Optimization | This paper describes three variants of a cou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5567 | 5568 | Bounds for the difference between two Čebyšev ... | In this work, a generalization of pre-Grüss ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5568 | 5569 | Converting Your Thoughts to Texts: Enabling Br... | An electroencephalography (EEG) based Brain ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5569 | 5570 | Model Checking of Cache for WCET Analysis Refi... | On real-time systems running under timing co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5570 | 5571 | Rational Solutions of the Painlevé-II Equation... | The rational solutions of the Painlevé-II eq... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5571 | 5572 | PHAST: Protein-like heteropolymer analysis by ... | PHAST is a software package written in stand... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5572 | 5573 | An Information-Theoretic Analysis for Thompson... | Information-theoretic Bayesian regret bounds... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5573 | 5574 | Optimal portfolio selection in an Itô-Markov a... | We study a portfolio selection problem in a ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5574 | 5575 | SPIRITS: Uncovering Unusual Infrared Transient... | We present an ongoing, systematic search for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5575 | 5576 | Is the annual growth rate in balance of trade ... | We describe the Time Series Multivariate Ada... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5576 | 5577 | Sparse-View X-Ray CT Reconstruction Using $\el... | A major challenge in X-ray computed tomograp... | 1 | 1 | 0 | 1 | 0 | 0 |
| 5577 | 5578 | Adversarial classification: An adversarial ris... | Classification problems in security settings... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5578 | 5579 | Volume growth in the component of fibered twists | For a Liouville domain $W$ whose boundary ad... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5579 | 5580 | Scalar Reduction of a Neural Field Model with ... | We study a deterministic version of a one- a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5580 | 5581 | Revisiting Elementary Denotational Semantics | Operational semantics have been enormously s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5581 | 5582 | Dirac Composite Fermion - A Particle-Hole Spinor | The particle-hole (PH) symmetry at half-fill... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5582 | 5583 | Safe Adaptive Importance Sampling | Importance sampling has become an indispensa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5583 | 5584 | Secure Grouping Protocol Using a Deck of Cards | We consider a problem, which we call secure ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5584 | 5585 | Categorically closed topological groups | Let $\mathcal C$ be a subcategory of the cat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5585 | 5586 | Extracting significant signal of news consumpt... | According to the Eurobarometer report about ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5586 | 5587 | Annealed Generative Adversarial Networks | We introduce a novel framework for adversari... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5587 | 5588 | Attitude Control of Spacecraft Formations Subj... | This paper considers the problem of achievin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5588 | 5589 | Cloud Radiative Effect Study Using Sky Camera | The analysis of clouds in the earth's atmosp... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5589 | 5590 | On Testing Machine Learning Programs | Nowadays, we are witnessing a wide adoption ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5590 | 5591 | Scalable and Efficient Statistical Inference w... | The theory of statistical inference along wi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5591 | 5592 | Instability of pulses in gradient reaction-dif... | In a scalar reaction-diffusion equation, it ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5592 | 5593 | Consistency of the plug-in functional predicto... | New results on functional prediction of the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5593 | 5594 | Analysis of Sequence Polymorphism of LINEs and... | The goal of this dissertation is to study th... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5594 | 5595 | Classification of digital affine noncommutativ... | It is known that connected translation invar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5595 | 5596 | The vectorial Ribaucour transformation for sub... | We obtain a reduction of the vectorial Ribau... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5596 | 5597 | Social Networks through the Prism of Cognition | Human relations are driven by social events ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5597 | 5598 | Metriplectic Integrators for the Landau Collis... | We present a novel framework for addressing ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5598 | 5599 | Eliminating higher-multiplicity intersections ... | The $r$-fold analogues of Whitney trick were... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5599 | 5600 | Lagrangian Transport Through Surfaces in Compr... | A material-based, i.e., Lagrangian, methodol... | 1 | 1 | 1 | 0 | 0 | 0 |
| 5600 | 5601 | Manipulative Elicitation -- A New Attack on El... | Lu and Boutilier proposed a novel approach b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5601 | 5602 | Modeling The Intensity Function Of Point Proce... | Event sequence, asynchronously generated wit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5602 | 5603 | A note on relative amenable of finite von Neum... | Let $M$ be a finite von Neumann algebra (res... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5603 | 5604 | Powerful numbers in $(1^{\ell}+q^{\ell})(2^{\e... | Let $q$ be a positive integer. Recently, Niu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5604 | 5605 | LandmarkBoost: Efficient Visual Context Classi... | The growing popularity of autonomous systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5605 | 5606 | On stably trivial spin torsors over low-dimens... | The paper discusses stably trivial torsors f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5606 | 5607 | On the relation between dependency distance, c... | Liu et al. (2017) provide a comprehensive ac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5607 | 5608 | Edge Erasures and Chordal Graphs | We prove several results about chordal graph... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5608 | 5609 | One-dimensional plasmonic hotspots located bet... | Hotspots of surface-enhanced resonance Raman... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5609 | 5610 | An efficient methodology for the analysis and ... | Complex computer codes are often too time ex... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5610 | 5611 | Knowledge Adaptation: Teaching to Adapt | Domain adaptation is crucial in many real-wo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5611 | 5612 | A Datamining Approach for Emotions Extraction ... | Microblogging sites are the direct platform ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5612 | 5613 | Local Nonparametric Estimation for Second-Orde... | This paper discusses the local linear smooth... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5613 | 5614 | Ergodic actions of the compact quantum group $... | Among the ergodic actions of a compact quant... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5614 | 5615 | On Vector ARMA Models Consistent with a Finite... | We formulate the so called "VARMA covariance... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5615 | 5616 | Edge states in non-Fermi liquids | We devise an approach to the calculation of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5616 | 5617 | RobustFill: Neural Program Learning under Nois... | The problem of automatically generating a co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5617 | 5618 | Review of flexible and transparent thin-film t... | Flexible and transparent electronics present... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5618 | 5619 | Updated physics design of the DAEdALUS and Iso... | The Decay-At-rest Experiment for delta-CP vi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5619 | 5620 | Scalable Gaussian Process Computations Using H... | We present a kernel-independent method that ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5620 | 5621 | Evolutionary Data Systems | Anyone in need of a data system today is con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5621 | 5622 | Optimal Learning for Sequential Decision Makin... | We consider the problem of sequentially maki... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5622 | 5623 | Determination of hysteresis in finite-state ra... | Consider the problem of modeling hysteresis ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 5623 | 5624 | Moyennes effectives de fonctions multiplicativ... | We establish effective mean-value estimates ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5624 | 5625 | Magnetic Excitations and Continuum of a Field-... | We report on terahertz spectroscopy of quant... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5625 | 5626 | Wireless Network-Level Partial Relay Cooperati... | In this work, we study the benefit of partia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5626 | 5627 | Improving Development Practices through Experi... | Test-Driven Development (TDD), an agile deve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5627 | 5628 | An explicit Gross-Zagier formula related to th... | Let $p\equiv 4,7\mod 9$ be a rational prime ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5628 | 5629 | Case Studies of Exocomets in the System of HD ... | The aim of our study is to investigate the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5629 | 5630 | 3D ab initio modeling in cryo-EM by autocorrel... | Single-Particle Reconstruction (SPR) in Cryo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5630 | 5631 | Reinforcement Learning with a Corrupted Reward... | No real-world reward function is perfect. Se... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5631 | 5632 | Divisor-sum fibers | Let $s(\cdot)$ denote the sum-of-proper-divi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5632 | 5633 | New zirconium hydrides predicted by structure ... | The formation of precipitated zirconium (Zr)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5633 | 5634 | Exchange striction driven magnetodielectric ef... | CaOFeS is a semiconducting oxysulfide with p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5634 | 5635 | Studying Magnetic Fields using Low-frequency P... | Low-frequency polarisation observations of p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5635 | 5636 | Two-sided Facility Location | Recent years have witnessed the rise of many... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5636 | 5637 | Optimal hedging under fast-varying stochastic ... | In a market with a rough or Markovian mean-r... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5637 | 5638 | Personal Food Computer: A new device for contr... | Due to their interdisciplinary nature, devic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5638 | 5639 | Quenched Noise and Nonlinear Oscillations in B... | Nonlinear oscillators are a key modelling to... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5639 | 5640 | Multi-Layer Convolutional Sparse Modeling: Pur... | The recently proposed Multi-Layer Convolutio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5640 | 5641 | Coble's group and the integrability of the Gos... | This paper considers the planar figure of a ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5641 | 5642 | Latent Hinge-Minimax Risk Minimization for Inf... | Deep Learning (DL) methods show very good pe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5642 | 5643 | Autonomous Vehicle Speed Control for Safe Navi... | Both humans and the sensors on an autonomous... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5643 | 5644 | Statistical inference methods for cumulative i... | Competing risks data arise frequently in cli... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5644 | 5645 | Information Perspective to Probabilistic Model... | We compare and contrast the statistical phys... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5645 | 5646 | A Cofibration Category on Closure Spaces | We construct a cofibration category structur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5646 | 5647 | XSAT of Linear CNF Formulas | Open questions with respect to the computati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5647 | 5648 | Drone Squadron Optimization: a Self-adaptive A... | This paper proposes Drone Squadron Optimizat... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5648 | 5649 | A Downsampled Variant of ImageNet as an Altern... | The original ImageNet dataset is a popular l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5649 | 5650 | Stability of Conditional Sequential Monte Carlo | The particle Gibbs (PG) sampler is a Markov ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5650 | 5651 | Diffusion along chains of normally hyperbolic ... | The present paper is part of a series of art... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5651 | 5652 | Multi-wavelength Spectral Analysis of Ellerman... | Ellerman bombs (EBs) are a kind of solar act... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5652 | 5653 | Numerical study of the Kadomtsev--Petviashvili... | A detailed numerical study of the long time ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5653 | 5654 | Asymptotic power of Rao's score test for indep... | Let ${\bf R}$ be the Pearson correlation mat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5654 | 5655 | Sensing and Modeling Human Behavior Using Soci... | In the past years we have witnessed the emer... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5655 | 5656 | Interior transmission eigenvalue problems on c... | In this paper, we consider an interior trans... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5656 | 5657 | A superpolynomial lower bound for the size of ... | Unambiguous non-deterministic finite automat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5657 | 5658 | Taxonomy Induction using Hypernym Subsequences | We propose a novel, semi-supervised approach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5658 | 5659 | Identifying Clickbait Posts on Social Media wi... | The purpose of a clickbait is to make a link... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5659 | 5660 | WYS*: A DSL for Verified Secure Multi-party Co... | Secure multi-party computation (MPC) enables... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5660 | 5661 | Probabilities of causation of climate changes | Multiple changes in Earth's climate system h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5661 | 5662 | A Realistic Dataset for the Smart Home Device ... | The field of Distributed Constraint Optimiza... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5662 | 5663 | The extra scalar degrees of freedom from the t... | In principle a minimal extension of the stan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5663 | 5664 | Closing the Sim-to-Real Loop: Adapting Simulat... | We consider the problem of transferring poli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5664 | 5665 | Revisiting Simple Neural Networks for Learning... | We address the problem of learning vector re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5665 | 5666 | On the tail behavior of a class of multivariat... | Conditions for geometric ergodicity of multi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5666 | 5667 | On the Complexity of Detecting Convexity over ... | It has recently been shown that the problem ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5667 | 5668 | Variance-Reduced Stochastic Learning under Ran... | Several useful variance-reduced stochastic g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5668 | 5669 | CELIO: An application development framework fo... | Developing applications for interactive spac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5669 | 5670 | Single Iteration Conditional Based DSE Conside... | The increasing complexity of distribution ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5670 | 5671 | Enhanced Network Embeddings via Exploiting Edg... | Network embedding methods aim at learning lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5671 | 5672 | Virtual Constraints and Hybrid Zero Dynamics f... | Underactuation is ubiquitous in human locomo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5672 | 5673 | Selective insulators and anomalous responses i... | We study a three-component fermionic fluid i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5673 | 5674 | Computation of optimal transport and related h... | This paper presents a widely applicable appr... | 0 | 0 | 0 | 1 | 0 | 1 |
| 5674 | 5675 | Active particles in periodic lattices | Both natural and artificial small-scale swim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5675 | 5676 | First measeurements in search for keV-sterile ... | We present the first measurements of tritium... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5676 | 5677 | Fractional Abelian topological phases of matte... | These notes constitute chapter 7 from "l'Eco... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5677 | 5678 | A new construction of universal spaces for asy... | For each $n$, we construct a separable metri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5678 | 5679 | A Comprehensive Framework for Dynamic Bike Reb... | Bike sharing is a vital component of a moder... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5679 | 5680 | On Thin Air Reads: Towards an Event Structures... | To model relaxed memory, we propose confusio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5680 | 5681 | Tensor ring decomposition | Tensor decompositions such as the canonical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5681 | 5682 | Combining Information from Multiple Forecaster... | Even though the forecasting literature agree... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5682 | 5683 | QCD-Aware Recursive Neural Networks for Jet Ph... | Recent progress in applying machine learning... | 0 | 1 | 0 | 1 | 0 | 0 |
| 5683 | 5684 | A conjecture on $C$-matrices of cluster algebras | For a skew-symmetrizable cluster algebra $\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5684 | 5685 | Attacking Similarity-Based Link Prediction in ... | Link prediction is one of the fundamental pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5685 | 5686 | On algebraic branching programs of small width | In 1979 Valiant showed that the complexity c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5686 | 5687 | A lightweight thermal heat switch for redundan... | A previously designed cryogenic thermal heat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5687 | 5688 | Fast Automatic Smoothing for Generalized Addit... | Multiple generalized additive models (GAMs) ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5688 | 5689 | Stabilization and control of Majorana bound st... | We show that elongated magnetic skyrmions ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5689 | 5690 | Meromorphic functions with small Schwarzian de... | We consider the family of all meromorphic fu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5690 | 5691 | Measure-geometric Laplacians for discrete dist... | In 2002 Freiberg and Zähle introduced and de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5691 | 5692 | Optimal heat transfer and optimal exit times | A heat exchanger can be modeled as a closed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5692 | 5693 | A Semantics Comparison Workbench for a Concurr... | A number of high-level languages and librari... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5693 | 5694 | Simulating Linear Logic in 1-Only Linear Logic | Linear Logic was introduced by Girard as a r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5694 | 5695 | Adaptive Network Coding Schemes for Satellite ... | In this paper, we propose two novel physical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5695 | 5696 | A Symbolic Computation Framework for Constitut... | The entropy principle in the formulation of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5696 | 5697 | Measuring bot and human behavioral dynamics | Bots, social media accounts controlled by so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5697 | 5698 | Optimal control of elliptic equations with pos... | Optimal control problems without control cos... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5698 | 5699 | Beyond Word Embeddings: Learning Entity and Co... | Text representations using neural word embed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5699 | 5700 | Fraunhofer diffraction at the two-dimensional ... | A two-dimensional (2D) mathematical model of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5700 | 5701 | High order surface radiation conditions for ti... | We formulate a new family of high order on-s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5701 | 5702 | Probabilistic PARAFAC2 | The PARAFAC2 is a multimodal factor analysis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5702 | 5703 | Quantizing Euclidean motions via double-coset ... | Concepts from mathematical crystallography a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5703 | 5704 | Evolutionary Stability of Reputation Managemen... | Each participant in peer-to-peer network pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5704 | 5705 | A Study of FOSS'2013 Survey Data Using Cluster... | FOSS is an acronym for Free and Open Source ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5705 | 5706 | Intermetallic Nanocrystals: Syntheses and Cata... | At the forefront of nanochemistry, there exi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5706 | 5707 | Linear-scaling electronic structure theory: El... | Linear-scaling electronic structure methods ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5707 | 5708 | Characterizing the 2016 Russian IRA Influence ... | Until recently, social media were seen to pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5708 | 5709 | Nonlinear Mapping Convergence and Application ... | This paper discusses discrete-time maps of t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5709 | 5710 | Correlating Cellular Features with Gene Expres... | To understand the biology of cancer, joint a... | 0 | 0 | 0 | 1 | 1 | 0 |
| 5710 | 5711 | Links with nontrivial Alexander polynomial whi... | We give infinitely many $2$-component links ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5711 | 5712 | Shape optimization in laminar flow with a labe... | Computational design optimization in fluid d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5712 | 5713 | An Empirical Analysis of Vulnerabilities in Py... | This paper examines software vulnerabilities... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5713 | 5714 | A combination chaotic system and application i... | In this paper, by using Logistic, Sine and T... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5714 | 5715 | A Hybrid MILP and IPM for Dynamic Economic Dis... | Dynamic economic dispatch with valve-point e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5715 | 5716 | Using Big Data Technologies for HEP Analysis | The HEP community is approaching an era were... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5716 | 5717 | Predicting non-linear dynamics by stable local... | Brains need to predict how the body reacts t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5717 | 5718 | Adaptive Exploration-Exploitation Tradeoff for... | In this paper, we propose and study opportun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5718 | 5719 | A Quantile Estimate Based on Local Curve Fitting | Quantile estimation is a problem presented i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5719 | 5720 | Diagnosing added value of convection-permittin... | Dynamical downscaling with high-resolution r... | 0 | 1 | 0 | 1 | 0 | 0 |
| 5720 | 5721 | An integral formula for Riemannian $G$-structu... | For a Riemannian $G$-structure, we compute t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5721 | 5722 | Putin's peaks: Russian election data revisited | We study the anomalous prevalence of integer... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5722 | 5723 | On rate of convergence in non-central limit th... | The main result of this paper is the rate of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5723 | 5724 | Optimal Output Regulation for Square, Over-Act... | This paper considers two different problems ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5724 | 5725 | Pattern recognition techniques for Boson Sampl... | The difficulty of validating large-scale qua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5725 | 5726 | Conformal k-NN Anomaly Detector for Univariate... | Anomalies in time-series data give essential... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5726 | 5727 | Applications of Trajectory Data from the Persp... | Transportation agencies have an opportunity ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5727 | 5728 | Towards the dual motivic Steenrod algebra in p... | The dual motivic Steenrod algebra with mod $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5728 | 5729 | Toeplitz Quantization and Convexity | Let $T^m_f $ be the Toeplitz quantization of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5729 | 5730 | The Paulsen Problem, Continuous Operator Scali... | The Paulsen problem is a basic open problem ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5730 | 5731 | On architectural choices in deep learning: Fro... | We study mechanisms to characterize how the ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5731 | 5732 | Iron Snow in the Martian Core? | The decline of Mars' global magnetic field s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5732 | 5733 | Motion Segmentation via Global and Local Spars... | In this paper, we propose a new framework fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5733 | 5734 | Topological strings linking with quasi-particl... | We demonstrate a topological classification ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5734 | 5735 | Self-Imitation Learning | This paper proposes Self-Imitation Learning ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5735 | 5736 | Controllability to Equilibria of the 1-D Fokke... | We consider the problem of controlling the s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5736 | 5737 | Buy your coffee with bitcoin: Real-world deplo... | In this paper we discuss existing approaches... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5737 | 5738 | Tackling non-linearities with the effective fi... | We present the extension of the effective fi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5738 | 5739 | A recommender system to restore images with im... | We build a collaborative filtering recommend... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5739 | 5740 | A Parallel Simulator for Massive Reservoir Mod... | This paper presents our work on developing p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5740 | 5741 | Bifurcation structure of cavity soliton dynami... | We consider a wide-aperture surface-emitting... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5741 | 5742 | Early warning signal for interior crises in ex... | The ability to reliably predict critical tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5742 | 5743 | Harmonic Mean Iteratively Reweighted Least Squ... | We propose a new iteratively reweighted leas... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5743 | 5744 | The Italian Pension Gap: a Stochastic Optimal ... | We study the gap between the state pension p... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5744 | 5745 | Immigration-induced phase transition in a regu... | Power-law-distributed species counts or clon... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5745 | 5746 | Nanoscale assembly of superconducting vortices... | Vortices play a crucial role in determining ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5746 | 5747 | STACCATO: A Novel Solution to Supernova Photom... | We present a new solution to the problem of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5747 | 5748 | Coupling of multiscale and multi-continuum app... | Simulating complex processes in fractured me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5748 | 5749 | Spaces which invert weak homotopy equivalences | It is well known that if $X$ is a CW-complex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5749 | 5750 | Minimal surfaces in the 3-sphere by desingular... | For each integer $k \geq 2$, we apply gluing... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5750 | 5751 | Results from EDGES High-Band: I. Constraints o... | We report constraints on the global $21$ cm ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5751 | 5752 | Novel paradigms for advanced distribution grid... | The electricity distribution grid was not de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5752 | 5753 | Uniformly Bounded Sets in Quasiperiodically Fo... | This paper addresses structures of state spa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5753 | 5754 | Understand Functionality and Dimensionality of... | Vector embedding is a foundational building ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5754 | 5755 | Strongly correlated one-dimensional Bose-Fermi... | We consider multi-component quantum mixtures... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5755 | 5756 | Joint Pose and Principal Curvature Refinement ... | In this paper we present a novel joint appro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5756 | 5757 | Stable basic sets for finite special linear an... | In this paper we show, using Deligne-Lusztig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5757 | 5758 | Correspondences without a Core | We study the formal properties of correspond... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5758 | 5759 | Oxidative species-induced excitonic transport ... | Oxidative stress is a pathological hallmark ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5759 | 5760 | On radial Schroedinger operators with a Coulom... | This paper presents a thorough analysis of 1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5760 | 5761 | Extrema-weighted feature extraction for functi... | Motivation: Although there is a rich literat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5761 | 5762 | A representation theorem for stochastic proces... | Many applications require stochastic process... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5762 | 5763 | Facial Recognition Enabled Smart Door Using Mi... | Privacy and Security are two universal right... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5763 | 5764 | Veamy: an extensible object-oriented C++ libra... | This paper summarizes the development of Vea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5764 | 5765 | Composition by Conversation | Most musical programming languages are devel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5765 | 5766 | Electrostatic and induction effects in the sol... | Experiments show that at 298~K and 1 atm pre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5766 | 5767 | Impact of theoretical priors in cosmological a... | We investigate the impact of general conditi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5767 | 5768 | Spin tracking of polarized protons in the Main... | The Main Injector (MI) at Fermilab currently... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5768 | 5769 | Wormholes and masses for Goldstone bosons | There exist non-trivial stationary points of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5769 | 5770 | A class of states supporting diffusive spin dy... | The spin transport in isotropic Heisenberg m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5770 | 5771 | Learning to Invert: Signal Recovery via Deep C... | The promise of compressive sensing (CS) has ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5771 | 5772 | Multi-message Authentication over Noisy Channe... | In this paper, we investigate multi-message ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5772 | 5773 | The Garden of Eden theorem: old and new | We review topics in the theory of cellular a... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5773 | 5774 | Bosonization in Non-Relativistic CFTs | We demonstrate explicitly the correspondence... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5774 | 5775 | Learning latent representations for style cont... | In this paper, we introduce the Variational ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5775 | 5776 | Directed negative-weight percolation | We consider a directed variant of the negati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5776 | 5777 | Integrating Lipschitzian Dynamical Systems usi... | In this article we analyze a generalized tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5777 | 5778 | Effects of Planetesimal Accretion on the Therm... | A remarkable discovery of NASA's Kepler miss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5778 | 5779 | Estimation bounds and sharp oracle inequalitie... | We obtain estimation error rates and sharp o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5779 | 5780 | On closed Lie ideals of certain tensor product... | For a simple $C^*$-algebra $A$ and any other... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5780 | 5781 | On the Chemistry of the Young Massive Protoste... | We present the first gas-grain astrochemical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5781 | 5782 | Uniform Consistency in Stochastic Block Model ... | \cite{bickel2009nonparametric} developed a g... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5782 | 5783 | Fine-scale population structure analysis in Ar... | In the last decades, dispersal studies have ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5783 | 5784 | Fast transforms over finite fields of characte... | An additive fast Fourier transform over a fi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5784 | 5785 | Universality of group embeddability | Working in the framework of Borel reducibili... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5785 | 5786 | Plenoptic Monte Carlo Object Localization for ... | In order to fully function in human environm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5786 | 5787 | CUR Decompositions, Similarity Matrices, and S... | A general framework for solving the subspace... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5787 | 5788 | Approximating Geometric Knapsack via L-packings | We study the two-dimensional geometric knaps... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5788 | 5789 | Impact and mitigation strategy for future sola... | It is widely established that extreme space ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5789 | 5790 | Empirical Bayes Matrix Completion | We develop an empirical Bayes (EB) algorithm... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5790 | 5791 | Excitonic Instability and Pseudogap Formation ... | Electron correlation effects are studied in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5791 | 5792 | The Riemannian Geometry of Deep Generative Models | Deep generative models learn a mapping from ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5792 | 5793 | Portable, high-performance containers for HPC | Building and deploying software on high-end ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5793 | 5794 | Learning a Deep Convolution Network with Turin... | Adversarially trained deep neural networks h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5794 | 5795 | Quantum dynamics of a hydrogen-like atom in a ... | We consider a hydrogen atom confined in time... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5795 | 5796 | Richardson's solutions in the real- and comple... | The constant pairing Hamiltonian holds exact... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5796 | 5797 | Complexity Results for MCMC derived from Quant... | This paper considers how to obtain MCMC quan... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5797 | 5798 | Symmetries and regularity for holomorphic maps... | Let $f:{\mathbb B}^n \to {\mathbb B}^N$ be a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5798 | 5799 | On the treatment of $\ell$-changing proton-hyd... | Energy-conserving, angular momentum-changing... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5799 | 5800 | Complex Economic Activities Concentrate in Lar... | Why do some economic activities agglomerate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5800 | 5801 | A 588 Gbps LDPC Decoder Based on Finite-Alphab... | An ultra-high throughput low-density parity ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5801 | 5802 | On q-analogues of quadratic Euler sums | In this paper we define the generalized q-an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5802 | 5803 | An iterative aggregation and disaggregation ap... | A mapping of the process on a continuous con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5803 | 5804 | Reynolds number dependence of the structure fu... | We compare the predictions of stochastic clo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5804 | 5805 | Power and Energy-efficiency Roofline Model for... | Energy consumption has been a great deal of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5805 | 5806 | Equivalence of estimates on domain and its bou... | Let $\Omega$ be a pseudoconvex domain in $\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5806 | 5807 | Waveform and Spectrum Management for Unmanned ... | The application domains of civilian unmanned... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5807 | 5808 | Mining Public Opinion about Economic Issues: T... | Opinion polls have been the bridge between p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5808 | 5809 | The igus Humanoid Open Platform: A Child-sized... | The use of standard robotic platforms can ac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5809 | 5810 | Sports stars: analyzing the performance of ast... | In this data-rich era of astronomy, there is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5810 | 5811 | Chimera states in complex networks: interplay ... | Chimera states are an example of intriguing ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5811 | 5812 | Dense 3D Facial Reconstruction from a Single D... | With the increasing demands of applications ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5812 | 5813 | Concentration phenomena for a fractional Schrö... | In this paper we deal with the multiplicity ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5813 | 5814 | Inferactive data analysis | We describe inferactive data analysis, so-na... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5814 | 5815 | Promising Accurate Prefix Boosting for sequenc... | In this paper, we present promising accurate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5815 | 5816 | Tunable GMM Kernels | The recently proposed "generalized min-max" ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5816 | 5817 | Synchrotron radiation induced magnetization in... | Quantum mechanics postulates that any measur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5817 | 5818 | The linear nature of pseudowords | Given a pseudoword over suitable pseudovarie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5818 | 5819 | Health Care Expenditures, Financial Stability,... | This paper examines the association between ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5819 | 5820 | Improved estimates for polynomial Roth type th... | We prove that, under certain conditions on t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5820 | 5821 | Molecules cooled below the Doppler limit | The ability to cool atoms below the Doppler ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5821 | 5822 | On purely generated $α$-smashing weight struct... | This paper is dedicated to new methods of co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5822 | 5823 | Evaluating Overfit and Underfit in Models of N... | A common data mining task on networks is com... | 1 | 0 | 0 | 1 | 1 | 0 |
| 5823 | 5824 | Named Entity Evolution Recognition on the Blog... | Advancements in technology and culture lead ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5824 | 5825 | Truncated Cramér-von Mises test of normality | A new test of normality based on a standardi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5825 | 5826 | Bayesian fairness | We consider the problem of how decision maki... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5826 | 5827 | A boundary integral equation method for mode e... | We consider the bi-Laplacian eigenvalue prob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5827 | 5828 | Noether's Problem on Semidirect Product Groups | Let $K$ be a field, $G$ a finite group. Let ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5828 | 5829 | A note on the uniqueness of models in social a... | Social abstract argumentation is a principle... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5829 | 5830 | On Optimal Generalizability in Parametric Lear... | We consider the parametric learning problem,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5830 | 5831 | A Neural Language Model for Dynamically Repres... | This study addresses the problem of identify... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5831 | 5832 | Bounds on the Size and Asymptotic Rate of Subb... | The study of subblock-constrained codes has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5832 | 5833 | Extreme values of the Riemann zeta function on... | We prove that there are arbitrarily large va... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5833 | 5834 | Robust two-qubit gates in a linear ion crystal... | In an ion trap quantum computer, collective ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5834 | 5835 | Symbolic Versus Numerical Computation and Visu... | We investigate models of the mitogenactivate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5835 | 5836 | Computer Self-efficacy and Its Relationship wi... | The University of the East Web Portal is an ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5836 | 5837 | Normal forms of dispersive scalar Poisson brac... | We classify the dispersive Poisson brackets ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5837 | 5838 | A Liouville theorem for indefinite fractional ... | In this work we obtain a Liouville theorem f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5838 | 5839 | Semiparametric Contextual Bandits | This paper studies semiparametric contextual... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5839 | 5840 | Robustness of Quantum-Enhanced Adaptive Phase ... | As all physical adaptive quantum-enhanced me... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5840 | 5841 | Six operations formalism for generalized operads | This paper shows that generalizations of ope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5841 | 5842 | How Complex is your classification problem? A ... | Extracting characteristics from the training... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5842 | 5843 | Constraining Dark Energy Dynamics in Extended ... | Dynamical dark energy has been recently sugg... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5843 | 5844 | Evaluation of matrix factorisation approaches ... | The muscle synergy concept provides a widely... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5844 | 5845 | Comparison of two classifications of a class o... | Two classifications of second order ODE's cu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5845 | 5846 | Learning linear structural equation models in ... | The problem of learning structural equation ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5846 | 5847 | On Bousfield's problem for solvable groups of ... | For a group $G$ and $R=\mathbb Z,\mathbb Z/p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5847 | 5848 | Approximate Analytical Solution of a Cancer Im... | Immunotherapy plays a major role in tumour t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5848 | 5849 | Point-hyperplane frameworks, slider joints, an... | A one-to-one correspondence between the infi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5849 | 5850 | Spectrum of signless 1-Laplacian on simplicial... | We first develop a general framework for sig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5850 | 5851 | Inter-Area Oscillation Damping With Non-Synchr... | One of the major issues in an interconnected... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5851 | 5852 | Genetic Algorithms for Evolving Computer Chess... | This paper demonstrates the use of genetic a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5852 | 5853 | Low-cost Autonomous Navigation System Based on... | This work presents a low-cost robot, control... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5853 | 5854 | NVIDIA Tensor Core Programmability, Performanc... | The NVIDIA Volta GPU microarchitecture intro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5854 | 5855 | A spectroscopic survey of Orion KL between 41.... | Orion KL is one of the most frequently obser... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5855 | 5856 | Restricted Boltzmann Machines for Robust and F... | We address the problem of latent truth disco... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5856 | 5857 | Effects of the Mach number on the evolution of... | We investigate the evolution of vortex-surfa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5857 | 5858 | Above-threshold ionization (ATI) in multicente... | A possible route to extract electronic and n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5858 | 5859 | Detailed, accurate, human shape estimation fro... | We address the problem of estimating human p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5859 | 5860 | The Picard groups for unital inclusions of uni... | We shall introduce the notion of the Picard ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5860 | 5861 | Generic Singularities of 3D Piecewise Smooth D... | The aim of this paper is to provide a discus... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5861 | 5862 | A Big Data Analysis Framework Using Apache Spa... | With the spreading prevalence of Big Data, m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5862 | 5863 | Multi-Layer Generalized Linear Estimation | We consider the problem of reconstructing a ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 5863 | 5864 | The Trace and the Mass of subcritical GJMS Ope... | Let $L_g$ be the subcritical GJMS operator o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5864 | 5865 | Two-photon imaging assisted by a dynamic rando... | Random scattering is usually viewed as a ser... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5865 | 5866 | Global Robustness Evaluation of Deep Neural Ne... | Deployment of deep neural networks (DNNs) in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5866 | 5867 | Evolution of an eroding cylinder in single and... | The coupled evolution of an eroding cylinder... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5867 | 5868 | FLAME: A Fast Large-scale Almost Matching Exac... | A classical problem in causal inference is t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5868 | 5869 | Stochastic Primal-Dual Hybrid Gradient Algorit... | We propose a stochastic extension of the pri... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5869 | 5870 | Improving Regret Bounds for Combinatorial Semi... | We study combinatorial multi-armed bandit wi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5870 | 5871 | Multiscale Hierarchical Convolutional Networks | Deep neural network algorithms are difficult... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5871 | 5872 | Caveats for information bottleneck in determin... | Information bottleneck (IB) is a method for ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5872 | 5873 | Monte Carlo Simulation of Charge Transport in ... | Simulations of charge transport in graphene ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5873 | 5874 | Embedded-Graph Theory | In this paper, we propose a new type of grap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5874 | 5875 | A duality principle for the multi-block entang... | The analysis of the entanglement entropy of ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5875 | 5876 | Game Efficiency through Linear Programming Dua... | The efficiency of a game is typically quanti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5876 | 5877 | An Equation-By-Equation Method for Solving the... | An equation-by-equation (EBE) method is prop... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5877 | 5878 | On reductions of the discrete Kadomtsev--Petvi... | The reduction by restricting the spectral pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5878 | 5879 | Exploring the Space of Black-box Attacks on De... | Existing black-box attacks on deep neural ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5879 | 5880 | Convergence diagnostics for stochastic gradien... | Many iterative procedures in stochastic opti... | 1 | 0 | 1 | 1 | 0 | 0 |
| 5880 | 5881 | Strong Khovanov-Floer Theories and Functoriality | We provide a unified framework for proving R... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5881 | 5882 | Formal Verification of Neural Network Controll... | In this paper, we consider the problem of fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5882 | 5883 | Nonvanishing of central $L$-values of Maass forms | With the method of moments and the mollifica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5883 | 5884 | A Universally Optimal Multistage Accelerated S... | We study the problem of minimizing a strongl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5884 | 5885 | Radio Observation of Venus at Meter Wavelength... | The Venusian surface has been studied by mea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5885 | 5886 | Measurements of the depth of maximum of air-sh... | Air-showers measured by the Pierre Auger Obs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5886 | 5887 | Softmax Q-Distribution Estimation for Structur... | Reward augmented maximum likelihood (RAML), ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5887 | 5888 | Vision-based Autonomous Landing in Catastrophe... | Unmanned Aerial Vehicles (UAVs) equipped wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5888 | 5889 | Data-Driven Sparse Sensor Placement for Recons... | Optimal sensor placement is a central challe... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5889 | 5890 | Fast trimers in one-dimensional extended Fermi... | We consider a one-dimensional two component ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5890 | 5891 | A Geometric Approach for Real-time Monitoring ... | The monitoring of large dynamic networks is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5891 | 5892 | On general $(α, β)$-metrics of weak Landsberg ... | In this paper, we study general $(\alpha,\be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5892 | 5893 | An Intersectional Definition of Fairness | We introduce a measure of fairness for algor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5893 | 5894 | Technological Parasitism | Technological parasitism is a new theory to ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5894 | 5895 | On the sample mean after a group sequential trial | A popular setting in medical statistics is a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5895 | 5896 | A New UGV Teleoperation Interface for Improved... | A reliable wireless connection between the o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5896 | 5897 | Practical Integer-to-Binary Mapping for Quantu... | Recent advancements in quantum annealing har... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5897 | 5898 | Nonequilibrium entropic bounds for Darwinian r... | Life evolved on our planet by means of a com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5898 | 5899 | Cluster decomposition of full configuration in... | Approximate full configuration interaction (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5899 | 5900 | Possible Quasi-Periodic modulation in the z = ... | We search for $\gamma$-ray and optical perio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5900 | 5901 | Comment on Jackson's analysis of electric char... | In J.D. Jackson's Classical Electrodynamics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5901 | 5902 | Study of charged hadron multiplicities in char... | The OPERA experiment was designed to search ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5902 | 5903 | On the coefficients of the Alekseev Torossian ... | This paper explains a method to calculate th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5903 | 5904 | Exact spectral decomposition of a time-depende... | We determine the exact time-dependent non-id... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5904 | 5905 | A short variational proof of equivalence betwe... | Two main families of reinforcement learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5905 | 5906 | Non-parametric Message Important Measure: Stor... | Storage and transmission in big data are dis... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5906 | 5907 | Graphene and its elemental analogue: A molecul... | Graphene and some graphene like two dimensio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5907 | 5908 | Learning Synergies between Pushing and Graspin... | Skilled robotic manipulation benefits from c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5908 | 5909 | A Versatile Approach to Evaluating and Testing... | Evaluation and validation of complicated con... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5909 | 5910 | Decoupled Access-Execute on ARM big.LITTLE | Energy-efficiency plays a significant role g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5910 | 5911 | Closure structures parameterized by systems of... | We study properties of classes of closure op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5911 | 5912 | High Isolation Improvement in a Compact UWB MI... | A compact multiple-input-multiple-output (MI... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5912 | 5913 | Identifying and Alleviating Concept Drift in S... | Tensor decompositions are used in various da... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5913 | 5914 | Handling Adversarial Concept Drift in Streamin... | Classifiers operating in a dynamic, real wor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5914 | 5915 | Real intersection homology | We present a definition of intersection homo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5915 | 5916 | High Contrast Observations of Bright Stars wit... | Starshades are a leading technology to enabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5916 | 5917 | Unconstrained inverse quadratic programming pr... | The paper covers a formulation of the invers... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5917 | 5918 | Families of Thue equations associated with a r... | Twisting a binary form $F_0(X,Y)\in{\mathbb{... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5918 | 5919 | On Defects Between Gapped Boundaries in Two-Di... | Defects between gapped boundaries provide a ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5919 | 5920 | Arbitrary order 2D virtual elements for polygo... | The present paper is the second part of a tw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5920 | 5921 | Reconstruction of Hidden Representation for Ro... | This paper aims to develop a new and robust ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5921 | 5922 | HONE: Higher-Order Network Embeddings | This paper describes a general framework for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5922 | 5923 | Cosmological Evolution and Exact Solutions in ... | A fourth-order theory of gravity is consider... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5923 | 5924 | Linear Progress with Exponential Decay in Weak... | A random walk $w_n$ on a separable, geodesic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5924 | 5925 | Talbot-enhanced, maximum-visibility imaging of... | Nearly two centuries ago Talbot first observ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5925 | 5926 | A numerical study of the F-model with domain-w... | We perform a numerical study of the F-model ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5926 | 5927 | Visualizing the Loss Landscape of Neural Nets | Neural network training relies on our abilit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5927 | 5928 | Hydrogen bonding characterization in water and... | The prototypical Hydrogen bond in water dime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5928 | 5929 | A Calculus of Truly Concurrent Mobile Processes | We make a mixture of Milner's $\pi$-calculus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5929 | 5930 | Gigahertz optomechanical modulation by split-r... | Using polarization-resolved transient reflec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5930 | 5931 | Guaranteed Fault Detection and Isolation for S... | This paper considers the problem of fault de... | 1 | 0 | 1 | 0 | 0 | 0 |
| 5931 | 5932 | NOOP: A Domain-Theoretic Model of Nominally-Ty... | The majority of industrial-strength object-o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5932 | 5933 | Modelling wave-induced sea ice breakup in the ... | A model of ice floe breakup under ocean wave... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5933 | 5934 | An Introduction to Animal Movement Modeling wi... | Hidden Markov models (HMMs) are popular time... | 0 | 0 | 0 | 1 | 1 | 0 |
| 5934 | 5935 | Sampling a Network to Find Nodes of Interest | The focus of the current research is to iden... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5935 | 5936 | Representation Mixing for TTS Synthesis | Recent character and phoneme-based parametri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5936 | 5937 | Safe Open-Loop Strategies for Handling Intermi... | In multi-robot systems where a central decis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5937 | 5938 | Scientific co-authorship networks | The paper addresses the stability of the co-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5938 | 5939 | Projection Based Weight Normalization for Deep... | Optimizing deep neural networks (DNNs) often... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5939 | 5940 | Mapping stable direct and retrograde orbits ar... | It is well accepted that knowing the composi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5940 | 5941 | Zinc oxide induces the stringent response and ... | Microorganisms, such as bacteria, are one of... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5941 | 5942 | Learning what matters - Sampling interesting p... | In the field of exploratory data mining, loc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5942 | 5943 | Proofs as Relational Invariants of Synthesized... | The automatic verification of programs that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5943 | 5944 | Orthogonal involutions and totally singular qu... | We associate to every central simple algebra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5944 | 5945 | Coastal flood implications of 1.5 °C, 2.0 °C, ... | Sea-level rise (SLR) is magnifying the frequ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5945 | 5946 | Unsupervised Learning of Disentangled and Inte... | We present a factorized hierarchical variati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5946 | 5947 | De-blending Deep Herschel Surveys: A Multi-wav... | Cosmological surveys in the far infrared are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5947 | 5948 | Room-Temperature Ionic Liquids Meet Bio-Membra... | Room-temperature ionic liquids (RTIL) are a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5948 | 5949 | The use of Charts, Pivot Tables, and Array For... | The use of spreadsheets in industry is wides... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5949 | 5950 | Disordered statistical physics in low dimensio... | This thesis presents original results in two... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5950 | 5951 | HyperMinHash: MinHash in LogLog space | In this extended abstract, we describe and a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5951 | 5952 | Asynchronous stochastic price pump | We propose a model for equity trading in a p... | 0 | 0 | 0 | 0 | 0 | 1 |
| 5952 | 5953 | Character Distributions of Classical Chinese L... | We collect 14 representative corpora for maj... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5953 | 5954 | Improving Bi-directional Generation between Di... | We investigate deep generative models that c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5954 | 5955 | Matching neural paths: transfer from recogniti... | Many machine learning tasks require finding ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5955 | 5956 | On the affine random walk on the torus | Let $\mu$ be a borelian probability measure ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5956 | 5957 | StackInsights: Cognitive Learning for Hybrid C... | Hybrid cloud is an integrated cloud computin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5957 | 5958 | Risk-averse model predictive control | Risk-averse model predictive control (MPC) o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5958 | 5959 | Neutral evolution and turnover over centuries ... | Here we test Neutral models against the evol... | 1 | 1 | 0 | 0 | 0 | 0 |
| 5959 | 5960 | On Statistically-Secure Quantum Homomorphic En... | Homomorphic encryption is an encryption sche... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5960 | 5961 | Monte Carlo Tree Search for Asymmetric Trees | We present an extension of Monte Carlo Tree ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5961 | 5962 | On the difference-to-sum power ratio of speech... | The difference-to-sum power ratio was propos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5962 | 5963 | Quantum torus algebras and B(C) type Toda systems | In this paper, we construct a new even const... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5963 | 5964 | A Decidable Intuitionistic Temporal Logic | We introduce the logic $\sf ITL^e$, an intui... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5964 | 5965 | A Re-weighted Joint Spatial-Radon Domain CT Im... | High density implants such as metals often l... | 0 | 1 | 1 | 0 | 0 | 0 |
| 5965 | 5966 | A simple proof that the $(n^2-1)$-puzzle is hard | The 15 puzzle is a classic reconfiguration p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5966 | 5967 | Is Proxima Centauri b habitable? -- A study of... | We address the important question of whether... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5967 | 5968 | A Geometric Perspective on the Power of Princi... | Joint analysis of multiple phenotypes can in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5968 | 5969 | A Design Based on Stair-case Band Alignment of... | Among the n-type metal oxide materials used ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5969 | 5970 | Statistics on functional data and covariance o... | We introduce a framework for the statistical... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5970 | 5971 | Development of ICA and IVA Algorithms with App... | Independent component analysis (ICA) is a wi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5971 | 5972 | Observability of characteristic binary-induced... | Context: A substantial fraction of protoplan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5972 | 5973 | Sound Event Detection in Synthetic Audio: Anal... | As part of the 2016 public evaluation challe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 5973 | 5974 | Pressure-induced Superconductivity in the Thre... | Topological semimetal, a novel state of quan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5974 | 5975 | Chaotic zones around rotating small bodies | Small bodies of the Solar system, like aster... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5975 | 5976 | Collective excitations and supersolid behavior... | We discuss the nature of symmetry breaking a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5976 | 5977 | Generalized Value Iteration Networks: Life Bey... | In this paper, we introduce a generalized va... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5977 | 5978 | Structure and Evolution of Internally Heated H... | Hot Jupiters receive strong stellar irradiat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5978 | 5979 | Inference-Based Distributed Channel Allocation... | Interference-aware resource allocation of ti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5979 | 5980 | Switch Functions | We define a switch function to be a function... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5980 | 5981 | Schrödinger operators periodic in octants | We consider Schrödinger operators with perio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5981 | 5982 | First international comparison of fountain pri... | We report on the first comparison of distant... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5982 | 5983 | Hardy inequalities, Rellich inequalities and l... | First the Hardy and Rellich inequalities are... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5983 | 5984 | Optimized Quantification of Spin Relaxation Ti... | Purpose: The analysis of optimized spin ense... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5984 | 5985 | On the generation of drift flows in wall-bound... | Despite recent progress, laminar-turbulent c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5985 | 5986 | Goldbach's Function Approximation Using Deep L... | Goldbach conjecture is one of the most famou... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5986 | 5987 | Estimation of a Continuous Distribution on a R... | For an unknown continuous distribution on a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5987 | 5988 | Reviving and Improving Recurrent Back-Propagation | In this paper, we revisit the recurrent back... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5988 | 5989 | A family of Dirichlet-Morrey spaces | To each weighted Dirichlet space $\mathcal{D... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5989 | 5990 | Merging real and virtual worlds: An analysis o... | Achieving a symbiotic blending between reali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5990 | 5991 | Fast Characterization of Segmental Duplication... | Segmental duplications (SDs), or low-copy re... | 0 | 0 | 0 | 0 | 1 | 0 |
| 5991 | 5992 | Cross validation for locally stationary processes | We propose an adaptive bandwidth selector vi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 5992 | 5993 | Weyl nodes in Andreev spectra of multiterminal... | We consider mesoscopic four-terminal Josephs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5993 | 5994 | Injectivity of the connecting homomorphisms | Let $A$ be the inductive limit of a sequence... | 0 | 0 | 1 | 0 | 0 | 0 |
| 5994 | 5995 | Selective Inference for Change Point Detection... | We study the problem of detecting change poi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 5995 | 5996 | RPC: A Large-Scale Retail Product Checkout Dat... | Over recent years, emerging interest has occ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5996 | 5997 | Anyonic self-induced disorder in a stabilizer ... | We enquire into the quasi-many-body localiza... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5997 | 5998 | KiDS-450: Tomographic Cross-Correlation of Gal... | We present the tomographic cross-correlation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 5998 | 5999 | Earthquake Early Warning and Beyond: Systems C... | Earthquake Early Warning (EEW) systems can e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 5999 | 6000 | Gate-error analysis in simulations of quantum ... | In the model of gate-based quantum computati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6000 | 6001 | Tidal disruptions by rotating black holes: rel... | We propose an approximate approach for study... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6001 | 6002 | A promise checked is a promise kept: Inspectio... | Occasionally, developers need to ensure that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6002 | 6003 | Linear-Time Sequence Classification using Rest... | Classification of sequence data is the topic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6003 | 6004 | A central $U(1)$-extension of a double Lie gro... | In this paper, we introduce a notion of a ce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6004 | 6005 | Common fixed point theorems under an implicit ... | The aim of this paper is to establish some m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6005 | 6006 | The NIEP | The nonnegative inverse eigenvalue problem (... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6006 | 6007 | Operationalizing Conflict and Cooperation betw... | This paper replicates, extends, and refutes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6007 | 6008 | Synthesizing Bijective Lenses | Bidirectional transformations between differ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6008 | 6009 | Tuning the piezoelectric and mechanical proper... | Recent advances in microelectromechanical sy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6009 | 6010 | Embedding for bulk systems using localized ato... | We present an embedding approach for semicon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6010 | 6011 | Simple Surveys: Response Retrieval Inspired by... | In the last decade, the use of simple rating... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6011 | 6012 | A Reduction for the Distinct Distances Problem... | We introduce a reduction from the distinct d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6012 | 6013 | Local electronic properties of the graphene-pr... | We report the preparation of the interface b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6013 | 6014 | Particle trapping and conveying using an optic... | Trapping and manipulation of particles using... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6014 | 6015 | Scalable Inference for Nested Chinese Restaura... | Nested Chinese Restaurant Process (nCRP) top... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6015 | 6016 | Equations of $\,\overline{M}_{0,n}$ | Following work of Keel and Tevelev, we give ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6016 | 6017 | Lattice Boltzmann simulation of viscous finger... | An improved wetting boundary implementation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6017 | 6018 | Implementation of Control Strategies for Steri... | In this paper, we propose a sex-structured e... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6018 | 6019 | Convergence and submeasures in Boolean algebras | A Boolean algebra carries a strictly positiv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6019 | 6020 | Characterizing a CCD detector for astronomical... | This work verifies the instrumental characte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6020 | 6021 | Genetic algorithm-based control of birefringen... | Polarization-based filtering in fiber lasers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6021 | 6022 | Public discourse and news consumption on onlin... | The rising attention to the spreading of fak... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6022 | 6023 | Testing small scale gravitational wave detecto... | The recent discovery of gravitational waves ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6023 | 6024 | AIDE: An algorithm for measuring the accuracy ... | Approximate probabilistic inference algorith... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6024 | 6025 | Mining within-trial oscillatory brain dynamics... | Data-driven spatial filtering algorithms opt... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6025 | 6026 | Neural Architecture Search with Bayesian Optim... | Bayesian Optimisation (BO) refers to a class... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6026 | 6027 | An improved parametric model for hysteresis lo... | A number of improvements have been added to ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 6027 | 6028 | Kidnapping Model: An Extension of Selten's Game | Selten's game is a kidnapping model where th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6028 | 6029 | To prune, or not to prune: exploring the effic... | Model pruning seeks to induce sparsity in a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6029 | 6030 | Connecting Software Metrics across Versions to... | Accurate software defect prediction could he... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6030 | 6031 | Semiparametric panel data models using neural ... | This paper presents an estimator for semipar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6031 | 6032 | Split and Rephrase | We propose a new sentence simplification tas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6032 | 6033 | Constructive Euler hydrodynamics for one-dimen... | We review a (constructive) approach first in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6033 | 6034 | Cyber Insurance for Heterogeneous Wireless Net... | Heterogeneous wireless networks (HWNs) compo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6034 | 6035 | Combining Contrast Invariant L1 Data Fidelitie... | This paper focuses on multi-scale approaches... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6035 | 6036 | PaccMann: Prediction of anticancer compound se... | We present a novel approach for the predicti... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6036 | 6037 | Evaporation and scattering of momentum- and ve... | Dark matter with momentum- or velocity-depen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6037 | 6038 | ORSIm Detector: A Novel Object Detection Frame... | With the rapid development of spaceborne ima... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6038 | 6039 | Multi-Path Region-Based Convolutional Neural N... | Large-scale variations still pose a challeng... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6039 | 6040 | Naturally occurring $^{32}$Si and low-backgrou... | The naturally occurring radioisotope $^{32}$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6040 | 6041 | Synergies between Exoplanet Surveys and Variab... | With the discovery of the first transiting e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6041 | 6042 | Improved Set-based Symbolic Algorithms for Par... | Graph games with {\omega}-regular winning co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6042 | 6043 | A Syllable-based Technique for Word Embeddings... | Word embedding has become a fundamental comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6043 | 6044 | Existence of Evolutionarily Stable Strategies ... | The concept of an evolutionarily stable stra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6044 | 6045 | Compound Poisson approximation to estimate the... | We construct an estimator of the Lévy densit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6045 | 6046 | On the non-vanishing of certain Dirichlet series | Given $k\in\mathbb N$, we study the vanishin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6046 | 6047 | On discrete homology of a free pro-$p$-group | For a prime $p$, let $\hat F_p$ be a finitel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6047 | 6048 | Conceptual Modeling of Inventory Management Pr... | A control model is typically classified into... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6048 | 6049 | Points2Pix: 3D Point-Cloud to Image Translatio... | We present the first approach for 3D point-c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6049 | 6050 | 11 T Dipole for the Dispersion Suppressor Coll... | Chapter 11 in High-Luminosity Large Hadron C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6050 | 6051 | Spectral Analysis of Jet Substructure with Neu... | Jets from boosted heavy particles have a typ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6051 | 6052 | UTD-CRSS Submission for MGB-3 Arabic Dialect I... | This study presents systems submitted by the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6052 | 6053 | Parametrization and Generation of Geological M... | One of the main challenges in the parametriz... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6053 | 6054 | Finite element procedures for computing normal... | In this paper we consider finite element app... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6054 | 6055 | Basis Adaptive Sample Efficient Polynomial Cha... | For a large class of orthogonal basis functi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6055 | 6056 | Maximum a posteriori estimation through simula... | This paper considers a new method for the bi... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6056 | 6057 | Extrapolating Expected Accuracies for Large Mu... | The difficulty of multi-class classification... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6057 | 6058 | Deep Learning Methods for Efficient Large Scal... | We present a solution to "Google Cloud and Y... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6058 | 6059 | RSI-CB: A Large Scale Remote Sensing Image Cla... | Remote sensing image classification is a fun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6059 | 6060 | Quantum groups, Yang-Baxter maps and quasi-det... | For any quasi-triangular Hopf algebra, there... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6060 | 6061 | Low-level Active Visual Navigation: Increasing... | This paper proposes a low-level visual navig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6061 | 6062 | A Brownian Motion Model and Extreme Belief Mac... | As the title suggests, we will describe (and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6062 | 6063 | On the nature of the magnetic phase transition... | We investigate the nature of the magnetic ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6063 | 6064 | Detecting Cyber-Physical Attacks in Additive M... | Additive Manufacturing (AM, or 3D printing) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6064 | 6065 | Short-wavelength out-of-band EUV emission from... | We present the results of spectroscopic meas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6065 | 6066 | Compact Cardinals and Eight Values in Cichoń's... | Assuming three strongly compact cardinals, i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6066 | 6067 | Analysis of Peer Review Effectiveness for Acad... | A simulation model based on parallel systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6067 | 6068 | Observational signatures of linear warps in ci... | In recent years an increasing number of obse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6068 | 6069 | Bootstrapping single-channel source separation... | Separating an audio scene into isolated sour... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6069 | 6070 | Multi-parameter One-Sided Monitoring Test | Multi-parameter one-sided hypothesis test pr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6070 | 6071 | Statistical mechanics of low-rank tensor decom... | Often, large, high dimensional datasets coll... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6071 | 6072 | A path integral based model for stocks and ord... | We introduce a model for the short-term dyna... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6072 | 6073 | A New Algorithm to Automate Inductive Learning... | In inductive learning of a broad concept, an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6073 | 6074 | Origin of the pressure-dependent T$_c$ valley ... | Motivated by recent experiments, we investig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6074 | 6075 | V-cycle multigrid algorithms for discontinuous... | In this paper we analyse the convergence pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6075 | 6076 | On a result of Fel'dman on linear forms in the... | We shall consider a result of Fel'dman, wher... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6076 | 6077 | Learning Low-shot facial representations via 2... | In this work, we mainly study the influence ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6077 | 6078 | Catalyzed bimolecular reactions in responsive ... | We describe a general theory for surface-cat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6078 | 6079 | Average Case Constant Factor Time and Distance... | Fast algorithms for optimal multi-robot path... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6079 | 6080 | Hierarchical Learning for Modular Robots | We argue that hierarchical methods can becom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6080 | 6081 | Online Learning with Diverse User Preferences | In this paper, we investigate the impact of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6081 | 6082 | Gaussian Process based Passivation of a Class ... | The paper addresses the problem of passivati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6082 | 6083 | A Bayesian Method for Joint Clustering of Vect... | We present a new model-based integrative met... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6083 | 6084 | Pointwise-generalized-inverses of linear maps ... | We study pointwise-generalized-inverses of l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6084 | 6085 | The cohomology of rank two stable bundle modul... | We compute cup product pairings in the integ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6085 | 6086 | Automated Formal Synthesis of Digital Controll... | We present a sound and automated approach to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6086 | 6087 | A constrained control-planning strategy for re... | This paper presents an interconnected contro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6087 | 6088 | Lagrangian for RLC circuits using analogy with... | We study and formulate the Lagrangian for th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6088 | 6089 | A note on recent criticisms to Birnbaum's theorem | In this note, we provide critical commentary... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6089 | 6090 | High efficiently numerical simulation of the T... | In this paper, we focus on the numerical sim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6090 | 6091 | Entanglement verification protocols for distri... | In distributed systems based on the Quantum ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6091 | 6092 | On the radius of spatial analyticity for the q... | Lower bound on the rate of decrease in time ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6092 | 6093 | Calibrating Noise to Variance in Adaptive Data... | Datasets are often used multiple times and e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6093 | 6094 | Testing Equality of Autocovariance Operators f... | We consider strictly stationary stochastic p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6094 | 6095 | The Lyman-alpha forest power spectrum from the... | We present the Lyman-$\alpha$ flux power spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6095 | 6096 | AdS4 backgrounds with N>16 supersymmetries in ... | We explore all warped $AdS_4\times_w M^{D-4}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6096 | 6097 | Room Temperature Polariton Lasing in All-Inorg... | Polariton lasing is the coherent emission ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6097 | 6098 | Conditional Independence, Conditional Mean Ind... | Investigation of the reversibility of the di... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6098 | 6099 | Probabilistic Sensor Fusion for Ambient Assist... | There is a widely-accepted need to revise cu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6099 | 6100 | Bounded time computation on metric spaces and ... | We extend the framework by Kawamura and Cook... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6100 | 6101 | Gradient descent GAN optimization is locally s... | Despite the growing prominence of generative... | 1 | 0 | 1 | 1 | 0 | 0 |
| 6101 | 6102 | Transition rates and radiative lifetimes of Ca I | We tabulate spontaneous emission rates for a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6102 | 6103 | Defect entropies and enthalpies in Barium Fluo... | Various experimental techniques, have reveal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6103 | 6104 | Surprise-Based Intrinsic Motivation for Deep R... | Exploration in complex domains is a key chal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6104 | 6105 | Local and collective magnetism of EuFe$_2$As$_2$ | We present an experimental study of the loca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6105 | 6106 | Newton slopes for twisted Artin--Schreier--Wit... | We fix a monic polynomial $f(x) \in \mathbb ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6106 | 6107 | Active model learning and diverse action sampl... | The objective of this work is to augment the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6107 | 6108 | End-to-end distance and contour length distrib... | We present a computational method to evaluat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6108 | 6109 | Online Estimation of Multiple Dynamic Graphs i... | Many time-series data including text, movies... | 1 | 0 | 0 | 1 | 1 | 0 |
| 6109 | 6110 | Fluid Communities: A Competitive, Scalable and... | We introduce a community detection algorithm... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6110 | 6111 | Identification of Dynamic Systems with Interva... | This paper aims to identify three electrical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6111 | 6112 | Four Fundamental Questions in Probability Theo... | This study has the purpose of addressing fou... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6112 | 6113 | Connections on parahoric torsors over curves | We define parahoric $\cG$--torsors for certa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6113 | 6114 | On Reduced Input-Output Dynamic Mode Decomposi... | The identification of reduced-order models f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6114 | 6115 | Safety-Aware Apprenticeship Learning | Apprenticeship learning (AL) is a kind of Le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6115 | 6116 | Solitary wave solutions and their interactions... | Some effects of surface tension on fully-non... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6116 | 6117 | Relative weak mixing of W*-dynamical systems v... | A characterization of relative weak mixing i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6117 | 6118 | An assessment of Fe XX - Fe XXII emission line... | The Extreme Ultraviolet Variability Experime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6118 | 6119 | Multi-Scale Spatially Weighted Local Histogram... | Weighting pixel contribution considering its... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6119 | 6120 | A note on minimal dispersion of point sets in ... | We study the dispersion of a point set, a no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6120 | 6121 | Limit theorems in bi-free probability theory | In this paper additive bi-free convolution i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6121 | 6122 | Axiomatisability and hardness for universal Ho... | We characterise finite axiomatisability and ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6122 | 6123 | Snyder Like Modified Gravity in Newton's Space... | This work is focused on searching a geodesic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6123 | 6124 | Dissipatively Coupled Waveguide Networks for C... | A photonic circuit is generally described as... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6124 | 6125 | Inadequate Risk Analysis Might Jeopardize The ... | In the early 90s, researchers began to focus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6125 | 6126 | Simultaneous determination of the drift and di... | In this work, we consider a one-dimensional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6126 | 6127 | A compactness theorem for four-dimensional shr... | Haslhofer and Müller proved a compactness Th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6127 | 6128 | Demand-Independent Optimal Tolls | Wardrop equilibria in nonatomic congestion g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6128 | 6129 | An analytic formulation for positive-unlabeled... | We consider the problem of learning a binary... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6129 | 6130 | Benchmarking Data Analysis and Machine Learnin... | Knights Landing (KNL) is the code name for t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6130 | 6131 | A Proof of the Conjecture of Lehmer and of the... | The conjecture of Lehmer is proved to be tru... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6131 | 6132 | Pseudo asymptotically periodic solutions for f... | In this paper, we study the existence and un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6132 | 6133 | Updating the silent speech challenge benchmark... | The 2010 Silent Speech Challenge benchmark i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6133 | 6134 | Magnetic field control of cycloidal domains an... | The magnetic field induced rearrangement of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6134 | 6135 | DepQBF 6.0: A Search-Based QBF Solver Beyond T... | We present the latest major release version ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6135 | 6136 | On Optimization of Radiative Dipole Body Array... | In this contribution we present numerical an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6136 | 6137 | Speaking Style Authentication Using Suprasegme... | The importance of speaking style authenticat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6137 | 6138 | A fixed point formula and Harish-Chandra's cha... | The main result in this paper is a fixed poi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6138 | 6139 | The phonon softening due to melting of the fer... | We study the fundamental question of the lat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6139 | 6140 | Decomposing manifolds into Cartesian products | The decomposability of a Cartesian product o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6140 | 6141 | Performance of the MAGIC telescopes under moon... | MAGIC, a system of two imaging atmospheric C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6141 | 6142 | Mastering Heterogeneous Behavioural Models | Heterogeneity is one important feature of co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6142 | 6143 | Approximation and Convergence Properties of Ge... | Generative adversarial networks (GAN) approx... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6143 | 6144 | Driver Distraction Identification with an Ense... | The World Health Organization (WHO) reported... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6144 | 6145 | Driver Action Prediction Using Deep (Bidirecti... | Advanced driver assistance systems (ADAS) ca... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6145 | 6146 | A simple neural network module for relational ... | Relational reasoning is a central component ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6146 | 6147 | Computing low-rank approximations of large-sca... | We propose a new algorithm for the computati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6147 | 6148 | Path Cover and Path Pack Inequalities for the ... | Capacitated fixed-charge network flows are u... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6148 | 6149 | Bridging the Gap Between Value and Policy Base... | We establish a new connection between value ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6149 | 6150 | Chalcogenide Glass-on-Graphene Photonics | Two-dimensional (2-D) materials are of treme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6150 | 6151 | Speaker verification using end-to-end adversar... | In this paper we investigate the use of adve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6151 | 6152 | Real elliptic curves and cevian geometry | We study the elliptic curve $E_a: (ax+1)y^2+... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6152 | 6153 | Omni $n$-Lie algebras and linearization of hig... | In this paper, we introduce the notion of an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6153 | 6154 | Musical Instrument Recognition Using Their Dis... | In this study an Artificial Neural Network w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6154 | 6155 | Revealing structure components of the retina b... | Deep convolutional neural networks (CNNs) ha... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6155 | 6156 | Generalized Yangians and their Poisson counter... | By a generalized Yangian we mean a Yangian-l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6156 | 6157 | Asymptotics of Hankel determinants with a one-... | We obtain asymptotics of large Hankel determ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6157 | 6158 | Beyond linear galaxy alignments | Galaxy intrinsic alignments (IA) are a criti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6158 | 6159 | Modelling thermo-electro-mechanical effects in... | In this paper we introduce a new mathematica... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6159 | 6160 | Debt-Prone Bugs: Technical Debt in Software Ma... | Fixing bugs is an important phase in softwar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6160 | 6161 | Khovanov-Rozansky homology and higher Catalan ... | We give a simple recursion which computes th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6161 | 6162 | New face of multifractality: Multi-branched le... | We develop an extended multifractal analysis... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6162 | 6163 | Sliced-Wasserstein Flows: Nonparametric Genera... | By building up on the recent theory that est... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6163 | 6164 | Dual Iterative Hard Thresholding: From Non-con... | Iterative Hard Thresholding (IHT) is a class... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6164 | 6165 | Binary Ensemble Neural Network: More Bits per ... | Binary neural networks (BNN) have been studi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6165 | 6166 | Generalized connected sum formula for the Arno... | We define the generalized connected sum for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6166 | 6167 | Smart patterned surfaces with programmable the... | The emissivity of common materials remains c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6167 | 6168 | STAR: Spatio-Temporal Altimeter Waveform Retra... | Satellite radar altimetry is one of the most... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6168 | 6169 | Magnetization jump in one dimensional $J-Q_{2}... | We investigate the adiabatic magnetization p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6169 | 6170 | CoMID: Context-based Multi-Invariant Detection... | Cyber-physical software continually interact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6170 | 6171 | Asymptotics of multivariate contingency tables... | We consider the asymptotic distribution of a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6171 | 6172 | On the Faithfulness of 1-dimensional Topologic... | This paper explores 1-dimensional topologica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6172 | 6173 | Distribution of the periodic points of the Far... | We expand the cross section of the geodesic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6173 | 6174 | Marangoni effects on a thin liquid film coatin... | We study the time evolution of a thin liquid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6174 | 6175 | Fooling the classifier: Ligand antagonism and ... | Machine learning algorithms are sensitive to... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6175 | 6176 | A Simplified Approach to Analyze Complementary... | A simplified approach is proposed to investi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6176 | 6177 | Comparing Graph Clusterings: Set partition mea... | In this paper, we propose a family of graph ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6177 | 6178 | Competitive Resource Allocation in HetNets: th... | Heterogeneous wireless networks with small-c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6178 | 6179 | Gradient Reversal Against Discrimination | No methods currently exist for making arbitr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6179 | 6180 | Non-commutative crepant resolutions for some t... | We give a criterion for the existence of non... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6180 | 6181 | High temperature pairing in a strongly interac... | We observe many-body pairing in a two-dimens... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6181 | 6182 | Untangling the hairball: fitness based asympto... | Complex mathematical models of interaction n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6182 | 6183 | Exotica and the status of the strong cosmic ce... | An immense class of physical counterexamples... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6183 | 6184 | Centralities in Simplicial Complexes | Complex networks can be used to represent co... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6184 | 6185 | The Samuel realcompactification | For a uniform space (X, $\mu$), we introduce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6185 | 6186 | Segmented Terahertz Electron Accelerator and M... | Acceleration and manipulation of ultrashort ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6186 | 6187 | The $2$-nd Hessian type equation on almost Her... | In this paper, we derive the second order es... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6187 | 6188 | Learning graphs from data: A signal representa... | The construction of a meaningful graph topol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6188 | 6189 | Universal edge transport in interacting Hall s... | We study the edge transport properties of $2... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6189 | 6190 | Brownian dynamics of elongated particles in a ... | We demonstrate experimentally that the long-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6190 | 6191 | Photonic Band Structure of Two-dimensional Ato... | Two-dimensional atomic arrays exhibit a numb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6191 | 6192 | Multifractal analysis of the time series of da... | In this paper, we applied the multifractal d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6192 | 6193 | Deep Episodic Value Iteration for Model-based ... | We present a new deep meta reinforcement lea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6193 | 6194 | Disproval of the validated planets K2-78b, K2-... | Transiting super-Earths orbiting bright star... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6194 | 6195 | Long-lived mesoscopic entanglement between two... | We consider two chains, each made of $N$ ind... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6195 | 6196 | Measured Multiseries and Integration | A paper by Bruno Salvy and the author introd... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6196 | 6197 | Spectral Approach to Verifying Non-linear Arit... | This paper presents a fast and effective com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6197 | 6198 | Signal-based Bayesian Seismic Monitoring | Detecting weak seismic events from noisy sen... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6198 | 6199 | Multi-Label Learning with Global and Local Lab... | It is well-known that exploiting label corre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6199 | 6200 | Complexity of Verifying Nonblockingness in Mod... | Complexity analysis becomes a common task in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6200 | 6201 | Predicting signatures of anisotropic resonance... | Resonance energy transfer (RET) is an inhere... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6201 | 6202 | Matrix Completion and Performance Guarantees f... | Single individual haplotyping is an NP-hard ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6202 | 6203 | Simulation and analysis of $γ$-Ni cellular gro... | Cellular or dendritic microstructures that r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6203 | 6204 | Localization of Extended Quantum Objects | A quantum system of particles can exist in a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6204 | 6205 | The next-to-minimal weights of binary projecti... | Projective Reed-Muller codes were introduced... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6205 | 6206 | Big Data Classification Using Augmented Decisi... | We present an algorithm for classification t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6206 | 6207 | Special tilting modules for algebras with posi... | We study a set of uniquely determined tiltin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6207 | 6208 | The dynamical structure of political corruptio... | Corruptive behaviour in politics limits econ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6208 | 6209 | Maxent-Stress Optimization of 3D Biomolecular ... | Knowing a biomolecule's structure is inheren... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6209 | 6210 | Enhanced Quantum Synchronization via Quantum M... | We study the quantum synchronization between... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6210 | 6211 | Engineering phonon leakage in nanomechanical r... | We propose and experimentally demonstrate a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6211 | 6212 | Entropy generation and momentum transfer in th... | Since the discovery of the Meissner effect t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6212 | 6213 | A Local Faber-Krahn inequality and Application... | We prove a local Faber-Krahn inequality for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6213 | 6214 | Étale groupoids and their $C^*$-algebras | These notes were written as supplementary ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6214 | 6215 | Semi-classical limit of the Levy-Lieb function... | In a recent work, Bindini and De Pascale hav... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6215 | 6216 | A characterization of cellular motivic spectra | Let $ \alpha: \mathcal{C} \to \mathcal{D}$ b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6216 | 6217 | The Impedance of Flat Metallic Plates with Sma... | Summarizes recent work on the wakefields and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6217 | 6218 | The Computer Science and Physics of Community ... | Community detection in graphs is the problem... | 1 | 1 | 1 | 0 | 0 | 0 |
| 6218 | 6219 | Characterizing the spread of exaggerated news ... | In this paper, we consider a dataset compris... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6219 | 6220 | Aerodynamic noise from rigid trailing edges wi... | This paper investigates the effects of finit... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6220 | 6221 | 99% of Parallel Optimization is Inevitably a W... | It is well known that many optimization meth... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6221 | 6222 | Tuning the effective spin-orbit coupling in mo... | The control of spins and spin to charge conv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6222 | 6223 | How Deep Are Deep Gaussian Processes? | Recent research has shown the potential util... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6223 | 6224 | Sparse Randomized Kaczmarz for Support Recover... | While single measurement vector (SMV) models... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6224 | 6225 | Exploiting ITO colloidal nanocrystals for ultr... | Dynamical materials that capable of respondi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6225 | 6226 | A quantum dynamic belief model to explain the ... | Categorization is necessary for many decisio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6226 | 6227 | Throughput Optimal Beam Alignment in Millimete... | Millimeter wave communications rely on narro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6227 | 6228 | Behavioural Change Support Intelligent Transpo... | This workshop invites researchers and practi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6228 | 6229 | SU(2) Pfaffian systems and gauge theory | Motivated by the description of Nurowski's c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6229 | 6230 | Correlation effects in superconducting quantum... | We study the effect of electron correlations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6230 | 6231 | Learning non-parametric Markov networks with m... | We propose a method for learning Markov netw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6231 | 6232 | Online Adaptive Machine Learning Based Algorit... | In this work, we design a machine learning b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6232 | 6233 | Hybrid control strategy for a semi active susp... | This study proposes a control strategy for t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6233 | 6234 | On the Use of Default Parameter Settings in th... | We demonstrate that, for a range of state-of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6234 | 6235 | Coaction functors, II | In further study of the application of cross... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6235 | 6236 | Classification of Casimirs in 2D hydrodynamics | We describe a complete list of Casimirs for ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6236 | 6237 | Novel Compliant omnicrawler-wheel transforming... | This paper presents a novel design of a craw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6237 | 6238 | Bifurcation of solutions to Hamiltonian bounda... | A bifurcation is a qualitative change in a f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6238 | 6239 | Trespassing the Boundaries: Labeling Temporal ... | Manual annotations of temporal bounds for ob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6239 | 6240 | Dynamical transport measurement of the Lutting... | One-dimensional (1D) electron systems in the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6240 | 6241 | Controlling thermal emission of phonon by magn... | Our experiment shows that the thermal emissi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6241 | 6242 | Distributed Average Tracking of Heterogeneous ... | This paper addresses distributed average tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6242 | 6243 | Bound states of the two-dimensional Dirac equa... | We study the two-dimensional massless Dirac ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6243 | 6244 | Beyond Planar Symmetry: Modeling human percept... | Humans take advantage of real world symmetri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6244 | 6245 | Sharp Threshold of Blow-up and Scattering for ... | We consider the fractional Hartree equation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6245 | 6246 | GP-SUM. Gaussian Processes Filtering of non-Ga... | This work studies the problem of stochastic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6246 | 6247 | A Dynamic Programming Principle for Distributi... | We consider an optimal stopping problem wher... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6247 | 6248 | Spectral algebra models of unstable v_n-period... | We give a survey of a generalization of Quil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6248 | 6249 | The length of excitable knots | The FitzHugh-Nagumo equation provides a simp... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6249 | 6250 | The Bane of Low-Dimensionality Clustering | In this paper, we give a conditional lower b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6250 | 6251 | Blue-detuned magneto-optical trap | We present the properties and advantages of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6251 | 6252 | Polishness of some topologies related to word ... | We prove that the Büchi topology and the aut... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6252 | 6253 | Emulating satellite drag from large simulation... | Obtaining accurate estimates of satellite dr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6253 | 6254 | Rescaling and other forms of unsupervised prep... | Cross-validation of predictive models is the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6254 | 6255 | Causal Inference on Discrete Data via Estimati... | In this paper, we deal with the problem of i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6255 | 6256 | A Class of Exponential Sequences with Shift-In... | The discriminator of an integer sequence s =... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6256 | 6257 | Contraction par Frobenius et modules de Steinberg | For a reductive group G defined over an alge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6257 | 6258 | SafeDrive: A Robust Lane Tracking System for A... | We present an approach towards robust lane t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6258 | 6259 | On the analysis of personalized medication res... | In this work we provide a couple of contribu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6259 | 6260 | Exponential Integrators in Time-Dependent Dens... | The integrating factor and exponential time ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6260 | 6261 | A Distributed Scheduling Algorithm to Provide ... | Control of multihop Wireless networks in a d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6261 | 6262 | A Multi-task Deep Learning Architecture for Ma... | In a world of global trading, maritime safet... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6262 | 6263 | The CCI30 Index | We describe the design of the CCI30 cryptocu... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6263 | 6264 | Training Probabilistic Spiking Neural Networks... | Third-generation neural networks, or Spiking... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6264 | 6265 | An Effective Training Method For Deep Convolut... | In this paper, we propose the nonlinearity g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6265 | 6266 | A Multi-Layer K-means Approach for Multi-Senso... | Data-target association is an important step... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6266 | 6267 | Investigation of Monaural Front-End Processing... | In recent years, monaural speech separation ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6267 | 6268 | Average treatment effects in the presence of u... | We investigate large-sample properties of tr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6268 | 6269 | Spatial localization for nonlinear dynamical s... | Nonlinear dynamical stochastic models are ub... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6269 | 6270 | Nonlinear photoionization of transparent solid... | We provide a nonperturbative theory for phot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6270 | 6271 | Quantifying the Model Risk Inherent in the Cal... | We focus on two particular aspects of model ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6271 | 6272 | CN rings in full protoplanetary disks around y... | Bright ring-like structure emission of the C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6272 | 6273 | A Trio Neural Model for Dynamic Entity Related... | Measuring entity relatedness is a fundamenta... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6273 | 6274 | Dynamic k-Struve Sumudu Solutions for Fraction... | In this present study, we investigate soluti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6274 | 6275 | Does mitigating ML's impact disparity require ... | Following related work in law and policy, tw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6275 | 6276 | Topological Terms and Phases of Sigma Models | We study boundary conditions of topological ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6276 | 6277 | A commuting-vector-field approach to some disp... | We prove the pointwise decay of solutions to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6277 | 6278 | The connected countable spaces of Bing and Rit... | Answering a problem posed by the second auth... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6278 | 6279 | Dynamic Graph Convolutional Networks | Many different classification tasks need to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6279 | 6280 | Robust and Efficient Parametric Spectral Estim... | An atomic force microscope (AFM) is capable ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6280 | 6281 | A Robotic Auto-Focus System based on Deep Rein... | Considering its advantages in dealing with h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6281 | 6282 | Wall modeling via function enrichment: extensi... | We extend the approach of wall modeling via ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6282 | 6283 | Existence and uniqueness of periodic solution ... | The aim of this work is to study the existen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6283 | 6284 | A proof of Hilbert's theorem on ternary quarti... | This paper proposes a totally constructive a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6284 | 6285 | Data-driven Job Search Engine Using Skills and... | According to a report online, more than 200 ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6285 | 6286 | The universal DAHA of type $(C_1^\vee,C_1)$ an... | A Leonard pair is a pair of diagonalizable l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6286 | 6287 | Deep Learning for Computational Chemistry | The rise and fall of artificial neural netwo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6287 | 6288 | Causal Interventions for Fairness | Most approaches in algorithmic fairness cons... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6288 | 6289 | Analyzing Hypersensitive AI: Instability in Co... | Predictive geometric models deliver excellen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6289 | 6290 | Role of the orbital degree of freedom in iron-... | Almost a decade has passed since the serendi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6290 | 6291 | Perpetual points: New tool for localization of... | Perpetual points (PPs) are special critical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6291 | 6292 | Loss Functions in Restricted Parameter Spaces ... | A squared error loss remains the most common... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6292 | 6293 | When Slepian Meets Fiedler: Putting a Focus on... | The study of complex systems benefits from g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6293 | 6294 | Colored Image Encryption and Decryption Using ... | In this paper, a scheme for the encryption a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6294 | 6295 | Self-Gluing formula of the monopole invariant ... | Given a $4$-manifold $\hat{M}$ and two homeo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6295 | 6296 | An aptamer-biosensor for azole class antifunga... | This report describes the development of an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6296 | 6297 | Notes on "Einstein metrics on compact simple L... | In the paper "Einstein metrics on compact si... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6297 | 6298 | Harmonic quasi-isometric maps II : negatively ... | We prove that a quasi-isometric map, and mor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6298 | 6299 | Platform independent profiling of a QCD code | The supercomputing platforms available for h... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6299 | 6300 | DeepGauge: Multi-Granularity Testing Criteria ... | Deep learning (DL) defines a new data-driven... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6300 | 6301 | J0906+6930: a radio-loud quasar in the early U... | Radio-loud high-redshift quasars (HRQs), alt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6301 | 6302 | Adaptive Stochastic Dual Coordinate Ascent for... | This work investigates the training of condi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6302 | 6303 | Accelerating Innovation Through Analogy Mining | The availability of large idea repositories ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6303 | 6304 | $η$-Ricci solitons in $(\varepsilon)$-almost p... | The object of this paper is to study $\eta$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6304 | 6305 | Entropy facilitated active transport | We show how active transport of ions can be ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6305 | 6306 | Consistency of the Predicative Calculus of Cum... | In order to avoid well-know paradoxes associ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6306 | 6307 | Private Information Retrieval from MDS Coded D... | A $(K, N, T, K_c)$ instance of the MDS-TPIR ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6307 | 6308 | ADaPTION: Toolbox and Benchmark for Training C... | Deep Neural Networks (DNNs) and Convolutiona... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6308 | 6309 | Graph Attention Networks | We present graph attention networks (GATs), ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6309 | 6310 | Social Media Would Not Lie: Prediction of the ... | The prevalence of online media has attracted... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6310 | 6311 | The stratified micro-randomized trial design: ... | Technological advancements in the field of m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6311 | 6312 | Multiplicative Convolution of Real Asymmetric ... | The singular values of products of standard ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6312 | 6313 | An approach to Griffiths conjecture | The Griffiths conjecture asserts that every ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6313 | 6314 | On Detecting Adversarial Perturbations | Machine learning and deep learning in partic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6314 | 6315 | It's Time to Consider "Time" when Evaluating R... | In this position paper, we question the curr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6315 | 6316 | Anomalous metals -- failed superconductors | The observation of metallic ground states in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6316 | 6317 | Energy Optimization of Automatic Hybrid Sailboat | Autonomous Surface Vehicles (ASVs) provide a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6317 | 6318 | Estimating the Operating Characteristics of En... | In this paper we present a technique for usi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6318 | 6319 | Plasma turbulence at ion scales: a comparison ... | Kinetic-range turbulence in magnetized plasm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6319 | 6320 | Computational determination of the largest lat... | A lattice (d, k)-polytope is the convex hull... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6320 | 6321 | A high resolution ion microscope for cold atoms | We report on an ion-optical system that serv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6321 | 6322 | Lock-Free Parallel Perceptron for Graph-based ... | Dependency parsing is an important NLP task.... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6322 | 6323 | Finite groups with systems of $K$-$\frak{F}$-s... | Let $\frak {F}$ be a class of group. A subgr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6323 | 6324 | Actions Speak Louder Than Goals: Valuing Playe... | Assessing the impact of the individual actio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6324 | 6325 | Partitioning the Outburst Energy of a Low Eddi... | M87, the active galaxy at the center of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6325 | 6326 | On the missing link between pressure drop, vis... | After decades of experimental, theoretical, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6326 | 6327 | Discrete Local Induction Equation | The local induction equation, or the binorma... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6327 | 6328 | A sharp lower bound for the lifespan of small ... | Let $T_{\epsilon}$ be the lifespan for the s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6328 | 6329 | State Space Reduction for Reachability Graph o... | Classical CTL temporal logics are built over... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6329 | 6330 | Permission Inference for Array Programs | Information about the memory locations acces... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6330 | 6331 | Generating Query Suggestions to Support Task-B... | We address the problem of generating query s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6331 | 6332 | Application of Spin-Exchange Relaxation-Free M... | The Cosmic Axion Spin Precession Experiment ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6332 | 6333 | Symmetry and the Geometric Phase in Ultracold ... | Quantum reactive scattering calculations are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6333 | 6334 | Characterization and Photometric Performance o... | The Subaru Strategic Program (SSP) is an amb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6334 | 6335 | Information Geometry Approach to Parameter Est... | We consider the estimation of hidden Markovi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6335 | 6336 | Parallel transport in principal 2-bundles | A nice differential-geometric framework for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6336 | 6337 | Gotta Learn Fast: A New Benchmark for Generali... | In this report, we present a new reinforceme... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6337 | 6338 | Generative Adversarial Networks recover featur... | Observations of astrophysical objects such a... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6338 | 6339 | Trends in European flood risk over the past 15... | Flood risk changes in time and is influenced... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6339 | 6340 | Kinetic Trans-assembly of DNA Nanostructures | The central dogma of molecular biology is th... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6340 | 6341 | Synthesis and analysis in total variation regu... | We generalize the bridge between analysis an... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6341 | 6342 | The Leray transform: factorization, dual $CR$ ... | We compute the exact norms of the Leray tran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6342 | 6343 | A Fast Quantum-safe Asymmetric Cryptosystem Us... | This paper gives the definitions of an extra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6343 | 6344 | Knowledge Transfer for Melanoma Screening with... | Knowledge transfer impacts the performance o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6344 | 6345 | Large odd order character sums and improvement... | For a primitive Dirichlet character $\chi$ m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6345 | 6346 | Estimation under group actions: recovering orb... | Motivated by geometric problems in signal pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6346 | 6347 | Crystal field excitations from $\mathrm{Yb^{3+... | The pyrochlore magnet $\rm Yb_2Ti_2O_7$ has ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6347 | 6348 | HOUDINI: Lifelong Learning as Program Synthesis | We present a neurosymbolic framework for the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6348 | 6349 | Detecting Adversarial Examples via Key-based N... | Though deep neural networks have achieved st... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6349 | 6350 | Guessing Attacks on Distributed-Storage Systems | The secrecy of a distributed-storage system ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6350 | 6351 | Numerical analysis of nonlocal fracture models... | In this work, we calculate the convergence r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6351 | 6352 | Iterative Collaborative Filtering for Sparse M... | The sparse matrix estimation problem consist... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6352 | 6353 | Parameter Estimation in Finite Mixture Models ... | In this short paper, we formulate parameter ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6353 | 6354 | Robust parameter determination in epidemic mod... | Compartmental equations are primary tools in... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6354 | 6355 | Direct observation of domain wall surface tens... | The surface energy of a magnetic Domain Wall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6355 | 6356 | Unified Halo-Independent Formalism From Convex... | Using the Fenchel-Eggleston theorem for conv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6356 | 6357 | Finite size effects for spiking neural network... | We study finite-size fluctuations in a netwo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6357 | 6358 | Shape and fission instabilities of ferrofluids... | We study static distributions of ferrofluid ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6358 | 6359 | Encrypted accelerated least squares regression | Information that is stored in an encrypted f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6359 | 6360 | Unified Model of Chaotic Inflation and Dynamic... | The large hierarchy between the Planck scale... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6360 | 6361 | Tuplemax Loss for Language Identification | In many scenarios of a language identificati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6361 | 6362 | Sparse Data Driven Mesh Deformation | Example-based mesh deformation methods are p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6362 | 6363 | Short Presburger arithmetic is hard | We study the computational complexity of sho... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6363 | 6364 | The Bias of the Log Power Spectrum for Discret... | A primary goal of galaxy surveys is to tight... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6364 | 6365 | Consistent nonparametric change point detectio... | A weakly dependent time series regression mo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6365 | 6366 | Nonlinear electric field effect on perpendicul... | The electric field effect on magnetic anisot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6366 | 6367 | Local Symmetry and Global Structure in Adaptiv... | "Coevolving" or "adaptive" voter models (AVM... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6367 | 6368 | A Weighted Model Confidence Set: Applications ... | This article provides a weighted model confi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6368 | 6369 | Poverty Mapping Using Convolutional Neural Net... | Mapping the spatial distribution of poverty ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6369 | 6370 | Network of sensitive magnetometers for urban s... | The magnetic signature of an urban environme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6370 | 6371 | Cooperative Hierarchical Dirichlet Processes: ... | The cooperative hierarchical structure is a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6371 | 6372 | The extended law of star formation: the combin... | We present a model for the origin of the ext... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6372 | 6373 | Local and global similarity of holomorphic mat... | R. Guralnick (Linear Algebra Appl. 99, 85-96... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6373 | 6374 | WHInter: A Working set algorithm for High-dime... | Learning sparse linear models with two-way i... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6374 | 6375 | On the Limitation of Convolutional Neural Netw... | Convolutional Neural Networks (CNNs) have ac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6375 | 6376 | $\aleph_1$ and the modal $μ$-calculus | For a regular cardinal $\kappa$, a formula o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6376 | 6377 | Optimal Service Elasticity in Large-Scale Dist... | A fundamental challenge in large-scale cloud... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6377 | 6378 | Variational Monte Carlo study of spin dynamics... | The hour-glass-like dispersion of spin excit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6378 | 6379 | High brightness electron beam for radiation th... | I propose to use high brightness electron be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6379 | 6380 | Parabolic equations with divergence-free drift... | In this paper we study the fundamental solut... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6380 | 6381 | Translating Terminological Expressions in Know... | Our work presented in this paper focuses on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6381 | 6382 | Detecting Arbitrary Attacks Using Continuous S... | This paper focuses on Byzantine attack detec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6382 | 6383 | Phase Transitions in the Pooled Data Problem | In this paper, we study the pooled data prob... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6383 | 6384 | Graph Convolutional Networks for Classificatio... | It is a usual practice to ignore any structu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6384 | 6385 | Decoupling of graphene from Ni(111) via oxygen... | The combination of the surface science techn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6385 | 6386 | Model Risk Measurement under Wasserstein Distance | The paper proposes a new approach to model r... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6386 | 6387 | Fast kNN mode seeking clustering applied to ac... | A significantly faster algorithm is presente... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6387 | 6388 | Towards a Flow- and Path-Sensitive Information... | This paper investigates a flow- and path-sen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6388 | 6389 | Topic supervised non-negative matrix factoriza... | Topic models have been extensively used to o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6389 | 6390 | Low-temperature lattice effects in the spin-li... | The quasi-two-dimensional organic charge-tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6390 | 6391 | ECO-AMLP: A Decision Support System using an E... | With advanced data analytical techniques, ef... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6391 | 6392 | Local approximation of non-holomorphic discs i... | We provide a local approximation result of n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6392 | 6393 | A Tutorial on Deep Learning for Music Informat... | Following their success in Computer Vision a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6393 | 6394 | Modeling and control of modern wind turbine sy... | This chapter provides an introduction to the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6394 | 6395 | Linear algebraic analogues of the graph isomor... | A classical difficult isomorphism testing pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6395 | 6396 | A Family of Metrics for Clustering Algorithms | We give the motivation for scoring clusterin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6396 | 6397 | A numerical scheme for an improved Green-Naghd... | In this paper we introduce a new reformulati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6397 | 6398 | General Bayesian Updating and the Loss-Likelih... | In this paper we revisit the weighted likeli... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6398 | 6399 | Efficient Estimation of Generalization Error a... | For many applications, an ensemble of base c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6399 | 6400 | Self-consistent calculation of the flux-flow c... | In the framework of Keldysh-Usadel kinetic t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6400 | 6401 | Generalized weighted Ostrowski and Ostrowski-G... | We prove generalized weighted Ostrowski and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6401 | 6402 | "Found in Translation": Predicting Outcomes of... | There is an intuitive analogy of an organic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6402 | 6403 | Efficient Decomposition of High-Rank Tensors | Tensors are a natural way to express correla... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6403 | 6404 | Universality in Chaos: Lyapunov Spectrum and R... | We propose the existence of a new universali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6404 | 6405 | Fixed points of competitive threshold-linear n... | Threshold-linear networks (TLNs) are models ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6405 | 6406 | A Decision Procedure for Herbrand Formulae wit... | This paper describes a decision procedure fo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6406 | 6407 | The role of relativistic many-body theory in p... | The observation of electric dipole moments (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6407 | 6408 | Security Incident Recognition and Reporting (S... | Reports and press releases highlight that se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6408 | 6409 | On attainability of optimal controls in coeffi... | In this paper we consider an optimal control... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6409 | 6410 | Adversarial Variational Bayes Methods for Twee... | The Tweedie Compound Poisson-Gamma model is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6410 | 6411 | Sampling of Temporal Networks: Methods and Biases | Temporal networks have been increasingly use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6411 | 6412 | Personalizing Path-Specific Effects | Unlike classical causal inference, which oft... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6412 | 6413 | Bridge Programs as an approach to improving di... | In most physical sciences, students from und... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6413 | 6414 | NEURAL: quantitative features for newborn EEG ... | Background: For newborn infants in critical ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6414 | 6415 | False Positive Reduction by Actively Mining Ne... | Generating large quantities of quality label... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6415 | 6416 | WASP-12b: A Mass-Losing Extremely Hot Jupiter | WASP-12b is an extreme hot Jupiter in a 1 da... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6416 | 6417 | On the status of the Born-Oppenheimer expansio... | It is shown that the adiabatic Born-Oppenhei... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6417 | 6418 | Computing Tropical Prevarieties in Parallel | The computation of the tropical prevariety i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6418 | 6419 | 3k-4 theorem for ordered groups | Recently, G. A. Freiman, M. Herzog, P. Longo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6419 | 6420 | The Extinction Properties of and Distance to t... | Correction of Type Ia Supernova brightnesses... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6420 | 6421 | On Whitham and related equations | The aim of this paper is to study, via theor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6421 | 6422 | Analytic Connectivity in General Hypergraphs | In this paper we extend the known results of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6422 | 6423 | Cosmological searches for a non-cold dark matt... | We explore an extended cosmological scenario... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6423 | 6424 | F-pure threshold and height of quasi-homogeneo... | We consider a quasi-homogeneous polynomial $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6424 | 6425 | Optimal VWAP execution under transient price i... | We solve the problem of optimal liquidation ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6425 | 6426 | Image-derived generative modeling of pseudo-ma... | Cellular Electron CryoTomography (CECT) is a... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6426 | 6427 | Bayesian Alignments of Warped Multi-Output Gau... | We propose a novel Bayesian approach to mode... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6427 | 6428 | Fast and unsupervised methods for multilingual... | In this paper we explore the use of unsuperv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6428 | 6429 | Structure, magnetic susceptibility and specifi... | We report structural, susceptibility and spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6429 | 6430 | Directed Information as Privacy Measure in Clo... | We consider cloud-based control scenarios in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6430 | 6431 | Classification of simple linearly compact Kant... | Simple finite dimensional Kantor triple syst... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6431 | 6432 | Code-division multiplexed resistive pulse sens... | Spatial separation of suspended particles ba... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6432 | 6433 | Navigability evaluation of complex networks by... | Network navigability is a key feature of com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6433 | 6434 | Fermion condensation and super pivotal categories | We study fermionic topological phases using ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6434 | 6435 | PIMKL: Pathway Induced Multiple Kernel Learning | Reliable identification of molecular biomark... | 0 | 0 | 0 | 1 | 1 | 0 |
| 6435 | 6436 | pyRecLab: A Software Library for Quick Prototy... | This paper introduces pyRecLab, a software l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6436 | 6437 | A unified theory of adaptive stochastic gradie... | We formulate stochastic gradient descent (SG... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6437 | 6438 | Radiative effects during the assembly of direc... | We perform a post-processing radiative feedb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6438 | 6439 | Spin-orbit interactions in optically active ma... | We investigate the inherent influence of lig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6439 | 6440 | Automatic White-Box Testing of First-Order Log... | Formal ontologies are axiomatizations in a l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6440 | 6441 | Critical values in Bak-Sneppen type models | In the Bak-Sneppen model, the lowest fitness... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6441 | 6442 | On the correspondence of deviances and maximum... | Consider a set of categorical variables $\ma... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6442 | 6443 | ASIC Implementation of Time-Domain Digital Bac... | We consider time-domain digital backpropagat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6443 | 6444 | A formalization of convex polyhedra based on t... | We present a formalization of convex polyhed... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6444 | 6445 | Weight Spectrum of Quasi-Perfect Binary Codes ... | We consider the weight spectrum of a class o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6445 | 6446 | Ultra-High Electro-Optic Activity Demonstrated... | Efficient electro-optic (EO) modulators cruc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6446 | 6447 | How the Experts Do It: Assessing and Explainin... | How should an AI-based explanation system ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6447 | 6448 | Entanglement Entropy of Eigenstates of Quadrat... | In a seminal paper [D. N. Page, Phys. Rev. L... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6448 | 6449 | Focusing light through dynamical samples using... | We describe a fast closed-loop optimization ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6449 | 6450 | The curvature estimates for convex solutions o... | The curvature estimates of quotient curvatur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6450 | 6451 | The Compressed Model of Residual CNDS | Convolutional neural networks have achieved ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6451 | 6452 | Chow Rings of Mp_{0,2}(N,d) and Mbar_{0,2}(P^{... | In this paper, we prove formulas that repres... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6452 | 6453 | A Real-Time Autonomous Highway Accident Detect... | Due to increasing urban population and growi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6453 | 6454 | Asymptotic Eigenfunctions for a class of Diffe... | We analyze a general class of difference ope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6454 | 6455 | Common Glass-Forming Spin-Liquid State in the ... | Despite a well-ordered pyrochlore crystal st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6455 | 6456 | Britannia Rule the Waves | The students are introduced to navigation in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6456 | 6457 | Error Forward-Propagation: Reusing Feedforward... | We introduce Error Forward-Propagation, a bi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6457 | 6458 | CANA: A python package for quantifying control... | Logical models offer a simple but powerful m... | 1 | 0 | 0 | 0 | 1 | 0 |
| 6458 | 6459 | $α$-Variational Inference with Statistical Gua... | We propose a family of variational approxima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6459 | 6460 | Stable monoenergetic ion acceleration by a two... | In the past decades, the phenomenal progress... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6460 | 6461 | Experimental demonstration of an ultra-compact... | We demonstrated a novel on-chip polarization... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6461 | 6462 | Letter-Based Speech Recognition with Gated Con... | In the recent literature, "end-to-end" speec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6462 | 6463 | The Frequent Network Neighborhood Mapping of t... | In the study of the human connectome, the ve... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6463 | 6464 | Recurrent Neural Networks as Weighted Language... | We investigate the computational complexity ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6464 | 6465 | Classifying and Qualifying GUI Defects | Graphical user interfaces (GUIs) are integra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6465 | 6466 | A mechanistic model of connector hubs, modular... | The human brain network is modular--comprise... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6466 | 6467 | The OGLE Collection of Variable Stars. Over 45... | We present a collection of 450 598 eclipsing... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6467 | 6468 | The discrete moment problem with nonconvex sha... | The discrete moment problem is a foundationa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6468 | 6469 | Some studies using capillary for flow control ... | A Pilot unit of a closed loop gas (CLS) mixi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6469 | 6470 | Optimal Tuning of Two-Dimensional Keyboards | We give a new analysis of a tuning problem i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6470 | 6471 | Ultra Reliable Short Message Relaying with Wir... | We consider a dual-hop wireless network wher... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6471 | 6472 | Verifiable Light-Weight Monitoring for Certifi... | Trust in publicly verifiable Certificate Tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6472 | 6473 | Chainspace: A Sharded Smart Contracts Platform | Chainspace is a decentralized infrastructure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6473 | 6474 | On Certain Properties of Convex Functions | This note deals with certain properties of c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6474 | 6475 | The detection of variable radio emission from ... | In this paper we investigate the multiwavele... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6475 | 6476 | In silico optimization of critical currents in... | For many technological applications of super... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6476 | 6477 | Attracting sequences of holomorphic automorphi... | The basin of attraction of a uniformly attra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6477 | 6478 | Repulsive Fermi polarons with negative effecti... | Recent LENS experiment on a 3D Fermi gas has... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6478 | 6479 | Entropy Formula for Random $\mathbb{Z}^k$-actions | In this paper, entropies, including measure-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6479 | 6480 | Kohn anomalies in momentum dependence of magne... | We study a question of presence of Kohn poin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6480 | 6481 | Stability conditions, $τ$-tilting Theory and M... | Extending the notion of maximal green sequen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6481 | 6482 | The thermal phase curve offset on tidally- and... | Using a shallow water model with time-depend... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6482 | 6483 | On Asymptotic Standard Normality of the Two Sa... | The asymptotic solution to the problem of co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6483 | 6484 | Breakthrough revisited: investigating the requ... | For grain growth to proceed effectively and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6484 | 6485 | Extremely high magnetoresistance and conductiv... | The peculiar band structure of semimetals ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6485 | 6486 | Density and current profiles in $U_q(A^{(1)}_2... | The stochastic $R$ matrix for $U_q(A^{(1)}_n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6486 | 6487 | Crystal structure, site selectivity, and elect... | We have investigated the crystal structure o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6487 | 6488 | Responses of Pre-transitional Materials with S... | We considered a generic case of pre-transiti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6488 | 6489 | On The Robustness of Epsilon Skew Extension fo... | The Burr III distribution is used in a wide ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6489 | 6490 | Logics for Word Transductions with Synthesis | We introduce a logic, called LT, to express ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6490 | 6491 | Topology and strong four fermion interactions ... | We study massless fermions interacting throu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6491 | 6492 | Augmentor: An Image Augmentation Library for M... | The generation of artificial data based on e... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6492 | 6493 | Multilevel Sequential${}^2$ Monte Carlo for Ba... | The identification of parameters in mathemat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6493 | 6494 | Multiparameter actuation of a neutrally-stable... | We have designed and tested experimentally a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6494 | 6495 | An Evolutionary Game for User Access Mode Sele... | The fog radio access network (F-RAN) is a pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6495 | 6496 | Latent Estimation of GDP, GDP per capita, and ... | The concepts of Gross Domestic Product (GDP)... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6496 | 6497 | Portfolio Optimization under Fast Mean-reverti... | Fractional stochastic volatility models have... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6497 | 6498 | Triangle Generative Adversarial Networks | A Triangle Generative Adversarial Network ($... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6498 | 6499 | Learning Distributions of Meant Color | When a speaker says the name of a color, the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6499 | 6500 | Bose - Einstein condensation of triplons with ... | The low-temperature properties of certain qu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6500 | 6501 | LPCNet: Improving Neural Speech Synthesis Thro... | Neural speech synthesis models have recently... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6501 | 6502 | Coherent anti-Stokes Raman Scattering Lidar Us... | We theoretically investigate a scheme in whi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6502 | 6503 | Tests based on characterizations, and their ef... | A survey of goodness-of-fit and symmetry tes... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6503 | 6504 | Hyperprior on symmetric Dirichlet distribution | In this article we introduce how to put vagu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6504 | 6505 | On the interpretability and computational reli... | This is a comment to the paper 'A study of p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6505 | 6506 | Artificial topological models based on a one-d... | Topological matter is a popular topic in bot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6506 | 6507 | Ramsey expansions of metrically homogeneous gr... | We discuss the Ramsey property, the existenc... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6507 | 6508 | Rapidly star-forming galaxies adjacent to quas... | The existence of massive ($10^{11}$ solar ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6508 | 6509 | Regular irreducible characters of a hyperspeci... | A parametrization of irreducible unitary rep... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6509 | 6510 | Active Exploration Using Gaussian Random Field... | In this work we study the problem of explori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6510 | 6511 | Doing good vs. avoiding bad in prosocial choic... | Prosociality is fundamental to human social ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6511 | 6512 | Measuring Territorial Control in Civil Wars Us... | Territorial control is a key aspect shaping ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6512 | 6513 | Virtual quandle for links in lens spaces | We construct a virtual quandle for links in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6513 | 6514 | Adaptation to Easy Data in Prediction with Lim... | We derive an online learning algorithm with ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6514 | 6515 | Why Bohr was (Mostly) Right | After a discussion of the Frauchiger-Renner ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6515 | 6516 | Generalizing Distance Covariance to Measure an... | We propose three measures of mutual dependen... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6516 | 6517 | Simultaneous Inference for High Dimensional Me... | Let $X_1, \ldots, X_n\in\mathbb{R}^p$ be i.i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6517 | 6518 | Joint Routing, Scheduling and Power Control Pr... | We consider optimal/efficient power allocati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6518 | 6519 | Activation of Microwave Fields in a Spin-Torqu... | Action potentials are the basic unit of info... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6519 | 6520 | Responses in Large-Scale Structure | We introduce a rigorous definition of genera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6520 | 6521 | Graph isomorphisms in quasi-polynomial time | Let us be given two graphs $\Gamma_1$, $\Gam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6521 | 6522 | Hardware-Aware Machine Learning: Modeling and ... | Recent breakthroughs in Deep Learning (DL) a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6522 | 6523 | On the unit distance problem | The Erd\H os unit distance conjecture in the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6523 | 6524 | Ordered states in the Kitaev-Heisenberg model:... | We study the ground state of the 1D Kitaev-H... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6524 | 6525 | Quadratic forms and Sobolev spaces of fraction... | We study quadratic functionals on $L^2(\math... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6525 | 6526 | General Latent Feature Modeling for Data Explo... | This paper introduces a general Bayesian non... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6526 | 6527 | The ALMA View of the OMC1 Explosion in Orion | Most massive stars form in dense clusters wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6527 | 6528 | Neurology-as-a-Service for the Developing World | Electroencephalography (EEG) is an extensive... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6528 | 6529 | Estimation of Low-Rank Matrices via Approximat... | Consider the problem of estimating a low-ran... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6529 | 6530 | Simultaneous diagonalisation of the covariance... | Recent developments in quaternion-valued wid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6530 | 6531 | Arithmetic Siegel-Weil formula on $X_{0}(N)$ | In this paper, we proved an arithmetic Siege... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6531 | 6532 | Perturbation, Non-Gaussianity and Reheating in... | Motivated by $\alpha$-attractor models, in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6532 | 6533 | Experimental determination of the frequency an... | Magnetic nanoparticles are promising systems... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6533 | 6534 | Training wide residual networks for deployment... | For fast and energy-efficient deployment of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6534 | 6535 | IP Based Traffic Recovery: An Optimal Approach... | With the passage of time and indulgence in I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6535 | 6536 | Performance of Optimal Data Shaping Codes | Data shaping is a coding technique that has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6536 | 6537 | Finding influential nodes for integration in b... | Global integration of information in the bra... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6537 | 6538 | Automatic Music Highlight Extraction using Con... | Music highlights are valuable contents for m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6538 | 6539 | On Oracle-Efficient PAC RL with Rich Observations | We study the computational tractability of P... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6539 | 6540 | Noise induced transition in Josephson junction... | We show a noise-induced transition in Joseph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6540 | 6541 | Distributed Estimation of Principal Eigenspaces | Principal component analysis (PCA) is fundam... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6541 | 6542 | Invariant algebraic surfaces of the FitzHugh-N... | In this paper, we characterize all the irred... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6542 | 6543 | Local and global boundary rigidity and the geo... | In this paper we analyze the local and globa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6543 | 6544 | Adversarial Source Identification Game with Co... | We study a variant of the source identificat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6544 | 6545 | Toric actions and convexity in cosymplectic ge... | We prove a convexity theorem for Hamiltonian... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6545 | 6546 | Localization and Stationary Phase Approximatio... | Given an odd vector field $Q$ on a supermani... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6546 | 6547 | An Analytical Design Optimization Method for E... | Multicopters are becoming increasingly impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6547 | 6548 | A Reassessment of Absolute Energies of the X-r... | We introduce a new technique for determining... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6548 | 6549 | Limitations of Source-Filter Coupling In Phona... | The coupling of vocal fold (source) and voca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6549 | 6550 | Correlation between clustering and degree in a... | We are interested in the probability that tw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6550 | 6551 | Automatic Disambiguation of French Discourse C... | Discourse connectives (e.g. however, because... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6551 | 6552 | Predicting Financial Crime: Augmenting the Pre... | Financial crime is a rampant but hidden thre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6552 | 6553 | Polar codes with a stepped boundary | We consider explicit polar constructions of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6553 | 6554 | Resonant Scattering Characteristics of Homogen... | In the present article the classical problem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6554 | 6555 | An efficient global optimization algorithm for... | Maximizing the sum of two generalized Raylei... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6555 | 6556 | Location Dependent Dirichlet Processes | Dirichlet processes (DP) are widely applied ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6556 | 6557 | Poisson brackets symmetry from the pentagon-wh... | Kontsevich designed a scheme to generate inf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6557 | 6558 | Shadows of characteristic cycles, Verma module... | Chern-Schwartz-MacPherson (CSM) classes gene... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6558 | 6559 | An Iterative Scheme for Leverage-based Approxi... | The current data explosion poses great chall... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6559 | 6560 | A Game of Martingales | We consider a two player dynamic game played... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6560 | 6561 | Effects of tunnelling and asymmetry for system... | We apply the newly derived nonadiabatic gold... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6561 | 6562 | Self-Modifying Morphology Experiments with DyR... | If robots are to become ubiquitous, they wil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6562 | 6563 | Dropout is a special case of the stochastic de... | Multi-layer neural networks have lead to rem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6563 | 6564 | Kernel Regression with Sparse Metric Learning | Kernel regression is a popular non-parametri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6564 | 6565 | Learning MSO-definable hypotheses on string | We study the classification problems over st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6565 | 6566 | From semimetal to chiral Fulde-Ferrell superfl... | The recent realization of two-dimensional (2... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6566 | 6567 | TumorNet: Lung Nodule Characterization Using M... | Characterization of lung nodules as benign o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6567 | 6568 | An apparatus architecture for femtosecond tran... | The motion of electrons in or near solids, l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6568 | 6569 | HourGlass: Predictable Time-based Cache Cohere... | We present a hardware mechanism called HourG... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6569 | 6570 | Frictional Effects on RNA Folding: Speed Limit... | We investigated frictional effects on the fo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6570 | 6571 | Learning to Rank based on Analogical Reasoning | Object ranking or "learning to rank" is an i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6571 | 6572 | Modeling Spatial Overdispersion with the Gener... | Modeling spatial overdispersion requires poi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6572 | 6573 | Adversarial examples for generative models | We explore methods of producing adversarial ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6573 | 6574 | Sparse covariance matrix estimation in high-di... | We study the estimation of the covariance ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6574 | 6575 | Dynamic controllers for column synchronization... | In the multi-agent systems setting, this pap... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6575 | 6576 | The ELEGANT NMR Spectrometer | Compact and portable in-situ NMR spectromete... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6576 | 6577 | What Would a Graph Look Like in This Layout? A... | Using different methods for laying out a gra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6577 | 6578 | A sure independence screening procedure for ul... | We introduce a two-step procedure, in the co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6578 | 6579 | Unbiased Multi-index Monte Carlo | We introduce a new class of Monte Carlo base... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6579 | 6580 | Hilbert Transformation and $r\mathrm{Spin}(n)+... | In this paper we study symmetry properties o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6580 | 6581 | Asymptotic limit and decay estimates for a cla... | In this paper, we study the large-time behav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6581 | 6582 | (G, μ)-displays and Rapoport-Zink spaces | Let (G, \mu) be a pair of a reductive group ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6582 | 6583 | Selecting Representative Examples for Program ... | Program synthesis is a class of regression p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6583 | 6584 | Semistable rank 2 sheaves with singularities o... | We describe new irreducible components of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6584 | 6585 | From jamming to collective cell migration thro... | Cell monolayers provide an interesting examp... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6585 | 6586 | An Approximate Bayesian Long Short-Term Memory... | Long Short-Term Memory networks trained with... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6586 | 6587 | Estimates of covering type and the number of v... | The covering type of a space $X$ is defined ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6587 | 6588 | Principal Floquet subspaces and exponential se... | This paper deals with the study of principal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6588 | 6589 | DNA insertion mutations can be predicted by a ... | It is generally difficult to predict the pos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6589 | 6590 | Machine Learning Molecular Dynamics for the Si... | Machine learning has emerged as an invaluabl... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6590 | 6591 | Statistically Optimal and Computationally Effi... | In this article, we develop methods for esti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6591 | 6592 | The cohomology of the full directed graph complex | In his seminal paper "Formality conjecture",... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6592 | 6593 | Model equations and structures formation for t... | We propose new types of models of the appear... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6593 | 6594 | On the Support Recovery of Jointly Sparse Gaus... | In this work, we provide non-asymptotic, pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6594 | 6595 | A Critical-like Collective State Leads to Long... | The transition from single-cell to multicell... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6595 | 6596 | Twistor theory at fifty: from contour integral... | We review aspects of twistor theory, its aim... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6596 | 6597 | Strong convergence rates of probabilistic inte... | Probabilistic integration of a continuous dy... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6597 | 6598 | The G-centre and gradable derived equivalences | We propose a generalisation for the notion o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6598 | 6599 | RFCDE: Random Forests for Conditional Density ... | Random forests is a common non-parametric re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6599 | 6600 | The symplectic approach of gauged linear $σ$-m... | Witten's Gauged Linear $\sigma$-Model (GLSM)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6600 | 6601 | Analysis of nonsmooth stochastic approximation... | In this paper we address the convergence of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6601 | 6602 | Clicks and Cliques. Exploring the Soul of the ... | In the paper we analyze 26 communities acros... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6602 | 6603 | Quickest Change Detection under Transient Dyna... | The problem of quickest change detection (QC... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6603 | 6604 | The Block Point Process Model for Continuous-T... | Many application settings involve the analys... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6604 | 6605 | Multi-Agent Deep Reinforcement Learning for Dy... | This work demonstrates the potential of deep... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6605 | 6606 | Investor Reaction to Financial Disclosures Acr... | This paper provides a holistic study of how ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6606 | 6607 | Truncated Variational EM for Semi-Supervised N... | Inference and learning for probabilistic gen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6607 | 6608 | The nature and origin of heavy tails in retwee... | Modern social media platforms facilitate the... | 1 | 1 | 0 | 1 | 0 | 0 |
| 6608 | 6609 | Opinion Polarization by Learning from Social F... | We explore a new mechanism to explain polari... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6609 | 6610 | Estimating Quality in Multi-Objective Bandits ... | Many real-world applications are characteriz... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6610 | 6611 | Adaptive IGAFEM with optimal convergence rates... | We consider an adaptive algorithm for finite... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6611 | 6612 | Spin dynamics of quadrupole nuclei in InGaAs q... | Photoluminescence polarization is experiment... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6612 | 6613 | Calibration for Weak Variance-Alpha-Gamma Proc... | The weak variance-alpha-gamma process is a m... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6613 | 6614 | Generalized Coordinated Transaction Scheduling... | A generalization of the coordinated transact... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6614 | 6615 | Boundaries as an Enhancement Technique for Phy... | In this paper, we study the receiver perform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6615 | 6616 | Magnetically induced Ferroelectricity in Bi$_2... | The tetragonal copper oxide Bi$_2$CuO$_4$ ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6616 | 6617 | Probabilistic Matrix Factorization for Automat... | In order to achieve state-of-the-art perform... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6617 | 6618 | Stochastic Multi-objective Optimization on a B... | Design optimization of engineering systems w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6618 | 6619 | Generation High resolution 3D model from natur... | We present a method of generating high resol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6619 | 6620 | A survey on policy search algorithms for learn... | Most policy search algorithms require thousa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6620 | 6621 | Non-linear Cyclic Codes that Attain the Gilber... | We prove that there exist non-linear binary ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6621 | 6622 | Consistency of Lipschitz learning with infinit... | We study the consistency of Lipschitz learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6622 | 6623 | On the Synthesis of Guaranteed-Quality Plans f... | In manufacturing, the increasing involvement... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6623 | 6624 | Geometrical morphology | We explore inflectional morphology as an exa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6624 | 6625 | A framework for cost-constrained genome rearra... | The study of genome rearrangement has many f... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6625 | 6626 | Dual combination combination multi switching s... | In this paper, a novel scheme for synchroniz... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6626 | 6627 | An Optimization Based Control Framework for Ba... | A whole-body torque control framework adapte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6627 | 6628 | Self-similar groups of type FP_{n} | We construct new classes of self-similar gro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6628 | 6629 | Operator Fitting for Parameter Estimation of S... | Estimation of parameters is a crucial part o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6629 | 6630 | Binomial transform of products | Given two infinite sequences with known bino... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6630 | 6631 | Strength Factors: An Uncertainty System for a ... | We present a new system S for handling uncer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6631 | 6632 | Binary companions of nearby supernova remnants... | We search for runaway former companions of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6632 | 6633 | Some Distributions on Finite Rooted Binary Trees | We introduce some natural families of distri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6633 | 6634 | Programmable DNA-mediated decision maker | DNA-mediated computing is a novel technology... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6634 | 6635 | The Effects of Ram Pressure on the Cold Clouds... | We discuss the effect of ram pressure on the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6635 | 6636 | Time-delayed SIS epidemic model with populatio... | This paper analyses the dynamics of infectio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6636 | 6637 | Determining Song Similarity via Machine Learni... | The task of determining item similarity is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6637 | 6638 | Uplink Performance Analysis in D2D-Enabled mmW... | In this paper, we provide an analytical fram... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6638 | 6639 | A critical topology for $L^p$-Carleman classes... | In this paper, we explain a sharp phase tran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6639 | 6640 | The GAN Landscape: Losses, Architectures, Regu... | Generative adversarial networks (GANs) are a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6640 | 6641 | An energy-based equilibrium contact angle boun... | We consider an energy-based boundary conditi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6641 | 6642 | Period polynomials, derivatives of $L$-functio... | Period polynomials have long been fruitful t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6642 | 6643 | Forming disc galaxies in major mergers II. The... | Context: In a series of papers, we study the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6643 | 6644 | Measuring Systematic Risk with Neural Network ... | In this paper, we measure systematic risk wi... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6644 | 6645 | Obstacle Avoidance Using Stereo Camera | In this paper we present a novel method for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6645 | 6646 | Detecting Outliers in Data with Correlated Mea... | Advances in sensor technology have enabled t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6646 | 6647 | Active bialkali photocathodes on free-standing... | The hexagonal structure of graphene gives ri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6647 | 6648 | Reconstruction of a compact Riemannian manifol... | Given a smooth non-trapping compact manifold... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6648 | 6649 | Lensing and the Warm Hot Intergalactic Medium | The correlation of weak lensing and Cosmic M... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6649 | 6650 | Guaranteed Simultaneous Asymmetric Tensor Deco... | We consider the asymmetric orthogonal tensor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6650 | 6651 | The average sizes of two-torsion subgroups in ... | We prove a generalization of a result of Bha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6651 | 6652 | A Strongly Consistent Finite Difference Scheme... | We construct and analyze a strongly consiste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6652 | 6653 | Classification of $δ(2,n-2)$-ideal Lagrangian ... | It was proven in [B.-Y. Chen, F. Dillen, J. ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6653 | 6654 | Robust stability analysis of DC microgrids wit... | This paper studies stability analysis of DC ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6654 | 6655 | Dimensional Analysis in Economics: A Study of ... | The fundamental purpose of the present resea... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6655 | 6656 | A high precision semi-analytic mass function | In this paper, extending past works of Del P... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6656 | 6657 | Fast Compressed Self-Indexes with Deterministi... | We introduce a compressed suffix array repre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6657 | 6658 | Solvability of the operator Riccati equation i... | We consider a bounded block operator matrix ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6658 | 6659 | Comparison results for first order linear oper... | This work is devoted to the study of the fir... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6659 | 6660 | A remark on oscillatory integrals associated w... | We prove that the $L^2$ bound of an oscillat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6660 | 6661 | Quantitative stochastic homogenization and reg... | We develop a quantitative theory of stochast... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6661 | 6662 | On the periodicity problem of residual r-Fubin... | For any positive integer $r$, the $r$-Fubini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6662 | 6663 | Boundedness of the Bergman projection on gener... | In this paper we solve a problem posed by H.... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6663 | 6664 | Support Vector Machines and generalisation in HEP | We review the concept of Support Vector Mach... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6664 | 6665 | A sequent calculus for the Tamari order | We introduce a sequent calculus with a simpl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6665 | 6666 | A Measurement of CMB Cluster Lensing with SPT ... | Clusters of galaxies gravitationally lens th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6666 | 6667 | Seebeck Effect in Nanoscale Ferromagnets | We present a theory of the Seebeck effect in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6667 | 6668 | Fast Asymmetric Fronts Propagation for Image S... | In this paper, we introduce a generalized as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6668 | 6669 | Efficient injection from large telescopes into... | Photonic technologies offer numerous advanta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6669 | 6670 | An upwind method for genuine weakly hyperbolic... | In this article, we attempted to develop an ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6670 | 6671 | Semi-tied Units for Efficient Gating in LSTM a... | Gating is a key technique used for integrati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6671 | 6672 | A step towards Twist Conjecture | Under the assumption that a defining graph o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6672 | 6673 | Achieveing reliable UDP transmission at 10 Gb/... | User Datagram Protocol (UDP) is a commonly u... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6673 | 6674 | Epidemic Threshold in Continuous-Time Evolving... | Current understanding of the critical outbre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6674 | 6675 | Demo Abstract: CDMA-based IoT Services with Sh... | With the vision of deployment of massive Int... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6675 | 6676 | Can Two-Way Direct Communication Protocols Be ... | We consider attacks on two-way quantum key d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6676 | 6677 | Using Deep Neural Network Approximate Bayesian... | We present a new method to approximate poste... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6677 | 6678 | Simple Classification using Binary Data | Binary, or one-bit, representations of data ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6678 | 6679 | Unstable normalized standing waves for the spa... | For the stationary nonlinear Schrödinger equ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6679 | 6680 | Inverse regression for ridge recovery: A data-... | Parameter reduction can enable otherwise inf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6680 | 6681 | Thermodynamics of Higher Order Entropy Correct... | In this paper, we consider higher order corr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6681 | 6682 | Robust, high brightness, degenerate entangled ... | We report on a compact, simple and robust hi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6682 | 6683 | Emergence of superconductivity in the cuprates... | A pivotal step toward understanding unconven... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6683 | 6684 | Exploiting Spatial Degrees of Freedom for High... | We propose and demonstrate an ultrasonic com... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6684 | 6685 | Global sensitivity analysis in the context of ... | Global sensitivity analysis aims at determin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6685 | 6686 | Unexpected Enhancement of Three-Dimensional Lo... | We report inelastic neutron scattering measu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6686 | 6687 | Agile Software Development Methods: Review and... | Agile - denoting "the quality of being agile... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6687 | 6688 | Deep Learning: A Bayesian Perspective | Deep learning is a form of machine learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6688 | 6689 | Tunnel-injected sub-260 nm ultraviolet light e... | We report on tunnel-injected deep ultraviole... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6689 | 6690 | Three-dimensional image reconstruction in J-PE... | We present a method and preliminary results ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6690 | 6691 | Two-component domain decomposition scheme with... | An iteration-free method of domain decomposi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6691 | 6692 | On the representation of finite convex geometr... | Very recently Richter and Rogers proved that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6692 | 6693 | Resolving ultrafast exciton migration in organ... | The effectiveness of molecular-based light h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6693 | 6694 | Transfer Learning across Low-Resource, Related... | We present a simple method to improve neural... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6694 | 6695 | Dynamical correlations in the electronic struc... | Using local density approximation plus dynam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6695 | 6696 | A Van-Der-Waals picture for metabolic networks... | In this work maximum entropy distributions i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6696 | 6697 | Robust Parameter Estimation of Regression Mode... | In this paper, we consider a linear regressi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6697 | 6698 | Measuring filament orientation: a new quantita... | The relative orientation between filamentary... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6698 | 6699 | Controlled dynamic screening of excitonic comp... | We report a combined theoretical/experimenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6699 | 6700 | Motions about a fixed point by hypergeometric ... | We study four problems in the dynamics of a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6700 | 6701 | Spatial solitons in thermo-optical media from ... | We analyze theoretically the Schrodinger-Poi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6701 | 6702 | Instrument-Armed Bandits | We extend the classic multi-armed bandit (MA... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6702 | 6703 | Deep learning Inversion of Seismic Data | In this paper, we propose a new method to ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6703 | 6704 | Nopol: Automatic Repair of Conditional Stateme... | We propose NOPOL, an approach to automatic r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6704 | 6705 | Parametric geometry of numbers in function fields | Parametric geometry of numbers is a new theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6705 | 6706 | Refined open intersection numbers and the Kont... | A study of the intersection theory on the mo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6706 | 6707 | SEIRS epidemics in growing populations | An SEIRS epidemic with disease fatalities is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6707 | 6708 | A Multi-task Selected Learning Approach for So... | This paper studies a new type of 3D bin pack... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6708 | 6709 | Use of Docker for deployment and testing of as... | We describe preliminary investigations of us... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6709 | 6710 | Label Embedding Network: Learning Label Repres... | We propose a method, called Label Embedding ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6710 | 6711 | On the Performance of Multi-Instrument Solar F... | The current fleet of space-based solar obser... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6711 | 6712 | A Feature Complete SPIKE Banded Algorithm and ... | New features and enhancements for the SPIKE ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6712 | 6713 | Dark Matter in the Local Group of Galaxies | We describe the neutrino flavor (e = electro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6713 | 6714 | Effective Extensible Programming: Unleashing J... | GPUs and other accelerators are popular devi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6714 | 6715 | Finite Time Adaptive Stabilization of LQ Systems | Stabilization of linear systems with unknown... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6715 | 6716 | On the composition of Berezin-Toeplitz operato... | We compute the second coefficient of the com... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6716 | 6717 | Maximum and minimum operators of convex integr... | For given convex integrands $\gamma_{{}_{i}}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6717 | 6718 | Approximate Kernel PCA Using Random Features: ... | Kernel methods are powerful learning methodo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6718 | 6719 | A Heuristic Search Algorithm Using the Stabili... | This paper presents a non-manual design engi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6719 | 6720 | SEDIGISM: Structure, excitation, and dynamics ... | The origin and life-cycle of molecular cloud... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6720 | 6721 | Imitating Driver Behavior with Generative Adve... | The ability to accurately predict and simula... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6721 | 6722 | Topological semimetals with double-helix nodal... | Topological nodal line semimetals are charac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6722 | 6723 | Artificial Intelligence Assisted Power Grid Ha... | In this paper, an artificial intelligence ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6723 | 6724 | Computing isomorphisms and embeddings of finit... | Let $\mathbb{F}_q$ be a finite field. Given ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6724 | 6725 | Analysis of the current-driven domain wall mot... | The current-driven domain wall motion in a r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6725 | 6726 | On the Hilbert coefficients, depth of associat... | Let $(R,\mathfrak{m})$ be a $d$-dimensional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6726 | 6727 | End-to-End ASR-free Keyword Search from Speech | End-to-end (E2E) systems have achieved compe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6727 | 6728 | Tracking performance in high multiplicities en... | In LHC Run 3, ALICE will increase the data t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6728 | 6729 | Schatten class Hankel and $\overline{\partial}... | Let $\Omega$ be a $C^2$-smooth bounded pseud... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6729 | 6730 | Cross-Sectional Variation of Intraday Liquidit... | The composition of natural liquidity has bee... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6730 | 6731 | An investigation of pulsar searching technique... | Here we present an in-depth study of the beh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6731 | 6732 | Symplectic stability on manifolds with cylindr... | A famous result of Jurgen Moser states that ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6732 | 6733 | Making the Dzyaloshinskii-Moriya interaction v... | Brillouin light spectroscopy is a powerful a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6733 | 6734 | Approximate Collapsed Gibbs Clustering with Ex... | We develop a framework for approximating col... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6734 | 6735 | Thermal graphene metamaterials and epsilon-nea... | The key feature of a thermophotovoltaic (TPV... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6735 | 6736 | Ferroionic states in ferroelectric thin films | The electric coupling between surface ions a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6736 | 6737 | Quantum Chebyshev's Inequality and Applications | In this paper we provide new quantum algorit... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6737 | 6738 | Learning Convex Regularizers for Optimal Bayes... | We propose a data-driven algorithm for the m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6738 | 6739 | On the $L^p$ boundedness of wave operators for... | Let $H=-\Delta+V$ be a Schrödinger operator ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6739 | 6740 | Data-driven Advice for Applying Machine Learni... | As the bioinformatics field grows, it must k... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6740 | 6741 | Bivariate Causal Discovery and its Application... | The mainstream of research in genetics, epig... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6741 | 6742 | Revisiting Distillation and Incremental Classi... | One of the key differences between the learn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6742 | 6743 | Intuitive Hand Teleoperation by Novice Operato... | Human-in-the-loop manipulation is useful in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6743 | 6744 | A Hierarchical Bayes Approach to Adjust for Se... | American cities devote significant resources... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6744 | 6745 | Cavitation near the oscillating piezoelectric ... | It is known that gas bubbles on the surface ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6745 | 6746 | Revised Note on Learning Algorithms for Quadra... | Inverse problems correspond to a certain typ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6746 | 6747 | On Completeness Results of Hoare Logic Relativ... | The general completeness problem of Hoare lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6747 | 6748 | Shift-Coupling of Random Rooted Graphs and Net... | In this paper, we present a result similar t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6748 | 6749 | Fast Automated Analysis of Strong Gravitationa... | Quantifying image distortions caused by stro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6749 | 6750 | Adversarial Examples, Uncertainty, and Transfe... | Deep neural networks (DNNs) have excellent r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6750 | 6751 | Elliptic regularization of the isometric immer... | We introduce an elliptic regularization of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6751 | 6752 | A Debris Backwards Flow Simulation System for ... | This paper presents a system based on a Two-... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6752 | 6753 | End-to-End Task-Completion Neural Dialogue Sys... | One of the major drawbacks of modularized ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6753 | 6754 | Improving power of genetic association studies... | Extreme phenotype sampling is a selective ge... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6754 | 6755 | Energy network: towards an interconnected ener... | The fundamental theory of energy networks in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6755 | 6756 | Invitation to Alexandrov geometry: CAT[0] spaces | The idea is to demonstrate the beauty and po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6756 | 6757 | Smoothing of transport plans with fixed margin... | We prove rigorously that the exact N-electro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6757 | 6758 | The extension of some D(4)-pairs | In this paper we illustrate the use of the r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6758 | 6759 | Standards for enabling heterogeneous IaaS clou... | Technology market is continuing a rapid grow... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6759 | 6760 | Grid-based Approaches for Distributed Data Min... | The data mining field is an important source... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6760 | 6761 | Transforming acoustic characteristics to decei... | Automatic speaker verification (ASV) systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6761 | 6762 | LoopInvGen: A Loop Invariant Generator based o... | We describe the LoopInvGen tool for generati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6762 | 6763 | Dimensional crossover of effective orbital dyn... | Topologically protected superfluid phases of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6763 | 6764 | Low frequency spectral energy distributions of... | We present low-frequency spectral energy dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6764 | 6765 | Scalable Spectrum Allocation and User Associat... | A scalable framework is developed to allocat... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6765 | 6766 | On Geometry and Symmetry of Kepler Systems. I | We study the Kepler metrics on Kepler manifo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6766 | 6767 | The collisional frequency shift of a trapped-i... | Collisions with background gas can perturb t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6767 | 6768 | Continuity properties for Born-Jordan operator... | We show that the Weyl symbol of a Born-Jorda... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6768 | 6769 | IoT Data Analytics Using Deep Learning | Deep learning is a popular machine learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6769 | 6770 | Viscous Dissipation in One-Dimensional Quantum... | We develop a theory of viscous dissipation i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6770 | 6771 | On the existence of homoclinic type solutions ... | We study the existence of homoclinic type so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6771 | 6772 | Correcting Two Deletions and Insertions in Rac... | Racetrack memory is a non-volatile memory en... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6772 | 6773 | Limits of Yang-Mills α-connections | In the spirit of recent work of Lamm, Malchi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6773 | 6774 | Online Robust Principal Component Analysis wit... | Robust PCA methods are typically batch algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6774 | 6775 | Reactive User Behavior and Mobility Models | In this paper, we present a set of simulatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6775 | 6776 | How production networks amplify economic growth | Technological improvement is the most import... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6776 | 6777 | The Minimal Resolution Conjecture on a general... | Mustaţă has given a conjecture for the grade... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6777 | 6778 | Exact density functional obtained via the Levy... | A stochastic minimization method for a real-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6778 | 6779 | Compile-Time Symbolic Differentiation Using C+... | Template metaprogramming is a popular techni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6779 | 6780 | On Multilingual Training of Neural Dependency ... | We show that a recently proposed neural depe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6780 | 6781 | Autocommuting probability of a finite group | Let $G$ be a finite group and $\Aut(G)$ the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6781 | 6782 | Inside-Out Planet Formation. IV. Pebble Evolut... | Systems with tightly-packed inner planets (S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6782 | 6783 | SilhoNet: An RGB Method for 3D Object Pose Est... | Autonomous robot manipulation often involves... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6783 | 6784 | Collapsed Tetragonal Phase Transition in LaRu$... | The structural properties of LaRu$_2$P$_2$ u... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6784 | 6785 | Bayesian Nonparametric Unmixing of Hyperspectr... | Hyperspectral imaging is an important tool i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6785 | 6786 | Dynamical control of electron-phonon interacti... | This work addresses the one-dimensional prob... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6786 | 6787 | Controlling the thermoelectric effect by mecha... | The thermoelectric voltage developed across ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6787 | 6788 | The time geography of segregation during worki... | Understanding segregation is essential to de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6788 | 6789 | Improving Protein Gamma-Turn Prediction Using ... | Protein gamma-turn prediction is useful in p... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6789 | 6790 | Image transformations on locally compact spaces | An image is here defined to be a set which i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6790 | 6791 | From Half-metal to Semiconductor: Electron-cor... | We performed electronic structure calculatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6791 | 6792 | Non-exponential decoherence of radio-frequency... | Precision experiments, such as the search fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6792 | 6793 | On the fundamental group of semi-Riemannian ma... | This paper presents an investigation of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6793 | 6794 | Flow-Sensitive Composition of Thread-Modular A... | We propose a constraint-based flow-sensitive... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6794 | 6795 | Momentum Control of Humanoid Robots with Serie... | Humanoid robots may require a degree of comp... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6795 | 6796 | SRN: Side-output Residual Network for Object S... | In this paper, we establish a baseline for o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6796 | 6797 | Time-Optimal Trajectories of Generic Control-A... | We consider in this paper the regularity pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6797 | 6798 | Wikipedia for Smart Machines and Double Deep M... | Very important breakthroughs in data centric... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6798 | 6799 | A binary main belt comet | The asteroids are primitive solar system bod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6799 | 6800 | Dynamic Clustering Algorithms via Small-Varian... | Bayesian nonparametrics are a class of proba... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6800 | 6801 | Deep Depth From Focus | Depth from focus (DFF) is one of the classic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6801 | 6802 | Deep Text Classification Can be Fooled | In this paper, we present an effective metho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6802 | 6803 | Two-Stream 3D Convolutional Neural Network for... | It remains a challenge to efficiently extrac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6803 | 6804 | Strong Bayesian Evidence for the Normal Neutri... | The configuration of the three neutrino mass... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6804 | 6805 | A fast reconstruction algorithm for geometric ... | This paper is concerned with the detection o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6805 | 6806 | Tomographic X-ray data of carved cheese | This is the documentation of the tomographic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6806 | 6807 | SMARTies: Sentiment Models for Arabic Target E... | We consider entity-level sentiment analysis ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6807 | 6808 | Quantile Markov Decision Process | In this paper, we consider the problem of op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6808 | 6809 | Explaining the elongated shape of 'Oumuamua by... | The photometry of the minor body with extras... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6809 | 6810 | Generation of $1/f$ noise motivated by a model... | We present a model to generate power spectru... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6810 | 6811 | On the lattice of the $σ$-permutable subgroups... | Let $\sigma =\{\sigma_{i} | i\in I\}$ be som... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6811 | 6812 | The geometry of the generalized algebraic Ricc... | This paper analyzes the properties of the so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6812 | 6813 | High Order Numerical Integrators for Relativis... | In this paper, we extend several time revers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6813 | 6814 | Astrophotonics: molding the flow of light in a... | Since its emergence two decades ago, astroph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6814 | 6815 | Towards quantitative methods to assess network... | Assessing generative models is not an easy t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6815 | 6816 | Soliton groups as the reason for extreme stati... | The results of the probabilistic analysis of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6816 | 6817 | Stack Overflow: A Code Laundering Platform? | Developers use Question and Answer (Q&A) web... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6817 | 6818 | New Abilities and Limitations of Spectral Grap... | Spectral based heuristics belong to well-kno... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6818 | 6819 | Deep Residual Learning for Accelerated MRI usi... | Accelerated magnetic resonance (MR) scan acq... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6819 | 6820 | Quantification of market efficiency based on i... | Since the 1960s, the question whether market... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6820 | 6821 | A critical analysis of resampling strategies f... | We analyze the performance of different resa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6821 | 6822 | Geometry of the free-sliding Bernoulli beam | If a variational problem comes with no bound... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6822 | 6823 | Note on equivalences for degenerations of Cala... | This note studies the equivalencies among co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6823 | 6824 | Improving DNN-based Music Source Separation us... | Music source separation with deep neural net... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6824 | 6825 | Rapid, User-Transparent, and Trustworthy Devic... | Mobile Crowdsourcing is a promising service ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6825 | 6826 | liquidSVM: A Fast and Versatile SVM package | liquidSVM is a package written in C++ that p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6826 | 6827 | Thermalizing sterile neutrino dark matter | Sterile neutrinos produced through oscillati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6827 | 6828 | Information Elicitation for Bayesian Auctions | In this paper we design information elicitat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6828 | 6829 | Partially chaotic orbits in a perturbed cubic ... | Three types of orbits are theoretically poss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6829 | 6830 | Measurable process selection theorem and non-a... | A semi-process is an analog of the semi-flow... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6830 | 6831 | Just-infinite C*-algebras and their invariants | Just-infinite C*-algebras, i.e., infinite di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6831 | 6832 | A Large-scale Dataset and Benchmark for Simila... | Trademark retrieval (TR) has become an impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6832 | 6833 | Tracing Networks of Knowledge in the Digital Age | The emergence of new digital technologies ha... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6833 | 6834 | Observational evidence of galaxy assembly bias | We analyze the spectra of 300,000 luminous r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6834 | 6835 | Data-Driven Tree Transforms and Metrics | We consider the analysis of high dimensional... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6835 | 6836 | NotiMind: Utilizing Responses to Smart Phone N... | Today's mobile phone users are faced with la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6836 | 6837 | Aktuelle Entwicklungen in der Automatischen Mu... | In this paper we present current trends in r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6837 | 6838 | Blind Demixing and Deconvolution at Near-Optim... | We consider simultaneous blind deconvolution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6838 | 6839 | A Visualization of the Classical Musical Tradi... | A study of around 13,000 musical composition... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6839 | 6840 | Multivariate Locally Stationary Wavelet Proces... | This paper describes the R package mvLSW. Th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6840 | 6841 | Using Posters to Recommend Anime and Mangas in... | Item cold-start is a classical issue in reco... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6841 | 6842 | Generalized least squares can overcome the cri... | In order to sample marginalized and/or hard-... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6842 | 6843 | Electron-Hole Symmetry Breaking in Charge Tran... | Graphitic nitrogen-doped graphene is an exce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6843 | 6844 | Micro-sized cold atmospheric plasma source for... | Micro-sized cold atmospheric plasma (uCAP) h... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6844 | 6845 | How Many Random Seeds? Statistical Power Analy... | Consistently checking the statistical signif... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6845 | 6846 | Training Quantized Nets: A Deeper Understanding | Currently, deep neural networks are deployed... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6846 | 6847 | Some Sharpening and Generalizations of a resul... | Let $p(z)=a_0+a_1z+a_2z^2+a_3z^3+\cdots+a_nz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6847 | 6848 | Computational Aided Design for Generating a Mo... | Developing an appropriate design process for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6848 | 6849 | Reaction-Diffusion Systems in Epidemiology | A key problem in modelling the evolution dyn... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6849 | 6850 | Is charge order induced near an antiferromagne... | We investigate the interplay between charge ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6850 | 6851 | Commissioning and performance results of the W... | The Prototype Imaging Spectrograph for Coron... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6851 | 6852 | Metal nanospheres under intense continuous wav... | We show that the standard perturbative (i.e.... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6852 | 6853 | Revealing strong bias in common measures of ga... | Accurate measurement of galaxy structures is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6853 | 6854 | Behind Every Great Tree is a Great (Phylogenet... | In Francis and Steel (2015), it was shown th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6854 | 6855 | Cosmic-ray induced destruction of CO in star-f... | We explore the effects of the expected highe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6855 | 6856 | News Session-Based Recommendations using Deep ... | News recommender systems are aimed to person... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6856 | 6857 | Online Nonparametric Anomaly Detection based o... | We consider the online and nonparametric det... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6857 | 6858 | Learning latent structure of large random graphs | In this paper, we estimate the distribution ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6858 | 6859 | Loop Tiling in Large-Scale Stencil Codes at Ru... | The key common bottleneck in most stencil co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6859 | 6860 | Second differentials in the Quillen spectral s... | For an algebraic variety $X$ we introduce ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6860 | 6861 | General Dynamics of Spinors | In this paper, we consider a general twisted... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6861 | 6862 | PT-Spike: A Precise-Time-Dependent Single Spik... | One of the most exciting advancements in AI ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6862 | 6863 | Learning to Represent Edits | We introduce the problem of learning distrib... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6863 | 6864 | Semiclassical Prediction of Large Spectral Flu... | While plenty of results have been obtained f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6864 | 6865 | If it ain't broke, don't fix it: Sparse metric... | Many modern data-intensive computational pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6865 | 6866 | Optimal one-shot quantum algorithm for EQUALIT... | We study the computation complexity of Boole... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6866 | 6867 | Photon-gated spin transistor | Spin-polarized field-effect transistor (spin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6867 | 6868 | Polarisation of submillimetre lines from inter... | Magnetic fields play important roles in many... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6868 | 6869 | Two bosonic quantum walkers in one-dimensional... | Dynamical properties of two bosonic quantum ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6869 | 6870 | Photometric Redshifts with the LSST: Evaluatin... | In this paper we present and characterize a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6870 | 6871 | Modelling diverse sources of Clostridium diffi... | Clostridium difficile infections (CDIs) affe... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6871 | 6872 | Quivers with potentials for cluster varieties ... | Let $C$ be a simply laced generalized Cartan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6872 | 6873 | Effect of stellar flares on the upper atmosphe... | Stellar flares are a frequent occurrence on ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6873 | 6874 | Gross-Hopkins Duals of Higher Real K-theory Sp... | We determine the Gross-Hopkins duals of cert... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6874 | 6875 | A Projection Method for Metric-Constrained Opt... | We outline a new approach for solving optimi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6875 | 6876 | Calibrating the Planck Cluster Mass Scale with... | We measure the Planck cluster mass bias usin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6876 | 6877 | Curie: Policy-based Secure Data Exchange | Data sharing among partners---users, organiz... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6877 | 6878 | Boundedness in a fully parabolic chemotaxis sy... | In this paper we study the zero-flux chemota... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6878 | 6879 | Gemini/GMOS Transmission Spectral Survey: Comp... | We present the complete optical transmission... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6879 | 6880 | From Infinite to Finite Programs: Explicit Err... | We consider linear programming (LP) problems... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6880 | 6881 | An overview and comparative analysis of Recurr... | The key component in forecasting demand and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6881 | 6882 | Periods of abelian differentials and dynamics | Given a closed oriented surface S we describ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6882 | 6883 | Existence of regular solutions for a certain t... | We are concerned with existence of regular s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6883 | 6884 | Multiferroic Quantum Criticality | The zero-temperature limit of a continuous p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6884 | 6885 | Carbon Nanotube Wools Directly from CO2 By Mol... | A climate mitigation comprehensive solution ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6885 | 6886 | Rock-Paper-Scissors Random Walks on Temporal M... | We study diffusion on a multilayer network w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6886 | 6887 | Marginally compact fractal trees with semiflex... | We study marginally compact macromolecular t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6887 | 6888 | Deep Neural Networks for Physics Analysis on l... | There has been considerable recent activity ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6888 | 6889 | Time-frequency analysis of ship wave patterns ... | A spectrogram of a ship wake is a heat map t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6889 | 6890 | HARE: Supporting efficient uplink multi-hop co... | The emergence of low-power wide area network... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6890 | 6891 | Tensor tomography in periodic slabs | The X-ray transform on the periodic slab $[0... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6891 | 6892 | Central limit theorem for linear spectral stat... | In this paper, we consider the separable cov... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6892 | 6893 | Malnormality and join-free subgroups in right-... | In this paper, we prove that all finitely ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6893 | 6894 | Mapping the Americanization of English in Spac... | As global political preeminence gradually sh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6894 | 6895 | Robot Localisation and 3D Position Estimation ... | Many works in collaborative robotics and hum... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6895 | 6896 | Meromorphic Jacobi Forms of Half-Integral Inde... | In this work we consider an association of m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6896 | 6897 | Active Hypothesis Testing: Beyond Chernoff-Stein | An active hypothesis testing problem is form... | 1 | 0 | 1 | 1 | 0 | 0 |
| 6897 | 6898 | Data-driven regularization of Wasserstein bary... | We present a framework to simultaneously ali... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6898 | 6899 | BCS quantum critical phenomena | Theoretically, we recently showed that the s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6899 | 6900 | Action preserving (weak) topologies on the cat... | Let $\mathcal{C}$ be a finitely complete sma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6900 | 6901 | Learning to detect chest radiographs containin... | Machine learning approaches hold great poten... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6901 | 6902 | New conformal map for the Sinc approximation f... | The Sinc approximation has shown high effici... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6902 | 6903 | Evidence synthesis for stochastic epidemic models | In recent years the role of epidemic models ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6903 | 6904 | The multi-resonant Lugiato-Lefever model | We introduce a new model describing multiple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6904 | 6905 | Scalable Bayesian shrinkage and uncertainty qu... | Bayesian shrinkage methods have generated a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6905 | 6906 | Inclusion and Majorization Properties of Certa... | The object of the present paper is to study ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6906 | 6907 | Tameness in least fixed-point logic and McColm... | We investigate fundamental model-theoretic d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6907 | 6908 | Enhanced activity of the Southern Taurids in 2... | The paper presents an analysis of Polish Fir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6908 | 6909 | Comparing anticyclotomic Selmer groups of posi... | We study the variation of Iwasawa invariants... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6909 | 6910 | Predicting the Results of LTL Model Checking u... | In this paper, we study how to predict the r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6910 | 6911 | Magnetoelectric properties of the layered room... | Properties of two ThCr2Si2-type materials ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6911 | 6912 | Discrete Spectrum Reconstruction using Integra... | An inverse problem in spectroscopy is consid... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6912 | 6913 | Tackling Over-pruning in Variational Autoencoders | Variational autoencoders (VAE) are directed ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6913 | 6914 | Elastic collision and molecule formation of sp... | We consider the statics and dynamics of a st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6914 | 6915 | From Query-By-Keyword to Query-By-Example: Lin... | One key challenge in talent search is to tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6915 | 6916 | Cyber-Physical System for Energy-Efficient Sta... | The environmental impacts of medium to large... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6916 | 6917 | On Bayesian Exponentially Embedded Family for ... | In this paper, we derive a Bayesian model or... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6917 | 6918 | Estimating solar flux density at low radio fre... | Sky models have been used in the past to cal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6918 | 6919 | Revisiting Activation Regularization for Langu... | Recurrent neural networks (RNNs) serve as a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6919 | 6920 | Non-equilibrium time dynamics of genetic evolu... | Biological systems are typically highly open... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6920 | 6921 | On the scaling of entropy viscosity in high or... | In this work, we outline the entropy viscosi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6921 | 6922 | An Architecture Combining Convolutional Neural... | Convolutional neural networks (CNNs) are sim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6922 | 6923 | Derivation of the cutoff length from the quant... | Ultraviolet self-interaction energies in fie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6923 | 6924 | Exact MAP Inference by Avoiding Fractional Ver... | Given a graphical model, one essential probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6924 | 6925 | Study on a Poisson's Equation Solver Based On ... | In this work, we investigated the feasibilit... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6925 | 6926 | On the compressibility of the transition-metal... | The 4d-transition-metals carbides (ZrC, NbC)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6926 | 6927 | On multifractals: a non-linear study of actigr... | This work aimed, to determine the characteri... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6927 | 6928 | Exact semi-separation of variables in waveguid... | Series expansions of unknown fields $\Phi=\s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6928 | 6929 | Universality for eigenvalue algorithms on samp... | We prove a universal limit theorem for the h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6929 | 6930 | Dynamical Isometry is Achieved in Residual Net... | We demonstrate that in residual neural netwo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6930 | 6931 | Similarity-based Multi-label Learning | Multi-label classification is an important l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6931 | 6932 | Burst Synchronization in A Scale-Free Neuronal... | We are concerned about burst synchronization... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6932 | 6933 | The Arrow of Time in the collapse of collision... | The collapse of a collisionless self-gravita... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6933 | 6934 | Numerical Observation of Parafermion Zero Mode... | The possibility of realizing non-Abelian exc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6934 | 6935 | Stochastic Optimal Control of Epidemic Process... | We approach the development of models and co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6935 | 6936 | Improved upper bounds in the moving sofa problem | The moving sofa problem, posed by L. Moser i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6936 | 6937 | Neural correlates of episodic memory in the Me... | IntroductionThe free and cued selective remi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6937 | 6938 | Neighborhood-Based Label Propagation in Large ... | Understanding protein function is one of the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6938 | 6939 | Compressive Sensing with Cross-Validation and ... | Compressive sensing is a powerful technique ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 6939 | 6940 | Closure Properties in the Class of Multiple Co... | We show that the class of groups with $k$-mu... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6940 | 6941 | Random gauge models of the superconductor-insu... | We study numerically the superconductor-insu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6941 | 6942 | Extended quantum field theory, index theory an... | We use techniques from functorial quantum fi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 6942 | 6943 | Learning Graphical Models Using Multiplicative... | We give a simple, multiplicative-weight upda... | 1 | 0 | 1 | 1 | 0 | 0 |
| 6943 | 6944 | Neutron response of PARIS phoswich detector | We have studied neutron response of PARIS ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6944 | 6945 | Swarm robotics in wireless distributed protoco... | The mine detection in an unexplored area is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6945 | 6946 | A polynomial time knot polynomial | We present the strongest known knot invarian... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6946 | 6947 | Corruption-free scheme of entering into contra... | The main purpose of this paper is to formali... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6947 | 6948 | Geometric Biplane Graphs I: Maximal Graphs | We study biplane graphs drawn on a finite pl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6948 | 6949 | A Multiobjective Approach to Multimicrogrid Sy... | The main goal of this paper is to design a m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6949 | 6950 | Neural Architecture for Question Answering Usi... | In Web search, entity-seeking queries often ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6950 | 6951 | Calculating the closed ordinal Ramsey number $... | We show that $R^{cl}(\omega\cdot 2,3)^2$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6951 | 6952 | A spatially explicit capture recapture model f... | Spatially explicit capture recapture (SECR) ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6952 | 6953 | Unsupervised Anomaly Detection with Generative... | Obtaining models that capture imaging marker... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6953 | 6954 | ZOOpt: Toolbox for Derivative-Free Optimization | Recent advances of derivative-free optimizat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6954 | 6955 | Non-Gaussian Stochastic Volatility Model with ... | In this work, we propose a model for estimat... | 0 | 0 | 0 | 0 | 0 | 1 |
| 6955 | 6956 | Smart Guiding Glasses for Visually Impaired Pe... | To overcome the travelling difficulty for th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6956 | 6957 | Recurrent Poisson Factorization for Temporal R... | Poisson factorization is a probabilistic mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6957 | 6958 | Categorification of sign-skew-symmetric cluste... | Using the unfolding method given in \cite{HL... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6958 | 6959 | Capacitated Bounded Cardinality Hub Routing Pr... | In this paper, we address the Bounded Cardin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6959 | 6960 | Large Kernel Matters -- Improve Semantic Segme... | One of recent trends [30, 31, 14] in network... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6960 | 6961 | Is ram-pressure stripping an efficient mechani... | We study how the gas in a sample of galaxies... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6961 | 6962 | Hidden Fluid Mechanics: A Navier-Stokes Inform... | We present hidden fluid mechanics (HFM), a p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6962 | 6963 | Testing Network Structure Using Relations Betw... | We study the problem of testing for structur... | 1 | 0 | 1 | 1 | 0 | 0 |
| 6963 | 6964 | A 3D MHD simulation of SN 1006: a polarized em... | Three dimensional magnetohydrodynamical simu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6964 | 6965 | Hierarchical Detail Enhancing Mesh-Based Shape... | Automatic mesh-based shape generation is of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6965 | 6966 | Combined analysis of galaxy cluster number cou... | The Sunyaev-Zel'dovich (SZ) effect is a powe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6966 | 6967 | On short cycle enumeration in biregular bipart... | A number of recent works have used a variety... | 1 | 0 | 1 | 0 | 0 | 0 |
| 6967 | 6968 | Exhaled breath barbotage: a new method for pul... | Exhaled air contains aerosol of submicron dr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6968 | 6969 | A Computational Study of the Role of Tonal Ten... | Expressive variations of tempo and dynamics ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6969 | 6970 | On the least upper bound for the settling time... | This paper deals with the convergence time a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6970 | 6971 | Self-organization and the Maximum Empower Prin... | Self-organization is a process where order o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 6971 | 6972 | Nonequilibrium Work and its Hamiltonian Connec... | Nonequilibrium work-Hamiltonian connection f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6972 | 6973 | Thick Subcategories of the stable category of ... | We study thick subcategories defined by modu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6973 | 6974 | Planet-driven spiral arms in protoplanetary di... | We examine whether various characteristics o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6974 | 6975 | Ideal structure and pure infiniteness of ample... | In this paper, we study the ideal structure ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6975 | 6976 | Nonparametric mean curvature type flows of gra... | In this paper we study nonparametric mean cu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 6976 | 6977 | Multilevel Sequential Monte Carlo with Dimensi... | In this article we develop a new sequential ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6977 | 6978 | Spontaneous symmetry breaking as a triangular ... | We formulate the Nambu-Goldstone theorem as ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6978 | 6979 | Differentially Private Dropout | Large data collections required for the trai... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6979 | 6980 | On (in)stabilities of perturbations in mimetic... | Usually when applying the mimetic model to t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6980 | 6981 | Quantitative Connection Between Ensemble Therm... | At equilibrium, thermodynamic and kinetic in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6981 | 6982 | Non-parametric estimation of Jensen-Shannon Di... | Generative Adversarial Networks (GANs) have ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 6982 | 6983 | METAGUI 3: a graphical user interface for choo... | Molecular dynamics (MD) simulations allow th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6983 | 6984 | Model compression as constrained optimization,... | We consider the problem of deep neural net c... | 1 | 0 | 1 | 1 | 0 | 0 |
| 6984 | 6985 | Three Skewed Matrix Variate Distributions | Three-way data can be conveniently modelled ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 6985 | 6986 | Anticipating Persistent Infection | We explore the emergence of persistent infec... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6986 | 6987 | The first global-scale 30 m resolution mangrov... | No high-resolution canopy height map exists ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6987 | 6988 | Direct Estimation of Regional Wall Thicknesses... | Accurate estimation of regional wall thickne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6988 | 6989 | Non-dipole recollision-gated double ionization... | Using a three-dimensional semiclassical mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6989 | 6990 | A Survey of Active Attacks on Wireless Sensor ... | Lately, Wireless Sensor Networks (WSNs) have... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6990 | 6991 | A Deterministic Nonsmooth Frank Wolfe Algorith... | We present a new Frank-Wolfe (FW) type algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6991 | 6992 | The problem of boundary conditions for the sha... | The problem of choice of boundary conditions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6992 | 6993 | The exit time finite state projection scheme: ... | We introduce the exit time finite state proj... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6993 | 6994 | Ontological Multidimensional Data Models and C... | Data quality assessment and data cleaning ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6994 | 6995 | Time-Assisted Authentication Protocol | Authentication is the first step toward esta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6995 | 6996 | Improved Bounds for Online Dominating Sets of ... | The online dominating set problem is an onli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 6996 | 6997 | Systematical design and three-dimensional simu... | Shanghai Coherent Light Facility (SCLF) is a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 6997 | 6998 | Who is the infector? Epidemic models with symp... | What role do asymptomatically infected indiv... | 0 | 0 | 0 | 0 | 1 | 0 |
| 6998 | 6999 | Calibration of a two-state pitch-wise HMM meth... | Many methods for automatic music transcripti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 6999 | 7000 | Action-depedent Control Variates for Policy Op... | Policy gradient methods have achieved remark... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7000 | 7001 | Even denominator fractional quantum Hall state... | Magnetic fields quench the kinetic energy of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7001 | 7002 | Reverse approximation of gradient flows as Min... | We consider the Cauchy problem for the gradi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7002 | 7003 | Linking de novo assembly results with long DNA... | Currently, third-generation sequencing techn... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7003 | 7004 | ReBNet: Residual Binarized Neural Network | This paper proposes ReBNet, an end-to-end fr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7004 | 7005 | Prime geodesic theorem for the modular surface | Under the generalized Lindelöf hypothesis, t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7005 | 7006 | Multiple regimes and coalescence timescales fo... | We discuss the latest results of numerical s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7006 | 7007 | The Molecular Gas Environment in the 20 km s$^... | We recently reported a population of protost... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7007 | 7008 | Spatio-Temporal Backpropagation for Training H... | Compared with artificial neural networks (AN... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7008 | 7009 | Inverse of a Special Matrix and Application | The matrix inversion is an interesting topic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7009 | 7010 | Incompressible fluid problems on embedded surf... | Governing equations of motion for a viscous ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7010 | 7011 | Gaiotto's Lagrangian subvarieties via loop groups | The purpose of this note is to give a simple... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7011 | 7012 | Geohyperbolic Routing and Addressing Schemes | The key requirement to routing in any teleco... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7012 | 7013 | Conical: an extended module for computing a nu... | Conical functions appear in a large number o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7013 | 7014 | Online to Offline Conversions, Universality an... | We present an approach towards convex optimi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7014 | 7015 | Kondo Length in Bosonic Lattices | Motivated by the fact that the low-energy pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7015 | 7016 | RVP-FLMS : A Robust Variable Power Fractional ... | In this paper, we propose an adaptive framew... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7016 | 7017 | Dichotomy for Digraph Homomorphism Problems (t... | Update : An issue has been found in the corr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7017 | 7018 | Macro-molecular data storage with petabyte/cm^... | Digital information can be encoded in the bu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7018 | 7019 | Design and implementation of lighting control ... | Artificial lighting is responsible for a lar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7019 | 7020 | Independence in generic incidence structures | We study the theory $T_{m,n}$ of existential... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7020 | 7021 | Propagation of regularity for the MHD system i... | We study the problem of propagation of regul... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7021 | 7022 | On the link between atmospheric cloud paramete... | We herewith attempt to investigate the cosmi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7022 | 7023 | To Compress, or Not to Compress: Characterizin... | The recent advances in deep neural networks ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7023 | 7024 | Universal Scaling Laws for Correlation Spreadi... | We study the spreading of information in a w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7024 | 7025 | Examples of plane rational curves with two Gal... | We present four new examples of plane ration... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7025 | 7026 | Optimal Kullback-Leibler Aggregation in Mixtur... | We study the maximum likelihood estimator of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7026 | 7027 | Non-asymptotic theory for nonparametric testing | We consider nonparametric testing in a non-a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7027 | 7028 | Classification of out-of-time-order correlators | The space of n-point correlation functions, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7028 | 7029 | Hierarchical Reinforcement Learning: Approxima... | In this work, we provide theoretical guarant... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7029 | 7030 | End-to-End Musical Key Estimation Using a Conv... | We present an end-to-end system for musical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7030 | 7031 | Approximate Optimal Designs for Multivariate P... | We introduce a new approach aiming at comput... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7031 | 7032 | Determinants of public cooperation in multiple... | Synergies between evolutionary game theory a... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7032 | 7033 | Variational Encoding of Complex Dynamics | Often the analysis of time-dependent chemica... | 0 | 1 | 0 | 1 | 0 | 0 |
| 7033 | 7034 | Accelerating Imitation Learning with Predictiv... | Sample efficiency is critical in solving rea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7034 | 7035 | Neural Networks for Predicting Algorithm Runti... | Many state-of-the-art algorithms for solving... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7035 | 7036 | Large-scale Datasets: Faces with Partial Occlu... | Face detection methods have relied on face d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7036 | 7037 | Small Hankel operators on generalized Fock spaces | We consider Fock spaces $F^{p,\ell}_{\alpha}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7037 | 7038 | Efficient enumeration of solutions produced by... | In this paper we address the problem of gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7038 | 7039 | Compressive Sensing via Convolutional Factor A... | We solve the compressive sensing problem via... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7039 | 7040 | Exact Dimensionality Selection for Bayesian PCA | We present a Bayesian model selection approa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7040 | 7041 | Multi-Dialect Speech Recognition With A Single... | Sequence-to-sequence models provide a simple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7041 | 7042 | Exponential convergence of testing error for s... | We consider binary classification problems w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7042 | 7043 | What is a hierarchically hyperbolic space? | The first part of this survey is a heuristic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7043 | 7044 | What makes a gesture a gesture? Neural signatu... | Previous work in the area of gesture product... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7044 | 7045 | Neural networks and rational functions | Neural networks and rational functions effic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7045 | 7046 | Local Structure Theorems for Erdos Renyi Graph... | We analyze some local properties of sparse E... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7046 | 7047 | DeepCloak: Masking Deep Neural Network Models ... | Recent studies have shown that deep neural n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7047 | 7048 | Automatic Pill Reminder for Easy Supervision | In this paper we present a working model of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7048 | 7049 | Chaotic dynamics of movements stochastic insta... | The registration of tremor was performed in ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7049 | 7050 | Deep Learning for Real Time Crime Forecasting | Accurate real time crime prediction is a fun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7050 | 7051 | Unpredictable sequences and Poincaré chaos | To make research of chaos more friendly with... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7051 | 7052 | Scaling of the Detonation Product State with R... | This submissions has been withdrawn by arXiv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7052 | 7053 | Lumping of Degree-Based Mean Field and Pair Ap... | Contact processes form a large and highly in... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7053 | 7054 | Almost automorphic functions on the quantum ti... | In this paper, we first propose two types of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7054 | 7055 | Stochastic Game in Remote Estimation under DoS... | This paper studies remote state estimation u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7055 | 7056 | VLocNet++: Deep Multitask Learning for Semanti... | Semantic understanding and localization are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7056 | 7057 | On Decidability of the Ordered Structures of N... | The ordered structures of natural, integer, ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7057 | 7058 | Finite $p$-groups of conjugate type $\{ 1, p^3... | We classify finite $p$-groups, upto isoclini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7058 | 7059 | Betting on Quantum Objects | Dutch book arguments have been applied to be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7059 | 7060 | Casimir-Polder size consistency -- a constrain... | A key goal in quantum chemistry methods, whe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7060 | 7061 | A combinatorial proof of Bass's determinant fo... | We give an elementary combinatorial proof of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7061 | 7062 | Electron-Muon Ranger: hardware characterization | The Electron-Muon Ranger (EMR) is a fully-ac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7062 | 7063 | Photometric Redshifts for Hyper Suprime-Cam Su... | Photometric redshifts are a key component of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7063 | 7064 | Shallow Updates for Deep Reinforcement Learning | Deep reinforcement learning (DRL) methods su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7064 | 7065 | Survey on Additive Manufacturing, Cloud 3D Pri... | Cloud Manufacturing (CM) is the concept of u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7065 | 7066 | Barnacles and Gravity | Theories with more than one vacuum allow qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7066 | 7067 | A note on some constants related to the zeta-f... | In this paper new series for the first and s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7067 | 7068 | Thresholding Bandit for Dose-ranging: The Impa... | We analyze the sample complexity of the thre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7068 | 7069 | Spin - Phonon Coupling in Nickel Oxide Determi... | Nickel oxide (NiO) has been studied extensiv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7069 | 7070 | A Univariate Bound of Area Under ROC | Area under ROC (AUC) is an important metric ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7070 | 7071 | On the Role of Text Preprocessing in Neural Ne... | Text preprocessing is often the first step i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7071 | 7072 | Evidences against cuspy dark matter halos in l... | We develop and apply new techniques in order... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7072 | 7073 | A Hybrid Framework for Multi-Vehicle Collision... | With the recent surge of interest in UAVs fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7073 | 7074 | On the zeros of Riemann $Ξ(z)$ function | The Riemann $\Xi(z)$ function (even in $z$) ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7074 | 7075 | On Topologized Fundamental Groups with Small L... | In this paper, by introducing some kind of s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7075 | 7076 | The boundary value problem for Yang--Mills--Hi... | We show the existence of Yang--Mills--Higgs ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7076 | 7077 | Polish Topologies for Graph Products of Groups | We give strong necessary conditions on the a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7077 | 7078 | Iterated failure rate monotonicity and orderin... | Stochastic ordering of distributions of rand... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7078 | 7079 | Quantum depletion of a homogeneous Bose-Einste... | We have measured the quantum depletion of an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7079 | 7080 | A Deep Generative Model for Graphs: Supervised... | Creating and modeling real-world graphs is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7080 | 7081 | Analytic Combinatorics in Several Variables: E... | The field of analytic combinatorics, which s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7081 | 7082 | Speaking the Same Language: Matching Machine t... | While strong progress has been made in image... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7082 | 7083 | A Transferable Pedestrian Motion Prediction Mo... | This paper presents a novel framework for ac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7083 | 7084 | Generating GraphQL-Wrappers for REST(-like) APIs | GraphQL is a query language and thereupon-ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7084 | 7085 | GXNOR-Net: Training deep neural networks with ... | There is a pressing need to build an archite... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7085 | 7086 | The growth of carbon chains in IRC+10216 mappe... | Linear carbon chains are common in various t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7086 | 7087 | Thermoelectric Transport Coefficients from Cha... | In the present work we study charged black h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7087 | 7088 | A unified method for maximal truncated Calderó... | In this note we give simple proofs of severa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7088 | 7089 | Evaluating Quality of Chatbots and Intelligent... | Chatbots are one class of intelligent, conve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7089 | 7090 | Fast and Lightweight Rate Control for Onboard ... | Predictive coding is attractive for compress... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7090 | 7091 | Quantum-continuum calculation of the surface s... | A wide range of electrochemical reactions of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7091 | 7092 | Simulation study of signal formation in positi... | Segmented silicon detectors (micropixel and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7092 | 7093 | Re-DPoctor: Real-time health data releasing wi... | Wearable devices enable users to collect hea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7093 | 7094 | Efficient Computation of the Stochastic Behavi... | In this paper the computational aspects of p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7094 | 7095 | Laser electron acceleration on curved surfaces | Electron acceleration by relativistically in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7095 | 7096 | A Physicist's view on Chopin's Études | We propose the use of specific dynamical pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7096 | 7097 | Thermalization after holographic bilocal quench | We study thermalization in the holographic (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7097 | 7098 | A mean-field approach to Kondo-attractive-Hubb... | With the purpose of investigating coexistenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7098 | 7099 | Endpoint Sobolev and BV continuity for maximal... | In this paper we investigate some questions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7099 | 7100 | Quantum models as classical cellular automata | A synopsis is offered of the properties of d... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7100 | 7101 | K-closedness of weighted Hardy spaces on the t... | It is proved that, under certain restriction... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7101 | 7102 | Self-paced Convolutional Neural Network for Co... | Tissue characterization has long been an imp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7102 | 7103 | PS-DBSCAN: An Efficient Parallel DBSCAN Algori... | We present PS-DBSCAN, a communication effici... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7103 | 7104 | Non-singular spacetimes with a negative cosmol... | We use an elliptic system of equations with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7104 | 7105 | Non-Negative Matrix Factorization Test Cases | Non-negative matrix factorization (NMF) is a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7105 | 7106 | Inequalities for the fundamental Robin eigenva... | This document consists of two papers, both s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7106 | 7107 | Non-Hamiltonian isotopic Lagrangians on the on... | We show that two Hamiltonian isotopic Lagran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7107 | 7108 | Berezinskii-Kosterlitz-Thouless Type Scenario ... | The spin relaxation in chromium spinel oxide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7108 | 7109 | Continuum percolation theory of epimorphic reg... | A biophysical model of epimorphic regenerati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7109 | 7110 | Multiplicity of solutions for a nonhomogeneous... | It is established some existence and multipl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7110 | 7111 | Mahonian STAT on rearrangement class of words | In 2000, Babson and Steingrímsson generalize... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7111 | 7112 | A bibliometric approach to Systematic Mapping ... | Critical analysis of the state of the art is... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7112 | 7113 | SPEW: Synthetic Populations and Ecosystems of ... | Agent-based models (ABMs) simulate interacti... | 0 | 1 | 0 | 1 | 0 | 0 |
| 7113 | 7114 | Bayesian hierarchical weighting adjustment and... | We combine Bayesian prediction and weighted ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7114 | 7115 | Comparison of the h-index for Different Fields... | An important disadvantage of the h-index is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7115 | 7116 | Impact of Intervals on the Emotional Effect in... | Every art form ultimately aims to invoke an ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 7116 | 7117 | Nonlocal Pertubations of Fractional Choquard E... | We study the equation \begin{equation} (-\De... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7117 | 7118 | Clustering Patients with Tensor Decomposition | In this paper we present a method for the un... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7118 | 7119 | Posterior distribution existence and error con... | We generalize the results of \cite{Capistran... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7119 | 7120 | High-$T_c$ mechanism through analysis of diver... | In order to clarify the high-$T_c$ mechanism... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7120 | 7121 | The Long Term Fréchet distribution: Estimation... | In this paper a new long-term survival distr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7121 | 7122 | Active Expansion Sampling for Learning Feasibl... | Many engineering problems require identifyin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7122 | 7123 | On diagrams of simplified trisections and mapp... | A simplified trisection is a trisection map ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7123 | 7124 | Look No Further: Adapting the Localization Sen... | Many localization algorithms use a spatiotem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7124 | 7125 | The Gaia-ESO Survey: Dynamical models of flatt... | We present a family of self-consistent axisy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7125 | 7126 | A two-dimensional data-driven model for traffi... | Based on experimental traffic data obtained ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7126 | 7127 | Cut Finite Element Methods for Elliptic Proble... | We develop a finite element method for the L... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7127 | 7128 | The rationality problem for forms of $\overlin... | Let $X$ be a del Pezzo surface of degree $5$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7128 | 7129 | The p-adic Kummer-Leopoldt constant - Normaliz... | The p-adic Kummer--Leopoldt constant kappa\_... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7129 | 7130 | Regularization Learning Networks: Deep Learnin... | Despite their impressive performance, Deep N... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7130 | 7131 | Numerical dimension and locally ample curves | In the paper \cite{Lau16}, it was shown that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7131 | 7132 | Local-global principles in circle packings | We generalize work of Bourgain-Kontorovich a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7132 | 7133 | Underscreening in concentrated electrolytes | Screening of a surface charge by electrolyte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7133 | 7134 | Asymptotics for Small Nonlinear Price Impact: ... | We provide an asymptotic expansion of the va... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7134 | 7135 | Data-driven Probabilistic Atlases Capture Whol... | Probabilistic atlases provide essential spat... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7135 | 7136 | Learning to Communicate: A Machine Learning Fr... | We present a machine learning framework for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7136 | 7137 | Optimal investment-consumption problem post-re... | We study the optimal investment-consumption ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7137 | 7138 | Parametrices for the light ray transform on Mi... | We consider restricted light ray transforms ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7138 | 7139 | Derivative Principal Component Analysis for Re... | We propose a nonparametric method to explici... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7139 | 7140 | Stokes phenomenon and confluence in non-autono... | This article studies a confluence of a pair ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7140 | 7141 | A General Sequential Delay-Doppler Estimation ... | Sequential estimation of the delay and Doppl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7141 | 7142 | The independence number of the Birkhoff polyto... | Maximally recoverable codes are codes design... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7142 | 7143 | Spin Angular Momentum of Proton Spin Puzzle in... | The paper focuses on considering some specia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7143 | 7144 | Physics-Informed Regularization of Deep Neural... | This paper presents a novel physics-informed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7144 | 7145 | Gradient-based Filter Design for the Dual-tree... | The wavelet transform has seen success when ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7145 | 7146 | Assimilated LVEF: A Bayesian technique combini... | The cardiologist's main tool for measuring s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7146 | 7147 | DBSCAN: Optimal Rates For Density Based Cluste... | We study the problem of optimal estimation o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7147 | 7148 | Steganographic Generative Adversarial Networks | Steganography is collection of methods to hi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7148 | 7149 | Minimal Sum Labeling of Graphs | A graph $G$ is called a sum graph if there i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7149 | 7150 | Provably efficient RL with Rich Observations v... | We study the exploration problem in episodic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7150 | 7151 | Markov Chain Lifting and Distributed ADMM | The time to converge to the steady state of ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7151 | 7152 | Deep Encoder-Decoder Models for Unsupervised L... | Generating versatile and appropriate synthet... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7152 | 7153 | Fast failover of multicast sessions in softwar... | With the rapid growth of services that strea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7153 | 7154 | AI Safety Gridworlds | We present a suite of reinforcement learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7154 | 7155 | Maximality of Galois actions for abelian varie... | Let $\{\rho_\ell\}_\ell$ be the system of $\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7155 | 7156 | An Application of Multi-band Forced Photometry... | We apply The Tractor image modeling code to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7156 | 7157 | Stacked Structure Learning for Lifted Relation... | Lifted Relational Neural Networks (LRNNs) de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7157 | 7158 | Spec-QP: Speculative Query Planning for Joins ... | Organisations store huge amounts of data fro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7158 | 7159 | SurfClipse: Context-Aware Meta Search in the IDE | Despite various debugging supports of the ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7159 | 7160 | Chomp on numerical semigroups | We consider the two-player game chomp on pos... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7160 | 7161 | Single Index Latent Variable Models for Networ... | A semi-parametric, non-linear regression mod... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7161 | 7162 | Quadratically-Regularized Optimal Transport on... | Optimal transportation provides a means of l... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7162 | 7163 | Discussion on "Random-projection ensemble clas... | Discussion on "Random-projection ensemble cl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7163 | 7164 | Deep Asymmetric Multi-task Feature Learning | We propose Deep Asymmetric Multitask Feature... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7164 | 7165 | Sub-nanometre resolution of atomic motion duri... | Phase-change materials based on Ge-Sb-Te all... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7165 | 7166 | A Density Result for Real Hyperelliptic Curves | Let $\{\infty^+, \infty^-\}$ be the two poin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7166 | 7167 | On a class of integrable systems of Monge-Ampè... | We investigate a class of multi-dimensional ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7167 | 7168 | When is the mode functional the Bayes classifier? | In classification problems, the mode of the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7168 | 7169 | Unsupervised Motion Artifact Detection in Wris... | One of the main benefits of a wrist-worn com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7169 | 7170 | CredSaT: Credibility Ranking of Users in Big S... | The widespread use of big social data has po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7170 | 7171 | On singular Finsler foliation | In this paper we introduce the concept of si... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7171 | 7172 | Early Experiences with Crowdsourcing Airway An... | Measuring airways in chest computed tomograp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7172 | 7173 | Convergent Iteration in Sobolev Space for Time... | Time dependent quantum systems have become i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7173 | 7174 | Prototyping and Experimentation of a Closed-Lo... | A systematic design of adaptive waveform for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7174 | 7175 | Image-based immersed boundary model of the aor... | Each year, approximately 300,000 heart valve... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7175 | 7176 | Large-Scale Cox Process Inference using Variat... | Gaussian process modulated Poisson processes... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7176 | 7177 | Buildings-to-Grid Integration Framework | This paper puts forth a mathematical framewo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7177 | 7178 | Oxygen Partial Pressure during Pulsed Laser De... | With recent trends on miniaturizing oxide-ba... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7178 | 7179 | A Data-Driven Analysis of the Influence of Car... | OBJECTIVE: To test the hypothesis that varia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7179 | 7180 | Construction of Non-asymptotic Confidence Sets... | In this paper, we consider a probabilistic s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7180 | 7181 | Limits on statistical anisotropy from BOSS DR1... | We measure statistically anisotropic signatu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7181 | 7182 | A Central Limit Theorem for Wasserstein type d... | This article is dedicated to the estimation ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7182 | 7183 | Confidence Intervals for Stochastic Arithmetic | Quantifying errors and losses due to the use... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7183 | 7184 | Contaminated speech training methods for robus... | Despite the significant progress made in the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7184 | 7185 | Co-segmentation for Space-Time Co-located Coll... | We present a co-segmentation technique for s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7185 | 7186 | Speaker Diarization with LSTM | For many years, i-vector based audio embeddi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7186 | 7187 | Almost h-conformal semi-invariant submersions ... | As a generalization of Riemannian submersion... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7187 | 7188 | Use of Source Code Similarity Metrics in Softw... | In recent years, defect prediction has recei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7188 | 7189 | Connecting pairwise spheres by depth: DCOPS | We extend the classical notion of the spheri... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7189 | 7190 | Estimating the spectral gap of a trace-class M... | The utility of a Markov chain Monte Carlo al... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7190 | 7191 | Tidal synchronization of an anelastic multi-la... | This paper presents one analytical tidal the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7191 | 7192 | On Lie algebras responsible for zero-curvature... | Zero-curvature representations (ZCRs) are on... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7192 | 7193 | TRAMP: Tracking by a Real-time AMbisonic-based... | This article presents a multiple sound sourc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7193 | 7194 | Scalable Surface Reconstruction from Point Clo... | In this paper we present a scalable approach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7194 | 7195 | General Bounds for Incremental Maximization | We propose a theoretical framework to captur... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7195 | 7196 | Arrangements of pseudocircles on surfaces | A pseudocircle is a simple closed curve on s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7196 | 7197 | Scalable methods for Bayesian selective inference | Modeled along the truncated approach in Pani... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7197 | 7198 | Modified Recursive Cholesky (Rchol) Algorithm:... | The Cholesky decomposition plays an importan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7198 | 7199 | A Utility-Driven Multi-Queue Admission Control... | The combination of recent emerging technolog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7199 | 7200 | Statistical inference for network samples usin... | We consider that a network is an observation... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7200 | 7201 | Spectral Method and Regularized MLE Are Both O... | This paper is concerned with the problem of ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7201 | 7202 | One-Shot Reinforcement Learning for Robot Navi... | Recently, model-free reinforcement learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7202 | 7203 | Data Race Detection on Compressed Traces | We consider the problem of detecting data ra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7203 | 7204 | Model and Integrate Medical Resource Availabil... | Improving effectiveness and safety of patien... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7204 | 7205 | Two-Party Function Computation on the Reconcil... | In this paper, we initiate a study of a new ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7205 | 7206 | On Calabi-Yau compactifications of toric Landa... | Toric Landau--Ginzburg models of Givental's ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7206 | 7207 | Halo assembly bias and the tidal anisotropy of... | We study the role of the local tidal environ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7207 | 7208 | Towards a general theory for non-linear locall... | In this paper some general theory is present... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7208 | 7209 | Self-Learning Monte Carlo Method: Continuous-T... | The recently-introduced self-learning Monte ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7209 | 7210 | Single-cell diffraction tomography with optofl... | Optical diffraction tomography (ODT) is a to... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7210 | 7211 | Non-Linear Least-Squares Optimization of Ratio... | Rational filter functions can be used to imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7211 | 7212 | Maps on statistical manifolds exactly reduced ... | Maps on a parameter space for expressing dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7212 | 7213 | Discontinuous classical ground state magnetic ... | The classical ground state magnetic response... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7213 | 7214 | Sparse Matrix Multiplication On An Associative... | Sparse matrix multiplication is an important... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7214 | 7215 | On the intersection of tame subgroups in group... | Let $G$ be a group acting on a tree $T$ with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7215 | 7216 | A Lagrangian scheme for the solution of nonlin... | A Lagrangian numerical scheme for solving no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7216 | 7217 | Optimal Control for Multi-Mode Systems with Di... | This paper studies optimal time-bounded cont... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7217 | 7218 | Digital Advertising Traffic Operation: Flow Ma... | In a Web Advertising Traffic Operation the T... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7218 | 7219 | Addressing Class Imbalance in Classification P... | Randomizing the Fourier-transform (FT) phase... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7219 | 7220 | Generating global network structures by triad ... | This paper addresses the question of whether... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7220 | 7221 | Simultaneous smoothness and simultaneous stabi... | In this paper, we investigate simultaneous p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7221 | 7222 | Adaptive quadrature by expansion for layer pot... | When solving partial differential equations ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7222 | 7223 | Anomalous transport effects on switching curre... | We explore the effect of noise on the ballis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7223 | 7224 | Fixed-Parameter Tractable Sampling for RNA Des... | The design of multi-stable RNA molecules has... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7224 | 7225 | On the relevance of generalized disclinations ... | The utility of the notion of generalized dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7225 | 7226 | PbTe(111) Sub-Thermionic Photocathode: A Route... | The emission properties of PbTe(111) single ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7226 | 7227 | Envy-free Matchings with Lower Quotas | While every instance of the Hospitals/Reside... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7227 | 7228 | Characterizing Feshbach resonances in ultracol... | We describe procedures for converging on and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7228 | 7229 | Interacting Multi-particle Classical Szilard E... | Szilard engine(SZE) is one of the best examp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7229 | 7230 | Speeding-up Object Detection Training for Robo... | Latest deep learning methods for object dete... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7230 | 7231 | Graph of Virtual Actors (GOVA): a Big Data Ana... | With the emergence of cloud computing and se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7231 | 7232 | A Variation of the $q$-Painlevé System with Af... | Recently a certain $q$-Painlevé type system ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7232 | 7233 | Statics and dynamics of a self-bound dipolar m... | We study the statics and dynamics of a stabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7233 | 7234 | Riemannian geometry in infinite dimensional sp... | We lay foundations of the subject in the tit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7234 | 7235 | Finite Blaschke products with prescribed criti... | The determination of a finite Blaschke produ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7235 | 7236 | The Stochastic Processes Generation in OpenMod... | Background: Component-based modeling languag... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7236 | 7237 | MIT SuperCloud Portal Workspace: Enabling HPC ... | The MIT SuperCloud Portal Workspace enables ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7237 | 7238 | Estimator of Prediction Error Based on Approxi... | We propose an estimator of prediction error ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7238 | 7239 | Faster Multiplication for Long Binary Polynomials | We set new speed records for multiplying lon... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7239 | 7240 | Full-angle Negative Reflection with An Ultrath... | Metasurface with gradient phase response off... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7240 | 7241 | Semigroup C*-algebras and toric varieties | Let S be a finitely generated subsemigroup o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7241 | 7242 | Error analysis for small-sample, high-variance... | Recent advances in molecular simulations all... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7242 | 7243 | Computing Influence of a Product through Uncer... | Understanding the influence of a product is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7243 | 7244 | Effect of Heterogeneity in Models of El-Niño S... | The emergence of oscillations in models of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7244 | 7245 | A branch-and-price approach with MILP formulat... | For clustering of an undirected graph, this ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7245 | 7246 | Survey of Gravitationally-lensed Objects in HS... | The Hyper Suprime-Cam Subaru Strategic Progr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7246 | 7247 | Learning Sparse Neural Networks through $L_0$ ... | We propose a practical method for $L_0$ norm... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7247 | 7248 | The relationships between PM2.5 and meteorolog... | The interactions between PM2.5 and meteorolo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7248 | 7249 | Rank-two Milnor idempotents for the multipullb... | The $K_0$-group of the C*-algebra of multipu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7249 | 7250 | Lost Relatives of the Gumbel Trick | The Gumbel trick is a method to sample from ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7250 | 7251 | Sequential Randomized Matrix Factorization for... | This paper presents a sequential randomized ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7251 | 7252 | Large-scale dynamos in rapidly rotating plane ... | Context: Convectively-driven flows play a cr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7252 | 7253 | Statistical inference for misspecified ergodic... | This paper deals with the estimation problem... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7253 | 7254 | Bar formation in the Milky Way type galaxies | Many barred galaxies, possibly including the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7254 | 7255 | TLR: Transfer Latent Representation for Unsupe... | Domain adaptation refers to the process of l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7255 | 7256 | Automated and Robust Quantification of Colocal... | Colocalization is a powerful tool to study t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7256 | 7257 | On the MISO Channel with Feedback: Can Infinit... | We consider communication over a multiple-in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7257 | 7258 | Structural Analysis and Optimal Design of Dist... | In this paper, we investigate the performanc... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7258 | 7259 | Subadditivity and additivity of the Yang-Mills... | We formulate notions of subadditivity and ad... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7259 | 7260 | Sensivity of the Hermite rank | The Hermite rank appears in limit theorems i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7260 | 7261 | Specifying a positive threshold function via e... | An extremal point of a positive threshold Bo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7261 | 7262 | Link Mining for Kernel-based Compound-Protein ... | Virtual screening (VS) is widely used during... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7262 | 7263 | Using Stock Prices as Ground Truth in Sentimen... | The increasing availability of "big" (large ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7263 | 7264 | A novel approach to fractional calculus: utili... | While the definition of a fractional integra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7264 | 7265 | When does every definable nonempty set have a ... | The assertion that every definable set has a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7265 | 7266 | An exploration to visualize finite element dat... | The scientific community use PDEs to model a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7266 | 7267 | Measurement and Analysis of Quality of Service... | Enhanced Quality of Service (QoS) and satisf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7267 | 7268 | On the uncertainty of temperature estimation i... | Rapid compression machines (RCMs) have been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7268 | 7269 | Abelian varieties isogenous to a power of an e... | Given an elliptic curve $E/k$ and a Galois e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7269 | 7270 | Radiative nonrecoil nuclear finite size correc... | On the basis of quasipotential method in qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7270 | 7271 | Improved Training of Wasserstein GANs | Generative Adversarial Networks (GANs) are p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7271 | 7272 | A cancellation theorem for Milnor-Witt corresp... | We show that finite Milnor-Witt corresponden... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7272 | 7273 | Wind Riemannian spaceforms and Randers metrics... | Recently, wind Riemannian structures (WRS) h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7273 | 7274 | Developing a Purely Visual Based Obstacle Dete... | Our solution is implemented in and for the f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7274 | 7275 | Weak Keys and Cryptanalysis of a Cold War Bloc... | T-310 is a cipher that was used for encrypti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7275 | 7276 | Dynamic Optimization of Neural Network Structu... | Deep neural networks (DNNs) are powerful mac... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7276 | 7277 | Spectroscopy of Ultra-diffuse Galaxies in the ... | We present spectra of 5 ultra-diffuse galaxi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7277 | 7278 | On Robust Tie-line Scheduling in Multi-Area Po... | The tie-line scheduling problem in a multi-a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7278 | 7279 | Novel Phases of Semi-Conducting Silicon Nitrid... | In this paper, we have predicted the stabili... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7279 | 7280 | Schwarz-Christoffel: piliero en rivero (a pill... | La transformoj de Schwarz-Christoffel mapas,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7280 | 7281 | Towards Audio to Scene Image Synthesis using G... | Humans can imagine a scene from a sound. We ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7281 | 7282 | Data-Mining Research in Education | As an interdisciplinary discipline, data min... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7282 | 7283 | Stochastic Input Models in Online Computing | In this paper, we study twelve stochastic in... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7283 | 7284 | Generating Visual Representations for Zero-Sho... | This paper addresses the task of learning an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7284 | 7285 | Online Learning Rate Adaptation with Hypergrad... | We introduce a general method for improving ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7285 | 7286 | Mitigating radiation damage of single photon d... | Single-photon detectors in space must retain... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7286 | 7287 | The Parameterized Complexity of Positional Games | We study the parameterized complexity of sev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7287 | 7288 | Lunar laser ranging in infrfared at hte Grasse... | For many years, lunar laser ranging (LLR) ob... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7288 | 7289 | An exact solution to a Stefan problem with var... | In this article it is proved the existence o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7289 | 7290 | State-of-the-art Speech Recognition With Seque... | Attention-based encoder-decoder architecture... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7290 | 7291 | Bayesian inference for Stable Levy driven Stoc... | In this article we consider parametric Bayes... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7291 | 7292 | The Evolution of Reputation-Based Cooperation ... | Despite recent advances in reputation techno... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7292 | 7293 | Cocycles of nilpotent quotients of free groups | We focus on the cohomology of the $k$-th nil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7293 | 7294 | The ABCD of topological recursion | Kontsevich and Soibelman reformulated and sl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7294 | 7295 | Evaluating Compositionality in Sentence Embedd... | An important challenge for human-like AI is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7295 | 7296 | A rigourous demonstration of the validity of B... | Boltzmann provided a scenario to explain why... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7296 | 7297 | Half-range lattice Boltzmann models for the si... | The three-dimensional Couette flow between p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7297 | 7298 | A Nonlinear Dimensionality Reduction Framework... | Existing dimensionality reduction methods ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7298 | 7299 | Analyzing and improving maximal attainable acc... | Pipelined Krylov subspace methods avoid comm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7299 | 7300 | Associated Graded Rings and Connected Sums | In 2012, Ananthnarayan, Avramov and Moore ga... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7300 | 7301 | Trigonometric integrators for quasilinear wave... | Trigonometric time integrators are introduce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7301 | 7302 | La leggenda del quanto centenario | Around year 2000 the centenary of Planck's t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7302 | 7303 | A Highly Efficient Polarization-Independent Me... | A highly-efficient multi-resonant RF energy-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7303 | 7304 | Mixed Graphical Models for Causal Analysis of ... | Graphical causal models are an important too... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7304 | 7305 | Estimation of quantile oriented sensitivity in... | The paper concerns quantile oriented sensiti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7305 | 7306 | Electromagnetically Induced Transparency (EIT)... | Intensity noise cross-correlation of the pol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7306 | 7307 | Deep Robust Framework for Protein Function Pre... | Amino acid sequence portrays most intrinsic ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7307 | 7308 | Helicity of convective flows from localized he... | Experimental and numerical study of the stea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7308 | 7309 | Tunable $φ$-Josephson junction with a quantum ... | We theoretically study the Josephson current... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7309 | 7310 | What kind of content are you prone to tweet? M... | According to tastes, a person could show pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7310 | 7311 | Fine-Gray competing risks model with high-dime... | The purpose of this paper is to construct co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7311 | 7312 | The Godunov Method for a 2-Phase Model | We consider the Godunov numerical method to ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7312 | 7313 | Cartan's Conjecture for Moving Hypersurfaces | Let $f$ be a holomorphic curve in $\mathbb{P... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7313 | 7314 | Safe Active Feature Selection for Sparse Learning | We present safe active incremental feature s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7314 | 7315 | Cobwebs from the Past and Present: Extracting ... | Social graph construction from various sourc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7315 | 7316 | A Fluid-Flow Interpretation of SCED Scheduling | We show that a fluid-flow interpretation of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7316 | 7317 | Emergence of Topological Nodal Lines and Type ... | Using first--principles density functional c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7317 | 7318 | Number-conserving interacting fermion models w... | We present a method to construct number-cons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7318 | 7319 | JFLEG: A Fluency Corpus and Benchmark for Gram... | We present a new parallel corpus, JHU FLuenc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7319 | 7320 | Scheduling with regular performance measures a... | We address single machine problems with opti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7320 | 7321 | Data-Driven Stochastic Robust Optimization: A ... | A novel data-driven stochastic robust optimi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7321 | 7322 | Algebraic multiscale method for flow in hetero... | This paper introduces an Algebraic MultiScal... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7322 | 7323 | From Pragmatic to Systematic Software Process ... | Software processes improvement (SPI) is a ch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7323 | 7324 | A Bayesian Mixture Model for Clustering on the... | Analysis of a Bayesian mixture model for the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7324 | 7325 | Discrete Cycloids from Convex Symmetric Polygons | Cycloids, hipocycloids and epicycloids have ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7325 | 7326 | Multi-color image compression-encryption algor... | In this paper an algorithm for multi-color i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7326 | 7327 | Gaussian Graphical Models: An Algebraic and Ge... | Gaussian graphical models are used throughou... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7327 | 7328 | The Dynamical History of Chariklo and its Rings | Chariklo is the only small Solar system body... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7328 | 7329 | THAP: A Matlab Toolkit for Learning with Hawke... | As a powerful tool of asynchronous event seq... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7329 | 7330 | Studies of the Response of the SiD Silicon-Tun... | Studies of the response of the SiD silicon-t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7330 | 7331 | Multiple Hypothesis Tracking Algorithm for Mul... | In this study, a multiple hypothesis trackin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7331 | 7332 | Smooth positon solutions of the focusing modif... | The $n$-fold Darboux transformation $T_{n}$ ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7332 | 7333 | On discrimination between two close distributi... | The goodness-of-fit test for discrimination ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7333 | 7334 | Belief Propagation Min-Sum Algorithm for Gener... | Belief Propagation algorithms are instrument... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7334 | 7335 | Sharper and Simpler Nonlinear Interpolants for... | Interpolation of jointly infeasible predicat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7335 | 7336 | Quantized Laplacian growth, III: On conformal ... | A one-parametric stochastic dynamics of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7336 | 7337 | Supervised Saliency Map Driven Segmentation of... | Lesion segmentation is the first step in mos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7337 | 7338 | The Mean and Median Criterion for Automatic Ke... | Support vector data description (SVDD) is a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7338 | 7339 | Understanding the Impact of Label Granularity ... | In recent years, supervised learning using C... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7339 | 7340 | Monte Carlo modified profile likelihood in mod... | The main focus of the analysts who deal with... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7340 | 7341 | Anisotropic spin-density distribution and magn... | Magnetic anisotropies of ferromagnetic thin ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7341 | 7342 | An Annotated Corpus of Relational Strategies i... | We create and release the first publicly ava... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7342 | 7343 | Putting gravity in control | The aim of the present manuscript is to pres... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7343 | 7344 | Towards Interpretable Deep Neural Networks by ... | Sometimes it is not enough for a DNN to prod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7344 | 7345 | Learning a Hierarchical Latent-Variable Model ... | We propose the Variational Shape Learner (VS... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7345 | 7346 | Maximally rotating waves in AdS and on spheres | We study the cubic wave equation in AdS_(d+1... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7346 | 7347 | Taming Wild High Dimensional Text Data with a ... | The bag of words (BOW) represents a corpus i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7347 | 7348 | Spatial structure of shock formation | The formation of a singularity in a compress... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7348 | 7349 | How far are we from solving the 2D & 3D Face A... | This paper investigates how far a very deep ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7349 | 7350 | Inhabitants of interesting subsets of the Bous... | The set of Bousfield classes has some import... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7350 | 7351 | A Framework for Implementing Machine Learning ... | The potential benefits of applying machine l... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7351 | 7352 | Actively Calibrated Line Mountable Capacitive ... | A class of Actively Calibrated Line Mounted ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7352 | 7353 | AirCode: Unobtrusive Physical Tags for Digital... | We present AirCode, a technique that allows ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7353 | 7354 | Identifying Condition-Action Statements in Med... | This paper advances the state of the art in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7354 | 7355 | Adversarial Learning for Neural Dialogue Gener... | In this paper, drawing intuition from the Tu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7355 | 7356 | On the impact origin of Phobos and Deimos III:... | The origin of Phobos and Deimos in a giant i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7356 | 7357 | Dealing with the Dimensionality Curse in Dynam... | Most sales applications are characterized by... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7357 | 7358 | Interleaved Group Convolutions for Deep Neural... | In this paper, we present a simple and modul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7358 | 7359 | Lower Bounding Diffusion Constant by the Curva... | We establish a general connection between ba... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7359 | 7360 | Face Detection using Deep Learning: An Improve... | In this report, we present a new face detect... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7360 | 7361 | Transferring End-to-End Visuomotor Control fro... | End-to-end control for robot manipulation an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7361 | 7362 | The cosmic spiderweb: equivalence of cosmic, a... | For over twenty years, the term 'cosmic web'... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7362 | 7363 | Data-driven polynomial chaos expansion for mac... | We present a regression technique for data d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7363 | 7364 | Robust Implicit Backpropagation | Arguably the biggest challenge in applying n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7364 | 7365 | Experimental and Theoretical Study of Magnetoh... | Magnetohydrodynamic (MHD) ships represent a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7365 | 7366 | Ratio Utility and Cost Analysis for Privacy Pr... | With a rapidly increasing number of devices ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7366 | 7367 | Time-optimal control strategies in SIR epidemi... | We investigate the time-optimal control prob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7367 | 7368 | On the validity of the formal Edgeworth expans... | We consider a fundamental open problem in pa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7368 | 7369 | DADAM: A Consensus-based Distributed Adaptive ... | Adaptive gradient-based optimization methods... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7369 | 7370 | Paramagnetic Meissner effect in ZrB12 single c... | The magnetic response related to paramagneti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7370 | 7371 | Credal Networks under Epistemic Irrelevance | A credal network under epistemic irrelevance... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7371 | 7372 | Resonance fluorescence in the resolvent operat... | The Mollow spectrum for the light scattered ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7372 | 7373 | On the the Berge Conjecture for tunnel number ... | In this paper we use an approach based on dy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7373 | 7374 | EMRIs and the relativistic loss-cone: The curi... | Extreme mass ratio inspiral (EMRI) events ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7374 | 7375 | Investigating the configurations in cross-shar... | --- the companies populating a Stock market,... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7375 | 7376 | The Enemy Among Us: Detecting Hate Speech with... | Offensive or antagonistic language targeted ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7376 | 7377 | Linear Programming Formulations of Determinist... | This paper is devoted to a study of infinite... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7377 | 7378 | Exact diagonalization of cubic lattice models ... | We present a general analytical formalism to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7378 | 7379 | Non-normality, reactivity, and intrinsic stoch... | Intrinsic stochasticity can induce highly no... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7379 | 7380 | Latent Gaussian Mixture Models for Nationwide ... | Five year post-transplant survival rate is a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7380 | 7381 | Small nonlinearities in activation functions c... | We investigate the loss surface of neural ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7381 | 7382 | Poisson brackets with prescribed family of fun... | It is well known that functions in involutio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7382 | 7383 | No Need for a Lexicon? Evaluating the Value of... | For decades, context-dependent phonemes have... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7383 | 7384 | Stabilization Bounds for Linear Finite Dynamic... | A common problem to all applications of line... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7384 | 7385 | Magneto-thermopower in the Weak Ferromagnetic ... | We have measured the resistivity, the thermo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7385 | 7386 | Experimental Two-dimensional Quantum Walk on a... | Quantum walks, in virtue of the coherent sup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7386 | 7387 | Dispersive Magnetic and Electronic Excitations... | Resonant inelastic X-ray scattering (RIXS) e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7387 | 7388 | Reaction-Diffusion Models for Glioma Tumor Growth | Mathematical modelling of tumor growth is on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7388 | 7389 | On reducing the communication cost of the diff... | The rise of digital and mobile communication... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7389 | 7390 | Teaching computer code at school | In today's education systems, there is a dee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7390 | 7391 | Statistical Inference on Panel Data Models: A ... | We propose statistical inferential procedure... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7391 | 7392 | Nonconvex penalties with analytical solutions ... | One-bit measurements widely exist in the rea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7392 | 7393 | How to Scale Up Kernel Methods to Be As Good A... | The computational complexity of kernel metho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7393 | 7394 | Benchmarking Automatic Machine Learning Framew... | AutoML serves as the bridge between varying ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7394 | 7395 | Layered Based Augmented Complex Kalman Filter ... | In the presence of renewable resources, dist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7395 | 7396 | Multiscale mixing patterns in networks | Assortative mixing in networks is the tenden... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7396 | 7397 | Single-Queue Decoding for Neural Machine Trans... | Neural machine translation models rely on th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7397 | 7398 | Simulation of Parabolic Flow on an Eye-Shaped ... | During the upstroke of a normal eye blink, t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7398 | 7399 | Faster algorithms for 1-mappability of a sequence | In the k-mappability problem, we are given a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7399 | 7400 | PerformanceNet: Score-to-Audio Music Generatio... | Music creation is typically composed of two ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7400 | 7401 | Simulation optimization: A review of algorithm... | Simulation Optimization (SO) refers to the o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7401 | 7402 | Learning Disentangled Representations with Sem... | Variational autoencoders (VAEs) learn repres... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7402 | 7403 | Meteorites from Phobos and Deimos at Earth? | We examine the conditions under which materi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7403 | 7404 | Computational Aspects of Optimal Strategic Net... | The diffusion of information has been widely... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7404 | 7405 | Watermark Signal Detection and Its Application... | We propose a few fundamental techniques to o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7405 | 7406 | Loop-augmented forests and a variant of the Fo... | A loop-augmented forest is a labeled rooted ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7406 | 7407 | Replication issues in syntax-based aspect extr... | Reproducing experiments is an important inst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7407 | 7408 | Manifold Adversarial Learning | The recently proposed adversarial training m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7408 | 7409 | An Extension of Proof Graphs for Disjunctive P... | A parameterised Boolean equation system (PBE... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7409 | 7410 | A direct measure of free electron gas via the ... | We present the measurement of the kinematic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7410 | 7411 | Scalable Structure Learning for Probabilistic ... | Statistical relational frameworks such as Ma... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7411 | 7412 | A mode-coupling theory analysis of the rotatio... | In contrast to simple monatomic alkali and h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7412 | 7413 | Regulating Access to System Sensors in Coopera... | Modern operating systems such as Android, iO... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7413 | 7414 | Identification of Treatment Effects under Cond... | Conditional independence of treatment assign... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7414 | 7415 | First demonstration of emulsion multi-stage sh... | We describe the first ever implementation of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7415 | 7416 | Deep Generative Adversarial Networks for Compr... | Magnetic resonance image (MRI) reconstructio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7416 | 7417 | On multiplicative independence of rational fun... | We give lower bounds for the degree of multi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7417 | 7418 | Haptic Assembly and Prototyping: An Expository... | An important application of haptic technolog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7418 | 7419 | On links between horocyclic and geodesic orbit... | We study the topological dynamics of the hor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7419 | 7420 | Waist size for cusps in hyperbolic 3-manifolds II | The waist size of a cusp in an orientable hy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7420 | 7421 | Landau levels from neutral Bogoliubov particle... | Motivated by recent work on strain-induced p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7421 | 7422 | Modular Labelled Sequent Calculi for Abstract ... | Abstract separation logics are a family of e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7422 | 7423 | Affine maps between quadratic assignment polyt... | We consider two polytopes. The quadratic ass... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7423 | 7424 | LinXGBoost: Extension of XGBoost to Generalize... | XGBoost is often presented as the algorithm ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7424 | 7425 | Superfluidity and relaxation dynamics of a las... | We investigate the superfluid behavior of a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7425 | 7426 | Measuring Player Retention and Monetization us... | Game analytics supports game development by ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7426 | 7427 | Bohemian Upper Hessenberg Toeplitz Matrices | We look at Bohemian matrices, specifically t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7427 | 7428 | A Study of Energy Trading in a Low-Voltage Net... | Over the past years, distributed energy reso... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7428 | 7429 | Evidence Logics with Relational Evidence | Dynamic evidence logics are logics for reaso... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7429 | 7430 | Review of methods for assessing the causal eff... | Researchers are often interested in assessin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7430 | 7431 | On the Difference Between Closest, Furthest, a... | Point location problems for $n$ points in $d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7431 | 7432 | Efficient Nonparametric Bayesian Inference For... | We consider the statistical inverse problem ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7432 | 7433 | Glass-Box Program Synthesis: A Machine Learnin... | Recently proposed models which learn to writ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7433 | 7434 | Cable-Driven Actuation for Highly Dynamic Robo... | This paper presents design and experimental ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7434 | 7435 | Improved $A_1-A_\infty$ and related estimates ... | An $A_1-A_\infty$ estimate improving a previ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7435 | 7436 | Ramsey Classes with Closure Operations (Select... | We state the Ramsey property of classes of o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7436 | 7437 | On Optimal Spectrum Access of Cognitive Relay ... | We investigate a cognitive radio system wher... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7437 | 7438 | Visibility of minorities in social networks | Homophily can put minority groups at a disad... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7438 | 7439 | Interpreted Formalisms for Configurations | Imprecise and incomplete specification of sy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7439 | 7440 | Solvability and microlocal analysis of the fra... | We discuss unique existence and microlocal r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7440 | 7441 | High-Mobility OFDM Downlink Transmission with ... | In this correspondence, we propose a new rec... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7441 | 7442 | Feature Enhancement in Visually Impaired Images | One of the major open problems in computer v... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7442 | 7443 | Heavy-Tailed Universality Predicts Trends in T... | Given two or more Deep Neural Networks (DNNs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7443 | 7444 | Confidence Interval Estimators for MOS Values | For the quantification of QoE, subjects ofte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7444 | 7445 | Atmospheric Circulation and Cloud Evolution on... | Observations of the highly-eccentric (e~0.9)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7445 | 7446 | Removal of Batch Effects using Generative Adve... | Many biological data analysis processes like... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7446 | 7447 | The Current-Phase Relation of Ferromagnetic Jo... | We study the Josephson effect of a $\rm{T_1 ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7447 | 7448 | SpreadCluster: Recovering Versioned Spreadshee... | Version information plays an important role ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7448 | 7449 | Field-induced coexistence of $s_{++}$ and $s_{... | In multiband systems, such as iron-based sup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7449 | 7450 | Superregular grammars do not provide additiona... | A pervasive belief with regard to the differ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7450 | 7451 | Deep Learning based Large Scale Visual Recomme... | In this paper, we present a unified end-to-e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7451 | 7452 | The effect of inhomogeneous phase on the criti... | The critical temperature (TC) of MgB2, one o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7452 | 7453 | Journal of Open Source Software (JOSS): design... | This article describes the motivation, desig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7453 | 7454 | Sample Complexity of Estimating the Policy Gra... | Reinforcement learning is a promising approa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7454 | 7455 | NDSHA: robust and reliable seismic hazard asse... | The Neo-Deterministic Seismic Hazard Assessm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7455 | 7456 | Syllable-aware Neural Language Models: A Failu... | Syllabification does not seem to improve wor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7456 | 7457 | Persistent Entropy for Separating Topological ... | Persistent homology studies the evolution of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7457 | 7458 | Intrinsic alignment of redMaPPer clusters: clu... | We measure the alignment of the shapes of ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7458 | 7459 | A note on degenerate stirling polynomials of t... | In this paper, we consider the degenerate St... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7459 | 7460 | Active learning machine learns to create new q... | How useful can machine learning be in a quan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7460 | 7461 | The Gaia-ESO Survey: radial distribution of ab... | The spatial distribution of elemental abunda... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7461 | 7462 | The deterioration of materials from air pollut... | Dose-Response Functions (DRFs) are widely us... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7462 | 7463 | In-situ Optical Characterization of Noble Meta... | The present work addressed in this thesis in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7463 | 7464 | Persistent Monitoring of Stochastic Spatio-tem... | This paper presents a solution for persisten... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7464 | 7465 | Guaranteed Sufficient Decrease for Variance Re... | In this paper, we propose a novel sufficient... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7465 | 7466 | Unified Gas-kinetic Scheme with Multigrid Conv... | The unified gas kinetic scheme (UGKS) is a d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7466 | 7467 | Learning agile and dynamic motor skills for le... | Legged robots pose one of the greatest chall... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7467 | 7468 | Optimal partition problems for the fractional ... | In this work, we prove an existence result f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7468 | 7469 | Entire holomorphic curves into projective spac... | In this note, we establish the following Sec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7469 | 7470 | New results on sum-product type growth over fi... | We prove a range of new sum-product type gro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7470 | 7471 | Precision matrix expansion - efficient use of ... | Computing the inverse covariance matrix (or ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7471 | 7472 | Structural and electronic properties of german... | To date, germanene has only been synthesized... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7472 | 7473 | Fractional quiver W-algebras | We introduce quiver gauge theory associated ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7473 | 7474 | Vortex creep at very low temperatures in singl... | We image vortex creep at very low temperatur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7474 | 7475 | Intention Games | Strategic interactions between competitive e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7475 | 7476 | Utilizing Lexical Similarity between Related, ... | We investigate pivot-based translation betwe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7476 | 7477 | Multiband Electronic Structure of Magnetic Qua... | Semiconductor quantum dots (QDs) doped with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7477 | 7478 | Advances in Detection and Error Correction for... | In this chapter, we show how the use of diff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7478 | 7479 | Risk-Averse Classification | We develop a new approach to solving classif... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7479 | 7480 | Scattered Sentences have Few Separable Randomi... | In the paper "Randomizations of Scattered Se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7480 | 7481 | Zero divisor and unit elements with support of... | Kaplansky Zero Divisor Conjecture states tha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7481 | 7482 | G2 instantons and the Seiberg-Witten monopoles | I describe a relation (mostly conjectural) b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7482 | 7483 | Multimodal Word Distributions | Word embeddings provide point representation... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7483 | 7484 | Efficient Policy Learning | In many areas, practitioners seek to use obs... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7484 | 7485 | Optimization by a quantum reinforcement algorithm | A reinforcement algorithm solves a classical... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7485 | 7486 | Fast Image Processing with Fully-Convolutional... | We present an approach to accelerating a wid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7486 | 7487 | Revealing patterns in HIV viral load data and ... | HIV RNA viral load (VL) is an important outc... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7487 | 7488 | Superintegrable relativistic systems in spacet... | We consider a relativistic charged particle ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7488 | 7489 | Distributed Stochastic Model Predictive Contro... | This paper presents a distributed stochastic... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7489 | 7490 | Formalization of Transform Methods using HOL L... | Transform methods, like Laplace and Fourier,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7490 | 7491 | The Velocity of the Decoding Wave for Spatiall... | We consider the dynamics of belief propagati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7491 | 7492 | In Search of an Entity Resolution OASIS: Optim... | Entity resolution (ER) presents unique chall... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7492 | 7493 | Evidence of chaotic modes in the analysis of f... | Since CoRoT observations unveiled the very l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7493 | 7494 | Analytical Representations of Divisors of Inte... | Certain analytical expressions which "feel" ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7494 | 7495 | Semiparametrical Gaussian Processes Learning o... | This paper presents a problem of model learn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7495 | 7496 | Vestigial nematic order and superconductivity ... | If the topological insulator Bi$_{2}$Se$_{3}... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7496 | 7497 | On the semi-continuity problem of normalized v... | We show that in any $\mathbb{Q}$-Gorenstein ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7497 | 7498 | Non-Generic Unramified Representations in Meta... | Let $G^{(r)}$ denote the metaplectic coverin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7498 | 7499 | A Generalization of Convolutional Neural Netwo... | This paper introduces a generalization of Co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7499 | 7500 | Implications of right-handed neutrinos in $B-L... | We investigate the Standard Model (SM) with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7500 | 7501 | Robust Adversarial Reinforcement Learning | Deep neural networks coupled with fast simul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7501 | 7502 | Dynamic behaviour of Multilamellar Vesicles un... | Surfactant solutions exhibit multilamellar s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7502 | 7503 | Approximate fixed points and B-amenable groups | A topological group $G$ is B-amenable if and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7503 | 7504 | Radiation hardness of small-pitch 3D pixel sen... | A new generation of 3D silicon pixel detecto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7504 | 7505 | Simulating Cosmic Microwave Background anisotr... | Microwave Kinetic Inductance Devices (MKIDs)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7505 | 7506 | Optimized State Space Grids for Abstractions | The practical impact of abstraction-based co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7506 | 7507 | Dictionary Learning and Sparse Coding-based De... | We propose a novel denoising framework for t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7507 | 7508 | Optimal control of a Vlasov-Poisson plasma by ... | We consider the three dimensional Vlasov-Poi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7508 | 7509 | Lensless Photography with only an image sensor | Photography usually requires optics in conju... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7509 | 7510 | Truth-Telling Mechanism for Secure Two-Way Rel... | This paper brings the novel idea of paying t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7510 | 7511 | Prediction of Individual Outcomes for Asthma S... | We consider the problem of individual-specif... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7511 | 7512 | Bayesian Probabilistic Numerical Methods | The emergent field of probabilistic numerics... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7512 | 7513 | The evolution of the temperature field during ... | We study effect of cavity collapse in non-id... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7513 | 7514 | Quantile Regression for Qualifying Match of GE... | We present a simple quantile regression-base... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7514 | 7515 | Strong Local Nondeterminism of Spherical Fract... | Let $B = \left\{ B\left( x\right),\, x\in \m... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7515 | 7516 | Sparse Named Entity Classification using Facto... | Named entity classification is the task of c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7516 | 7517 | Exploration of Large Networks with Covariates ... | Latent space models are effective tools for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7517 | 7518 | Distant Supervision for Topic Classification o... | We tackle the challenge of topic classificat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7518 | 7519 | Relationship Maintenance in Software Language ... | The context of this research is testing and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7519 | 7520 | The Emptiness Problem for Valence Automata ove... | This work studies which storage mechanisms i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7520 | 7521 | On the Optimization Landscape of Tensor Decomp... | Non-convex optimization with local search he... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7521 | 7522 | Estimate of Joule Heating in a Flat Dechirper | We have performed Joule power loss calculati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7522 | 7523 | Accurate Kernel Learning for Linear Gaussian M... | We report an exact likelihood computation fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7523 | 7524 | Near-Optimal Discrete Optimization for Experim... | The experimental design problem concerns the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7524 | 7525 | Positive semi-definite embedding for dimension... | In machine learning or statistics, it is oft... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7525 | 7526 | Bounded Projective Functions and Hyperbolic Me... | We establish a correspondence on a Riemann s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7526 | 7527 | A State-Space Approach to Dynamic Nonnegative ... | Nonnegative matrix factorization (NMF) has b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7527 | 7528 | Active Inductive Logic Programming for Code Se... | Modern search techniques either cannot effic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7528 | 7529 | Dense families of modular curves, prime number... | We obtain new uniform bounds for the symmetr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7529 | 7530 | Continued fraction algorithms and Lagrange's t... | We present several continued fraction algori... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7530 | 7531 | Scaling and bias codes for modeling speaker-ad... | Most neural-network based speaker-adaptive a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7531 | 7532 | Bayesian Network Regularized Regression for Mo... | This paper considers the problem of statisti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7532 | 7533 | Similarity forces and recurrent components in ... | We show that the social dynamics responsible... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7533 | 7534 | CELLO-3D: Estimating the Covariance of ICP in ... | The fusion of Iterative Closest Point (ICP) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7534 | 7535 | Projection Theorems Using Effective Dimension | In this paper we use the theory of computing... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7535 | 7536 | Exotic pairing symmetry of interacting Dirac f... | The pairing symmetry of interacting Dirac fe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7536 | 7537 | Learning Causal Structures Using Regression In... | We study causal inference in a multi-environ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7537 | 7538 | Linear Exponential Comonads without Symmetry | The notion of linear exponential comonads on... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7538 | 7539 | Multi-speaker Recognition in Cocktail Party Pr... | This paper proposes an original statistical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7539 | 7540 | A DIRT-T Approach to Unsupervised Domain Adapt... | Domain adaptation refers to the problem of l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7540 | 7541 | Robust valley polarization of helium ion modif... | Atomically thin semiconductors have dimensio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7541 | 7542 | Sustained sensorimotor control as intermittent... | A conceptual and computational framework is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7542 | 7543 | COLOSSUS: A python toolkit for cosmology, larg... | This paper introduces Colossus, a public, op... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7543 | 7544 | Generalized Similarity U: A Non-parametric Tes... | Second generation sequencing technologies ar... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7544 | 7545 | Hydra: An Accelerator for Real-Time Edge-Aware... | Many modern video processing pipelines rely ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7545 | 7546 | Non-Convex Weighted Lp Nuclear Norm based ADMM... | Since the matrix formed by nonlocal similar ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7546 | 7547 | A Contextual Bandit Approach for Stream-Based ... | Contextual bandit algorithms -- a class of m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7547 | 7548 | Localization of ions within one-, two- and thr... | We demonstrate light-induced localization of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7548 | 7549 | Joint Modeling of Event Sequence and Time Seri... | A variety of real-world processes (over netw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7549 | 7550 | Low Auto-correlation Binary Sequences explored... | The search of binary sequences with low auto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7550 | 7551 | Estimation of the marginal expected shortfall ... | We study the asymptotic behavior of the marg... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7551 | 7552 | Downgrade Attack on TrustZone | Security-critical tasks require proper isola... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7552 | 7553 | Robust Inference under the Beta Regression Mod... | Data on rates, percentages or proportions ar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7553 | 7554 | PageRank in Undirected Random Graphs | PageRank has numerous applications in inform... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7554 | 7555 | Room temperature line lists for CO\2 symmetric... | Remote sensing experiments require high-accu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7555 | 7556 | The GIT moduli of semistable pairs consisting ... | We discuss the GIT moduli of semistable pair... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7556 | 7557 | On the Genus of the Moonshine Module | We provide a novel and simple description of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7557 | 7558 | A Deep Learning-based Reconstruction of Cosmic... | We describe a method of reconstructing air s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7558 | 7559 | The unexpected resurgence of Weyl geometry in ... | Weyl's original scale geometry of 1918 ("pur... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7559 | 7560 | Discrete Dynamic Causal Modeling and Its Relat... | This paper explores the discrete Dynamic Cau... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7560 | 7561 | Two-step approach to scheduling quantum circuits | As the effort to scale up existing quantum h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7561 | 7562 | A Study of the Allan Variance for Constant-Mea... | The Allan Variance (AV) is a widely used qua... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7562 | 7563 | Foresight: Recommending Visual Insights | Current tools for exploratory data analysis ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7563 | 7564 | Fast Stochastic Variance Reduced ADMM for Stoc... | We consider the stochastic composition optim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7564 | 7565 | Hierarchical Behavioral Repertoires with Unsup... | Enabling artificial agents to automatically ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7565 | 7566 | Indirect Image Registration with Large Diffeom... | The paper adapts the large deformation diffe... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7566 | 7567 | Morphological estimators on Sunyaev--Zel'dovic... | The determination of the morphology of galax... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7567 | 7568 | Hierarchy of exchange interactions in the tria... | The spin-1/2 triangular lattice antiferromag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7568 | 7569 | Pulsar braking and the P-Pdot diagram | The location of radio pulsars in the period-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7569 | 7570 | Uniqueness of stable capillary hypersurfaces i... | In this paper we prove that any immersed sta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7570 | 7571 | A Potential Recoiling Supermassive Black Hole ... | We have carried out a systematic search for ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7571 | 7572 | WLAN Performance Analysis Ibrahim Group of ind... | Now a days several organizations are moving ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7572 | 7573 | Archetypes for Representing Data about the Bra... | The Brazilian Ministry of Health has selecte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7573 | 7574 | Global linear convergent algorithm to compute ... | The minimum volume enclosing ellipsoid (MVEE... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7574 | 7575 | Asymptotic behavior of memristive circuits and... | The interest in memristors has risen due to ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7575 | 7576 | Contrasting information theoretic decompositio... | Biological and artificial neural systems are... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7576 | 7577 | Recommendations for Marketing Campaigns in Tel... | A major investment made by a telecom operato... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7577 | 7578 | Enhancing The Reliability of Out-of-distributi... | We consider the problem of detecting out-of-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7578 | 7579 | Two-fermion Bethe-Salpeter Equation in Minkows... | The possibility of solving the Bethe-Salpete... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7579 | 7580 | Fractional Laplacians on the sphere, the Minak... | In this paper we show novel underlying conne... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7580 | 7581 | Nef partitions for codimension 2 weighted comp... | We prove that a smooth well formed Fano weig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7581 | 7582 | Integrating sentiment and social structure to ... | We examine the relationship between social s... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7582 | 7583 | Tailoring symmetric metallic and magnetic edge... | Fabrication of atomic scale of metallic wire... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7583 | 7584 | The Ramsey theory of the universal homogeneous... | The universal homogeneous triangle-free grap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7584 | 7585 | Restriction of representations of metaplectic ... | Let $F$ be a non-Archimedean local field. We... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7585 | 7586 | Five-dimensional Perfect Simplices | Let $Q_n=[0,1]^n$ be the unit cube in ${\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7586 | 7587 | Quantum Fluctuations in Mesoscopic Systems | Recent experimental results point to the exi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7587 | 7588 | Big Data Model Simulation on a Graph Database ... | Sensors are present in various forms all aro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7588 | 7589 | EmbedJoin: Efficient Edit Similarity Joins via... | We study the problem of edit similarity join... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7589 | 7590 | Construction of curve pairs and their applicat... | In this study, we introduce a new approach t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7590 | 7591 | Solution of linear ill-posed problems by model... | We consider a general statistical linear inv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7591 | 7592 | Simulation studies for dielectric wakefield pr... | Short, high charge electron bunches can driv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7592 | 7593 | Long-range dynamical magnetic order and spin t... | Magnetic systems with spins sitting on a lat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7593 | 7594 | The Frobenius morphism in invariant theory | Let $R$ be the homogeneous coordinate ring o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7594 | 7595 | A General Probabilistic Approach for Quantitat... | The Wasserstein metric is introduced as a pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7595 | 7596 | Sentiment Analysis by Joint Learning of Word E... | Word embeddings are representations of indiv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7596 | 7597 | Normal-state Properties of a Unitary Bose-Ferm... | We theoretically investigate normal-state pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7597 | 7598 | A glass-box interactive machine learning appro... | The goal of Machine Learning to automaticall... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7598 | 7599 | Verification Studies for the Noh Problem using... | The Noh verification test problem is extende... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7599 | 7600 | Motivic zeta functions and infinite cyclic covers | We associate with an infinite cyclic cover o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7600 | 7601 | End-to-end semantic face segmentation with con... | Recent years have seen a sharp increase in t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7601 | 7602 | Bayesian Coreset Construction via Greedy Itera... | Coherent uncertainty quantification is a key... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7602 | 7603 | Practical Bayesian optimization in the presenc... | Inference in the presence of outliers is an ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7603 | 7604 | Is there any polynomial upper bound for the un... | A {\it universal labeling} of a graph $G$ is... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7604 | 7605 | An Empirical Study on Team Formation in Online... | Online games provide a rich recording of int... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7605 | 7606 | Nematic superconductivity in Cu$_{x}$Bi$_{2}$S... | We study theoretically the topological surfa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7606 | 7607 | The structure of a minimal $n$-chart with two ... | Given a 2-crossing minimal chart $\Gamma$, a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7607 | 7608 | Generating Shared Latent Variables for Robots ... | Assistive robotics and particularly robot co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7608 | 7609 | Superconvergence analysis of linear FEM based ... | We study superconvergence property of the li... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7609 | 7610 | Semi-blind source separation with multichannel... | This paper proposes a multichannel source se... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7610 | 7611 | Quantitative characterization of pore structur... | Pore space characteristics of biochars may v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7611 | 7612 | First-principles-based method for electron loc... | We present a first-principles-based many-bod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7612 | 7613 | Compressed H$_3$S: inter-sublattice Coulomb co... | Upon thermal annealing at or above room temp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7613 | 7614 | A physiology--based parametric imaging method ... | Parametric imaging is a compartmental approa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7614 | 7615 | Item Recommendation with Evolving User Prefere... | Current recommender systems exploit user and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7615 | 7616 | On some integrals of Hardy | We consider some properties of integrals con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7616 | 7617 | Complexity of short generating functions | We give complexity analysis of the class of ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7617 | 7618 | Finite-Size Effects in Non-Neutral Two-Dimensi... | Thermodynamic potential of a neutral two-dim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7618 | 7619 | Type Safe Redis Queries: A Case Study of Type-... | Redis is an in-memory data structure store, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7619 | 7620 | Ground state solutions for a nonlinear Choquar... | We discuss the existence of ground state sol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7620 | 7621 | Ultrashort dark solitons interactions and nonl... | We present the study of the dark soliton dyn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7621 | 7622 | Long-range p-d exchange interaction in a ferro... | The exchange interaction between magnetic io... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7622 | 7623 | Parsec-scale Faraday rotation and polarization... | We perform polarimetry analysis of 20 active... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7623 | 7624 | Positive scalar curvature and connected sums | Let $N$ be a closed enlargeable manifold in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7624 | 7625 | Optical computing by injection-locked lasers | A programmable optical computer has remained... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7625 | 7626 | On the joint asymptotic distribution of the re... | The main Theorem of Jain et al.[Jain, K., Si... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7626 | 7627 | Rotational spectroscopy, tentative interstella... | N-methylformamide, CH3NHCHO, may be an impor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7627 | 7628 | Dynamic anisotropy in MHD turbulence induced b... | In this paper, we study the development of a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7628 | 7629 | Dealing with the exponential wall in electroni... | An alternative to Density Functional Theory ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7629 | 7630 | Influence maximization on correlated networks ... | The identification of the minimal set of nod... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7630 | 7631 | Conformal metrics with prescribed fractional s... | Let $(X, g^+)$ be an asymptotically hyperbol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7631 | 7632 | A Short Review of Ethical Challenges in Clinic... | Clinical NLP has an immense potential in con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7632 | 7633 | kd-switch: A Universal Online Predictor with a... | We propose a novel online predictor for disc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7633 | 7634 | A Heat Equation on some Adic Completions of Q ... | This article deals with a Markov process rel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7634 | 7635 | A simple alteration of the peridynamics corres... | We look for an enhancement of the correspond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7635 | 7636 | Interpretable Active Learning | Active learning has long been a topic of stu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7636 | 7637 | Orbital-Free Density-Functional Theory Simulat... | Here, we report orbital-free density-functio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7637 | 7638 | Binary systems with an RR Lyrae component - pr... | In this contribution, we summarize the progr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7638 | 7639 | Covering and tiling hypergraphs with tight cycles | Given $3 \leq k \leq s$, we say that a $k$-u... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7639 | 7640 | DNA methylation markers to assess biological age | Among the different biomarkers of aging base... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7640 | 7641 | Towards Building an Intelligent Anti-Malware S... | Effective and efficient mitigation of malwar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7641 | 7642 | Exponential profiles from stellar scattering o... | Holes and clumps in the interstellar gas of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7642 | 7643 | Visualizations for an Explainable Planning Agent | In this paper, we report on the visualizatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7643 | 7644 | Generative adversarial interpolative autoencod... | We present a neural network architecture bas... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7644 | 7645 | Attribute-Guided Face Generation Using Conditi... | We are interested in attribute-guided face g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7645 | 7646 | Objective-Reinforced Generative Adversarial Ne... | In unsupervised data generation tasks, besid... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7646 | 7647 | Pluripotential theory on the support of closed... | We extend certain classical theorems in plur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7647 | 7648 | Inconsistency of Measure-Theoretic Probability... | We report an inconsistency found in probabil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7648 | 7649 | Robustness of Quasiparticle Interference Test ... | Recently, a test for a sign-changing gap fun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7649 | 7650 | Adaptive User Perspective Rendering for Handhe... | Handheld Augmented Reality commonly implemen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7650 | 7651 | A distributed primal-dual algorithm for comput... | In this paper, we propose a distributed prim... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7651 | 7652 | Inverse dynamic and spectral problems for the ... | We consider inverse dynamic and spectral pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7652 | 7653 | Extensions of isomorphisms of subvarieties in ... | Let $X$ be a quasi-affine algebraic variety ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7653 | 7654 | Frequentist coverage and sup-norm convergence ... | Gaussian process (GP) regression is a powerf... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7654 | 7655 | Most Probable Evolution Trajectories in a Gene... | We study the most probable trajectories of t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7655 | 7656 | Simplified derivation of the collision probabi... | Many topics in planetary studies demand an e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7656 | 7657 | Optically Coupled Methods for Microwave Impeda... | Scanning Microwave Impedance Microscopy (MIM... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7657 | 7658 | Generalized feedback vertex set problems on bo... | It has long been known that Feedback Vertex ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7658 | 7659 | Electron-phonon coupling mechanisms for hydrog... | The mechanisms for strong electron-phonon co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7659 | 7660 | Competitive Equilibrium For almost All Incomes | Competitive equilibrium from equal incomes (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7660 | 7661 | Converting of algebraic Diophantine equations ... | The author showed that any homogeneous algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7661 | 7662 | A Deep Learning Approach with an Attention Mec... | Automatic sleep staging is a challenging pro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7662 | 7663 | Laser Wakefield Accelerators | The one-dimensional wakefield generation equ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7663 | 7664 | Permutation complexity of images of Sturmian w... | We show that the permutation complexity of t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7664 | 7665 | Three principles of data science: predictabili... | We propose the predictability, computability... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7665 | 7666 | The Elasticity of Puiseux Monoids | Let $M$ be an atomic monoid and let $x$ be a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7666 | 7667 | Barcode Embeddings for Metric Graphs | Stable topological invariants are a cornerst... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7667 | 7668 | On the extremal extensions of a non-negative J... | We consider minimal non-negative Jacobi oper... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7668 | 7669 | Note on the geodesic Monte Carlo | Geodesic Monte Carlo (gMC) is a powerful alg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7669 | 7670 | Google Scholar and the gray literature: A repl... | Recently, a review concluded that Google Sch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7670 | 7671 | A Next-Best-Smell Approach for Remote Gas Dete... | The problem of gas detection is relevant to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7671 | 7672 | KZ-Calogero correspondence revisited | We discuss the correspondence between the Kn... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7672 | 7673 | Spectral up- and downshifting of Akhmediev bre... | We experimentally and numerically investigat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7673 | 7674 | High Rate LDPC Codes from Difference Covering ... | This paper presents a combinatorial construc... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7674 | 7675 | Bootstrapping spectral statistics in high dime... | Statistics derived from the eigenvalues of s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7675 | 7676 | On parabolic subgroups of Artin-Tits groups of... | We show that, in an Artin-Tits group of sphe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7676 | 7677 | A statistical test for the Zipf's law by devia... | We explore a probabilistic model of an artis... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7677 | 7678 | Weakly Supervised Classification in High Energ... | As machine learning algorithms become increa... | 0 | 1 | 0 | 1 | 0 | 0 |
| 7678 | 7679 | Profit Driven Decision Trees for Churn Prediction | Customer retention campaigns increasingly re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7679 | 7680 | Carrier loss mechanisms in textured crystallin... | A quite general device analysis method that ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7680 | 7681 | The generating function for the Airy point pro... | For a wide class of Hermitian random matrice... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7681 | 7682 | Gradient-based Training of Slow Feature Analys... | This paper proposes Power Slow Feature Analy... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7682 | 7683 | Quantum Critical Behavior in the Asymptotic Li... | The behavior of matter near a quantum critic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7683 | 7684 | Multilayer Network Modeling of Integrated Biol... | Biological systems, from a cell to the human... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7684 | 7685 | Fast, Autonomous Flight in GPS-Denied and Clut... | One of the most challenging tasks for a flyi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7685 | 7686 | Accumulation Bit-Width Scaling For Ultra-Low P... | Efforts to reduce the numerical precision of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7686 | 7687 | The Berkovich realization for rigid analytic m... | We prove that the functor associating to a r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7687 | 7688 | Rates of estimation for determinantal point pr... | Determinantal point processes (DPPs) have wi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7688 | 7689 | Negative refraction in Weyl semimetals | We theoretically propose that Weyl semimetal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7689 | 7690 | Towards Object Life Cycle-Based Variant Genera... | Variability management of process models is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7690 | 7691 | Detection of sub-MeV Dark Matter with Three-Di... | We propose the use of three-dimensional Dira... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7691 | 7692 | Formation of Local Resonance Band Gaps in Fini... | The objective of this paper is to use transf... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7692 | 7693 | Online Multi-Label Classification: A Label Com... | Many modern applications deal with multi-lab... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7693 | 7694 | Mutual Alignment Transfer Learning | Training robots for operation in the real wo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7694 | 7695 | Tangent: Automatic differentiation using sourc... | The need to efficiently calculate first- and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7695 | 7696 | Scalar and Tensor Parameters for Importing Ten... | In this paper, we propose a method for impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7696 | 7697 | Evidence for coherent spicule oscillations by ... | Wave theories of heating the chromosphere, c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7697 | 7698 | Dynamics and transverse relaxation of an uncon... | An unconventional spin-rotation mode emergin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7698 | 7699 | Opinion diversity and community formation in a... | It is interesting and of significant importa... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7699 | 7700 | On the local and global comparison of generali... | Given two continuous functions $f,g:I\to\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7700 | 7701 | Torsion of elliptic curves and unlikely inters... | We study effective versions of unlikely inte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7701 | 7702 | BoostJet: Towards Combining Statistical Aggreg... | Recommenders have become widely popular in r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7702 | 7703 | Fixed points of diffeomorphisms on nilmanifold... | Let $M$ be a nilmanifold with a fundamental ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7703 | 7704 | Offloading Execution from Edge to Cloud: a Dyn... | Fog computing enables use cases where data p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7704 | 7705 | A nested sampling code for targeted searches f... | This document describes a code to perform pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7705 | 7706 | Using Big Data to Enhance the Bosch Production... | This paper describes our approach to the Bos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7706 | 7707 | Golden Elliptical Orbits in Newtonian Gravitation | In spherical symmetry with radial coordinate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7707 | 7708 | Learning Sparse Adversarial Dictionaries For M... | Audio events are quite often overlapping in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7708 | 7709 | Matter-wave solutions in the Bose-Einstein con... | We study exact solutions of the quasi-one-di... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7709 | 7710 | Histogram Transform-based Speaker Identification | A novel text-independent speaker identificat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7710 | 7711 | Towards self-adaptable robots: from programmin... | We argue that hardware modularity plays a ke... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7711 | 7712 | Incidence Results and Bounds of Trilinear and ... | We give a new bound on the number of colline... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7712 | 7713 | Comment on "Kinetic decoupling of WIMPs: Analy... | Visinelli and Gondolo (2015, hereafter VG15)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7713 | 7714 | Dimension preserving resolutions of singularit... | Some Poisson structures do admit resolutions... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7714 | 7715 | Comparison of hidden Markov chain models and h... | There is an interest to replace computed tom... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7715 | 7716 | Spin-charge split pairing in underdoped cuprat... | We calculate the specific heat of a weakly i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7716 | 7717 | Iterative Amortized Inference | Inference models are a key component in scal... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7717 | 7718 | Rethinking probabilistic prediction in the wak... | To many statisticians and citizens, the outc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7718 | 7719 | $L^1$ solutions to one-dimensional BSDEs with ... | This paper aims at solving a one-dimensional... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7719 | 7720 | Magnifying the early episodes of star formatio... | We study the spectrophotometric properties o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7720 | 7721 | Ergodicity of a system of interacting random w... | We study N interacting random walks on the p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7721 | 7722 | Extreme value statistics for censored data wit... | This paper addresses the problem of estimati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7722 | 7723 | Response to "Counterexample to global converge... | In a recent note [8], the author provides a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7723 | 7724 | Thermal memristor and neuromorphic networks fo... | A memristor is one of four fundamental two-t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7724 | 7725 | Asymptotic Distribution and Simultaneous Confi... | Ratio of medians or other suitable quantiles... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7725 | 7726 | A Topological proof that $O_2$ is $2$-MCFL | We give a new proof of Salvati's theorem tha... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7726 | 7727 | Projected Variational Integrators for Degenera... | We propose and compare several projection me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7727 | 7728 | Boosted Generative Models | We propose a novel approach for using unsupe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7728 | 7729 | The Geometry of Strong Koszul Algebras | Koszul algebras with quadratic Groebner base... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7729 | 7730 | Overlapping community detection using superior... | Community discovery in the social network is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7730 | 7731 | Debugging Transactions and Tracking their Prov... | Debugging transactions and understanding the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7731 | 7732 | How LinkedIn Economic Graph Bonds Information ... | The LinkedIn Salary product was launched in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7732 | 7733 | Fast quantum logic gates with trapped-ion qubits | Quantum bits based on individual trapped ato... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7733 | 7734 | Generative Adversarial Network based Autoencod... | Fault detection problem for closed loop unce... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7734 | 7735 | Non-Asymptotic Rates for Manifold, Tangent Spa... | Given an $n$-sample drawn on a submanifold $... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7735 | 7736 | Learning to Optimize Neural Nets | Learning to Optimize is a recently proposed ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7736 | 7737 | A space-time finite element method for neural ... | We present and analyze a new space-time fini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7737 | 7738 | Notes on complexity of packing coloring | A packing $k$-coloring for some integer $k$ ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7738 | 7739 | Predicting Positive and Negative Links with No... | Social networks involve both positive and ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7739 | 7740 | Simulating a Topological Transition in a Super... | The significance of topological phases has b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7740 | 7741 | Improved Absolute Frequency Measurement of the... | We measured the absolute frequency of the $^... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7741 | 7742 | Theoretical properties of quasi-stationary Mon... | This paper gives foundational results for th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7742 | 7743 | A Hilbert Space of Stationary Ergodic Processes | Identifying meaningful signal buried in nois... | 0 | 0 | 0 | 1 | 0 | 1 |
| 7743 | 7744 | Total variation regularized non-negative matri... | Hyperspectral analysis has gained popularity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7744 | 7745 | Efficient Antihydrogen Detection in Antimatter... | Antihydrogen is at the forefront of antimatt... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7745 | 7746 | Spin controlled atom-ion inelastic collisions | The control of the ultracold collisions betw... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7746 | 7747 | Nonparametric Cusum Charts for Angular Data wi... | This paper develops non-parametric rotation ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7747 | 7748 | Origin of Weak Turbulence in the Outer Regions... | The mechanism behind angular momentum transp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7748 | 7749 | Real-time Monocular Visual Odometry for Turbid... | In the context of robotic underwater operati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7749 | 7750 | Casper the Friendly Finality Gadget | We introduce Casper, a proof of stake-based ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7750 | 7751 | Rating Protocol Design for Extortion and Coope... | Crowdsourcing has emerged as a paradigm for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7751 | 7752 | Form factors of local operators in supersymmet... | We apply the nested algebraic Bethe ansatz t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7752 | 7753 | On the $E$-polynomial of parabolic $\mathrm{Sp... | We find the $E$-polynomials of a family of p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7753 | 7754 | Goldstone and Higgs Hydrodynamics in the BCS-B... | We discuss the derivation of a low-energy ef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7754 | 7755 | A note on knot concordance and involutive knot... | We prove that if two knots are concordant, t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7755 | 7756 | $M$-QAM Precoder Design for MIMO Directional M... | Spectrally efficient multi-antenna wireless ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7756 | 7757 | Ivanov-Regularised Least-Squares Estimators ov... | We study kernel least-squares estimation und... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7757 | 7758 | Using Ice and Dust Lines to Constrain the Surf... | We present a novel method for determining th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7758 | 7759 | Quaternionic Projective Bundle Theorem and Gys... | In this paper, we show that the motive $HP^n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7759 | 7760 | Green function for linearized Navier-Stokes ar... | This is a continuation and completion of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7760 | 7761 | Summary of a Literature Review in Scalability ... | This paper shows that authors have no consis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7761 | 7762 | Interacting superradiance samples: modified in... | We consider the interaction between distinct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7762 | 7763 | An optimal XP algorithm for Hamiltonian cycle ... | In this paper, we prove that, given a clique... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7763 | 7764 | On the functional window of the avian compass | The functional window is an experimentally o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7764 | 7765 | Automated text summarisation and evidence-base... | The practice of evidence-based medicine (EBM... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7765 | 7766 | Generalized Moran sets Generated by Step-wise ... | In this article we provide a systematic way ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7766 | 7767 | On the lateral instability analysis of MEMS co... | This paper investigates the lateral pull-in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7767 | 7768 | Isospectrality For Orbifold Lens Spaces | We answer Mark Kac's famous question, "can o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7768 | 7769 | How Wrong Am I? - Studying Adversarial Example... | Machine learning models are vulnerable to Ad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7769 | 7770 | Energy Efficient Adaptive Network Coding Schem... | In this paper, we propose novel energy effic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7770 | 7771 | DCCO: Towards Deformable Continuous Convolutio... | Discriminative Correlation Filter (DCF) base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7771 | 7772 | Multitarget search on complex networks: A loga... | We investigate multitarget search on complex... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7772 | 7773 | New X-ray bound on density of primordial black... | We set a new upper limit on the abundance of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7773 | 7774 | Hierarchical Clustering with Prior Knowledge | Hierarchical clustering is a class of algori... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7774 | 7775 | Physics Informed Deep Learning (Part II): Data... | We introduce physics informed neural network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7775 | 7776 | The HoTT reals coincide with the Escardó-Simps... | Escardó and Simpson defined a notion of inte... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7776 | 7777 | Noise2Noise: Learning Image Restoration withou... | We apply basic statistical reasoning to sign... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7777 | 7778 | Simple Root Cause Analysis by Separable Likeli... | Root Cause Analysis for Anomalies is challen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7778 | 7779 | Jeffrey's prior sampling of deep sigmoidal net... | Neural networks have been shown to have a re... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7779 | 7780 | Computing the quality of the Laplace approxima... | Bayesian inference requires approximation me... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7780 | 7781 | Correlations between thresholds and degrees: A... | Two node variables determine the evolution o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7781 | 7782 | Faster Learning by Reduction of Data Access Time | Nowadays, the major challenge in machine lea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7782 | 7783 | Optimal Control for Constrained Coverage Path ... | The problem of constrained coverage path pla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7783 | 7784 | ScaleSimulator: A Fast and Cycle-Accurate Para... | Design of next generation computer systems s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7784 | 7785 | Annihilating wild kernels | Let $L/K$ be a finite Galois extension of nu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7785 | 7786 | Trading the Twitter Sentiment with Reinforceme... | This paper is to explore the possibility to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7786 | 7787 | Kahler-Einstein metrics and algebraic geometry | This is a survey article, based on the autho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7787 | 7788 | Hemihelical local minimizers in prestrained el... | We consider a double layered prestrained ela... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7788 | 7789 | AspEm: Embedding Learning by Aspects in Hetero... | Heterogeneous information networks (HINs) ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7789 | 7790 | Nonlinear Information Bottleneck | Information bottleneck [IB] is a technique f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7790 | 7791 | Top-k Overlapping Densest Subgraphs: Approxima... | A central problem in graph mining is finding... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7791 | 7792 | The energy-momentum tensor of electromagnetic ... | We present a complete resolution of the Abra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7792 | 7793 | Pinhole induced efficiency variation in perovs... | Process induced efficiency variation is a ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7793 | 7794 | An Overview of Robust Subspace Recovery | This paper will serve as an introduction to ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7794 | 7795 | Tuning Free Orthogonal Matching Pursuit | Orthogonal matching pursuit (OMP) is a widel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7795 | 7796 | New constructions of MDS codes with complement... | Linear complementary-dual (LCD for short) co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7796 | 7797 | Porosity and regularity in metric measure spaces | This is a report of a joint work with E. Jär... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7797 | 7798 | Strong-coupling superconductivity induced by c... | We theoretically investigate the possibility... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7798 | 7799 | Interval-type theorems concerning quasi-arithm... | Family of quasi-arithmetic means has a natur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7799 | 7800 | Integrable flows between exact CFTs | We explicitly construct families of integrab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7800 | 7801 | Beyond Shared Hierarchies: Deep Multitask Lear... | Existing deep multitask learning (MTL) appro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7801 | 7802 | Relational Algebra for In-Database Process Mining | The execution logs that are used for process... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7802 | 7803 | Global existence for the nonlinear fractional ... | We consider the initial value problem for th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7803 | 7804 | Statistical properties of an enstrophy conserv... | A framework of variational principles for st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7804 | 7805 | Conditional Optimal Stopping: A Time-Inconsist... | Inspired by recent work of P.-L. Lions on co... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7805 | 7806 | Principles for optimal cooperativity in allost... | Allosteric proteins transmit a mechanical si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7806 | 7807 | Improved electronic structure and magnetic exc... | We discuss the application of the Agapito Cu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7807 | 7808 | Test of SensL SiPM coated with NOL-1 wavelengt... | A SensL MicroFC-SMT-60035 6x6 mm$^2$ silicon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7808 | 7809 | Neon2: Finding Local Minima via First-Order Or... | We propose a reduction for non-convex optimi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7809 | 7810 | Geometrical Insights for Implicit Generative M... | Learning algorithms for implicit generative ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7810 | 7811 | Simple Countermeasures to Mitigate the Effect ... | Network coding based peer-to-peer streaming ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7811 | 7812 | Small-scale structure and the Lyman-$α$ forest... | The baryon-acoustic oscillation (BAO) featur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7812 | 7813 | Scale-dependent perturbations finally detectab... | By means of the present geometrical and dyna... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7813 | 7814 | InfoCatVAE: Representation Learning with Categ... | This paper describes InfoCatVAE, an extensio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7814 | 7815 | Quadratic twists of abelian varieties and disp... | We study the parity of 2-Selmer ranks in the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7815 | 7816 | From acquaintance to best friend forever: robu... | Social networks often provide only a binary ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7816 | 7817 | Conditional bias robust estimation of the tota... | For marketing or power grid management purpo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7817 | 7818 | Ulrich bundles on smooth projective varieties ... | We classify the Ulrich vector bundles of arb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7818 | 7819 | $k$-shellable simplicial complexes and graphs | In this paper we show that a $k$-shellable s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7819 | 7820 | The Effect of Phasor Measurement Units on the ... | The most commonly used weighted least square... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7820 | 7821 | $ε$-Regularity and Structure of 4-dimensional ... | A closed four dimensional manifold cannot po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7821 | 7822 | Cosmological model discrimination with Deep Le... | We demonstrate the potential of Deep Learnin... | 0 | 1 | 0 | 1 | 0 | 0 |
| 7822 | 7823 | Deep Memory Networks for Attitude Identification | We consider the task of identifying attitude... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7823 | 7824 | Discrete flow posteriors for variational infer... | Each training step for a variational autoenc... | 0 | 0 | 0 | 1 | 1 | 0 |
| 7824 | 7825 | Audio Super Resolution using Neural Networks | We introduce a new audio processing techniqu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7825 | 7826 | Thermoelectric power factor enhancement by spi... | Thermoelectric (TE) measurements have been p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7826 | 7827 | Risk-Sensitive Cooperative Games for Human-Mac... | Autonomous systems can substantially enhance... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7827 | 7828 | A natural framework for isogeometric fluid-str... | The interaction between thin structures and ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7828 | 7829 | Inertial Effects on the Stress Generation of A... | Suspensions of self-propelled bodies generat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7829 | 7830 | On Gauge Invariance and Covariant Derivatives ... | In this manuscript, we will discuss the cons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7830 | 7831 | A Compressed Sensing Approach for Distribution... | In this work, we formulate the fixed-length ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7831 | 7832 | A simple descriptor and predictor for the stab... | Predicting the ground state of alloy systems... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7832 | 7833 | Fractional integrals and Fourier transforms | This paper gives a short survey of some basi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7833 | 7834 | Multi-Level Network Embedding with Boosted Low... | As opposed to manual feature engineering whi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7834 | 7835 | Deviation from the dipole-ice model in the new... | In spin ice research, small variations in st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7835 | 7836 | Generating Nontrivial Melodies for Music as a ... | We present a hybrid neural network and rule-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7836 | 7837 | Vision and Challenges for Knowledge Centric Ne... | In the creation of a smart future informatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7837 | 7838 | Extracting Geometry from Quantum Spacetime: Ob... | Any acceptable quantum gravity theory must a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7838 | 7839 | Data-Driven Estimation of Travel Latency Cost ... | We develop a method to estimate from data tr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7839 | 7840 | Autoencoder Based Sample Selection for Self-Ta... | Self-taught learning is a technique that use... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7840 | 7841 | Guiding Chemical Synthesis: Computational Pred... | We will develop a computational method (Regi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7841 | 7842 | Potential-Function Proofs for First-Order Methods | This note discusses proofs for convergence o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7842 | 7843 | Multidimensional $p$-adic continued fraction a... | We give a new class of multidimensional $p$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7843 | 7844 | Shutting down or powering up a (U)LIRG? Merger... | We present new SINFONI near-infrared integra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7844 | 7845 | Asymptotics to all orders of the Hurwitz zeta ... | We present several formulae for the large-$t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7845 | 7846 | Distributed Stochastic Approximation with Loca... | We propose a distributed version of a stocha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7846 | 7847 | Expected Policy Gradients | We propose expected policy gradients (EPG), ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7847 | 7848 | A new Hysteretic Nonlinear Energy Sink (HNES) | The behavior of a new Hysteretic Nonlinear E... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7848 | 7849 | Ultra-Low Noise Amplifier Design for Magnetic ... | This paper demonstrates designing and develo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7849 | 7850 | Virtual Astronaut for Scientific Visualization... | To support scientific visualization of multi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 7850 | 7851 | Self-Supervised Generalisation with Meta Auxil... | Learning with auxiliary tasks has been shown... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7851 | 7852 | Measuring High-Energy Spectra with HAWC | The High-Altitude Water-Cherenkov (HAWC) exp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7852 | 7853 | A Study on Arbitrarily Varying Channels with C... | In this work, we study two models of arbitra... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7853 | 7854 | On the Three Properties of Stationary Populati... | We propose three properties that are related... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7854 | 7855 | Generating and designing DNA with deep generat... | We propose generative neural network methods... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7855 | 7856 | Radon background in liquid xenon detectors | The radioactive daughters isotope of 222Rn a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7856 | 7857 | Minimax Regret Bounds for Reinforcement Learning | We consider the problem of provably optimal ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7857 | 7858 | Asymptotic Theory for the Maximum of an Increa... | \cite{HillMotegi2017} present a new general ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7858 | 7859 | Resilient Active Information Gathering with Mo... | Applications of safety, security, and rescue... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7859 | 7860 | Optical properties of a four-layer waveguiding... | The theoretical study of the optical propert... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7860 | 7861 | High Dimensional Structured Superposition Models | High dimensional superposition models charac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7861 | 7862 | Source Forager: A Search Engine for Similar So... | Developers spend a significant amount of tim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7862 | 7863 | Crossmatching variable objects with the Gaia data | Tens of millions of new variable objects are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7863 | 7864 | A New Test of Multivariate Nonlinear Causality | The multivariate nonlinear Granger causality... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7864 | 7865 | Nonlinear dynamics of polar regions in paraele... | The dynamic dielectric nonlinearity of bariu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7865 | 7866 | Nonlinear Modal Decoupling Based Power System ... | Nonlinear modal decoupling (NMD) was recentl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7866 | 7867 | KELT-18b: Puffy Planet, Hot Host, Probably Per... | We report the discovery of KELT-18b, a trans... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7867 | 7868 | BAMBI: An R package for Fitting Bivariate Angu... | Statistical analyses of directional or angul... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7868 | 7869 | Finite Sample Analysis of Two-Timescale Stocha... | Two-timescale Stochastic Approximation (SA) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7869 | 7870 | Existence and uniqueness of solutions to Y-sys... | We consider Y-system functional equations of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7870 | 7871 | Normalization of Neural Networks using Analyti... | We address the problem of estimating statist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7871 | 7872 | Ferrimagnetism in the Spin-1/2 Heisenberg Anti... | The ground state of the spin-$1/2$ Heisenber... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7872 | 7873 | Delta sets for symmetric numerical semigroups ... | This work extends the results known for the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7873 | 7874 | Riemann-Hilbert problems for the resolved coni... | We study the Riemann-Hilbert problems associ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7874 | 7875 | On the Power of Over-parametrization in Neural... | We provide new theoretical insights on why o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7875 | 7876 | Multi-Label Learning with Label Enhancement | The task of multi-label learning is to predi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7876 | 7877 | Unsure When to Stop? Ask Your Semantic Neighbors | In iterative supervised learning algorithms ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7877 | 7878 | Deep Generative Learning via Variational Gradi... | We propose a general framework to learn deep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7878 | 7879 | Warming trend in cold season of the Yangtze Ri... | Based on the meteorological data from 1960 t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7879 | 7880 | Modeling and Quantifying the Forces Driving On... | Video popularity is an essential reference f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7880 | 7881 | Multiagent Bidirectionally-Coordinated Nets: E... | Many artificial intelligence (AI) applicatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7881 | 7882 | Measurement of the Lorentz-FitzGerald Body Con... | A complete foundational discussion of accele... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7882 | 7883 | Information Directed Sampling for Stochastic B... | We consider stochastic multi-armed bandit pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7883 | 7884 | Multi-Evidence Filtering and Fusion for Multi-... | Supervised object detection and semantic seg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7884 | 7885 | Hausdorff operators on holomorphic Hardy space... | The aim of this paper is to characterize the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7885 | 7886 | Three-dimensional color code thresholds via st... | Three-dimensional (3D) color codes have adva... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7886 | 7887 | Does Your Phone Know Your Touch? | This paper explores supervised techniques fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7887 | 7888 | Nucleus: A Pilot Project | Early in 2016, an environmental scan was con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7888 | 7889 | Non Volatile MoS$_{2}$ Field Effect Transistor... | We demonstrate non-volatile, n-type, back-ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7889 | 7890 | Fast and Accurate Sparse Coding of Visual Stim... | Memristive crossbars have become a popular m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7890 | 7891 | Astronomy of Cholanaikkan tribe of Kerala | Cholanaikkans are a diminishing tribe of Ind... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7891 | 7892 | Integral Equations and Machine Learning | As both light transport simulation and reinf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7892 | 7893 | Experiments on bright field and dark field hig... | Using a high energy electron beam for the im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7893 | 7894 | A Non-linear Approach to Space Dimension Perce... | Developmental Robotics offers a new approach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7894 | 7895 | Foolbox: A Python toolbox to benchmark the rob... | Even todays most advanced machine learning m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7895 | 7896 | Two-dimensional boron on Pb (110) surface | We simulate boron on Pb(110) surface by usin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7896 | 7897 | SOLAR: Deep Structured Latent Representations ... | Model-based reinforcement learning (RL) meth... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7897 | 7898 | Robust and Fast Decoding of High-Capacity Colo... | The use of color in QR codes brings extra da... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7898 | 7899 | The quest for H$_3^+$ at Neptune: deep burn ob... | Emission from the molecular ion H$_3^+$ is a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7899 | 7900 | Unreasonable Effectivness of Deep Learning | We show how well known rules of back propaga... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7900 | 7901 | Collaborative Summarization of Topic-Related V... | Large collections of videos are grouped into... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7901 | 7902 | ELICA: An Automated Tool for Dynamic Extractio... | Requirements elicitation requires extensive ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7902 | 7903 | Crystal field excitations and magnons: their r... | We present the results of neutron scattering... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7903 | 7904 | Redistributing Funds across Charitable Crowdfu... | On Kickstarter only 36% of crowdfunding camp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7904 | 7905 | Far-HO: A Bilevel Programming Package for Hype... | In (Franceschi et al., 2018) we proposed a u... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7905 | 7906 | Analysis of Coupled Scalar Systems by Displace... | Potential functionals have been introduced r... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7906 | 7907 | Deterministic subgraph detection in broadcast ... | We present simple deterministic algorithms f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7907 | 7908 | On Graded Lie Algebras of Characteristic Three... | We consider finite-dimensional irreducible t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7908 | 7909 | Femtosecond mega-electron-volt electron microd... | Instruments to visualize transient structura... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7909 | 7910 | Deep Recurrent Neural Network for Protein Func... | As high-throughput biological sequencing bec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7910 | 7911 | CubemapSLAM: A Piecewise-Pinhole Monocular Fis... | We present a real-time feature-based SLAM (S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7911 | 7912 | $J$-holomorphic disks with pre-Lagrangian boun... | The purpose of this paper is to carry out a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7912 | 7913 | Evolutionary sequences for hydrogen-deficient ... | We present a set of full evolutionary sequen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7913 | 7914 | On the uniqueness of complete biconservative s... | We study the uniqueness of complete biconser... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7914 | 7915 | Quantum Annealing Applied to De-Conflicting Op... | We present the mapping of a class of simplif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7915 | 7916 | On rumour propagation among sceptics | Junior, Machado and Zuluaga (2011) studied a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7916 | 7917 | Neutron activation and prompt gamma intensity ... | Monte Carlo simulations using MCNP6.1 were p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7917 | 7918 | Solving 1ODEs with functions | Here we present a new approach to deal with ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 7918 | 7919 | System Level Framework for Assessing the Accur... | Significant research has been conducted in r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7919 | 7920 | Strong Consistency of Spectral Clustering for ... | In this paper we prove the strong consistenc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7920 | 7921 | Extremely fast simulations of heat transfer in... | Besides their huge technological importance,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7921 | 7922 | Machine learning out-of-equilibrium phases of ... | Neural network based machine learning is eme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7922 | 7923 | Exact Tensor Completion from Sparsely Corrupte... | This paper conducts a rigorous analysis for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7923 | 7924 | On Triangle Inequality Based Approximation Err... | The distance between the true and numerical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7924 | 7925 | Maximal solutions for the Infinity-eigenvalue ... | In this article we prove that the first eige... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7925 | 7926 | Algorithmic Decision Making in the Presence of... | On a variety of complex decision-making task... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7926 | 7927 | BL-MNE: Emerging Heterogeneous Social Network ... | Network embedding aims at projecting the net... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7927 | 7928 | Multi-channel discourse as an indicator for Bi... | This research aims to identify how Bitcoin-r... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7928 | 7929 | Fano Resonances in a Photonic Crystal Covered ... | Optical properties of the photonic crystal c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7929 | 7930 | Non-Stationary Bandits with Habituation and Re... | Many settings involve sequential decision-ma... | 1 | 0 | 1 | 0 | 0 | 0 |
| 7930 | 7931 | Exception-Based Knowledge Updates | Existing methods for dealing with knowledge ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7931 | 7932 | Dynamics of observables in rank-based models a... | In the seminal work [9], several macroscopic... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7932 | 7933 | An Approach to Controller Design Based on the ... | In this paper, an approach to controller des... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7933 | 7934 | A 3pi Search for Planet Nine at 3.4 microns wi... | The recent 'Planet Nine' hypothesis has led ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7934 | 7935 | Integrable 7-point discrete equations and evol... | We consider differential-difference equation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7935 | 7936 | Complete Analysis of a Random Forest Model | Random forests have become an important tool... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7936 | 7937 | Relative Chern character number and super-conn... | For two complex vector bundles admitting a h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7937 | 7938 | Mental Sampling in Multimodal Representations | Both resources in the natural environment an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7938 | 7939 | The Simulator: Understanding Adaptive Sampling... | We propose a novel technique for analyzing a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7939 | 7940 | A new method to suppress the bias in polarized... | Computing polarised intensities from noisy d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7940 | 7941 | Bootstrapping kernel intensity estimation for ... | In the spatial point process context, kernel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7941 | 7942 | Levi-Kahler reduction of CR structures, produc... | We study CR geometry in arbitrary codimensio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7942 | 7943 | Network Representation Learning: A Survey | With the widespread use of information techn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7943 | 7944 | Confidence intervals for the area under the re... | Receiver operating characteristic (ROC) curv... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7944 | 7945 | Maximum Entropy Flow Networks | Maximum entropy modeling is a flexible and p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7945 | 7946 | Overcoming the Sign Problem at Finite Temperat... | The variational tensor network renormalizati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7946 | 7947 | Nonasymptotic estimation and support recovery ... | We propose a general framework for nonasympt... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7947 | 7948 | Most Complex Deterministic Union-Free Regular ... | A regular language $L$ is union-free if it c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7948 | 7949 | Piecewise Deterministic Markov Processes and t... | Piecewise Deterministic Markov Processes (PD... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7949 | 7950 | Visual Speech Language Models | Language models (LM) are very powerful in li... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7950 | 7951 | Millisecond Pulsars as Standards: Timing, posi... | Millisecond pulsars (MSPs) have a great pote... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7951 | 7952 | Multipole resonances and directional scatterin... | We propose to use optical antennas made out ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7952 | 7953 | Discerning Dark Energy Models with High-Redshi... | Following the success of type Ia supernovae ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7953 | 7954 | Controlling Physical Attributes in GAN-Acceler... | High-precision modeling of subatomic particl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7954 | 7955 | Max-value Entropy Search for Efficient Bayesia... | Entropy Search (ES) and Predictive Entropy S... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7955 | 7956 | On stochastic differential equations with arbi... | In the recent article [Jentzen, A., Müller-G... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7956 | 7957 | Energy Dissipation in Monolayer MoS$_2$ Electr... | The advancement of nanoscale electronics has... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7957 | 7958 | Adaptive Estimation of Nonparametric Geometric... | This article studies the recovery of graphon... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7958 | 7959 | Angular and Temporal Correlation of V2X Channe... | 5G millimeter wave (mmWave) technology is en... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7959 | 7960 | Comparison of Decision Tree Based Classificati... | Plants monitor their surrounding environment... | 1 | 1 | 0 | 1 | 0 | 0 |
| 7960 | 7961 | Interactive Reinforcement Learning for Object ... | Humans are able to identify a referred visua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7961 | 7962 | Adaptive Bayesian Sampling with Monte Carlo EM | We present a novel technique for learning th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7962 | 7963 | Neutrino Fluxes from a Core-Collapse Supernova... | The characteristics of the gravitational col... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7963 | 7964 | Resource Allocation for Wireless Networks: A D... | We consider the multi-cell joint power contr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7964 | 7965 | Modular operads and Batalin-Vilkovisky geometry | This is a copy of the article published in I... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7965 | 7966 | Response of QD to structured beams via convolu... | We propose a new expression for the response... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7966 | 7967 | Regularized arrangements of cellular complexes | In this paper we propose a novel algorithm t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7967 | 7968 | Duality of deconfined quantum critical point i... | In this paper we discuss the N$\acute{e}$el ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7968 | 7969 | A Survey on Cloud Video Multicasting Over Mobi... | Since multimedia streaming has become very p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7969 | 7970 | The Brauer trees of unipotent blocks | In this paper we complete the determination ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7970 | 7971 | An Empirical Bayes Approach to Regularization ... | This manuscript proposes a novel empirical B... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7971 | 7972 | On minimum distance of locally repairable codes | Distributed and cloud storage systems are us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7972 | 7973 | The MoEDAL experiment at the LHC: status and r... | The MoEDAL experiment at the LHC is optimise... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7973 | 7974 | Towards a population synthesis model of self-g... | It is likely that most protostellar systems ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7974 | 7975 | Credit Risk Meets Random Matrices: Coping with... | We review recent progress in modeling credit... | 0 | 0 | 0 | 0 | 0 | 1 |
| 7975 | 7976 | Peptide-Spectra Matching from Weak Supervision | As in many other scientific domains, we face... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7976 | 7977 | Overcoming data scarcity with transfer learning | Despite increasing focus on data publication... | 1 | 0 | 0 | 1 | 0 | 0 |
| 7977 | 7978 | Dirichlet Bayesian Network Scores and the Maxi... | A classic approach for learning Bayesian net... | 0 | 0 | 1 | 1 | 0 | 0 |
| 7978 | 7979 | Thermal lattice Boltzmann method for multiphas... | New method to simulate heat transport in mul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7979 | 7980 | Control for Schrödinger equation on hyperbolic... | We show that the any nonempty open set on a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7980 | 7981 | Grand Fujii-Fujii-Nakamoto operator inequality... | In this paper, we shall prove that a grand F... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7981 | 7982 | Stability for gains from large investors' stra... | We prove continuity of a controlled SDE solu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7982 | 7983 | Apparent and Intrinsic Evolution of Active Reg... | We analyze the evolution of Fe XII coronal p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7983 | 7984 | Size scaling of failure strength with fat-tail... | We investigate the size scaling of the macro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7984 | 7985 | Time-dependent focusing Mean-Field Games: the ... | We consider time-dependent viscous Mean-Fiel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7985 | 7986 | Evolution of protoplanetary disks from their t... | High-resolution imaging reveals a large morp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7986 | 7987 | Sandwich semigroups in locally small categorie... | Fix sets $X$ and $Y$, and write $\mathcal{PT... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7987 | 7988 | Environmental feedback drives cooperation in s... | Exploiting others is beneficial individually... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7988 | 7989 | Finitely forcible graph limits are universal | The theory of graph limits represents large ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7989 | 7990 | Sex-biased dispersal: a review of the theory | Dispersal is ubiquitous throughout the tree ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 7990 | 7991 | Nonequilibrium quantum dynamics of partial sym... | A vortex in a Bose-Einstein condensate on a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7991 | 7992 | Learning Hidden Quantum Markov Models | Hidden Quantum Markov Models (HQMMs) can be ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7992 | 7993 | Gradient Descent using Duality Structures | Gradient descent is commonly used to solve o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 7993 | 7994 | On the Universal Approximation Property and Eq... | Large-scale deep neural networks are both me... | 0 | 0 | 0 | 1 | 0 | 0 |
| 7994 | 7995 | Riemannian stochastic quasi-Newton algorithm w... | Stochastic variance reduction algorithms hav... | 1 | 0 | 1 | 1 | 0 | 0 |
| 7995 | 7996 | Higher cohomology vanishing of line bundles on... | We give a proof of a conjecture raised by Mi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7996 | 7997 | Strong instability of ground states to a fourt... | In this note we prove the instability by blo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7997 | 7998 | Coalescing particle systems and applications t... | We study a stochastic particle system with a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 7998 | 7999 | Periodic solution for strongly nonlinear oscil... | This paper applies He's new amplitude-freque... | 0 | 1 | 0 | 0 | 0 | 0 |
| 7999 | 8000 | Singular Degenerations of Lie Supergroups of T... | The complex Lie superalgebras $\mathfrak{g}$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8000 | 8001 | Logarithmic singularities and quantum oscillat... | We report magnetotransport measurements on m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8001 | 8002 | A General Algorithm to Calculate the Inverse P... | We address the general mathematical problem ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8002 | 8003 | Latent Mixture Modeling for Clustered Data | This article proposes a mixture modeling app... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8003 | 8004 | Fast Switching Dual Fabry-Perot-Cavity-based O... | Dual Fabry-Perot-Cavity-based Optical Refrac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8004 | 8005 | Dixmier traces and residues on weak operator i... | We develop the theory of modulated operators... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8005 | 8006 | Investigating early-type galaxy evolution with... | GALEX detected a significant fraction of ear... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8006 | 8007 | Lazy Automata Techniques for WS1S | We present a new decision procedure for the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8007 | 8008 | Joint distribution of conjugate algebraic numb... | Given a polynomial $q(z):=a_0+a_1z+\dots+a_n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8008 | 8009 | On wrapping the Kalman filter and estimating w... | This paper analyzes directional tracking in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8009 | 8010 | Towards a Context-Aware IDE-Based Meta Search ... | Study shows that software developers spend a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8010 | 8011 | Infrared Flares from M Dwarfs: a Hinderance to... | Many current and future exoplanet missions a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8011 | 8012 | Topic Identification for Speech without ASR | Modern topic identification (topic ID) syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8012 | 8013 | Bio-Inspired Multi-Layer Spiking Neural Networ... | Spiking neural networks (SNNs) enable power-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8013 | 8014 | Zonotope hit-and-run for efficient sampling fr... | Determinantal point processes (DPPs) are dis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8014 | 8015 | Brownian motion: from kinetics to hydrodynamics | Brownian motion has served as a pilot of stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8015 | 8016 | Natural Time, Nowcasting and the Physics of Ea... | This paper describes the use of the idea of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8016 | 8017 | Optimistic mirror descent in saddle-point prob... | Owing to their connection with generative ad... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8017 | 8018 | Design of an Autonomous Precision Pollination ... | Precision robotic pollination systems can no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8018 | 8019 | A sufficiently complicated noded Schottky grou... | The theoretical existence of non-classical S... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8019 | 8020 | DONUT: CTC-based Query-by-Example Keyword Spot... | Keyword spotting--or wakeword detection--is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8020 | 8021 | Emulation of the space radiation environment f... | Radiobiology studies on the effects of galac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8021 | 8022 | Convex Relaxations for Pose Graph Optimization... | Pose Graph Optimization involves the estimat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8022 | 8023 | Quasi-Frobenius-splitting and lifting of Calab... | Extending the notion of Frobenius-splitting,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8023 | 8024 | Consistency and Asymptotic Normality of Latent... | Latent Block Model (LBM) is a model-based me... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8024 | 8025 | Linking Generative Adversarial Learning and Bi... | In this note, we point out a basic link betw... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8025 | 8026 | High Speed Elephant Flow Detection Under Parti... | In this paper we introduce a new framework t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8026 | 8027 | Scalable k-Means Clustering via Lightweight Co... | Coresets are compact representations of data... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8027 | 8028 | Scaling relations in the diffusive infiltratio... | In a recent work on fluid infiltration in a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8028 | 8029 | Adaptive Sequential MCMC for Combined State an... | In the case of a linear state space model, w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8029 | 8030 | Information sensitivity functions to assess pa... | A new class of functions, called the `Inform... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8030 | 8031 | Combinatorial cost: a coarse setting | The main inspiration for this paper is a pap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8031 | 8032 | Uncharted Forest a Technique for Exploratory D... | Exploratory data analysis is crucial for dev... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8032 | 8033 | Surface thermophysical properties investigatio... | In this work, we investigate the surface the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8033 | 8034 | Reconfigurable cluster state generation in spe... | We present a new approach for generating clu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8034 | 8035 | Whole planet coupling between climate, mantle,... | Earth's climate, mantle, and core interact o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8035 | 8036 | Solutions of the Helmholtz equation given by s... | We find the form of the refractive index suc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8036 | 8037 | SemEval-2017 Task 1: Semantic Textual Similari... | Semantic Textual Similarity (STS) measures t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8037 | 8038 | Modelling Luminous-Blue-Variable Isolation | Observations show that luminous blue variabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8038 | 8039 | Service adoption spreading in online social ne... | The collective behaviour of people adopting ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8039 | 8040 | The Amplitude-Phase Decomposition for the Magn... | The Phase Tensor (PT) marked a breakthrough ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8040 | 8041 | Real-time Convolutional Neural Networks for Em... | In this paper we propose an implement a gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8041 | 8042 | Compound-Specific Chlorine Isotope Analysis of... | Compound-specific chlorine isotope analysis ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8042 | 8043 | Realization of an atomically thin mirror using... | Advent of new materials such as van der Waal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8043 | 8044 | Equivariant mirror symmetry for the weighted p... | In this paper, we establish equivariant mirr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8044 | 8045 | Precise Recovery of Latent Vectors from Genera... | Generative adversarial networks (GANs) trans... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8045 | 8046 | The dependence of protostar formation on the g... | We report results from twelve simulations of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8046 | 8047 | Current-Voltage Characteristics of Weyl Semime... | The current-voltage characteristics of a new... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8047 | 8048 | Safer Classification by Synthesis | The discriminative approach to classificatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8048 | 8049 | A geometrical analysis of global stability in ... | Recurrent neural networks have been extensiv... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8049 | 8050 | Submolecular-resolution non-invasive imaging o... | Scanning probe microscopy (SPM) has been ext... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8050 | 8051 | A Novel Stochastic Stratified Average Gradient... | SGD (Stochastic Gradient Descent) is a popul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8051 | 8052 | First observation of Ce volume collapse in CeN | On the occasion of the 80th anniversary of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8052 | 8053 | Experimentation with MANETs of Smartphones | Mobile AdHoc NETworks (MANETs) have been ide... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8053 | 8054 | Interaction between cluster synchronization an... | In real world, there is a significant relati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8054 | 8055 | Focusing on a Probability Element: Parameter S... | Message importance measure (MIM) is applicab... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8055 | 8056 | Deep Multi-camera People Detection | This paper addresses the problem of multi-vi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8056 | 8057 | SMAGEXP: a galaxy tool suite for transcriptomi... | Bakground: With the proliferation of availab... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8057 | 8058 | Big Data Fusion to Estimate Fuel Consumption: ... | Falling oil revenues and rapid urbanization ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8058 | 8059 | Person Following by Autonomous Robots: A Categ... | A wide range of human-robot collaborative ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8059 | 8060 | Structures, phase transitions, and magnetic pr... | Co3Si was recently reported to exhibit remar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8060 | 8061 | Rigid realizations of modular forms in Calabi-... | We construct examples of modular rigid Calab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8061 | 8062 | Steady-state analysis of single exponential va... | We consider an infinite-buffer single-server... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8062 | 8063 | The agreement distance of rooted phylogenetic ... | The minimal number of rooted subtree prune a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8063 | 8064 | Optimization of the Waiting Time for H-R Coord... | An analytical model of Human-Robot (H-R) coo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8064 | 8065 | Introducing AIC model averaging in ecological ... | Aim: The Akaike information Criterion (AIC) ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8065 | 8066 | Extrasolar Planets and Their Host Stars | In order to understand the exoplanet, you ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8066 | 8067 | Modeling polypharmacy side effects with graph ... | The use of drug combinations, termed polypha... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8067 | 8068 | Musical intervals under 12-note equal temperam... | Musical intervals in multiple of semitones u... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8068 | 8069 | Determining rough first order perturbations of... | We show that the knowledge of Dirichlet to N... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8069 | 8070 | Data Science: A Three Ring Circus or a Big Tent? | This is part of a collection of discussion p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8070 | 8071 | Optimal Control of Partially Observable Piecew... | In this paper we consider a control problem ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8071 | 8072 | Moment-based parameter estimation in binomial ... | Binomial random intersection graphs can be u... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8072 | 8073 | Efficient Compression and Indexing of Trajecto... | We present a new compressed representation o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8073 | 8074 | Denoising Linear Models with Permuted Data | The multivariate linear regression model wit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8074 | 8075 | Collisions in shape memory alloys | We present here a model for instantaneous co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8075 | 8076 | Big Data Meets HPC Log Analytics: Scalable App... | Today's high-performance computing (HPC) sys... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8076 | 8077 | Clustering Spectrum of scale-free networks | Real-world networks often have power-law deg... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8077 | 8078 | Multiplex model of mental lexicon reveals expl... | Word similarities affect language acquisitio... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8078 | 8079 | Weighted $L_{p,q}$-estimates for higher order ... | We prove weighted $L_{p,q}$-estimates for di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8079 | 8080 | Various sharp estimates for semi-discrete Ries... | We give several sharp estimates for a class ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8080 | 8081 | Linear Spectral Estimators and an Application ... | Phase retrieval refers to the problem of rec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8081 | 8082 | A geometric perspective on the method of descent | We derive a representation formula for the t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8082 | 8083 | Detecting Changes in Hidden Markov Models | We consider the problem of sequential detect... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8083 | 8084 | Towards an Empirical Study of Affine Types for... | LaCasa is a type system and programming mode... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8084 | 8085 | FPGA Architecture for Deep Learning and its ap... | Autonomous control systems onboard planetary... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8085 | 8086 | Boundary Layer Problems in the Viscosity-Diffu... | In this paper, we we study boundary layer pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8086 | 8087 | Why Adaptively Collected Data Have Negative Bi... | From scientific experiments to online A/B te... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8087 | 8088 | Machine learning of neuroimaging to diagnose c... | INTRODUCTION: Advanced machine learning meth... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8088 | 8089 | Exact Diffusion for Distributed Optimization a... | Part I of this work [2] developed the exact ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8089 | 8090 | Approximating meta-heuristics with homotopic r... | Much combinatorial optimisation problems con... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8090 | 8091 | Real embedding and equivariant eta forms | In 1993, Bismut and Zhang establish a mod Z ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8091 | 8092 | Hierarchical Block Sparse Neural Networks | Sparse deep neural networks(DNNs) are effici... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8092 | 8093 | Are crossing dependencies really scarce? | The syntactic structure of a sentence can be... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8093 | 8094 | Theory of Compact Hausdorff Shape | In this paper, we aim to establish a new sha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8094 | 8095 | A Proof of the Herschel-Maxwell Theorem Using ... | In this article, we use the strong law of la... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8095 | 8096 | Heating and cooling of coronal loops with turb... | Using the "enthalpy-based thermal evolution ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8096 | 8097 | How to avoid the curse of dimensionality: scal... | Particle filters are a popular and flexible ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8097 | 8098 | Motion and Cooperative Transportation Planning... | This paper presents a hybrid control framewo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8098 | 8099 | Realistic finite temperature simulations of ma... | We have performed realistic atomistic simula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8099 | 8100 | Effective Tensor Sketching via Sparsification | In this paper, we investigate effective sket... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8100 | 8101 | Recommendation with k-anonymized Ratings | Recommender systems are widely used to predi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8101 | 8102 | Ro-vibrational states of H$_2^+$. Variational ... | The nonrelativistic variational calculation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8102 | 8103 | Control of automated guided vehicles without c... | We formulate an optimization problem to cont... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8103 | 8104 | Meta-learning: searching in the model space | There is no free lunch, no single learning a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8104 | 8105 | GIFT: Guided and Interpretable Factorization f... | Given multi-platform genome data with prior ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 8105 | 8106 | Synchronization of spin torque oscillators thr... | Spin torque oscillators placed onto a nonmag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8106 | 8107 | Long quasi-polycyclic $t-$CIS codes | We study complementary information set codes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8107 | 8108 | Fairness in Criminal Justice Risk Assessments:... | Objectives: Discussions of fairness in crimi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8108 | 8109 | Remarks to the article: New Light on the Inven... | The article analysis was carried out within ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8109 | 8110 | The spin-Brauer diagram algebra | We investigate the spin-Brauer diagram algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8110 | 8111 | Superheating in coated niobium | Using muon spin rotation it is shown that th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8111 | 8112 | Contraction Analysis of Nonlinear DAE Systems | This paper studies the contraction propertie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8112 | 8113 | New Braided $T$-Categories over Hopf (co)quasi... | Let $H$ be a Hopf quasigroup with bijective ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8113 | 8114 | On the Reconstruction Risk of Convolutional Sp... | Sparse dictionary learning (SDL) has become ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8114 | 8115 | Adaptive Questionnaires for Direct Identificat... | We consider the problem of identifying the m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8115 | 8116 | Identities involving Bernoulli and Euler polyn... | We present various identities involving the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8116 | 8117 | Gate Tunable Magneto-resistance of Ultra-Thin ... | In this work, the magneto-resistance (MR) of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8117 | 8118 | Morpheo: Traceable Machine Learning on Hidden ... | Morpheo is a transparent and secure machine ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8118 | 8119 | Hölder regularity of the 2D dual semigeostroph... | We obtain the Hölder regularity of time deri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8119 | 8120 | New nanostructures of carbon: Quasifullerenes ... | Based on the third allotropic form of carbon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8120 | 8121 | The Top 10 Topics in Machine Learning Revisite... | Which topics of machine learning are most co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8121 | 8122 | Random taste heterogeneity in discrete choice ... | This study proposes a mixed logit model with... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8122 | 8123 | Microscopic mechanism of tunable band gap in p... | Tuning band gaps in two-dimensional (2D) mat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8123 | 8124 | Quasi-steady state reduction for the Michaelis... | The Michaelis-Menten mechanism is probably t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8124 | 8125 | All the people around me: face discovery in eg... | Given an unconstrained stream of images capt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8125 | 8126 | Graphene oxide nanosheets disrupt lipid compos... | Graphene has the potential to make a very si... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8126 | 8127 | Physical insight into the thermodynamic uncert... | Using Brownian motion in periodic potentials... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8127 | 8128 | Observation of a Modulational Instability in B... | We observe the breakup dynamics of an elonga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8128 | 8129 | Dynamics of the scenery flow and conical densi... | Conical density theorems are used in the geo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8129 | 8130 | Model-independent analyses of non-Gaussianity ... | Despite the wealth of $Planck$ results, ther... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8130 | 8131 | Enhanced mixing in giant impact simulations wi... | Giant impacts (GIs) are common in the late s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8131 | 8132 | New Reinforcement Learning Using a Chaotic Neu... | Expectation for the emergence of higher func... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8132 | 8133 | Tensorizing Generative Adversarial Nets | Generative Adversarial Network (GAN) and its... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8133 | 8134 | Pretending Fair Decisions via Stealthily Biase... | Fairness by decision-makers is believed to b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8134 | 8135 | Design of a Time Delay Reservoir Using Stochas... | This paper presents a stochastic logic time ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8135 | 8136 | Polaritons in Living Systems: Modifying Energy... | Photosynthetic organisms rely on a series of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8136 | 8137 | A Matrix Expander Chernoff Bound | We prove a Chernoff-type bound for sums of m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8137 | 8138 | Learning Neural Representations of Human Cogni... | Cognitive neuroscience is enjoying rapid inc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8138 | 8139 | Unsupervised Body Part Regression via Spatiall... | Automatic body part recognition for CT slice... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8139 | 8140 | Investigating the Application of Common-Sense ... | Word obfuscation or substitution means repla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8140 | 8141 | Titanium dioxide hole-blocking layer in ultra-... | One of the remaining obstacles to approachin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8141 | 8142 | Phase Space Sketching for Crystal Image Analys... | Recent developments of imaging techniques en... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8142 | 8143 | Specification tests in semiparametric transfor... | We consider semiparametric transformation mo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8143 | 8144 | Collusions in Teichmüller expansions | If $\mathfrak{p} \subseteq \mathbb{Z}[\zeta]... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8144 | 8145 | Driver Drowsiness Estimation from EEG Signals ... | One big challenge that hinders the transitio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8145 | 8146 | The complex social network of surnames: A comp... | We present a study of social networks based ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8146 | 8147 | Electrical characterization of structured plat... | Platinum diselenide (PtSe2) is an exciting n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8147 | 8148 | Topological $\mathbb{Z}_2$ Resonating-Valence-... | A one-parameter family of long-range resonat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8148 | 8149 | Scalable Inference for Space-Time Gaussian Cox... | The log-Gaussian Cox process is a flexible a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8149 | 8150 | The MISRA C Coding Standard and its Role in th... | The MISRA project started in 1990 with the m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8150 | 8151 | Finger Grip Force Estimation from Video using ... | Estimation of a hand grip force is essential... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8151 | 8152 | Markov Properties for Graphical Models with Cy... | We investigate probabilistic graphical model... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8152 | 8153 | A Fast Algorithm for Solving Henderson's Mixed... | This article investigates a fast and stable ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8153 | 8154 | Regularity and stability results for the level... | In this article we us the mean curvature flo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8154 | 8155 | Non-canonical Conformal Attractors for Single ... | We extend the idea of conformal attractors i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8155 | 8156 | Learning model-based planning from scratch | Conventional wisdom holds that model-based p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8156 | 8157 | A Simple Reservoir Model of Working Memory wit... | The prefrontal cortex is known to be involve... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8157 | 8158 | Tailoring spin defects in diamond | Atomic-size spin defects in solids are uniqu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8158 | 8159 | Relaxed Oracles for Semi-Supervised Clustering | Pairwise "same-cluster" queries are one of t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8159 | 8160 | Searching for axion stars and Q-balls with a t... | Light (pseudo-)scalar fields are promising c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8160 | 8161 | Measuring Information Leakage in Website Finge... | Tor is a low-latency anonymity system intend... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8161 | 8162 | Improving galaxy morphology with machine learning | This paper presents machine learning experim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8162 | 8163 | Magnetized strange quark model with Big Rip si... | LRS (Locally Rotationally symmetric) Bianchi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8163 | 8164 | NPC: Neighbors Progressive Competition Algorit... | Learning from many real-world datasets is li... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8164 | 8165 | On symmetric intersecting families | A family of sets is said to be \emph{symmetr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8165 | 8166 | The Geometry of Limit State Function Graphs an... | In the last fifteen the subset sampling meth... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8166 | 8167 | Decay of Solutions to the Maxwell Equations on... | In this work, we consider solutions of the M... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8167 | 8168 | Machine Learning pipeline for discovering neur... | We consider a problem of diagnostic pattern ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8168 | 8169 | Covering and separation of Chebyshev points fo... | For Riesz $s$-potentials $K(x,y)=|x-y|^{-s}$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8169 | 8170 | The Strong Small Index Property for Free Homog... | We show that in algebraically locally finite... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8170 | 8171 | The Unheralded Value of the Multiway Rendezvou... | The multiway rendezvous introduced in Theore... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8171 | 8172 | Sequential Multiple Testing | We study an online multiple testing problem ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8172 | 8173 | On the selection of polynomials for the DLP al... | In this paper we characterize the set of pol... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8173 | 8174 | Existence of global weak solutions to the kine... | We consider a class of kinetic models for po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8174 | 8175 | Passivation and Cooperative Control of Equilib... | Maximal equilibrium-independent passivity (M... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8175 | 8176 | OpenCluster: A Flexible Distributed Computing ... | The volume of data generated by modern astro... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8176 | 8177 | Magnetic order and spin dynamics across a ferr... | In the quasi-1D heavy-fermion system YbNi$_4... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8177 | 8178 | Pixel-Level Statistical Analyses of Prescribed... | Wildland fire dynamics is a complex turbulen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8178 | 8179 | Deep Reinforcement Learning for Swarm Systems | Recently, deep reinforcement learning (RL) m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8179 | 8180 | Predicting computational reproducibility of da... | Evaluating the computational reproducibility... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8180 | 8181 | Experiment Segmentation in Scientific Discours... | We propose a deep learning model for identif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8181 | 8182 | Information-Theoretic Analysis of Refractory E... | The P300 speller is a brain-computer interfa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8182 | 8183 | Growth, Industrial Externality, Prospect Dynam... | Functions or 'functionnings' enable to give ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8183 | 8184 | Structure Preserving Model Reduction of Parame... | While reduced-order models (ROMs) have been ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8184 | 8185 | Consensus measure of rankings | A ranking is an ordered sequence of items, i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8185 | 8186 | Possible resonance effect of dark matter axion... | Dark matter axions can generate peculiar eff... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8186 | 8187 | A Composition Theorem for Randomized Query Com... | Let the randomized query complexity of a rel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8187 | 8188 | Soliton solutions for the elastic metric on sp... | In this article we investigate a first order... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8188 | 8189 | Influence of Personal Preferences on Link Dyna... | We study a unique network dataset including ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8189 | 8190 | PBW bases and marginally large tableaux in typ... | We explicitly describe the isomorphism betwe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8190 | 8191 | Ensemble Clustering for Graphs | We propose an ensemble clustering algorithm ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8191 | 8192 | Testing for Feature Relevance: The HARVEST Alg... | Feature selection with high-dimensional data... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8192 | 8193 | Energy Harvesting Enabled MIMO Relaying throug... | This paper considers a multiple-input multip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8193 | 8194 | X-ray diagnostics of massive star winds | Observations with powerful X-ray telescopes,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8194 | 8195 | Local asymptotic properties for Cox-Ingersoll-... | In this paper, we consider a one-dimensional... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8195 | 8196 | JHelioviewer - Time-dependent 3D visualisation... | Context. Solar observatories are providing t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8196 | 8197 | Topological Dirac Nodal-net Fermions in AlB$_2... | Based on first-principles calculations and e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8197 | 8198 | Model-based Design Evaluation of a Compact, Hi... | This paper presents the model-based design a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8198 | 8199 | Galactic Pal-eontology: Abundance Analysis of ... | We present a chemical abundance analysis of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8199 | 8200 | Anisotropic mechanical and optical response an... | Transition metal carbides include a wide var... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8200 | 8201 | A critical analysis of string APIs: The case o... | Most programming languages, besides C, provi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8201 | 8202 | Power Maxwell distribution: Statistical Proper... | In this article, we proposed a new probabili... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8202 | 8203 | Deep Graphs | We propose an algorithm for deep learning on... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8203 | 8204 | On the optimal investment-consumption and life... | In this paper, we study a stochastic optimal... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8204 | 8205 | An Introduction to Adjoints and Output Error E... | In recent years, the use of adjoint vectors ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8205 | 8206 | Incremental Sharpe and other performance ratios | We present a new methodology of computing in... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8206 | 8207 | Saliency Detection by Forward and Backward Cue... | As prior knowledge of objects or object feat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8207 | 8208 | Active sorting of orbital angular momentum sta... | Light carrying orbital angular momentum (OAM... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8208 | 8209 | Factorization tests and algorithms arising fro... | A theorem of Gekeler compares the number of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8209 | 8210 | ADAPT: Zero-Shot Adaptive Policy Transfer for ... | Model-free policy learning has enabled robus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8210 | 8211 | Learning the Kernel for Classification and Reg... | We investigate a series of learning kernel p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8211 | 8212 | Critical system involving fractional Laplacian | In this paper, we study the following critic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8212 | 8213 | Skin Lesion Classification Using Hybrid Deep N... | Skin cancer is one of the major types of can... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8213 | 8214 | Nice derivations over principal ideal domains | In this paper we investigate to what extent ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8214 | 8215 | Cooperative Estimation via Altruism | A novel approach, based on the notion of alt... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8215 | 8216 | Multi-GPU maximum entropy image synthesis for ... | The maximum entropy method (MEM) is a well k... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8216 | 8217 | Green function for linearized Navier-Stokes ar... | In this paper, we construct the Green functi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8217 | 8218 | SETI in vivo: testing the we-are-them hypothesis | After it was proposed that life on Earth mig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8218 | 8219 | Explicit Time Integration of Transient Eddy Cu... | For time integration of transient eddy curre... | 1 | 1 | 1 | 0 | 0 | 0 |
| 8219 | 8220 | Transversality for local Morse homology with s... | We prove the transversality result necessary... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8220 | 8221 | On the maximum principle for the Riesz transform | Let $\mu$ be a measure in $\mathbb R^d$ with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8221 | 8222 | The complex case of Schmidt's going-down Theorem | In 1967, Schmidt wrote a seminal paper [10] ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8222 | 8223 | Optimal rates of estimation for multi-referenc... | In this paper, we establish optimal rates of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8223 | 8224 | Distribution System Voltage Control under Unce... | Voltage control plays an important role in t... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8224 | 8225 | Overcomplete Frame Thresholding for Acoustic S... | In this work, we derive a generic overcomple... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8225 | 8226 | A Hybrid Approach for Trajectory Control Design | This work presents a methodology to design t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8226 | 8227 | Achieving and Managing Availability SLAs with ... | System and application availability continue... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8227 | 8228 | Foresight: Rapid Data Exploration Through Guid... | Current tools for exploratory data analysis ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8228 | 8229 | Transport by Lagrangian Vortices in the Easter... | Rotationally coherent Lagrangian vortices (R... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8229 | 8230 | Online Adaptive Methods, Universality and Acce... | We present a novel method for convex unconst... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8230 | 8231 | A Note on a Quantitative Form of the Solovay-K... | The problem of finding good approximations o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8231 | 8232 | Learning Steerable Filters for Rotation Equiva... | In many machine learning tasks it is desirab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8232 | 8233 | Stochastic Multi-armed Bandits in Constant Space | We consider the stochastic bandit problem in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8233 | 8234 | Max K-armed bandit: On the ExtremeHunter algor... | This paper is devoted to the study of the ma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8234 | 8235 | Comparing Different Models for Investigating C... | This paper centers on the comparison of thre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8235 | 8236 | Initial-boundary value problems in a rectangle... | Initial-boundary value problems in a bounded... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8236 | 8237 | Two-dimensional Fermi gases near a p-wave reso... | We study the stability of p-wave superfluidi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8237 | 8238 | Optimal Strong Rates of Convergence for a Spac... | The stochastic Allen-Cahn equation with mult... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8238 | 8239 | A generalized quantum Slepian-Wolf | In this work we consider a quantum generaliz... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8239 | 8240 | The rational SPDE approach for Gaussian random... | A popular approach for modeling and inferenc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8240 | 8241 | An Analog of the Neumann Problem for the $1$-L... | We study an inhomogeneous Neumann boundary v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8241 | 8242 | Activating spin-forbidden transitions in molec... | Optical spectroscopy has been the primary to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8242 | 8243 | On the Essential Spectrum of Schrödinger Opera... | It is known that the essential spectrum of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8243 | 8244 | The equilibrium of over-pressurised polytropes | We investigate the impact of an external pre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8244 | 8245 | Charge and pairing dynamics in the attractive ... | Pump-probe experiments have turned out as a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8245 | 8246 | From voids to filaments: environmental transfo... | We investigate the impact of filament and vo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8246 | 8247 | Distributed Algorithms Made Secure: A Graph Th... | In the area of distributed graph algorithms ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8247 | 8248 | Interpretation of Neural Networks is Fragile | In order for machine learning to be deployed... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8248 | 8249 | Dipolar phonons and electronic screening in mo... | Monolayer films of FeSe grown on SrTiO$_3$ s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8249 | 8250 | A Supervised Approach to Extractive Summarisat... | Automatic summarisation is a popular approac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8250 | 8251 | Channel Feedback Based on AoD-Adaptive Subspac... | Channel feedback is essential in frequency d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8251 | 8252 | Thermalization in simple metals: The role of e... | We study the electron and phonon thermalizat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8252 | 8253 | Convergence of the free Boltzmann quadrangulat... | We prove that the free Boltzmann quadrangula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8253 | 8254 | Canonical quantization of nonlinear sigma mode... | We canonically quantize $O(D+2)$ nonlinear s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8254 | 8255 | A Nonparametric Bayesian Approach to Copula Es... | We propose a novel Dirichlet-based Pólya tre... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8255 | 8256 | Model Predictive Control for Autonomous Drivin... | In this paper, we present a Model Predictive... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8256 | 8257 | A Grouping Genetic Algorithm for Joint Stratif... | Predicting the cheapest sample size for the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8257 | 8258 | Murmur Detection Using Parallel Recurrent & Co... | In this article, we propose a novel techniqu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8258 | 8259 | Time-of-Flight Electron Energy Loss Spectrosco... | The possibility to perform high-resolution t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8259 | 8260 | Learning across scales - A multiscale method f... | In this work we establish the relation betwe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8260 | 8261 | Capacitated Covering Problems in Geometric Spaces | In this article, we consider the following c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8261 | 8262 | Irregular Oscillatory-Patterns in the Early-Ti... | Coherent phonon (CP) generation in an undope... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8262 | 8263 | Energy-Efficient Hybrid Stochastic-Binary Neur... | Recent advances in neural networks (NNs) exh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8263 | 8264 | Position-based coding and convex splitting for... | The classical-input quantum-output (cq) wire... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8264 | 8265 | Geometric vulnerability of democratic institut... | An alternative voting scheme is proposed to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8265 | 8266 | Strongly correlated double Dirac fermions | Double Dirac fermions have recently been ide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8266 | 8267 | A Phase Variable Approach for Improved Volitio... | Although there has been recent progress in c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8267 | 8268 | New estimates for the $n$th prime number | In this paper we establish a new explicit up... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8268 | 8269 | Unbiased Markov chain Monte Carlo for intracta... | Performing numerical integration when the in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8269 | 8270 | An Observer for an Occluded Reaction-Diffusion... | Spatially dependent parameters of a two-comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8270 | 8271 | D4M 3.0 | The D4M tool is used by hundreds of research... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8271 | 8272 | Human-in-the-Loop SLAM | Building large-scale, globally consistent ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8272 | 8273 | What drives gravitational instability in nearb... | The velocity dispersion of cold interstellar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8273 | 8274 | An improved belief propagation algorithm for d... | The framework of statistical inference has b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8274 | 8275 | On Least Squares Linear Regression Without Sec... | If X and Y are real valued random variables ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8275 | 8276 | Combinatorics of involutive divisions | The classical involutive division theory by ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8276 | 8277 | Reducing asynchrony to synchronized rounds | Synchronous computation models simplify the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8277 | 8278 | A wearable general-purpose solution for Human-... | Swarms of robots will revolutionize many ind... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8278 | 8279 | Numerical simulation of oxidation processes in... | An oxidation process is simulated for a bund... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8279 | 8280 | Design and optimization of a portable LQCD Mon... | The present panorama of HPC architectures is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8280 | 8281 | NodeTrix Planarity Testing with Small Clusters | We study the NodeTrix planarity testing prob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8281 | 8282 | Exact results for directed random networks tha... | We present exact analytical results for the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8282 | 8283 | Investigating the past history of EXors: the c... | EXor objects are young variables that show e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8283 | 8284 | Some estimates for $θ$-type Calderón-Zygmund o... | In this paper, we first introduce some new k... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8284 | 8285 | A Cluster Elastic Net for Multivariate Regression | We propose a method for estimating coefficie... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8285 | 8286 | Achieving robust and high-fidelity quantum con... | Achieving high-fidelity control of quantum s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8286 | 8287 | Help Me Find a Job: A Graph-based Approach for... | Online job boards are one of the central com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8287 | 8288 | Bundle Optimization for Multi-aspect Embedding | Understanding semantic similarity among imag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8288 | 8289 | Glitch Classification and Clustering for LIGO ... | The detection of gravitational waves with LI... | 1 | 1 | 0 | 1 | 0 | 0 |
| 8289 | 8290 | Provable Smoothness Guarantees for Black-Box V... | Black-box variational inference tries to app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8290 | 8291 | A k-means procedure based on a Mahalanobis typ... | This paper proposes a clustering procedure f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8291 | 8292 | Tidal Dissipation in WASP-12 | WASP-12 is a hot Jupiter system with an orbi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8292 | 8293 | Label Sanitization against Label Flipping Pois... | Many machine learning systems rely on data c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8293 | 8294 | DeepCCI: End-to-end Deep Learning for Chemical... | Chemical-chemical interaction (CCI) plays a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8294 | 8295 | Intervals between numbers that are sums of two... | In this paper, we improve the moment estimat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8295 | 8296 | On a family of Caldero-Chapoton algebras that ... | We realize a family of generalized cluster a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8296 | 8297 | Ricean K-factor Estimation based on Channel Qu... | Ricean channel model is widely used in wirel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8297 | 8298 | Augmented lagrangian two-stage algorithm for L... | In this paper, we consider a framework of pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8298 | 8299 | Exact relations between homoclinic and periodi... | Homoclinic and unstable periodic orbits in c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8299 | 8300 | Subexponentially growing Hilbert space and non... | Motivated by recent experiments with two-com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8300 | 8301 | A spectral approach to transit timing variations | The high planetary multiplicity revealed by ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8301 | 8302 | Distinct dynamical behavior in random and all-... | Neuronal network dynamics depends on network... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8302 | 8303 | A Note on Band-limited Minorants of an Euclide... | We study the Beurling-Selberg problem of fin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8303 | 8304 | From Distance Correlation to Multiscale Graph ... | Understanding and developing a correlation m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8304 | 8305 | Out-of-time-order Operators and the Butterfly ... | Out-of-time-order (OTO) operators have recen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8305 | 8306 | Science and Facebook: the same popularity law! | The distribution of scientific citations for... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8306 | 8307 | Monocular Vision-based Vehicle Localization Ai... | Monocular camera systems are prevailing in i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8307 | 8308 | Verifying Patterns of Dynamic Architectures us... | Architecture patterns capture architectural ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8308 | 8309 | Some integrals of hypergeometric functions | We consider a certain definite integral invo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8309 | 8310 | On the second Feng-Rao distance of Algebraic G... | We describe the second (generalized) Feng-Ra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8310 | 8311 | Posterior contraction rates for support bounda... | Given a sample of a Poisson point process wi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8311 | 8312 | A Fast Image Simulation Algorithm for Scanning... | Image simulation for scanning transmission e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8312 | 8313 | X-ray Astronomical Point Sources Recognition U... | The study on point sources in astronomical i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8313 | 8314 | Sample-Efficient Learning of Mixtures | We consider PAC learning of probability dist... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8314 | 8315 | The Bag Semantics of Ontology-Based Data Access | Ontology-based data access (OBDA) is a popul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8315 | 8316 | Multilink Communities of Multiplex Networks | Multiplex networks describe a large number o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8316 | 8317 | P-wave superfluidity of atomic lattice fermions | We discuss the emergence of p-wave superflui... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8317 | 8318 | Deep generative models of genetic variation ca... | The functions of proteins and RNAs are deter... | 0 | 1 | 0 | 1 | 0 | 0 |
| 8318 | 8319 | Consistent Rank Logits for Ordinal Regression ... | While extraordinary progress has been made t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8319 | 8320 | High-Pressure Synthesis and Characterization o... | Two-dimensional materials have significant p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8320 | 8321 | Mining Significant Microblogs for Misinformati... | With the rapid growth of social media, massi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8321 | 8322 | Machine Learning for Set-Identified Linear Models | Set-identified models often restrict the num... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8322 | 8323 | An efficient algorithm to decide periodicity o... | Given an integer base $b>1$, a set of intege... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8323 | 8324 | Electrical Tuning of Polarizaion-state Using G... | Plasmonic metasurfaces have been employed fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8324 | 8325 | An efficient distribution method for nonlinear... | In the context of stochastic two-phase flow ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8325 | 8326 | Multi-Kernel LS-SVM Based Bio-Clinical Data In... | The medical research facilitates to acquire ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8326 | 8327 | The universal property of derived geometry | Derived geometry can be defined as the unive... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8327 | 8328 | Feature Model-to-Ontology for SPL Application ... | Feature model are widely used to capture com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8328 | 8329 | Rethinking Reprojection: Closing the Loop for ... | An emerging problem in computer vision is th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8329 | 8330 | Rigid local systems and alternating groups | In earlier work, Katz exhibited some very si... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8330 | 8331 | Interference effects of deleterious and benefi... | Linked beneficial and deleterious mutations ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8331 | 8332 | Grassmanians and Pseudosphere Arrangements | We extend vector configurations to more gene... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8332 | 8333 | Rational homotopy theory via Sullivan models: ... | This survey contains the main results in rat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8333 | 8334 | A Spectroscopic Orbit for the late-type Be sta... | The late-type Be star $\beta$ CMi is remarka... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8334 | 8335 | Variations on known and recent cardinality bounds | Sapirovskii [18] proved that $|X|\leq\pi\chi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8335 | 8336 | Spatio-temporal intermittency of the turbulent... | In incompressible and periodic statistically... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8336 | 8337 | Voltage Analytics for Power Distribution Netwo... | Distribution grids constitute complex networ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8337 | 8338 | The comprehension construction | In this paper we construct an analogue of Lu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8338 | 8339 | Approximate String Matching: Theory and Applic... | The approximate string matching is a fundame... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8339 | 8340 | Imaging anomalous nematic order and strain in ... | We present the strain and temperature depend... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8340 | 8341 | Deception Detection in Videos | We present a system for covert automated dec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8341 | 8342 | Extended degenerate Stirling numbers of the se... | In a recent work, the degenerate Stirling po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8342 | 8343 | On time and consistency in multi-level agent-b... | The integration of multiple viewpoints becam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8343 | 8344 | On The Inductive Bias of Words in Acoustics-to... | Acoustics-to-word models are end-to-end spee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8344 | 8345 | A multi-layered energy consumption model for s... | Smart sensing is expected to become a pervas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8345 | 8346 | BRAVO - Biased Locking for Reader-Writer Locks | Designers of modern reader-writer locks conf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8346 | 8347 | Internal DLA on Sierpinski gasket graphs | Internal diffusion-limited aggregation (IDLA... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8347 | 8348 | A PCA-based approach for subtracting thermal b... | Ground-based observations at thermal infrare... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8348 | 8349 | A weak law of large numbers for estimating the... | This article presents various weak laws of l... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8349 | 8350 | Synthesis of Spatial Charging/Discharging Patt... | We develop an algorithm for synthesizing a s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8350 | 8351 | Matter fields interacting with photons | We have extended the biquaternionic Dirac's ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8351 | 8352 | A Unified Approach to Adaptive Regularization ... | We describe a framework for deriving and ana... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8352 | 8353 | Discretization error cancellation in electroni... | It is often claimed that error cancellation ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8353 | 8354 | Analysis of spectral clustering algorithms for... | We consider spectral clustering algorithms f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8354 | 8355 | A computational approach to calculate the heat... | Thermal gradients induce concentration gradi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8355 | 8356 | Dark Matter Annihilation in the Circumgalactic... | Annihilating dark matter (DM) models offer p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8356 | 8357 | The p-convolution forest: a method for solving... | Convolution trees, loopy belief propagation,... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8357 | 8358 | Statistical Timing Analysis for Latch-Controll... | Level-sensitive latches are widely used in h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8358 | 8359 | A moment-angle manifold whose cohomology is no... | In this paper we give a method to construct ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8359 | 8360 | The committee machine: Computational to statis... | Heuristic tools from statistical physics hav... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8360 | 8361 | On the anomalous {changes of seismicity and} g... | Xu et al. [J. Asian Earth Sci. {\bf 77}, 59-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8361 | 8362 | Exponentially small splitting of separatrices ... | We consider the conservative Hénon family at... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8362 | 8363 | Learning Dynamics and the Co-Evolution of Comp... | We analyze a stylized model of co-evolution ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8363 | 8364 | Deep Neural Networks for Multiple Speaker Dete... | We propose to use neural networks for simult... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8364 | 8365 | Active Tolerant Testing | In this work, we give the first algorithms f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8365 | 8366 | Temperature inside tumor as time function in R... | A simplified 2-D model which is an example o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8366 | 8367 | Dirac Line-nodes and Effect of Spin-orbit Coup... | Topological Dirac semimetals (TDSs) represen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8367 | 8368 | An Arcsine Law for Markov Random Walks | The classic arcsine law for the number\n$N_{... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8368 | 8369 | Linear Estimation of Treatment Effects in Dema... | Demand response aims to stimulate electricit... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8369 | 8370 | Detection principle of gravitational wave dete... | With the first two detections in late 2015, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8370 | 8371 | Private Learning on Networks: Part II | This paper considers a distributed multi-age... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8371 | 8372 | auDeep: Unsupervised Learning of Representatio... | auDeep is a Python toolkit for deep unsuperv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8372 | 8373 | The Use of Unlabeled Data versus Labeled Data ... | Annotation of training data is the major bot... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8373 | 8374 | RAFP-Pred: Robust Prediction of Antifreeze Pro... | In extreme cold weather, living organisms pr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8374 | 8375 | Second descent and rational points on Kummer v... | A powerful method pioneered by Swinnerton-Dy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8375 | 8376 | When Can Neural Networks Learn Connected Decis... | Previous work has questioned the conditions ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8376 | 8377 | Note on the backwards uniqueness of mean curva... | In this note, we will show a backwards uniqu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8377 | 8378 | A Volcanic Hydrogen Habitable Zone | The classical habitable zone is the circular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8378 | 8379 | A Penrose type inequaltiy for graphs over Reis... | In this paper, we use the inverse mean curva... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8379 | 8380 | A Novel Approach for Fast and Accurate Mean Er... | In error-tolerant applications, approximate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8380 | 8381 | Fluorescent Troffer-powered Internet of Things... | A totally new energy harvesting architecture... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8381 | 8382 | Parallel Simultaneous Perturbation Optimization | Stochastic computer simulations enable users... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8382 | 8383 | Achievable Rate Region of Non-Orthogonal Multi... | Non-orthogonal multiple access (NOMA) is a c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8383 | 8384 | Agent-based model for the origins of scaling i... | Background/Introduction: The Zipf's law esta... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8384 | 8385 | Credible Review Detection with Limited Informa... | Online reviews provide viewpoints on the str... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8385 | 8386 | The Asymptotically Self-Similar Regime for the... | We develop a local theory for the constructi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8386 | 8387 | Kinematics and dynamics of an egg-shaped robot... | The manuscript discusses still preliminary c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8387 | 8388 | Cloaking and anamorphism for light and mass di... | We first review classical results on cloakin... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8388 | 8389 | Super Rogers-Szegö polynomials associated with... | As is well known, multivariate Rogers-Szegö ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8389 | 8390 | A statistical physics approach to learning cur... | Using methods of statistical physics, we ana... | 0 | 1 | 0 | 1 | 0 | 0 |
| 8390 | 8391 | Fast Kinetic Scheme : efficient MPI paralleliz... | In this paper we present a parallelization s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8391 | 8392 | Finding a Feasible Initial Solution for Flatne... | In this paper, we present a method to initia... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8392 | 8393 | Techniques for visualizing LSTMs applied to el... | This paper explores four different visualiza... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8393 | 8394 | Obtaining Accurate Probabilistic Causal Infere... | Discovery of an accurate causal Bayesian net... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8394 | 8395 | Faster Bounding Box Annotation for Object Dete... | This paper proposes an approach for rapid bo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8395 | 8396 | Junk News on Military Affairs and National Sec... | Social media provides political news and inf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8396 | 8397 | The SeaQuest Spectrometer at Fermilab | The SeaQuest spectrometer at Fermilab was de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8397 | 8398 | Direct-Manipulation Visualization of Deep Netw... | The recent successes of deep learning have l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8398 | 8399 | How close are the eigenvectors and eigenvalues... | How many samples are sufficient to guarantee... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8399 | 8400 | Wavefronts for a nonlinear nonlocal bistable r... | The wavefronts of a nonlinear nonlocal bista... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8400 | 8401 | Kafnets: kernel-based non-parametric activatio... | Neural networks are generally built by inter... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8401 | 8402 | Unsteady Propulsion by an Intermittent Swimmin... | Inviscid computational results are presented... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8402 | 8403 | Modeling rooted in-trees by finite p-groups | The aim of this chapter is to provide an ade... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8403 | 8404 | Towards Algorithmic Typing for DOT | The Dependent Object Types (DOT) calculus fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8404 | 8405 | Really? Well. Apparently Bootstrapping Improve... | More and more of the information on the web ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8405 | 8406 | A new statistical method for characterizing th... | By detecting light from extrasolar planets,w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8406 | 8407 | Prioritizing network communities | Uncovering modular structure in networks is ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8407 | 8408 | New ALMA constraints on the star-forming ISM a... | Properties of the cold interstellar medium o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8408 | 8409 | On Structured Prediction Theory with Calibrate... | We provide novel theoretical insights on str... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8409 | 8410 | Improving Sharir and Welzl's bound on crossing... | Sharir and Welzl [1] derived a bound on cros... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8410 | 8411 | Computing eigenfunctions and eigenvalues of bo... | The spectral renormalization method was intr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8411 | 8412 | A Discontinuity Adjustment for Subdistribution... | The wild bootstrap is the resampling method ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8412 | 8413 | Estimation of block sparsity in compressive se... | In this paper, we consider a soft measure of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8413 | 8414 | Q-learning with UCB Exploration is Sample Effi... | A fundamental question in reinforcement lear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8414 | 8415 | You Cannot Fix What You Cannot Find! An Invest... | Properly benchmarking Automated Program Repa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8415 | 8416 | Acquiring Common Sense Spatial Knowledge throu... | Spatial understanding is a fundamental probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8416 | 8417 | Design of Capacity Approaching Ensembles of LD... | This paper is concerned with the design of c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8417 | 8418 | Evolution of Morphological and Physical Proper... | Refractory organic compounds formed in molec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8418 | 8419 | Evaporating pure, binary and ternary droplets:... | The Greek aperitif Ouzo is not only famous f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8419 | 8420 | A semianalytical approach for determining the ... | In this article, a semianalytical approach f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8420 | 8421 | Gaussian Processes for Demand Unconstraining | One of the key challenges in revenue managem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8421 | 8422 | Generalization of two Bonnet's Theorems to the... | This paper is devoted to the 3-dimensional r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8422 | 8423 | Some Aspects of Uniqueness Theory of Entire an... | The subject of our thesis is the uniqueness ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8423 | 8424 | Transfer Regression via Pairwise Similarity Re... | Transfer learning methods address the situat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8424 | 8425 | Star formation in a galactic outflow | Recent observations have revealed massive ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8425 | 8426 | Artificial intelligence in peer review: How ca... | With the volume of manuscripts submitted for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8426 | 8427 | Invariant Bianchi type I models in $f\left(R,T... | In this paper, we search the existence of in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8427 | 8428 | Representation theoretic realization of non-sy... | We study the nonsymmetric Macdonald polynomi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8428 | 8429 | Complex spectrogram enhancement by convolution... | This paper aims to address two issues existi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8429 | 8430 | Optimal Threshold Design for Quanta Image Sensor | Quanta Image Sensor (QIS) is a binary imagin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8430 | 8431 | Statistics of $K$-groups modulo $p$ for the ri... | For each odd prime $p$, we conjecture the di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8431 | 8432 | Learning Models for Shared Control of Human-Ma... | We present a novel approach to shared contro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8432 | 8433 | A Feature Embedding Strategy for High-level CN... | Following the rapidly growing digital image ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8433 | 8434 | Look-Ahead in the Two-Sided Reduction to Compa... | We address the reduction to compact band for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8434 | 8435 | Non-existence of a Wente's $L^\infty$ estimate... | We provide a counterexample of Wente's inequ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8435 | 8436 | Regular characters of classical groups over co... | Let $\mathfrak{o}$ be a complete discrete va... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8436 | 8437 | Quantitative analysis of nonadiabatic effects ... | The comparison study of high pressure superc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8437 | 8438 | Radio-flaring Ultracool Dwarf Population Synth... | Over a dozen ultracool dwarfs (UCDs), low-ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8438 | 8439 | Janus: An Uncertain Cache Architecture to Cope... | Side channel attacks are a major class of at... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8439 | 8440 | Predicting Adversarial Examples with High Conf... | It has been suggested that adversarial examp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8440 | 8441 | A New Taxonomy for Symbiotic EM Sensors | It is clear that the EM spectrum is now rapi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8441 | 8442 | Local-ring network automata and the impact of ... | Topological link-prediction can exploit the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8442 | 8443 | Emission of Circularly Polarized Terahertz Wav... | We have theoretically demonstrated the emiss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8443 | 8444 | Asymmetry-Induced Synchronization in Oscillato... | A scenario has recently been reported in whi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8444 | 8445 | Opportunistic Downlink Interference Alignment ... | In this paper, we propose an opportunistic d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8445 | 8446 | The Repeated Divisor Function and Possible Cor... | Let n be a non-null positive integer and $d(... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8446 | 8447 | A Language Hierarchy and Kitchens-Type Theorem... | We generalize the notion of self-similar gro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8447 | 8448 | Distance Covariance in Metric Spaces: Non-Para... | The aim of this thesis is to find a solution... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8448 | 8449 | Sum-Product-Quotient Networks | We present a novel tractable generative mode... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8449 | 8450 | When Simpler Data Does Not Imply Less Informat... | The exponential growth in smartphone adoptio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8450 | 8451 | Algebraic Description of Shape Invariance Revi... | We revisit the algebraic description of shap... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8451 | 8452 | Joint Smoothing, Tracking, and Forecasting Bas... | We present a continuous time state estimatio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8452 | 8453 | Parkinson's Disease Digital Biomarker Discover... | We search for digital biomarkers from Parkin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8453 | 8454 | Bifurcation to locked fronts in two component ... | We study invasion fronts and spreading speed... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8454 | 8455 | Contrastive Hebbian Learning with Random Feedb... | Neural networks are commonly trained to make... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8455 | 8456 | A model of electrical impedance tomography on ... | Objective: A model is presented to evaluate ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8456 | 8457 | Above threshold scattering about a Feshbach re... | Ultracold atomic gases have realised numerou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8457 | 8458 | Gaussian Process Subset Scanning for Anomalous... | Identifying anomalous patterns in real-world... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8458 | 8459 | Isolated resonances and nonlinear damping | We analyze isolated resonance curves (IRCs) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8459 | 8460 | UAV Aided Aerial-Ground IoT for Air Quality Se... | As air pollution is becoming the largest env... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8460 | 8461 | Photoinduced vibronic coupling in two-level di... | Interaction of an electron system with a str... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8461 | 8462 | Crowd Science: Measurements, Models, and Methods | The increasing practice of engaging crowds, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8462 | 8463 | Procedural Content Generation via Machine Lear... | This survey explores Procedural Content Gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8463 | 8464 | Automated Vulnerability Detection in Source Co... | Increasing numbers of software vulnerabiliti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8464 | 8465 | X-Shooter study of accretion in Chamaeleon I: ... | The dependence of the mass accretion rate on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8465 | 8466 | A General Model for Robust Tensor Factorizatio... | Because of the limitations of matrix factori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8466 | 8467 | Phase locking the spin precession in a storage... | This letter reports the successful use of fe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8467 | 8468 | Learning Vertex Representations for Bipartite ... | Recent years have witnessed a widespread inc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8468 | 8469 | Liouville integrability of conservative peakon... | The modified Camassa-Holm equation (also cal... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8469 | 8470 | State Representation Learning for Control: An ... | Representation learning algorithms are desig... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8470 | 8471 | Tracking Emerges by Colorizing Videos | We use large amounts of unlabeled video to l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8471 | 8472 | Observation of topological valley transport of... | Valley pseudospin, labeling quantum states o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8472 | 8473 | Equilibrium distributions and discrete Schur-c... | This paper introduces Schur-constant equilib... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8473 | 8474 | Tempered homogeneous spaces | Let $G$ be a semisimple real Lie group with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8474 | 8475 | Consistency of Dirichlet Partitions | A Dirichlet $k$-partition of a domain $U \su... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8475 | 8476 | Experimental investigation of the wake behind ... | The wake behind a sphere, rotating about an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8476 | 8477 | Test results of a prototype device to calibrat... | A Large Size air Cherenkov Telescope (LST) p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8477 | 8478 | Extended superalgebras from twistor and Killin... | The basic first-order differential operators... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8478 | 8479 | The Physics of Eccentric Binary Black Hole Mer... | Gravitational wave observations of eccentric... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8479 | 8480 | Joint Computation and Communication Cooperatio... | This paper proposes a novel joint computatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8480 | 8481 | Propagating wave correlations in complex systems | We describe a novel approach for computing w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8481 | 8482 | Cost-Effective Cache Deployment in Mobile Hete... | This paper investigates one of the fundament... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8482 | 8483 | Experimental demonstration of a Josephson magn... | We experimentally demonstrate the operation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8483 | 8484 | On the Dynamics of Supermassive Black Holes in... | We introduce a new model for the formation a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8484 | 8485 | A Concave Optimization Algorithm for Matching ... | Point matching refers to the process of find... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8485 | 8486 | Adaptive Mesh Refinement in Analog Mesh Computers | The call for efficient computer architecture... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8486 | 8487 | On the local view of atmospheric available pot... | The possibility of constructing Lorenz's con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8487 | 8488 | GdRh$_2$Si$_2$: An exemplary tetragonal system... | The anisotropy of magnetic properties common... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8488 | 8489 | A Kullback-Leibler Divergence-based Distributi... | For its high coefficient of performance and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8489 | 8490 | Towards Optimally Decentralized Multi-Robot Co... | Developing a safe and efficient collision av... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8490 | 8491 | Metropolis-Hastings Algorithms for Estimating ... | Betweenness centrality is an important index... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8491 | 8492 | Learning Flexible and Reusable Locomotion Prim... | The design of gaits for robot locomotion can... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8492 | 8493 | Statistical comparison of (brain) networks | The study of random networks in a neuroscien... | 0 | 1 | 0 | 1 | 0 | 0 |
| 8493 | 8494 | Sensitivity analysis using perturbed-law based... | In this paper, we present perturbed law-base... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8494 | 8495 | The Robustness of LWPP and WPP, with an Applic... | We show that the counting class LWPP [FFK94]... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8495 | 8496 | Time- and spatially-resolved magnetization dyn... | Current-induced spin-orbit torques (SOTs) re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8496 | 8497 | Giant Planets Can Act As Stabilizing Agents on... | We have explored the evolution of a cold deb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8497 | 8498 | Definition of geometric space around analytic ... | The concept of derivative coordinate functio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8498 | 8499 | To Pool or Not To Pool? Revisiting an Old Pattern | We revisit the well-known object-pool design... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8499 | 8500 | Quenching of supermassive black hole growth ar... | Recent quasar surveys have revealed that sup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8500 | 8501 | Self-Organizing Maps as a Storage and Transfer... | The idea of reusing information from previou... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8501 | 8502 | Distributed model predictive control for conti... | The paper presents a distributed model predi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8502 | 8503 | Implementing focal-plane phase masks optimized... | Direct imaging of exoplanets or circumstella... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8503 | 8504 | Verifying Asynchronous Interactions via Commun... | The relationship between communicating autom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8504 | 8505 | Phase induced transparency mediated structured... | We present a phase induced transparency base... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8505 | 8506 | Additional cases of positive twisted torus knots | A twisted torus knot is a knot obtained from... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8506 | 8507 | Action-conditional Sequence Modeling for Recom... | In many online applications interactions bet... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8507 | 8508 | Limits of End-to-End Learning | End-to-end learning refers to training a pos... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8508 | 8509 | Quantum Graphs: $ \mathcal{PT}$-symmetry and r... | Not necessarily self-adjoint quantum graphs ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8509 | 8510 | On Diophantine equations involving sums of Fib... | In this paper, we completely solve the Dioph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8510 | 8511 | T-duality in rational homotopy theory via $L_\... | We combine Sullivan models from rational hom... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8511 | 8512 | Phasebook and Friends: Leveraging Discrete Rep... | Deep learning based speech enhancement and s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8512 | 8513 | RankDCG: Rank-Ordering Evaluation Measure | Ranking is used for a wide array of problems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8513 | 8514 | FUV Spectral Signatures of Molecules and the E... | The Alice far-ultraviolet imaging spectrogra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8514 | 8515 | Adsorption and desorption of hydrogen at nonpo... | The adsorption of hydrogen at nonpolar GaN(1... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8515 | 8516 | Application of the Fast Multipole Fully Couple... | In this study, a fast multipole method (FMM)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8516 | 8517 | Conduction Channels of an InAs-Al nanowire Jos... | We present a quantitative characterization o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8517 | 8518 | Two-level Chebyshev filter based complementary... | We describe a novel iterative strategy for K... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8518 | 8519 | Using the Tsetlin Machine to Learn Human-Inter... | Medical applications challenge today's text ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8519 | 8520 | Deep Learning with Experience Ranking Convolut... | Supervised learning, more specifically Convo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8520 | 8521 | Isotope Shifts in the 7s$\rightarrow$8s Transi... | We observe the electric-dipole forbidden $7s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8521 | 8522 | SRM: An Efficient Framework for Autonomous Rob... | In this paper, we propose an integrated fram... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8522 | 8523 | Mechanisms for bacterial gliding motility on s... | The motility mechanism of certain rod-shaped... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8523 | 8524 | Random Walk in a N-cube Without Hamiltonian Cy... | Designing a pseudorandom number generator (P... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8524 | 8525 | A Hardware Platform for Efficient Multi-Modal ... | We present Warp, a hardware platform to supp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8525 | 8526 | Electrocaloric effects in the lead-free Ba(Zr,... | Atomistic effective Hamiltonian simulations ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8526 | 8527 | Accelerating Permutation Testing in Voxel-wise... | Permutation testing is a non-parametric meth... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8527 | 8528 | Image restoration of solar spectra | When recording spectra from the ground, atmo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8528 | 8529 | Who Said What: Modeling Individual Labelers Im... | Data are often labeled by many different exp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8529 | 8530 | Automated Tiling of Unstructured Mesh Computat... | Sparse tiling is a technique to fuse loops t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8530 | 8531 | A copula approach for dependence modeling in m... | This paper is concerned with modeling the de... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8531 | 8532 | A geometric second-order-rectifiable stratific... | Defining the $m$-th stratum of a closed subs... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8532 | 8533 | Probabilistic Formulations of Regression with ... | Regression problems assume every instance is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8533 | 8534 | DCN+: Mixed Objective and Deep Residual Coatte... | Traditional models for question answering op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8534 | 8535 | An optimal unrestricted learning procedure | We study learning problems involving arbitra... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8535 | 8536 | Means of infinite sets I | We open a new field on how one can define me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8536 | 8537 | On tamed almost complex four manifolds | This paper proves that on any tamed closed a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8537 | 8538 | Evaluation and Prediction of Polygon Approxima... | Contours may be viewed as the 2D outline of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8538 | 8539 | Perturbative Expansion of Irreversible Work in... | We discuss the systematic expansion of the s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8539 | 8540 | Operational Semantics of Process Monitors | CSPe is a specification language for runtime... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8540 | 8541 | Anyonic Entanglement and Topological Entanglem... | We study the properties of entanglement in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8541 | 8542 | Water-based and Biocompatible 2D Crystal Inks:... | Fully exploiting the properties of 2D crysta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8542 | 8543 | Clustering to Reduce Spatial Data Set Size | Traditionally it had been a problem that res... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8543 | 8544 | Thermal diffusivity and chaos in metals withou... | We study the thermal diffusivity $D_T$ in mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8544 | 8545 | The Quest for Scalability and Accuracy in the ... | This paper presents a methodology for simula... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8545 | 8546 | Harmonic spinors from twistors and potential f... | Symmetry operators of twistor spinors and ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8546 | 8547 | Goodness-of-fit tests for the functional linea... | We consider marked empirical processes index... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8547 | 8548 | Efficient method for estimating the number of ... | While there exist a wide range of effective ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8548 | 8549 | The Pluto System After New Horizons | The discovery of Pluto in 1930 presaged the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8549 | 8550 | Global-in-time Strichartz estimates and cubic ... | We study the Strichartz estimates for Schröd... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8550 | 8551 | Compressive Embedding and Visualization using ... | Visualizing high-dimensional data has been a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8551 | 8552 | Electrical control of metallic heavy-metal/fer... | Voltage control effects provide an energy-ef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8552 | 8553 | An Expectation-Maximization Algorithm for the ... | We present an Expectation-Maximization algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8553 | 8554 | An Improved SCFlip Decoder for Polar Codes | This paper focuses on the recently introduce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8554 | 8555 | Generation of controllable plasma wakefield no... | Numerical simulations of beam-plasma instabi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8555 | 8556 | Variable Exponent Fock Spaces | In this article we introduce Variable expone... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8556 | 8557 | Pattern representation and recognition with ac... | Despite being originally inspired by the cen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8557 | 8558 | Dynamic Policies for Cooperative Networked Sys... | A set of economic entities embedded in a net... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8558 | 8559 | On certain families of planar patterns and fra... | This survey article is dedicated to some fam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8559 | 8560 | Static Dalvik VM bytecode instrumentation | This work proposes a novel approach to restr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8560 | 8561 | PMU-Based Estimation of Dynamic State Jacobian... | In this paper, a hybrid measurement- and mod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8561 | 8562 | DeepDownscale: a Deep Learning Strategy for Hi... | Running high-resolution physical models is c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8562 | 8563 | Open quantum random walks on the half-line: th... | In this work we consider open quantum random... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8563 | 8564 | Nevanlinna classes associated to a closed set ... | We introduce Nevanlinna classes of holomorph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8564 | 8565 | Exploring the nuances in the relationship "cul... | The current article explores interesting, si... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8565 | 8566 | Audio style transfer | 'Style transfer' among images has recently e... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8566 | 8567 | Hyperbolic pseudoinverses for kinematics in th... | The kinematics of a robot manipulator are de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8567 | 8568 | Nonlinear Unknown Input and State Estimation A... | This technical report provides the descripti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8568 | 8569 | Acute sets | A set of points in $\mathbb{R}^d$ is acute, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8569 | 8570 | Session Analysis using Plan Recognition | This paper presents preliminary results of o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8570 | 8571 | Personalized Driver Stress Detection with Mult... | Stress can be seen as a physiological respon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8571 | 8572 | Budgeted Experiment Design for Causal Structur... | We study the problem of causal structure lea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8572 | 8573 | Evaluating the Robustness of Rogue Waves Under... | Rogue waves, and their periodic counterparts... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8573 | 8574 | Feeble fish in time-dependent waters and homog... | We study the following control problem. A fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8574 | 8575 | Betti tables for indecomposable matrix factori... | We classify the Betti tables of indecomposab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8575 | 8576 | Discrete Integrable Systems, Supersymmetric Qu... | It is possible to understand whether a given... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8576 | 8577 | Generalized Robust Bayesian Committee Machine ... | In order to scale standard Gaussian process ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8577 | 8578 | Network Inference from a Link-Traced Sample us... | We present a new inference method based on a... | 1 | 1 | 0 | 1 | 0 | 0 |
| 8578 | 8579 | Variational Dropout Sparsifies Deep Neural Net... | We explore a recently proposed Variational D... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8579 | 8580 | A note on clustered cells | This note contains additions to the paper 'C... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8580 | 8581 | Record statistics of a strongly correlated tim... | We review recent advances on the record stat... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8581 | 8582 | On nonlinear instability of Prandtl's boundary... | In this paper, we study Prandtl's boundary l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8582 | 8583 | Subspace Clustering with Missing and Corrupted... | Given full or partial information about a co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8583 | 8584 | Monte Carlo Tensor Network Renormalization | Techniques for approximately contracting ten... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8584 | 8585 | Experimental study of electron and phonon dyna... | With the rapid advances in the development o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8585 | 8586 | SSGP topologies on abelian groups of positive ... | Let G be an abelian group. For a subset A of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8586 | 8587 | Intelligent Pothole Detection and Road Conditi... | Poor road conditions are a public nuisance, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8587 | 8588 | Concrete Autoencoders for Differentiable Featu... | We introduce the concrete autoencoder, an en... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8588 | 8589 | Emergence and complexity in theoretical models... | In this thesis we present few theoretical st... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8589 | 8590 | An Extension of Averaged-Operator-Based Algori... | Many of the algorithms used to solve minimiz... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8590 | 8591 | Along the sun-drenched roadside: On the interp... | We explore the relation between urban road n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8591 | 8592 | $HD(M\setminus L)>0.353$ | The complement $M\setminus L$ of the Lagrang... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8592 | 8593 | Comparing the dark matter models, modified New... | We compare six models (including the baryoni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8593 | 8594 | Good Clusterings Have Large Volume | The clustering of a data set is one of the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8594 | 8595 | Regularity of Lie Groups | We solve the regularity problem for Milnor's... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8595 | 8596 | A study on text-score disagreement in online r... | In this paper, we focus on online reviews an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8596 | 8597 | Convergence rates for nonequilibrium Langevin ... | We study the exponential convergence to the ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8597 | 8598 | Natural Extension of Hartree-Fock through extr... | Fermionic natural occupation numbers do not ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8598 | 8599 | Homotopy Parametric Simplex Method for Sparse ... | High dimensional sparse learning has imposed... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8599 | 8600 | Fractional Operators with Inhomogeneous Bounda... | In this paper we introduce new characterizat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8600 | 8601 | An alternative definition of cobordism map of ECH | In this article, we reformulate the cobordis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8601 | 8602 | Healthy imperfect dark matter from effective t... | We study the stability of a recently propose... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8602 | 8603 | Disorder-protected topological entropy after a... | Topological phases of matter are considered ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8603 | 8604 | The evolution of gravitons in accelerating cos... | We discuss the production and evolution of c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8604 | 8605 | CO2 packing polymorphism under confinement in ... | We investigate the effect of cylindrical nan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8605 | 8606 | CLIC: Curriculum Learning and Imitation for fe... | In this paper, we propose an unsupervised re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8606 | 8607 | On the structure of continua with finite lengt... | The main results in this note concern the ch... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8607 | 8608 | Identifying combinatorially symmetric Hidden M... | We provide a sufficient criterion for the un... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8608 | 8609 | Systems of small linear forms and Diophantine ... | We develop the theory of Diophantine approxi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8609 | 8610 | Generalized Zero-Shot Learning via Synthesized... | We present a generative framework for genera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8610 | 8611 | Dependence and dependence structures: estimati... | Distance multivariance is a multivariate dep... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8611 | 8612 | Hybrid simulation scheme for volatility modula... | We develop a simulation scheme for a class o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8612 | 8613 | Thermodynamic dislocation theory for non-unifo... | The present paper extends the thermodynamic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8613 | 8614 | Integrated Fabry-Perot cavities as a mechanism... | We propose and experimentally demonstrate th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8614 | 8615 | Dark matter spin determination with directiona... | If the dark matter particle has spin 0, only... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8615 | 8616 | Layers and Matroids for the Traveling Salesman... | Gottschalk and Vygen proved that every solut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8616 | 8617 | Understanding and Comparing Deep Neural Networ... | Recently, deep neural networks have demonstr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8617 | 8618 | Variational discretization of a control-constr... | We consider a control-constrained parabolic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8618 | 8619 | Determining r-Robustness of Arbitrary Digraphs... | There has been an increase in the use of res... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8619 | 8620 | Uncertainty quantification in graph-based clas... | Classification of high dimensional data find... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8620 | 8621 | Defect-induced large spin-orbit splitting in t... | The effect of spin-orbit coupling (SOC) on t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8621 | 8622 | Clusters of Integers with Equal Total Stopping... | The clustering of integers with equal total ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8622 | 8623 | Modelling the Milky Way's globular cluster system | We construct a model for the Galactic globul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8623 | 8624 | Diversity-aware Multi-Video Summarization | Most video summarization approaches have foc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8624 | 8625 | Derivation relations and duality for the sum o... | We show that the duality relation for the su... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8625 | 8626 | Machine learning techniques to select Be star ... | Statistical pattern recognition methods have... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8626 | 8627 | Infinite-Dimensionality in Quantum Foundations... | In this paper, W*-algebras are presented as ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8627 | 8628 | MSE estimates for multitaper spectral estimati... | We obtain estimates for the Mean Squared Err... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8628 | 8629 | Communication-Free Parallel Supervised Topic M... | Embarrassingly (communication-free) parallel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8629 | 8630 | Multilayer Network Model of Movie Script | Network models have been increasingly used i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8630 | 8631 | On the Performance of Millimeter Wave-based RF... | This paper studies the performance of multi-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8631 | 8632 | Pi Visits Manhattan | Is it possible to draw a circle in Manhattan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8632 | 8633 | A Bernstein Inequality For Exponentially Growi... | In this article we present a Bernstein inequ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8633 | 8634 | Monolithic InGaAs nanowire array lasers on sil... | Chip-scale integrated light sources are a cr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8634 | 8635 | DMFT study on the electron-hole asymmetry of t... | Recent experiments revealed a striking asymm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8635 | 8636 | On the Information Theoretic Distance Measures... | By establishing a connection between bi-dire... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8636 | 8637 | KMS states on the C*-algebras of Fell bundles ... | We consider fiberwise singly generated Fell-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8637 | 8638 | Object Detection Using Deep CNNs Trained on Sy... | The need for large annotated image datasets ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8638 | 8639 | Breaking the 3/2 barrier for unit distances in... | We prove that every set of $n$ points in $\m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8639 | 8640 | Periodic orbits of planets in binary systems | Periodic solutions of the three body problem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8640 | 8641 | Review of image quality measures for solar ima... | The observations of solar photosphere from t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8641 | 8642 | Joint Maximum Likelihood Estimation for High-d... | Multidimensional item response theory is wid... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8642 | 8643 | Judicious Judgment Meets Unsettling Updating: ... | Statistical learning using imprecise probabi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8643 | 8644 | Planar segment processes with reference mark d... | The paper deals with planar segment processe... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8644 | 8645 | A Note on Bayesian Model Selection for Discret... | We consider the problem of choosing between ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8645 | 8646 | Quantum criticality in many-body parafermion c... | We construct local generalizations of 3-stat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8646 | 8647 | Simulation-based reachability analysis for non... | A shortcoming of existing reachability appro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8647 | 8648 | User Donations in a Crowdsourced Video System | Crowdsourced video systems like YouTube and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8648 | 8649 | Dynein catch bond as a mediator of codependent... | Intracellular bidirectional transport of car... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8649 | 8650 | Limiting Laws for Divergent Spiked Eigenvalues... | We study the asymptotic distributions of the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8650 | 8651 | Nonparametric Poisson regression from independ... | We consider the non-parametric Poisson regre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8651 | 8652 | Ontology-Aware Token Embeddings for Prepositio... | Type-level word embeddings use the same set ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8652 | 8653 | Bayesian Detection of Abnormal ADS in Mutant C... | Cell division timing is critical for cell fa... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8653 | 8654 | Towards a constraint solver for proving conflu... | Confluence of a nondeterministic program ens... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8654 | 8655 | cGANs with Projection Discriminator | We propose a novel, projection based way to ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8655 | 8656 | The QLBS Q-Learner Goes NuQLear: Fitted Q Iter... | The QLBS model is a discrete-time option hed... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8656 | 8657 | InclusiveFaceNet: Improving Face Attribute Det... | We demonstrate an approach to face attribute... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8657 | 8658 | Reputation is required for cooperation to emer... | Melamed, Harrell, and Simpson have recently ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8658 | 8659 | Active Anomaly Detection via Ensembles | In critical applications of anomaly detectio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8659 | 8660 | Effect of Decreasing Cobalt Content on the Ele... | In Lithium ion batteries (LIBs), proper desi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8660 | 8661 | Dispersive estimates for massive Dirac operato... | We study the massive two dimensional Dirac o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8661 | 8662 | A novel agent-based simulation framework for s... | In this paper we present a novel Formal Agen... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8662 | 8663 | Transversal fluctuations of the ASEP, stochast... | We consider the ASEP and the stochastic six ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8663 | 8664 | Instantons in self-organizing logic gates | Self-organizing logic is a recently-suggeste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8664 | 8665 | Vision-and-Language Navigation: Interpreting v... | A robot that can carry out a natural-languag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8665 | 8666 | Dissecting spin-phonon equilibration in ferrim... | To gain control over magnetic order on ultra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8666 | 8667 | Inferring health conditions from fMRI-graph data | Automated classification methods for disease... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8667 | 8668 | Rich-clubness test: how to determine whether a... | The rich-club concept has been introduced in... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8668 | 8669 | Structured Variational Inference for Coupled G... | Sparse variational approximations allow for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8669 | 8670 | Imaging anyons with scanning tunneling microscopy | Anyons are exotic quasi-particles with fract... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8670 | 8671 | Proof of Correspondence between Keys and Encod... | In a former paper the authors introduced two... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8671 | 8672 | Following the density perturbations through a ... | A bounce universe model, known as the couple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8672 | 8673 | Privacy in Information-Rich Intelligent Infras... | Intelligent infrastructure will critically r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8673 | 8674 | Towards equation of state for a market: A ther... | Foundations of equilibrium thermodynamics ar... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8674 | 8675 | On the sub-Gaussianity of the Beta and Dirichl... | We obtain the optimal proxy variance for the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8675 | 8676 | Chaos in three coupled rotators: From Anosov d... | Starting from Anosov chaotic dynamics of geo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8676 | 8677 | A novel analytical method for analysis of elec... | In this article, a novel analytical approach... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8677 | 8678 | Causal Inference with Two Versions of Treatment | Causal effects are commonly defined as compa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8678 | 8679 | Characterization of Multi-scale Invariant Rand... | Applying certain flexible geometric sampling... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8679 | 8680 | Interpretable 3D Human Action Analysis with Te... | The discriminative power of modern deep lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8680 | 8681 | Efficient Algorithms for t-distributed Stochas... | t-distributed Stochastic Neighborhood Embedd... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8681 | 8682 | An arithmetic site of Connes-Consani type for ... | We construct, for imaginary quadratic number... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8682 | 8683 | Linear Matrix Inequalities for Physically-Cons... | With the increased application of model-base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8683 | 8684 | Simultaneous Block-Sparse Signal Recovery Usin... | In this paper, we consider the block-sparse ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8684 | 8685 | A temperate rocky super-Earth transiting a nea... | M dwarf stars, which have masses less than 6... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8685 | 8686 | Boundary driven Brownian gas | We consider a gas of independent Brownian pa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8686 | 8687 | Fully Resolved Numerical Simulations of Fused ... | Purpose - This paper continues the developme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8687 | 8688 | High Dimensional Cluster Analysis Using Path L... | A hierarchical scheme for clustering data is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8688 | 8689 | Forecasting elections using compartmental mode... | To forecast political elections, popular pol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8689 | 8690 | Online Learning Without Prior Information | The vast majority of optimization and online... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8690 | 8691 | Sparse Identification for Nonlinear Optical Co... | We introduce low complexity machine learning... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8691 | 8692 | Serial Correlations in Single-Subject fMRI wit... | When performing statistical analysis of sing... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8692 | 8693 | Randomization-based Inference for Bernoulli-Tr... | We present a randomization-based inferential... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8693 | 8694 | Cloaking using complementary media for electro... | Negative index materials are artificial stru... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8694 | 8695 | Deterministic parallel analysis: An improved m... | Factor analysis and principal component anal... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8695 | 8696 | Laplacian Spectrum of non-commuting graphs of ... | In this paper, we compute the Laplacian spec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8696 | 8697 | Application of Coulomb energy density function... | We test the Coulomb exchange and correlation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8697 | 8698 | Transient frequency control with regional coop... | This paper proposes a centralized and a dist... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8698 | 8699 | Unsupervised prototype learning in an associat... | Unsupervised learning in a generalized Hopfi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8699 | 8700 | One-Step Fabrication of pH-Responsive Membrane... | Biocompatible microencapsulation is of wides... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8700 | 8701 | FA*IR: A Fair Top-k Ranking Algorithm | In this work, we define and solve the Fair T... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8701 | 8702 | A novel delayed-choice experimental proposal t... | Entangled states are notoriously non-separab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8702 | 8703 | Better accuracy with quantified privacy: repre... | The remarkable success of machine learning, ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8703 | 8704 | Compositional descriptor-based recommender sys... | Structures and properties of many inorganic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8704 | 8705 | Structure Formation and Microlensing with Axio... | If the symmetry breaking responsible for axi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8705 | 8706 | Clustering Residential Electricity Load Curves... | Performing analytic of household load curves... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8706 | 8707 | Lie and Noether point Symmetries for a Class o... | We prove two general theorems which determin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8707 | 8708 | Thermal Inflation with a Thermal Waterfall Sca... | A new model of thermal inflation is introduc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8708 | 8709 | DeepMoTIon: Learning to Navigate Like Humans | We present a novel human-aware navigation ap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8709 | 8710 | Multidimensional Free Poisson Limits on Free S... | In this paper, we prove four-moment theorems... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8710 | 8711 | On the finite $W$-algebra for the Lie superalg... | In this paper we study the finite W-algebra ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8711 | 8712 | SNeCT: Scalable network constrained Tucker dec... | Motivation: How do we integratively analyze ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8712 | 8713 | CANAL: A Cache Timing Analysis Framework via L... | A unified modeling framework for non-functio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8713 | 8714 | Deep Learning Super-Resolution Enables Rapid S... | Obtaining magnetic resonance images (MRI) wi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8714 | 8715 | Inverse problems in models of resource distrib... | We continue to study the problem of modeling... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8715 | 8716 | Critical behaviour in one dimension: unconvent... | We study the superconducting properties of p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8716 | 8717 | Andreev reflections and the quantum physics of... | We establish an analogy between superconduct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8717 | 8718 | Wind, Sand and Water. The Orientation of the L... | The chain of late Roman fortified settlement... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8718 | 8719 | On generalized Dold manifolds | Let $X$ be a smooth manifold with a (smooth)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8719 | 8720 | Pilot system development in metre-scale labora... | The pilot system development in metre-scale ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8720 | 8721 | Abstract Interpretation of Binary Code with Me... | In this paper we propose a novel methodology... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8721 | 8722 | Optimal learning via local entropies and sampl... | The aim of this paper is to provide several ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8722 | 8723 | Domain Specific Semantic Validation of Schema.... | Since its unveiling in 2011, schema.org has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8723 | 8724 | Vector-valued extensions of operators through ... | We give an extension of Rubio de Francia's e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8724 | 8725 | Phase Diagram of Carbon Nickel Tungsten: Super... | Carbon solubility in face-centered cubic Ni-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8725 | 8726 | Classical solution for the linear sigma model | In this paper, the linear sigma model is stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8726 | 8727 | The Importance of System-Level Information in ... | A fundamental challenge in multiagent system... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8727 | 8728 | Detecting Policy Preferences and Dynamics in t... | Foreign policy analysis has been struggling ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8728 | 8729 | FLASH: A Faster Optimizer for SBSE Tasks | Most problems in search-based software engin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8729 | 8730 | On the complexity of generalized chromatic pol... | J. Makowsky and B. Zilber (2004) showed that... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8730 | 8731 | Hybrid SGP4 orbit propagator | Two-Line Elements (TLEs) continue to be the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8731 | 8732 | PDE-Net: Learning PDEs from Data | In this paper, we present an initial attempt... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8732 | 8733 | Stable components in the parameter plane of me... | We study the parameter planes of certain one... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8733 | 8734 | Optimal Regulation Response of Batteries Under... | When providing frequency regulation in a pay... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8734 | 8735 | Spin-structures on real Bott manifolds with Kä... | Let M be a real Bott manifold with Kähler st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8735 | 8736 | No difference in orbital parameters of RV-dete... | Our Keck/NIRC2 imaging survey searches for s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8736 | 8737 | On overfitting and post-selection uncertainty ... | In a regression context, when the relevant s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8737 | 8738 | Concept of multiple-cell cavity for axion dark... | In cavity-based axion dark matter search exp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8738 | 8739 | Detecting Recycled Commodity SoCs: Exploiting ... | A physical unclonable function (PUF), analog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8739 | 8740 | Ginzburg-Landau-type theory of non-polarized s... | Since the concept of spin superconductor was... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8740 | 8741 | Evolution of Anisotropic Displacement Paramete... | In order to understand the mechanisms behind... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8741 | 8742 | A Proximal Block Coordinate Descent Algorithm ... | Training deep neural networks (DNNs) efficie... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8742 | 8743 | Surface zeta potential and diamond seeding on ... | Measurement of zeta potential of Ga and N-fa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8743 | 8744 | Analysing Temporal Evolution of Interlingual W... | Wikipedia articles representing an entity or... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8744 | 8745 | Smith Ideals of Operadic Algebras in Monoidal ... | Building upon Hovey's work on Smith ideals f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8745 | 8746 | Phase and Power Control in the RF Magnetron Po... | Phase and power control methods that satisfy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8746 | 8747 | Cohomologies of locally conformally symplectic... | We study the Morse-Novikov cohomology and it... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8747 | 8748 | Frequency Offset Estimation for OFDM Systems w... | A novel frequency domain training sequence a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8748 | 8749 | Cusp shape and tunnel number | We show that the set of cusp shapes of hyper... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8749 | 8750 | Divergence-free positive symmetric tensors and... | We consider $d\times d$ tensors $A(x)$ that ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8750 | 8751 | Admire vs. Safire: Objective comparison of CT ... | Purpose: Siemens has developed several itera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8751 | 8752 | Occupants in simplicial complexes | Let $M$ be a smooth manifold and $K\subset M... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8752 | 8753 | Temporal Stability in Predictive Process Monit... | Predictive process monitoring is concerned w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8753 | 8754 | Discrete Gradient Line Fields on Surfaces | A line field on a manifold is a smooth map w... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8754 | 8755 | New Directions In Cellular Automata | We Propose A Novel Automaton Model which use... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8755 | 8756 | Smart Fog: Fog Computing Framework for Unsuper... | The increasing use of wearables in smart tel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8756 | 8757 | Subspace Clustering via Optimal Direction Search | This letter presents a new spectral-clusteri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8757 | 8758 | The Covering Principle: A New Approach to Addr... | The closure and the partitioning principles ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8758 | 8759 | Mechanisms of Lagrangian analyticity in fluids | Certain systems of inviscid fluid dynamics h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8759 | 8760 | How to Differentiate Collective Variables in F... | The proper choice of collective variables (C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8760 | 8761 | Blocks of the category of smooth $\ell$-modula... | Let $G$ be an inner form of a general linear... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8761 | 8762 | An Investigation of Newton-Sketch and Subsampl... | The concepts of sketching and subsampling ha... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8762 | 8763 | On angled bounce-off impact of a drop impingin... | Small drops impinging angularly on thin flow... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8763 | 8764 | Fast evaluation of solid harmonic Gaussian int... | An integral scheme for the efficient evaluat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8764 | 8765 | A note on integrating products of linear forms... | Integrating a product of linear forms over t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8765 | 8766 | Linearly constrained Gaussian processes | We consider a modification of the covariance... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8766 | 8767 | Racks as multiplicative graphs | We interpret augmented racks as a certain ki... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8767 | 8768 | Bielliptic intermediate modular curves | We determine which of the modular curves $X_... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8768 | 8769 | Behavior Revealed in Mobile Phone Usage Predic... | Many households in developing countries lack... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8769 | 8770 | Robust and structural ergodicity analysis of s... | Ergodicity and output controllability have b... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8770 | 8771 | A Dirichlet Mixture Model of Hawkes Processes ... | We propose an effective method to solve the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8771 | 8772 | On the number of cyclic subgroups of a finite ... | Let $G$ be a finite group and let $c(G)$ be ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8772 | 8773 | Accelerated Extra-Gradient Descent: A Novel Ac... | We provide a novel accelerated first-order m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8773 | 8774 | Disruption of Alfvénic turbulence by magnetic ... | We calculate the disruption scale $\lambda_{... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8774 | 8775 | New neutrino physics and the altered shapes of... | Neutrinos coming from the Sun's core are now... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8775 | 8776 | Searching for a Single Community in a Graph | In standard graph clustering/community detec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8776 | 8777 | Superinjective Simplicial Maps of the Two-side... | Let $N$ be a compact, connected, nonorientab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8777 | 8778 | Geometry-Oblivious FMM for Compressing Dense S... | We present GOFMM (geometry-oblivious FMM), a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8778 | 8779 | Deep learning for universal linear embeddings ... | Identifying coordinate transformations that ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8779 | 8780 | Mean-field modeling of the basal ganglia-thala... | Neuronal correlates of Parkinson's disease (... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8780 | 8781 | Applying Machine Learning To Maize Traits Pred... | Heterosis is the improved or increased funct... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8781 | 8782 | Perceptual Compressive Sensing based on Contra... | In this paper, we propose a novel CS approac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8782 | 8783 | Poincaré surfaces of section around a 3-D irre... | In general, small bodies of the solar system... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8783 | 8784 | On the second Dirichlet eigenvalue of some non... | Let $\Omega$ be a bounded open set of $\math... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8784 | 8785 | A parametric level-set method for partially di... | This paper introduces a parametric level-set... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8785 | 8786 | Using PCA and Factor Analysis for Dimensionali... | Large volume of Genomics data is produced on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8786 | 8787 | Three-dimensional vortex structures and dynami... | Hexagonal manganites REMnO3 (RE, rare earths... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8787 | 8788 | A spectral-Galerkin turbulent channel flow sol... | A fully (pseudo-)spectral solver for direct ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 8788 | 8789 | Bi-Lagrangian structures and Teichmüller theory | This paper has two purposes: the first is to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8789 | 8790 | Proof of a conjecture of Abdollahi-Akbari-Maim... | The non--commuting graph $\Gamma(G)$ of a no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8790 | 8791 | LQG Control and Sensing Co-design | Linear-Quadratic-Gaussian (LQG) control is c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8791 | 8792 | Subspace Learning in The Presence of Sparse St... | Subspace learning is an important problem, w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8792 | 8793 | Trends in scientific research in Online Inform... | Objective. The purpose of this work is to an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8793 | 8794 | Balance between quantum Markov semigroups | The concept of balance between two state pre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8794 | 8795 | Deep Stochastic Configuration Networks with Un... | This paper develops a randomized approach fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8795 | 8796 | On convergence for graphexes | We study four different notions of convergen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8796 | 8797 | Improving text classification with vectors of ... | This paper presents the analysis of the impa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8797 | 8798 | On ramification in transcendental extensions o... | Let $L/K$ be an extension of complete discre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8798 | 8799 | Local Formulas for Ehrhart Coefficients from L... | As shown by McMullen in 1983, the coefficien... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8799 | 8800 | Atypicality for Heart Rate Variability Using a... | Heart rate variability (HRV) is a vital meas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8800 | 8801 | Rectangular Photonic Crystal Nanobeam Cavities... | We demonstrate the fabrication of photonic c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8801 | 8802 | Accelerated Primal-Dual Proximal Block Coordin... | Block Coordinate Update (BCU) methods enjoy ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 8802 | 8803 | Weakly supervised training of deep convolution... | Overhead depth map measurements capture suff... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8803 | 8804 | Absence of magnetic long range order in Ba$_3$... | We have discovered a novel candidate for a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8804 | 8805 | Deforming Representations of SL(2,R) | The spherical principal series representatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8805 | 8806 | 3D Reconstruction & Assessment Framework based... | Lidar is extensively used in the industry an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8806 | 8807 | Probabilistic Relational Reasoning via Metrics | The Fuzz programming language [Reed and Pier... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8807 | 8808 | Upper bounds for constant slope $p$-adic famil... | We study $p$-adic families of eigenforms for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8808 | 8809 | Size dependence of the surface tension of a fr... | We report on the size dependence of the surf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8809 | 8810 | Bayesian Belief Updating of Spatiotemporal Sei... | Epileptic seizure activity shows complicated... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8810 | 8811 | Split, Send, Reassemble: A Formal Specificatio... | We present a formal model for a fragmentatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8811 | 8812 | An extinction free AGN selection by 18-band SE... | We have developed an efficient Active Galact... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8812 | 8813 | Spatial point processes intensity estimation w... | Feature selection procedures for spatial poi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8813 | 8814 | A novel methodology on distributed representat... | The effective representation of proteins is ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 8814 | 8815 | Distributed Robust Set-Invariance for Intercon... | We introduce a class of distributed control ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8815 | 8816 | Liouville's theorem and comparison results for... | A version of Liouville's theorem is proved f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8816 | 8817 | An Optimal Control Problem for the Steady Nonh... | We study an optimal boundary control problem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8817 | 8818 | A thermodynamic view of dusty protoplanetary d... | Small solids embedded in gaseous protoplanet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8818 | 8819 | Stable determination of a Lamé coefficient by ... | In this paper we show that the shear modulus... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8819 | 8820 | Mordell-Weil Groups of Linear Systems and the ... | In this paper, we study rational sections of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8820 | 8821 | Subgradients of Minimal Time Functions without... | In recent years there has been great interes... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8821 | 8822 | Multiple Kernel Learning and Automatic Subspac... | Alzheimer's disease is a major cause of deme... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8822 | 8823 | Optimal bounds and extremal trajectories for t... | For any quantity of interest in a system gov... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8823 | 8824 | Unsupervised Learning with Stein's Unbiased Ri... | Learning from unlabeled and noisy data is on... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8824 | 8825 | Cellular function given parametric variation: ... | How is reliable physiological function maint... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8825 | 8826 | P4K: A Formal Semantics of P4 and Applications | Programmable packet processors and P4 as a p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8826 | 8827 | Global aspects of polarization optics and cose... | We use group theoretic ideas and coset space... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8827 | 8828 | Nonlinear Large Deviations: Beyond the Hypercube | We present a framework to calculate large de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8828 | 8829 | Force and torque of a string on a pulley | Every university introductory physics course... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8829 | 8830 | Imagining Probabilistic Belief Change as Imagi... | Imaging is a form of probabilistic belief ch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8830 | 8831 | Sparse Rational Function Interpolation with Fi... | In this paper, we give new sparse interpolat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8831 | 8832 | Research Opportunities and Visions for Smart a... | Improving the health of the nation's populat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8832 | 8833 | Training L1-Regularized Models with Orthant-Wi... | The $L_1$-regularized models are widely used... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8833 | 8834 | Zero-Delay Source-Channel Coding with a One-Bi... | Zero-delay transmission of a Gaussian source... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8834 | 8835 | Non-Oscillatory Pattern Learning for Non-Stati... | This paper proposes a novel non-oscillatory ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8835 | 8836 | Analysis of Set-Valued Stochastic Approximatio... | The main aim of this paper is the developmen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8836 | 8837 | Predicting Surgery Duration with Neural Hetero... | Scheduling surgeries is a challenging task d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8837 | 8838 | Multichannel End-to-end Speech Recognition | The field of speech recognition is in the mi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8838 | 8839 | Universal Rules for Fooling Deep Neural Networ... | Recently, deep learning based natural langua... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8839 | 8840 | Synthetic Observations of 21cm HI Line Profile... | We carried out synthetic observations of int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8840 | 8841 | Clarifying Trust in Social Internet of Things | A social approach can be exploited for the I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8841 | 8842 | The Leave-one-out Approach for Matrix Completi... | In this paper, we introduce a powerful techn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8842 | 8843 | Weyl calculus with respect to the Gaussian mea... | In this paper, we introduce a Weyl functiona... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8843 | 8844 | Model-Based Value Estimation for Efficient Mod... | Recent model-free reinforcement learning alg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8844 | 8845 | A new method of joint nonparametric estimation... | In this paper we propose a new method of joi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8845 | 8846 | An OpenCL(TM) Deep Learning Accelerator on Arr... | Convolutional neural nets (CNNs) have become... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8846 | 8847 | Two-channel conduction in YbPtBi | We investigated transport, magnetotransport,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8847 | 8848 | Cosmological constraints on scalar-tensor grav... | We present cosmological constraints on the s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8848 | 8849 | Extending Bayesian structural time-series esti... | Government agencies offer economic incentive... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8849 | 8850 | Absorption probabilities for Gaussian polytope... | The Gaussian polytope $\mathcal P_{n,d}$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8850 | 8851 | Modeling news spread as an SIR process over te... | News spread in internet media outlets can be... | 1 | 1 | 0 | 0 | 0 | 0 |
| 8851 | 8852 | Price dynamics on a risk-averse market with as... | A market with asymmetric information can be ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8852 | 8853 | Learning to Generalize: Meta-Learning for Doma... | Domain shift refers to the well known proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8853 | 8854 | Divide and Conquer: Recovering Contextual Info... | Android users are now suffering serious thre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8854 | 8855 | Homotopy Theoretic Classification of Symmetry ... | We classify a number of symmetry protected p... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8855 | 8856 | Automatic Renal Segmentation in DCE-MRI using ... | Kidney function evaluation using dynamic con... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8856 | 8857 | Self-adjoint approximations of degenerate Schr... | The problem of construction a quantum mechan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8857 | 8858 | Inelastic deformation during sill and laccolit... | Numerous geological observations evidence th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8858 | 8859 | On the magnetic shield for a Vlasov-Poisson pl... | We study the screening of a bounded body $\G... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8859 | 8860 | Judicious partitions of uniform hypergraphs | The vertices of any graph with $m$ edges may... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8860 | 8861 | Full and maximal squashed flat antichains of m... | A full squashed flat antichain (FSFA) in the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8861 | 8862 | On the phantom barrier crossing and the bounds... | In this paper we investigate the so called "... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8862 | 8863 | Detecting tropical defects of polynomial equat... | We introduce the notion of tropical defects,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8863 | 8864 | Wasserstein Variational Inference | This paper introduces Wasserstein variationa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8864 | 8865 | Comptage probabiliste sur la frontière de Furs... | Let $G$ be a real linear semisimple algebrai... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8865 | 8866 | Bures-Hall Ensemble: Spectral Densities and Av... | We consider an ensemble of random density ma... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8866 | 8867 | Electron and Nucleon Localization Functions of... | Fermion localization functions are used to d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8867 | 8868 | Constrained Bayesian Optimization with Noisy E... | Randomized experiments are the gold standard... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8868 | 8869 | On synthetic data with predetermined subject p... | A standard approach for assessing the perfor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8869 | 8870 | Multi-Agent Diverse Generative Adversarial Net... | We propose MAD-GAN, an intuitive generalizat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8870 | 8871 | Analysis of Extremely Obese Individuals Using ... | The aetiology of polygenic obesity is multif... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8871 | 8872 | Packet Throughput Analysis of Static and Dynam... | We develop an analytical framework for the p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8872 | 8873 | False Discovery Rate Control via Debiased Lasso | We consider the problem of variable selectio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8873 | 8874 | Relativistic Astronomy | The "Breakthrough Starshot" aims at sending ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8874 | 8875 | Connection between Fermi contours of zero-fiel... | We investigate the relation between the Ferm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8875 | 8876 | An instrumental intelligibility metric based o... | We propose a monaural intrusive instrumental... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8876 | 8877 | Scattering of kinks in a non-polynomial model | We study a model described by a single real ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8877 | 8878 | On the Specification of Constraints for Dynami... | In dynamic architectures, component activati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8878 | 8879 | Objectness Scoring and Detection Proposals in ... | Forward-looking sonar can capture high resol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8879 | 8880 | Rgtsvm: Support Vector Machines on a GPU in R | Rgtsvm provides a fast and flexible support ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8880 | 8881 | Geometric Bijections for Regular Matroids, Zon... | Let $M$ be a regular matroid. The Jacobian g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8881 | 8882 | Cross-Domain Recommendation for Cold-Start Use... | Collaborative Filtering (CF) is a widely ado... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8882 | 8883 | Deep Interest Network for Click-Through Rate P... | Click-through rate prediction is an essentia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8883 | 8884 | Nonlinear Dirac Cones | Physics arising from two-dimensional~(2D) Di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8884 | 8885 | Portfolio Optimization in Fractional and Rough... | We consider a fractional version of the Hest... | 0 | 0 | 0 | 0 | 0 | 1 |
| 8885 | 8886 | Vanishing in stable motivic homotopy sheaves | We determine systematic regions in which the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8886 | 8887 | Classifying Character Degree Graphs With 6 Ver... | We investigate prime character degree graphs... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8887 | 8888 | On the Table of Marks of a Direct Product of F... | We present a method for computing the table ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8888 | 8889 | An Adiabatic Decomposition of the Hodge Cohomo... | In this article we use the combinatorial and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8889 | 8890 | Search Intelligence: Deep Learning For Dominan... | Deep Neural Networks, and specifically fully... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8890 | 8891 | Grouped Convolutional Neural Networks for Mult... | Analyzing multivariate time series data is i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8891 | 8892 | A mathematical bridge between discretized gaug... | We describe a mathematical link between aspe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8892 | 8893 | Ten Simple Rules for Reproducible Research in ... | Reproducibility of computational studies is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8893 | 8894 | No-But-Semantic-Match: Computing Semantically ... | Users are rarely familiar with the content o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8894 | 8895 | Avalanches and Plastic Flow in Crystal Plastic... | Crystal plasticity is mediated through dislo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8895 | 8896 | Explicit expression for the stationary distrib... | For Brownian motion in a (two-dimensional) w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8896 | 8897 | A Data-Driven Framework for Assessing Cold Loa... | Cold load pick-up (CLPU) has been a critical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8897 | 8898 | On the topological complexity of aspherical sp... | The well-known theorem of Eilenberg and Gane... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8898 | 8899 | Computable Isomorphisms for Certain Classes of... | We investigate (2,1):1 structures, which con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8899 | 8900 | Tug-of-War: Observations on Unified Content Ha... | Modern applications and Operating Systems va... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8900 | 8901 | An Alternative to EM for Gaussian Mixture Mode... | We consider maximum likelihood estimation fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8901 | 8902 | The Coprime Quantum Chain | In this paper we introduce and study the cop... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8902 | 8903 | Inverse cascades and resonant triads in rotati... | Kraichnan seminal ideas on inverse cascades ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8903 | 8904 | Towards a Rigorous Methodology for Measuring A... | A proposal to improve routing security---Rou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8904 | 8905 | Half-quadratic transportation problems | We present a primal--dual memory efficient a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8905 | 8906 | Entanglement induced interactions in binary mi... | We establish a conceptual framework for the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8906 | 8907 | Conditional fiducial models | The fiducial is not unique in general, but w... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8907 | 8908 | Statistics students' identification of inferen... | Statistical thinking partially depends upon ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8908 | 8909 | Mask R-CNN | We present a conceptually simple, flexible, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8909 | 8910 | An overview of the marine food web in Icelandi... | Fishing activities have broad impacts that a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8910 | 8911 | Character tables and the problem of existence ... | Recently, the authors of the present work (t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8911 | 8912 | A bilevel approach for optimal contract pricin... | Distributed Generation (DG) units are increa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8912 | 8913 | Human-in-the-loop Artificial Intelligence | Little by little, newspapers are revealing t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8913 | 8914 | Increased adaptability to rapid environmental ... | The famous "two-fold cost of sex" is really ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8914 | 8915 | Searching edges in the overlap of two plane gr... | Consider a pair of plane straight-line graph... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8915 | 8916 | Themis-ml: A Fairness-aware Machine Learning I... | As more industries integrate machine learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8916 | 8917 | Supersymmetric field theories and geometric La... | This note announces results on the relations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8917 | 8918 | Non-dispersive conservative regularisation of ... | A new regularisation of the shallow water (a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8918 | 8919 | Some Identities associated with mock theta fun... | Recently, Andrews, Dixit and Yee defined two... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8919 | 8920 | Model order reduction for random nonlinear dyn... | We examine nonlinear dynamical systems of or... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8920 | 8921 | Monomial generators of complete planar ideals | We provide an algorithm that computes a set ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8921 | 8922 | Optimization of a SSP's Header Bidding Strateg... | Over the last decade, digital media (web or ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8922 | 8923 | Mixed Rademacher and BPS Black Holes | Dyonic 1/4-BPS states in Type IIB string the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8923 | 8924 | A generalization of the injectivity condition ... | We introduce a family of tensor network stat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8924 | 8925 | Limits to single photon transduction by a sing... | Single atoms form a model system for underst... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8925 | 8926 | Quantifying the Contributions of Training Data... | A verbal autopsy (VA) consists of a survey w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8926 | 8927 | Rydberg excitation of cold atoms inside a holl... | We report on a versatile, highly controllabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8927 | 8928 | Dynamics and evolution of planets in mean-moti... | In some planetary systems the orbital period... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8928 | 8929 | The Gain in the Field of Two Electromagnetic W... | We consider the motion of a nonrelativistic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8929 | 8930 | Periods and factors of weak model sets | There is a renewed interest in weak model se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8930 | 8931 | The Individual Impact Index ($i^3$) Statistic:... | Citation metrics are analytic measures used ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8931 | 8932 | Time-of-Flight Three Dimensional Neutron Diffr... | The physical properties of polycrystalline m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8932 | 8933 | Integrable $sl(\infty)$-modules and Category $... | We introduce and study new categories T(g,k)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8933 | 8934 | Island dynamics and anisotropy during vapor ph... | Using in situ grazing-incidence x-ray scatte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8934 | 8935 | Komlós-Major-Tusnády approximations to increme... | The well-known Komlós-Major-Tusnády inequali... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8935 | 8936 | Evaluating Gaussian Process Metamodels and Seq... | We consider the problem of learning the leve... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8936 | 8937 | MTBase: Optimizing Cross-Tenant Database Queries | In the last decade, many business applicatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8937 | 8938 | Mechanism Deduction from Noisy Chemical Reacti... | We introduce KiNetX, a fully automated meta-... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8938 | 8939 | Structural scale $q-$derivative and the LLG-Eq... | In the present contribution, we study the La... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8939 | 8940 | Analog Optical Computing by Half-Wavelength Slabs | A new approach to perform analog optical dif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8940 | 8941 | A Separation Principle for Control in the Age ... | We review the problem of defining and inferr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8941 | 8942 | Improving Neural Network Quantization using Ou... | Quantization can improve the execution laten... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8942 | 8943 | On some further properties and application of ... | In this paper, we provide some new results f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8943 | 8944 | Rejection of the principle of material frame i... | The principle of material frame indifference... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8944 | 8945 | Construction of flows of finite-dimensional al... | Recently, we introduced the notion of flow (... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8945 | 8946 | PdBI U/LIRG Survey (PULS): Dense Molecular Gas... | Aims. We present new IRAM Plateau de Bure In... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8946 | 8947 | The Dark Side(-Channel) of Mobile Devices: A S... | In recent years, mobile devices (e.g., smart... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8947 | 8948 | Non-Ergodic Delocalization in the Rosenzweig-P... | We consider the Rosenzweig-Porter model $H =... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8948 | 8949 | MUDA: A Truthful Multi-Unit Double-Auction Mec... | In a seminal paper, McAfee (1992) presented ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8949 | 8950 | Multi-variable LSTM neural network for autoreg... | In this paper, we propose multi-variable LST... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8950 | 8951 | Spectral Image Visualization Using Generative ... | Spectral images captured by satellites and r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8951 | 8952 | Simulations for 21 cm radiation lensing at EoR... | We introduce simulations aimed at assessing ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8952 | 8953 | Coverage characteristics of self-repelling ran... | A self-repelling random walk of a token on a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8953 | 8954 | Model Agnostic Time Series Analysis via Matrix... | We propose an algorithm to impute and foreca... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8954 | 8955 | Efficient motion planning for problems lacking... | We consider the motion-planning problem of p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8955 | 8956 | Bayesian Optimal Data Detector for mmWave OFDM... | Orthogonal frequency division multiplexing (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8956 | 8957 | A second-order stochastic maximum principle fo... | In this paper, we study the generalized mean... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8957 | 8958 | Representation of I(1) and I(2) autoregressive... | We extend the Granger-Johansen representatio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 8958 | 8959 | Constraining cosmology with the velocity funct... | The number density of field galaxies per rot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8959 | 8960 | On the coefficients of symmetric power $L$-fun... | We study the signs of the Fourier coefficien... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8960 | 8961 | Spin-resolved electronic structure of ferroele... | Germanium telluride features special spin-el... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8961 | 8962 | Recurrent Scene Parsing with Perspective Under... | Objects may appear at arbitrary scales in pe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8962 | 8963 | Child-sized 3D Printed igus Humanoid Open Plat... | The use of standard platforms in the field o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8963 | 8964 | Lower Bounds on the Complexity of Solving Two ... | This paper studies the complexity of solving... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8964 | 8965 | Orbital misalignment of the Neptune-mass exopl... | The angle between the spin of a star and its... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8965 | 8966 | Flux-flow and vortex-glass phase in iron pnict... | We analysed the flux-flow region of isofield... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8966 | 8967 | Word problems in Elliott monoids | Algorithmic issues concerning Elliott local ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8967 | 8968 | Improved lower bounds for the Mahler measure o... | We show that there is an absolute constant $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8968 | 8969 | Supervised Hashing based on Energy Minimization | Recently, supervised hashing methods have at... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8969 | 8970 | Sampled-Data Boundary Feedback Control of 1-D ... | The paper provides results for the applicati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 8970 | 8971 | Scalable Entity Resolution Using Probabilistic... | Accurate and efficient entity resolution is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8971 | 8972 | ac properties of short Josephson weak links | The admittance of two types of Josephson wea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8972 | 8973 | ProtoDash: Fast Interpretable Prototype Selection | In this paper we propose an efficient algori... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8973 | 8974 | Regional Multi-Armed Bandits | We consider a variant of the classic multi-a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8974 | 8975 | Determining stellar parameters of asteroseismi... | Asteroseismic parameters allow us to measure... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8975 | 8976 | Polarised target for Drell-Yan experiment in C... | In the polarised Drell-Yan experiment at the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8976 | 8977 | Spectral Mixture Kernels for Multi-Output Gaus... | Early approaches to multiple-output Gaussian... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8977 | 8978 | Supergravity and its Legacy | A personal recollection of events that prece... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8978 | 8979 | Manton's five vortex equations from self-duality | We demonstrate that the five vortex equation... | 0 | 1 | 1 | 0 | 0 | 0 |
| 8979 | 8980 | Deep Style Match for Complementary Recommendation | Humans develop a common sense of style compa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8980 | 8981 | SpectralLeader: Online Spectral Learning for S... | We study the problem of learning a latent va... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8981 | 8982 | Fractional Calculus and certain integrals of G... | We aim to introduce the generalized multiind... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8982 | 8983 | Tameness from two successive good frames | We show, assuming a mild set-theoretic hypot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8983 | 8984 | On the $\mathbf{\rmΨ}-$fractional integral and... | Motivated by the ${\rm \Psi}$-Riemann-Liouvi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8984 | 8985 | Detection and Characterization of Illegal Mark... | Illicit online pharmacies allow the purchase... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8985 | 8986 | First Hochschild cohomology group and stable e... | We use the dimension and the Lie algebra str... | 0 | 0 | 1 | 0 | 0 | 0 |
| 8986 | 8987 | When is a Convolutional Filter Easy To Learn? | We analyze the convergence of (stochastic) g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 8987 | 8988 | Robots as Powerful Allies for the Study of Emb... | A large body of compelling evidence has been... | 1 | 0 | 0 | 0 | 1 | 0 |
| 8988 | 8989 | Chiral magnetic textures in Ir/Fe/Co/Pt multil... | Skyrmions are topologically protected, two-d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8989 | 8990 | Conductance distribution in the magnetic field | Using a modification of the Shapiro scaling ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8990 | 8991 | Linear Convergence of An Iterative Phase Retri... | Phase retrieval has been an attractive but d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8991 | 8992 | Representing smooth functions as compositions ... | We show that any smooth bi-Lipschitz $h$ can... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8992 | 8993 | Bosonizing three-dimensional quiver gauge theo... | We start with the recently conjectured 3d bo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8993 | 8994 | Deep Learning for Sentiment Analysis : A Survey | Deep learning has emerged as a powerful mach... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8994 | 8995 | Utility Preserving Secure Private Data Release | Differential privacy mechanisms that also ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 8995 | 8996 | Towards colloidal spintronics through Rashba s... | Employing the spin degree of freedom of char... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8996 | 8997 | On the use and abuse of Price equation concept... | In biodiversity and ecosystem functioning (B... | 0 | 0 | 0 | 0 | 1 | 0 |
| 8997 | 8998 | A Data-Driven MHD Model of the Global Solar Co... | We have developed a data-driven magnetohydro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 8998 | 8999 | AXNet: ApproXimate computing using an end-to-e... | Neural network based approximate computing i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 8999 | 9000 | 500+ Times Faster Than Deep Learning (A Case S... | Deep learning methods are useful for high-di... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9000 | 9001 | A two-dimensional hexagonal sheet of TiO$_2$ | We report on the ab initio discovery of a no... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9001 | 9002 | Fast Markov Chain Monte Carlo Algorithms via L... | From basic considerations of the Lie group t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9002 | 9003 | On the (parameterized) complexity of recognizi... | An $(r, \ell)$-partition of a graph $G$ is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9003 | 9004 | Comments on avalanche flow models based on the... | In a series of papers, Bartelt and co-worker... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9004 | 9005 | Continuous Implicit Authentication for Mobile ... | As mobile devices have become indispensable ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9005 | 9006 | Ultracold heteronuclear three-body systems: Ho... | The mass-imbalanced three-body recombination... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9006 | 9007 | Variational Inference for Data-Efficient Model... | Partially observable Markov decision process... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9007 | 9008 | The ANAIS-112 experiment at the Canfranc Under... | The ANAIS experiment aims at the confirmatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9008 | 9009 | A non-ellipticity result, or the impossible ta... | The logarithmic strain measures $\lVert\log ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9009 | 9010 | Interpretable Neural Networks for Predicting M... | We present an interpretable neural network f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9010 | 9011 | Automatic Temperature Setpoint Tuning of a The... | This paper presents a new way to design a Fu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9011 | 9012 | A New Class of Integrals Involving Extended Hy... | Our purpose in this present paper is to inve... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9012 | 9013 | The Special Theory of Relativity as Applied to... | In two recent publications ( Int. J. Quant. ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9013 | 9014 | An efficient algorithm for finding all possibl... | Understanding structural controllability of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9014 | 9015 | Transformation thermal convection: Cloaking, c... | Heat can generally transfer via thermal cond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9015 | 9016 | Tunable terahertz reflection of graphene via i... | We report a highly efficient tunable THz ref... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9016 | 9017 | Second-Order Kernel Online Convex Optimization... | Kernel online convex optimization (KOCO) is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9017 | 9018 | On Corecursive Algebras for Functors Preservin... | For an endofunctor $H$ on a hyper-extensive ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9018 | 9019 | Semisimple characters for inner froms I: GL_n(D) | The article is about the representation theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9019 | 9020 | Quantum Memristors in Quantum Photonics | We propose a method to build quantum memrist... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9020 | 9021 | Spin dynamics and magnetic-field-induced polar... | The exciton spin dynamics are investigated b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9021 | 9022 | Resonant inelastic x-ray scattering probes the... | Resonant inelastic x-ray scattering at the N... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9022 | 9023 | Thermodynamic and kinetic fragility of Freon11... | We present a dynamic and thermodynamic study... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9023 | 9024 | Semi-supervised Feature Learning For Improving... | Data augmentation is usually used by supervi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9024 | 9025 | Error Bounds for Piecewise Smooth and Switchin... | The paper deals with regression problems, in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9025 | 9026 | Civil Asset Forfeiture: A Judicial Perspective | Civil Asset Forfeiture (CAF) is a longstandi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9026 | 9027 | Covariance-Insured Screening | Modern bio-technologies have produced a vast... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9027 | 9028 | Amari Functors and Dynamics in Gauge Structures | We deal with finite dimensional differentiab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9028 | 9029 | An Experimental Analysis of the Power Consumpt... | Nearly all previous work on small-footprint ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9029 | 9030 | Formal Geometric Quantization III, Functoriali... | In this paper, we prove a functorial aspect ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9030 | 9031 | Infinitesimal perturbation analysis for risk m... | When using risk or dependence measures based... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9031 | 9032 | Modeling and Analysis of Two-Way Relay Non-Ort... | A two-way relay non-orthogonal multiple acce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9032 | 9033 | Totally positive matrices and dilogarithm iden... | We show that two involutions on the variety ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9033 | 9034 | On the zeros of random harmonic polynomials: t... | Li and Wei (2009) studied the density of zer... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9034 | 9035 | Online deforestation detection | Deforestation detection using satellite imag... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9035 | 9036 | Analysis of Different Approaches of Parallel B... | Distributed Computation has been a recent tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9036 | 9037 | Preserving Order of Data When Validating Defec... | [Context] The use of defect prediction model... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9037 | 9038 | Graphettes: Constant-time determination of gra... | Graphlets are small connected induced subgra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9038 | 9039 | The toric sections: a simple introduction | We review, from a didactic point of view, th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9039 | 9040 | Quantum Field Theory, Quantum Geometry, and Qu... | We demonstrate how one can see quantization ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9040 | 9041 | Neural and Synaptic Array Transceiver: A Brain... | Embedded, continual learning for autonomous ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9041 | 9042 | Discrete Wavelet Transform Based Algorithm for... | This paper proposes the application of Discr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9042 | 9043 | Multipolar moments of weak lensing signal arou... | Context. Upcoming weak lensing surveys such ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9043 | 9044 | Charge and spin transport on graphene grain bo... | We study charge and spin transport along gra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9044 | 9045 | Point Cloud Movement For Fully Lagrangian Mesh... | In Lagrangian meshfree methods, the underlyi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9045 | 9046 | A fast ILP-based Heuristic for the robust desi... | We consider the problem of optimally designi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9046 | 9047 | Strain broadening of the 1042-nm zero-phonon l... | The negatively charged nitrogen-vacancy (NV-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9047 | 9048 | Learning Depthwise Separable Graph Convolution... | Convolution Neural Network (CNN) has gained ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9048 | 9049 | Candidate Hα emission and absorption line sour... | We present a catalogue of candidate H{\alpha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9049 | 9050 | Timely Updates over an Erasure Channel | Using an age of information (AoI) metric, we... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9050 | 9051 | Stellar Absorption Line Analysis of Local Star... | We analyze the optical continuum of star-for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9051 | 9052 | Stratification as a general variance reduction... | The Eigenvector Method for Umbrella Sampling... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9052 | 9053 | Adaptive MCMC via Combining Local Samplers | Markov chain Monte Carlo (MCMC) methods are ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9053 | 9054 | GAMBIT: The Global and Modular Beyond-the-Stan... | We describe the open-source global fitting p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9054 | 9055 | Odd holes in bull-free graphs | The complexity of testing whether a graph co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9055 | 9056 | Magnetic-Field-Induced Superconductivity in Ul... | It is well known that external magnetic fiel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9056 | 9057 | Unimodal Category and the Monotonicity Conjecture | We completely characterize the unimodal cate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9057 | 9058 | Holomorphic primary fields in free CFT4 and Ca... | Counting formulae for general primary fields... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9058 | 9059 | A Deep Generative Framework for Paraphrase Gen... | Paraphrase generation is an important proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9059 | 9060 | Stiff-response-induced instability for chemota... | Collective motion of chemotactic bacteria as... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9060 | 9061 | The Pfaffian state in an electron gas with sma... | Landau level mixing plays an important role ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9061 | 9062 | Three-Dimensional Numerical Modeling of Shear ... | Shear dilation based hydraulic stimulations ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9062 | 9063 | Decentralized DC MicroGrid Monitoring and Opti... | We treat the emerging power systems with dir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9063 | 9064 | AI4AI: Quantitative Methods for Classifying Ho... | Avian Influenza breakouts cause millions of ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 9064 | 9065 | Constructing tame supercuspidal representations | A new approach to Jiu-Kang Yu's construction... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9065 | 9066 | Cohomologies on hypercomplex manifolds | We review some cohomological aspects of comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9066 | 9067 | Automorphism groups of quandles and related gr... | In this paper we study different questions c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9067 | 9068 | Forward Amortized Inference for Likelihood-Fre... | In this paper, we introduce a new form of am... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9068 | 9069 | Beyond-CMOS Device Benchmarking for Boolean an... | The latest results of benchmarking research ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9069 | 9070 | Cosmology and Convention | I argue that some important elements of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9070 | 9071 | Kernel-estimated Nonparametric Overlap-Based S... | Standard clustering algorithms usually find ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9071 | 9072 | Goal-oriented Trajectories for Efficient Explo... | Exploration is a difficult challenge in rein... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9072 | 9073 | Adaptive Sampling Strategies for Stochastic Op... | In this paper, we propose a stochastic optim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9073 | 9074 | Explicit estimates for the distribution of num... | There is a large literature on the asymptoti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9074 | 9075 | Completely integrally closed Prufer $v$-multip... | We study the effects on $D$ of assuming that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9075 | 9076 | Masked Autoregressive Flow for Density Estimation | Autoregressive models are among the best per... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9076 | 9077 | Temperature-dependent optical properties of pl... | Due to their exceptional plasmonic propertie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9077 | 9078 | Succinct Partial Sums and Fenwick Trees | We consider the well-studied partial sums pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9078 | 9079 | Deep Morphing: Detecting bone structures in fl... | We propose approaches based on deep learning... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9079 | 9080 | Persistence Flamelets: multiscale Persistent H... | In recent years there has been noticeable in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9080 | 9081 | Effective modeling of ground penetrating radar... | We propose a new approach to model ground pe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9081 | 9082 | Crystallites in Color Glass Beads of the 19th ... | Glass corrosion is a crucial problem in keep... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9082 | 9083 | CO2 infrared emission as a diagnostic of plane... | [Abridged] The infrared ro-vibrational emiss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9083 | 9084 | Public Evidence from Secret Ballots | Elections seem simple---aren't they just cou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9084 | 9085 | Imprints of Zero-Age Velocity Dispersions and ... | Observations of stars in the the solar vicin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9085 | 9086 | Spatial Random Sampling: A Structure-Preservin... | Random column sampling is not guaranteed to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9086 | 9087 | Adiponitrile-LiTFSI solution as alkylcarbonate... | Recently, dinitriles (NC(CH2)nCN) and especi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9087 | 9088 | Sea of Lights: Practical Device-to-Device Secu... | Practical solutions to bootstrap security in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9088 | 9089 | On the correlation between a level of structur... | Proposed the computerized method for calcula... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9089 | 9090 | Schmidt's subspace theorem for moving hypersur... | It was discovered that there is a formal ana... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9090 | 9091 | HoNVis: Visualizing and Exploring Higher-Order... | Unlike the conventional first-order network ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9091 | 9092 | Direct observation of coupled geochemical and ... | The dissolution of porous media in a geologi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9092 | 9093 | Symplectic resolutions for Higgs moduli spaces | In this paper, we study the algebraic symple... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9093 | 9094 | Investigation of Defect Modes of Chiral Photon... | Some properties of defect modes of cholester... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9094 | 9095 | Crystal Growth of Cu6(Ge,Si)6O18.6H2O and Assi... | It is reported on growth of mm-sized single-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9095 | 9096 | Optical reconfiguration and polarization contr... | Controlling and confining light by exciting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9096 | 9097 | Some Repeated-Root Constacyclic Codes over Gal... | Codes over Galois rings have been studied ex... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9097 | 9098 | Statistical solutions and Onsager's conjecture | We prove a version of Onsager's conjecture o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9098 | 9099 | The sum of log-normal variates in geometric Br... | Geometric Brownian motion (GBM) is a key mod... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9099 | 9100 | Slow Spin Dynamics and Self-Sustained Clusters... | To identify emerging microscopic structures ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9100 | 9101 | Continuous Authentication of Smartphones Based... | An empirical investigation of active/continu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9101 | 9102 | On the Universality of Invariant Networks | Constraining linear layers in neural network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9102 | 9103 | Are Deep Policy Gradient Algorithms Truly Poli... | We study how the behavior of deep policy gra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9103 | 9104 | Achieving Privacy in the Adversarial Multi-Arm... | In this paper, we improve the previously bes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9104 | 9105 | Proximity Variational Inference | Variational inference is a powerful approach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9105 | 9106 | Mandarin tone modeling using recurrent neural ... | We propose an Encoder-Classifier framework t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9106 | 9107 | Shallow water models with constant vorticity | We modify the nonlinear shallow water equati... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9107 | 9108 | Tensor Balancing on Statistical Manifold | We solve tensor balancing, rescaling an Nth ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9108 | 9109 | Learning Unknown Markov Decision Processes: A ... | We consider the problem of learning an unkno... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9109 | 9110 | Models of Random Knots | The study of knots and links from a probabil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9110 | 9111 | Revival structures of coherent states for Xm e... | The revival structures for the X_m exception... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9111 | 9112 | Autonomous drone cinematographer: Using artist... | Autonomous aerial cinematography has the pot... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9112 | 9113 | Fifth order finite volume WENO in general orth... | High order reconstruction in the finite volu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9113 | 9114 | Traffic Minimizing Caching and Latent Variable... | Given a statistical model for the request fr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9114 | 9115 | Maximizing the information learned from finite... | We use the language of uninformative Bayesia... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9115 | 9116 | Aging Feynman-Kac Equation | Aging, the process of growing old or maturin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9116 | 9117 | Effective optimization using sample persistenc... | We present and apply a general-purpose, mult... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9117 | 9118 | BOOK: Storing Algorithm-Invariant Episodes for... | We introduce a novel method to train agents ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9118 | 9119 | A global scavenging and circulation ocean mode... | In this paper, we set forth a 3-D ocean mode... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9119 | 9120 | The Dynamic Geometry of Interaction Machine: A... | Girard's Geometry of Interaction (GoI), a se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9120 | 9121 | Classification of finite W-groups | We determine the structure of the W-group $\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9121 | 9122 | A Batch-Incremental Video Background Estimatio... | Principal component pursuit (PCP) is a state... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9122 | 9123 | Chromospheric Activity of HAT-P-11: an Unusual... | Kepler photometry of the hot Neptune host st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9123 | 9124 | Automated Detection of Serializability Violati... | While a number of weak consistency mechanism... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9124 | 9125 | Andreev reflection in 2D relativistic material... | The Andreev conductance across 2d normal met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9125 | 9126 | Multi-Task Learning for Contextual Bandits | Contextual bandits are a form of multi-armed... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9126 | 9127 | Admissible topologies on $C(Y,Z)$ and ${\cal O... | Let $Y$ and $Z$ be two given topological spa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9127 | 9128 | Weighted spherical means generated by generali... | We consider the spherical mean generated by ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9128 | 9129 | K-Means Clustering using Tabu Search with Quan... | The Tabu Search (TS) metaheuristic has been ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9129 | 9130 | In-silico Feedback Control of a MIMO Synthetic... | The synthetic toggle switch, first proposed ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9130 | 9131 | Holomorphic foliations tangent to Levi-flat su... | We study Segre varieties associated to Levi-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9131 | 9132 | Real-Time Panoramic Tracking for Event Cameras | Event cameras are a paradigm shift in camera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9132 | 9133 | Halo nonlinear reconstruction | We apply the nonlinear reconstruction method... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9133 | 9134 | Molecular semimetallic hydrogen | Establishing metallic hydrogen is a goal of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9134 | 9135 | Order-Sensitivity and Equivariance of Scoring ... | The relative performance of competing point ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9135 | 9136 | Light in Power: A General and Parameter-free A... | We present in this paper a generic and param... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9136 | 9137 | Developing a machine learning framework for es... | In this paper, we investigate the potential ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9137 | 9138 | Distilling a Neural Network Into a Soft Decisi... | Deep neural networks have proved to be a ver... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9138 | 9139 | A General Scheme Implicit Force Control for a ... | In this paper we propose an implicit force c... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9139 | 9140 | CNN-based MultiChannel End-to-End Speech Recog... | Casual conversations involving multiple spea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9140 | 9141 | Learning Task-Oriented Grasping for Tool Manip... | Tool manipulation is vital for facilitating ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9141 | 9142 | Classification of Minimal Separating Sets in L... | Consider a surface $S$ and let $M\subset S$.... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9142 | 9143 | A feasibility study on SSVEP-based interaction... | Non-invasive steady-state visual evoked pote... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9143 | 9144 | Intelligent User Interfaces - A Tutorial | IUIs aim to incorporate intelligent automate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9144 | 9145 | Graph Partitioning with Acyclicity Constraints | Graphs are widely used to model execution de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9145 | 9146 | Learning Sublinear-Time Indexing for Nearest N... | Most of the efficient sublinear-time indexin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9146 | 9147 | Lempel-Ziv Jaccard Distance, an Effective Alte... | Recent work has proposed the Lempel-Ziv Jacc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9147 | 9148 | Graded Steinberg algebras and their representa... | We study the category of left unital graded ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9148 | 9149 | Movement of time-delayed hot spots in Euclidea... | We consider the Cauchy problem for the dampe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9149 | 9150 | Hierarchical Attention-Based Recurrent Highway... | Time series prediction has been studied in a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9150 | 9151 | Mass distribution and skewness for passive sca... | We extend our previous results characterizin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9151 | 9152 | An Optics-Based Approach to Thermal Management... | For commercial one-sun solar modules, up to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9152 | 9153 | GOLDRUSH. II. Clustering of Galaxies at $z\sim... | We present clustering properties from 579,49... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9153 | 9154 | The Least-Area Tetrahedral Tile of Space | We prove the least-area, unit-volume, tetrah... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9154 | 9155 | Renormalization group theory for percolation i... | Motivated by multi-hop communication in unre... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9155 | 9156 | Spectral properties and breathing dynamics of ... | We investigate a few-body mixture of two bos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9156 | 9157 | Study of secondary neutron interactions with $... | The natural uranium assembly, "QUINTA", was ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9157 | 9158 | Short Proofs for Slow Consistency | Let $\operatorname{Con}(\mathbf T)\!\restric... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9158 | 9159 | Response to Comment on "Cell nuclei have lower... | In a recent study entitled "Cell nuclei have... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9159 | 9160 | On the composition of an arbitrary collection ... | The whole enterprise of spin compositions ca... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9160 | 9161 | Perceived Performance of Webpages In the Wild:... | Clearly, no one likes webpages with poor qua... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9161 | 9162 | Entanglement and exotic superfluidity in spin-... | We investigate the properties of entanglemen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9162 | 9163 | Informed Non-convex Robust Principal Component... | We revisit the problem of robust principal c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9163 | 9164 | A note on self orbit equivalences of Anosov fl... | We show that a self orbit equivalence of a t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9164 | 9165 | The Metallicity of the Intracluster Medium Ove... | We use Chandra X-ray data to measure the met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9165 | 9166 | Graphical Models: An Extension to Random Graph... | In this work, we consider an extension of gr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9166 | 9167 | Boundary Control method and De Branges spaces.... | In the framework of the application of the B... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9167 | 9168 | On the evolution of galaxy spin in a cosmologi... | The traditional view of the morphology-spin ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9168 | 9169 | Diagrammatic Approach to Multiphoton Scattering | We present a method to systematically study ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9169 | 9170 | Efficient Computation of Feedback Control for ... | A method is presented for solving the discre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9170 | 9171 | A Stochastic Large-scale Machine Learning Algo... | As the size of modern data sets exceeds the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9171 | 9172 | Unified Model of D-Term Inflation | Hybrid inflation, driven by a Fayet-Iliopoul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9172 | 9173 | Signal Recovery from Unlabeled Samples | In this paper, we study the recovery of a si... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9173 | 9174 | Piecewise linear generalized Alexander's theor... | We study piecewise linear co-dimension two e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9174 | 9175 | Sample complexity of population recovery | The problem of population recovery refers to... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9175 | 9176 | Asymptotic Exponentiality of the First Exit Ti... | We consider the first exit time of a Shiryae... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9176 | 9177 | Learning to Teach Reinforcement Learning Agents | In this article we study the transfer learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9177 | 9178 | Giant room-temperature barocaloric effects in ... | The barocaloric effect is still an incipient... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9178 | 9179 | $({\mathfrak{gl}}_M, {\mathfrak{gl}}_N)$-Duali... | We establish $({\mathfrak{gl}}_M, {\mathfrak... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9179 | 9180 | Dynamic coupling of a finite element solver to... | We propose a method for efficiently coupling... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9180 | 9181 | A study of periodograms standardized using tra... | When the noise affecting time series is colo... | 0 | 1 | 1 | 1 | 0 | 0 |
| 9181 | 9182 | An Efficient Deep Learning Technique for the N... | We present an efficient deep learning techni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9182 | 9183 | Accurate fast computation of steady two-dimens... | This paper describes an efficient algorithm ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9183 | 9184 | AutoWIG: Automatic Generation of Python Bindin... | Most of Python and R scientific packages inc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9184 | 9185 | Fate of Weyl semimetals in the presence of inc... | We investigate the effect of the incommensur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9185 | 9186 | Word equations in linear space | Word equations are an important problem on t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9186 | 9187 | Selective Strong Structural Minimum Cost Resil... | This paper addresses the problem of minimum ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9187 | 9188 | Maximum a Posteriori Policy Optimisation | We introduce a new algorithm for reinforceme... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9188 | 9189 | On Geodesic Completeness for Riemannian Metric... | The geometric approach to optimal transport ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9189 | 9190 | Hacker Combat: A Competitive Sport from Progra... | The history of humanhood has included compet... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9190 | 9191 | Providing Effective Real-time Feedback in Simu... | Virtual reality simulation is becoming popul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9191 | 9192 | Large-Scale Classification of Structured Objec... | This paper presents a novel deep learning ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9192 | 9193 | code2seq: Generating Sequences from Structured... | The ability to generate natural language seq... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9193 | 9194 | Learning Neural Parsers with Deterministic Dif... | We explore the problem of learning to decomp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9194 | 9195 | Dimension of the minimum set for the real and ... | We prove that the zero set of a nonnegative ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9195 | 9196 | Road Detection Technique Using Filters with Ap... | Autonomous driving systems are broadly used ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9196 | 9197 | Relativistic Spacecraft Propelled by Directed ... | Achieving relativistic flight to enable extr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9197 | 9198 | Outward Influence and Cascade Size Estimation ... | Estimating cascade size and nodes' influence... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9198 | 9199 | Estimation of a noisy subordinated Brownian Mo... | High frequency based estimation methods for ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9199 | 9200 | Mirror actuation design for the interferometer... | KAGRA is a 3-km cryogenic interferometric gr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9200 | 9201 | ZFIRE: The Evolution of the Stellar Mass Tully... | Using observations made with MOSFIRE on Keck... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9201 | 9202 | A new computational method for a model of C. e... | An organism's ability to move freely is a fu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9202 | 9203 | Word forms - not just their lengths- are optim... | The inverse relationship between the length ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9203 | 9204 | Human Understandable Explanation Extraction fo... | In recent years, a number of artificial inte... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9204 | 9205 | Generalization Bounds for Unsupervised Cross-D... | The recent empirical success of cross-domain... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9205 | 9206 | Quantum chaos in an electron-phonon bad metal | We calculate the scrambling rate $\lambda_L$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9206 | 9207 | Data-driven Optimal Transport Cost Selection f... | Recently, (Blanchet, Kang, and Murhy 2016) s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9207 | 9208 | Formally Secure Compilation of Unsafe Low-Leve... | We propose a new formal criterion for secure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9208 | 9209 | Detecting Potential Local Adversarial Examples... | Machine learning models are increasingly use... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9209 | 9210 | The formation of magnetic depletions and flux ... | The misalignment of the solar rotation axis ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9210 | 9211 | Optimization Based Methods for Partially Obser... | In this paper we consider filtering and smoo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9211 | 9212 | LongHCPulse: Long Pulse Heat Capacity on a Qua... | This paper presents LongHCPulse: software wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9212 | 9213 | Calculation of hyperfine structure constants o... | The Z-vector method in the relativistic coup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9213 | 9214 | Autoregressive Point-Processes as Latent State... | Modeling and interpreting spike train data i... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9214 | 9215 | Phase transitions of the dimerized Kane-Mele m... | The dimerized Kane-Mele model with/without t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9215 | 9216 | A Unified Approach to Interpreting Model Predi... | Understanding why a model makes a certain pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9216 | 9217 | Approximate Value Iteration for Risk-aware Mar... | We consider large-scale Markov decision proc... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9217 | 9218 | Dataflow Matrix Machines as a Model of Computa... | We overview dataflow matrix machines as a Tu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9218 | 9219 | Attention-based Vocabulary Selection for NMT D... | Neural Machine Translation (NMT) models usua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9219 | 9220 | Reconstruction by Calibration over Tensors for... | Purpose: To develop a rapid imaging framewor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9220 | 9221 | Spectral Sparsification of Simplicial Complexe... | As a generalization of the use of graphs to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9221 | 9222 | BHK mirror symmetry for K3 surfaces with non-s... | In this paper we consider the class of K3 su... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9222 | 9223 | Automatic Rule Extraction from Long Short Term... | Although deep learning models have proven ef... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9223 | 9224 | On the validity of parametric block correlatio... | We consider the set Bp of parametric block c... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9224 | 9225 | Two-dimensional off-lattice Boltzmann model fo... | We develop a two-dimensional Lattice Boltzma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9225 | 9226 | Minimal coloring number on minimal diagrams fo... | It was shown that any $\mathbb{Z}$-colorable... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9226 | 9227 | Automatic Gradient Boosting | Automatic machine learning performs predicti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9227 | 9228 | Speeding up Memory-based Collaborative Filteri... | Recommender systems play an important role i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9228 | 9229 | Spatio-temporal variations in the urban rhythm... | In the last decades, the notion that cities ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9229 | 9230 | Smith-Purcell Radiation | The simplest model of the magnetized infinit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9230 | 9231 | Dynamics of Bose-Einstein condensate with acco... | The system of dynamic equations for Bose-Ein... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9231 | 9232 | On the generalization of Erdős-Vincze's theore... | A polyellipse is a curve in the Euclidean pl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9232 | 9233 | Improved self-energy correction method for acc... | The LDA-1/2 method for self-energy correctio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9233 | 9234 | Magnetic domains in thin ferromagnetic films w... | We investigate the scaling of the ground sta... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9234 | 9235 | Learning a Robust Society of Tracking Parts | Object tracking is an essential task in comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9235 | 9236 | A direct proof of dimerization in a family of ... | We study the family of spin-S quantum spin c... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9236 | 9237 | An accelerated splitting algorithm for radio-i... | Next generation radio-interferometers, like ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9237 | 9238 | BaFe2(As1-xPx)2 (x = 0.22-0.42) thin films gro... | We optimized the substrate temperature (Ts) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9238 | 9239 | How does the accuracy of interatomic force con... | Solving Peierls-Boltzmann transport equation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9239 | 9240 | Mesh-to-raster based non-rigid registration of... | Region of interest (ROI) alignment in medica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9240 | 9241 | Vision-based Obstacle Removal System for Auton... | Over the past few years, the use of camera-e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9241 | 9242 | Polyatomic trilobite Rydberg molecules in a de... | Trilobites are exotic giant dimers with enor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9242 | 9243 | Does warm debris dust stem from asteroid belts? | Many debris discs reveal a two-component str... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9243 | 9244 | The Multiple Roots Phenomenon in Maximum Likel... | Multiple root estimation problems in statist... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9244 | 9245 | Group-like projections for locally compact qua... | Let $\mathbb{G}$ be a locally compact quantu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9245 | 9246 | Exciton-phonon interaction in the strong coupl... | The temperature-dependent optical response o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9246 | 9247 | Exact lowest-Landau-level solutions for vortex... | The Lowest Landau Level (LLL) equation emerg... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9247 | 9248 | Predicting Out-of-View Feature Points for Mode... | In this work we present a novel framework th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9248 | 9249 | A Simple PTAS for the Dual Bin Packing Problem... | Recently, Renault (2016) studied the dual bi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9249 | 9250 | Constructive Néron Desingularization of algebr... | An algorithmic proof of the General Néron De... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9250 | 9251 | List-Decodable Robust Mean Estimation and Lear... | We study the problem of list-decodable Gauss... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9251 | 9252 | Complexity Dichotomies for the Minimum F-Overl... | For a (possibly infinite) fixed family of gr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9252 | 9253 | Asymptotic behavior of 3-D stochastic primitiv... | Using a new and general method, we prove the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9253 | 9254 | Analytical Approach for Calculating Chemotaxis... | We consider the chemotaxis problem for a one... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9254 | 9255 | Copy the dynamics using a learning machine | Is it possible to generally construct a dyna... | 0 | 1 | 1 | 1 | 0 | 0 |
| 9255 | 9256 | Algebraic Bethe ansatz for the XXZ Heisenberg ... | The implementation of the algebraic Bethe an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9256 | 9257 | Using Programmable Graphene Channels as Weight... | A graphene-based spin-diffusive (GrSD) neura... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9257 | 9258 | Construction and Encoding of QC-LDPC Codes Usi... | Quasi-cyclic (QC) low-density parity-check (... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9258 | 9259 | Imaginary time, shredded propagator method for... | The GW method is a many-body approach capabl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9259 | 9260 | A time change strategy to model reporting dela... | This paper considers the problem of predicti... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9260 | 9261 | Solving Parameter Estimation Problems with Dis... | The solution of inverse problems in a variat... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9261 | 9262 | Induced and intrinsic Hashiguchi connections o... | We study the geometry of Finsler submanifold... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9262 | 9263 | Iterative PET Image Reconstruction Using Convo... | PET image reconstruction is challenging due ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9263 | 9264 | Wave-Shaped Round Functions and Primitive Groups | Round functions used as building blocks for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9264 | 9265 | Clean Floquet Time Crystals: Models and Realiz... | Time crystals, a phase showing spontaneous b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9265 | 9266 | Fractional Derivatives of Convex Lyapunov Func... | The paper is devoted to the development of c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9266 | 9267 | The role of tachysterol in vitamin D photosynt... | To investigate the role of tachysterol in th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9267 | 9268 | A Web of Hate: Tackling Hateful Speech in Onli... | Online social platforms are beset with hatef... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9268 | 9269 | Lacunary Eta-quotients Modulo Powers of Primes | An integral power series is called lacunary ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9269 | 9270 | An elementary approach to sofic groupoids | We describe sofic groupoids in elementary te... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9270 | 9271 | A New Combination of Message Passing Technique... | In this paper, we propose a new combined mes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9271 | 9272 | Modern Python at the Large Synoptic Survey Tel... | The LSST software systems make extensive use... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9272 | 9273 | Matrix Completion Methods for Causal Panel Dat... | In this paper we study methods for estimatin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9273 | 9274 | Singular surfaces of revolution with prescribe... | We give an explicit formula for singular sur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9274 | 9275 | A Possible Mechanism for Driving Oscillations ... | The $\kappa$-mechanism has been successful i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9275 | 9276 | Cubic Fields: A Primer | We classify all cubic extensions of any fiel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9276 | 9277 | The GBT Beam Shape at 109 GHz | With the installation of the Argus 16-pixel ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9277 | 9278 | Deep Latent Dirichlet Allocation with Topic-La... | It is challenging to develop stochastic grad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9278 | 9279 | Bridging Finite and Super Population Causal In... | There are two general views in causal analys... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9279 | 9280 | Deep Reinforcement Learning that Matters | In recent years, significant progress has be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9280 | 9281 | Testing Docker Performance for HPC Applications | The main goal for this article is to compare... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9281 | 9282 | Can Neural Machine Translation be Improved wit... | We present the first real-world application ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9282 | 9283 | A new concept multi-stage Zeeman decelerator: ... | We demonstrate the successful experimental i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9283 | 9284 | Adversarial Generation of Real-time Feedback w... | Simulation-based training (SBT) is gaining p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9284 | 9285 | Models of the strongly lensed quasar DES J0408... | We present gravitational lens models of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9285 | 9286 | Efficient Test-based Variable Selection for Hi... | Variable selection plays a fundamental role ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9286 | 9287 | Star Cluster Formation from Turbulent Clumps. ... | We investigate the formation and early evolu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9287 | 9288 | A deep learning architecture for temporal slee... | Sleep stage classification constitutes an im... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9288 | 9289 | An anti-incursion algorithm for unknown probab... | A gambler moves on the vertices $1, \ldots, ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9289 | 9290 | Virtual Breakpoints for x86/64 | Efficient, reliable trapping of execution in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9290 | 9291 | Accurate Multi-physics Numerical Analysis of P... | This paper studies mechanism of preconcentra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9291 | 9292 | Learning to Embed Words in Context for Syntact... | We present models for embedding words in the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9292 | 9293 | Modeling Impact of Human Errors on the Data Un... | Data storage systems and their availability ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9293 | 9294 | Gaussian and Sparse Processes Are Limits of Ge... | The theory of sparse stochastic processes of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9294 | 9295 | Survival time of Princess Kaguya in an air-tig... | Princess Kaguya is a heroine of a famous fol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9295 | 9296 | Descriptor System Tools (DSTOOLS) User's Guide | The Descriptor System Tools (DSTOOLS) is a c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9296 | 9297 | Laplacian Prior Variational Automatic Relevanc... | In the classic sparsity-driven problems, the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9297 | 9298 | Mitigating Confirmation Bias on Twitter by Rec... | In this work, we propose a content-based rec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9298 | 9299 | First-principles based Landau-Devonshire poten... | The work describes a first-principles-based ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9299 | 9300 | A topological characterization of the omega-li... | In [15], V. Jimenez and J. Llibre characteri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9300 | 9301 | A Decision Tree Based Approach Towards Adaptiv... | The adoption of the distributed paradigm has... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9301 | 9302 | A Tractable Approach to Dynamic Network Dimens... | Spatial distributions of other cell interfer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9302 | 9303 | Parametric uncertainty in complex environmenta... | In order to understand underlying processes ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9303 | 9304 | Prediction and Control with Temporal Segment M... | We introduce a method for learning the dynam... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9304 | 9305 | Artificial Intelligence and Statistics | Artificial intelligence (AI) is intrinsicall... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9305 | 9306 | Shortcut Sequence Tagging | Deep stacked RNNs are usually hard to train.... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9306 | 9307 | Distortions of the Cosmic Microwave Background... | By using N-body hydrodynamical cosmological ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9307 | 9308 | Improving brain computer interface performance... | One of the big restrictions in brain compute... | 0 | 0 | 0 | 1 | 1 | 0 |
| 9308 | 9309 | From Language to Programs: Bridging Reinforcem... | Our goal is to learn a semantic parser that ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9309 | 9310 | GeneGAN: Learning Object Transfiguration and A... | Object Transfiguration replaces an object in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9310 | 9311 | Flow-free Video Object Segmentation | Segmenting foreground object from a video is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9311 | 9312 | Finding Modes by Probabilistic Hypergraphs Shi... | In this paper, we develop a novel paradigm, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9312 | 9313 | Bounding the size of an almost-equidistant set... | A set of points in d-dimensional Euclidean s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9313 | 9314 | Equipping weak equivalences with algebraic str... | We investigate the extent to which the weak ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9314 | 9315 | An Experimental Study of the Treewidth of Real... | Treewidth is a parameter that measures how t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9315 | 9316 | A yield-cost tradeoff governs Escherichia coli... | Many microbial systems are known to actively... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9316 | 9317 | Towards a Unified Taxonomy of Biclustering Met... | Being an unsupervised machine learning and d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9317 | 9318 | Global center stable manifold for the defocusi... | In this paper we consider the defocusing ene... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9318 | 9319 | Real-time convolutional networks for sonar ima... | Deep Neural Networks have impressive classif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9319 | 9320 | Mathematics in Caging of Robotics | It is a crucial problem in robotics field to... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9320 | 9321 | Time Series Prediction for Graphs in Kernel an... | Graph models are relevant in many fields, su... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9321 | 9322 | Geometric comparison of phylogenetic trees wit... | The metric space of phylogenetic trees defin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9322 | 9323 | Automatic Detection of Cyberbullying in Social... | While social media offer great communication... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9323 | 9324 | Holographic Entanglement Entropy in Cyclic Cos... | We discuss a cyclic cosmology in which the v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9324 | 9325 | Adversarial Training for Disease Prediction fr... | Electronic health records (EHRs) have contri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9325 | 9326 | Hydrodynamic stability in the presence of a st... | We investigate the stability of a statistica... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9326 | 9327 | Asset Price Bubbles: An Option-based Indicator | We construct a statistical indicator for the... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9327 | 9328 | Interleaving and Gromov-Hausdorff distance | One of the central notions to emerge from th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9328 | 9329 | Attainable Knowledge | The article investigates an evidence-based s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9329 | 9330 | Linear complementarity problems on extended se... | In this paper, we study the linear complemen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9330 | 9331 | On the Bernstein-Von Mises Theorem for High Di... | We prove a Bernstein-von Mises theorem for a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9331 | 9332 | Dynamic Word Embeddings for Evolving Semantic ... | Word evolution refers to the changing meanin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9332 | 9333 | Constructing Words with High Distinct Square D... | Fraenkel and Simpson showed that the number ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9333 | 9334 | Annihilators of Koszul Homologies and Almost C... | In this article, we propound a question on t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9334 | 9335 | Analyzing Knowledge Transfer in Deep Q-Network... | We analyze how the knowledge to autonomously... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9335 | 9336 | From modelling of systems with constraints to ... | In this note we describe how some objects fr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9336 | 9337 | A Deeper Look at Experience Replay | Recently experience replay is widely used in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9337 | 9338 | Dirac operators with $W^{1,\infty}$-potential ... | We study the behavior of the spectrum of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9338 | 9339 | Tunable Superconducting Qubits with Flux-Indep... | We have studied the impact of low-frequency ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9339 | 9340 | Kulish-Sklyanin type models: integrability and... | We start with a Riemann-Hilbert problem (RHP... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9340 | 9341 | Takiff algebras with polynomial rings of symme... | Extending results of Rais-Tauvel, Macedo-Sav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9341 | 9342 | Can We Prove Time Protection? | Timing channels are a significant and growin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9342 | 9343 | On some Graphs with a Unique Perfect Matching | We show that deciding whether a given graph ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9343 | 9344 | Trade-Offs in Stochastic Event-Triggered Control | This paper studies the optimal output-feedba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9344 | 9345 | Third Harmonic THz Generation from Graphene in... | Graphene as a zero-bandgap two-dimensional s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9345 | 9346 | Taming the Signal-to-Noise Problem in Lattice ... | Path integrals describing quantum many-body ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9346 | 9347 | Description of radiation damage in diamond sen... | The BCML system is a beam monitoring device ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9347 | 9348 | Design and Analysis of Time-Invariant SC-LDPC ... | In this paper, we deal with time-invariant s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9348 | 9349 | Predicting Organic Reaction Outcomes with Weis... | The prediction of organic reaction outcomes ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9349 | 9350 | Legendre curves and singularities of a ruled s... | In this paper, Legendre curves on unit tange... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9350 | 9351 | Field-free nucleation of antivortices and gian... | Giant vortices with higher phase-winding tha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9351 | 9352 | Quantum criticality in photorefractive optics:... | We study vortex patterns in a prototype nonl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9352 | 9353 | Burn-In Demonstrations for Multi-Modal Imitati... | Recent work on imitation learning has genera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9353 | 9354 | Elliptic Determinantal Processes and Elliptic ... | We introduce seven families of stochastic sy... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9354 | 9355 | Searching for chemical signatures of brown dwa... | Recent studies have shown that close-in brow... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9355 | 9356 | The Klein Paradox: A New Treatment | The Dirac equation requires a treatment of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9356 | 9357 | What are the most important factors that influ... | In recent years, real estate industry has ca... | 0 | 0 | 0 | 1 | 0 | 1 |
| 9357 | 9358 | A Multi-Wavelength Analysis of Dust and Gas in... | We present new Atacama Large Millimeter/sub-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9358 | 9359 | Step bunching with both directions of the curr... | We report for the first time the observation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9359 | 9360 | Causal Bandits with Propagating Inference | Bandit is a framework for designing sequenti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9360 | 9361 | The 2D Tree Sliding Window Discrete Fourier Tr... | We present a new algorithm for the 2D Slidin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9361 | 9362 | Towards security defect prediction with AI | In this study, we investigate the limits of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9362 | 9363 | Pseudo-Recursal: Solving the Catastrophic Forg... | In general, neural networks are not currentl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9363 | 9364 | Multivariate Hadamard self-similarity: testing... | While scale invariance is commonly observed ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9364 | 9365 | Efficient barycentric point sampling on meshes | We present an easy-to-implement and efficien... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9365 | 9366 | Femtosecond Optical Superregular Breathers | Superregular (SR) breathers are nonlinear wa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9366 | 9367 | Diversity, Topology, and the Risk of Node Re-i... | Real network datasets provide significant be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9367 | 9368 | Braid group action and root vectors for the $q... | We define two algebra automorphisms $T_0$ an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9368 | 9369 | Underapproximation of Reach-Avoid Sets for Dis... | We examine Lagrangian techniques for computi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9369 | 9370 | A Domain-Specific Language and Editor for Para... | Domain-specific languages (DSLs) are of incr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9370 | 9371 | Manifold regularization based on Nystr{ö}m typ... | In this paper, we study the Nystr{ö}m type s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9371 | 9372 | Path integral molecular dynamics with surface ... | In this work, a novel ring polymer represent... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9372 | 9373 | The interplay of the collisionless nonlinear t... | The nonlinear thin-shell instability (NTSI) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9373 | 9374 | Multiple Scaled Contaminated Normal Distributi... | The multivariate contaminated normal (MCN) d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9374 | 9375 | The Galaxy-Halo Connection Over The Last 13.3 ... | We present new determinations of the stellar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9375 | 9376 | State of the art of Trust and Reputation Syste... | This article proposes in depth comparative s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9376 | 9377 | Placing your Coins on a Shelf | We consider the problem of packing a family ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9377 | 9378 | Randomized Rumor Spreading in Ad Hoc Networks ... | The randomized rumor spreading problem gener... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9378 | 9379 | A simple and efficient feedback control strate... | Due to severe mathematical modeling and cali... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9379 | 9380 | The interaction of Airy waves and solitons in ... | We employ the generic three-wave system, wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9380 | 9381 | A penalty criterion for score forecasting in s... | This note proposes a penalty criterion for a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9381 | 9382 | A robust RUV-testing procedure via gamma-diver... | Identification of differentially expressed g... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9382 | 9383 | On the Distribution, Model Selection Propertie... | We derive expressions for the finite-sample ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9383 | 9384 | Transductive Boltzmann Machines | We present transductive Boltzmann machines (... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9384 | 9385 | Human-Robot Trust Integrated Task Allocation a... | This paper presents a human-robot trust inte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9385 | 9386 | A five-decision testing procedure to infer on ... | A statistical test can be seen as a procedur... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9386 | 9387 | PubMed 200k RCT: a Dataset for Sequential Sent... | We present PubMed 200k RCT, a new dataset ba... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9387 | 9388 | Convergence radius of perturbative Lindblad dr... | We address the problem of analyzing the radi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9388 | 9389 | A 2D metamaterial with auxetic out-of-plane be... | Customarily, in-plane auxeticity and synclas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9389 | 9390 | Isolated Loops in Quantum Feedback Networks | A scheme making use of an isolated feedback ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9390 | 9391 | Distance-based Depths for Directional Data | Directional data are constrained to lie on t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9391 | 9392 | Two-dimensional Schrödinger symmetry and three... | Bose-Einstein condensates (BECs) confined in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9392 | 9393 | Groupoid of morphisms of groupoids | In this paper we construct two groupoids fro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9393 | 9394 | Spin alignment of stars in old open clusters | Stellar clusters form by gravitational colla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9394 | 9395 | Global well-posedness of critical surface quas... | In this paper we prove global well-posedness... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9395 | 9396 | On the Limitation of Local Intrinsic Dimension... | Understanding and characterizing the subspac... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9396 | 9397 | A properly embedded holomorphic disc in the ba... | In this paper we construct a properly embedd... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9397 | 9398 | Kähler differential algebras for 0-dimensional... | Given a 0-dimensional scheme in a projective... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9398 | 9399 | Benchmarks and reliable DFT results for spin-c... | DFT is used throughout nanoscience, especial... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9399 | 9400 | The Road to Success: Assessing the Fate of Lin... | We investigate the birth and diffusion of le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9400 | 9401 | Enumeration of Graphs and the Characteristic P... | We give a complete formula for the character... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9401 | 9402 | On the Scientific Value of Large-scale Testbed... | Large-scale wireless testbeds have been setu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9402 | 9403 | Brain Damage and Motor Cortex Impairment in Ch... | Nonrapid eye movement (NREM) sleep desaturat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9403 | 9404 | FPT-algorithms for The Shortest Lattice Vector... | In this paper, we present FPT-algorithms for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9404 | 9405 | A dynamic graph-cuts method with integrated mu... | Purpose: To improve kidney segmentation in c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9405 | 9406 | Natural Scales in Geographical Patterns | Human mobility is known to be distributed ac... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9406 | 9407 | Drawing materials studied by THz spectroscopy | THz time-domain spectroscopy in transmission... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9407 | 9408 | A feasibility study for predicting optimal rad... | With the advancement of treatment modalities... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9408 | 9409 | Single-molecule imaging of DNA gyrase activity... | Bacterial DNA gyrase introduces negative sup... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9409 | 9410 | Shedding Light on Black Box Machine Learning A... | From self-driving vehicles and back-flipping... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9410 | 9411 | Click-based porous cationic polymers for enhan... | Imidazolium based porous cationic polymers w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9411 | 9412 | Oscillons in the presence of external potential | We discuss similarity between oscillons and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9412 | 9413 | Dynamical Tides in Highly Eccentric Binaries: ... | Highly eccentric binary systems appear in ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9413 | 9414 | Calabi-Yau threefolds fibred by high rank latt... | We study threefolds fibred by K3 surfaces ad... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9414 | 9415 | Lipschitz perturbations of Morse-Smale semigroups | In this paper we will deal with Lipschitz co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9415 | 9416 | Semi-Supervised Learning for Detecting Human T... | Human trafficking is one of the most atrocio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9416 | 9417 | Einstein's 1935 papers: EPR=ER? | In May of 1935, Einstein published with two ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9417 | 9418 | An overview of process model quality literatur... | The rising interest in the construction and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9418 | 9419 | Convergence rates of least squares regression ... | We study the performance of the Least Square... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9419 | 9420 | Some properties of nested Kriging predictors | Kriging is a widely employed technique, in p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9420 | 9421 | Optimal Transport on Discrete Domains | Inspired by the matching of supply to demand... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9421 | 9422 | High-Resolution Altitude Profiles of the Atmos... | With the prospect of the next generation of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9422 | 9423 | Spice up Your Chat: The Intentions and Sentime... | Emojis, as a new way of conveying nonverbal ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9423 | 9424 | Self-shielding of hydrogen in the IGM during t... | We investigate self-shielding of intergalact... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9424 | 9425 | Universal Conditional Machine | We propose a single neural probabilistic mod... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9425 | 9426 | A hybrid isogeometric approach on multi-patche... | We present a systematic study on higher-orde... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9426 | 9427 | Circumstellar discs: What will be next? | This prospective chapter gives our view on t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9427 | 9428 | Algorithmic Verification of Linearizability fo... | For a nonlinear ordinary differential equati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9428 | 9429 | Space weather challenges of the polar cap iono... | This paper presents research on polar cap io... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9429 | 9430 | Unconventional Large Linear Magnetoresistance ... | We report a large linear magnetoresistance i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9430 | 9431 | Which Distribution Distances are Sublinearly T... | Given samples from an unknown distribution $... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9431 | 9432 | Hund's coupling driven photo-carrier relaxatio... | We study the relaxation dynamics of photo-ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9432 | 9433 | A Connection between Feed-Forward Neural Netwo... | Two of the most popular modelling paradigms ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9433 | 9434 | On the digital representation of smooth numbers | Let $b \ge 2$ be an integer. Among other res... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9434 | 9435 | On Constraint Qualifications of a Nonconvex In... | In this paper, we study constraint qualifica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9435 | 9436 | A Framework for Dynamic Stability Analysis of ... | We propose a framework employing stochastic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9436 | 9437 | Confidence interval for correlation estimator ... | Kimura and Yoshida treated a model in which ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9437 | 9438 | Novel event classification based on spectral a... | Liquid scintillators are a common choice for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9438 | 9439 | Symmetric Riemannian problem on the group of p... | We consider the Lie group PSL(2) (the group ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9439 | 9440 | Heterogeneous Supervision for Relation Extract... | Relation extraction is a fundamental task in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9440 | 9441 | Variational integrators for anelastic and pseu... | The anelastic and pseudo-incompressible equa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9441 | 9442 | The reparameterization trick for acquisition f... | Bayesian optimization is a sample-efficient ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9442 | 9443 | Multi-model ensembles for ecosystem prediction | When making predictions about ecosystems, we... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9443 | 9444 | Nonlinear atomic vibrations and structural pha... | We consider longitudinal nonlinear atomic vi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9444 | 9445 | Homotopy classes of gauge fields and the lattice | For a smooth manifold $M$, possibly with bou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9445 | 9446 | Classical System of Martin-Lof's Inductive Def... | A cyclic proof system, called CLKID-omega, g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9446 | 9447 | Factorization and non-factorization theorems f... | Let $\theta$ be an inner function on the uni... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9447 | 9448 | Adaptively Detecting Malicious Queries in Web ... | Web request query strings (queries), which p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9448 | 9449 | Derivatives pricing using signature payoffs | We introduce signature payoffs, a family of ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9449 | 9450 | ALMA constraints on star-forming gas in a prot... | We present deep ALMA CO(5-4) observations of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9450 | 9451 | Data-driven framework for real-time thermosphe... | In this paper, we demonstrate a new data-dri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9451 | 9452 | Synergies between Asteroseismology and Three-d... | Turbulent mixing of chemical elements by con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9452 | 9453 | A polyharmonic Maass form of depth 3/2 for SL_... | Duke, Imamoglu, and Toth constructed a polyh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9453 | 9454 | Systems of cubic forms in many variables | We consider a system of $R$ cubic forms in $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9454 | 9455 | Nitrogen-doped Nanoporous Carbon Membranes Fun... | Self-supported electrocatalysts being genera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9455 | 9456 | Cyber-Physical Systems Security -- A Survey | With the exponential growth of cyber-physica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9456 | 9457 | WebPol: Fine-grained Information Flow Policies... | In the standard web browser programming mode... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9457 | 9458 | Large Sample Asymptotics of the Pseudo-Margina... | The pseudo-marginal algorithm is a variant o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9458 | 9459 | Large-time behavior of solutions to Vlasov-Poi... | The present contribution investigates the dy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9459 | 9460 | Towards Adaptive Resilience in High Performanc... | Failure rates in high performance computers ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9460 | 9461 | Discrete Sequential Prediction of Continuous A... | It has long been assumed that high dimension... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9461 | 9462 | Sampling Errors in Nested Sampling Parameter E... | Sampling errors in nested sampling parameter... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9462 | 9463 | Towards a Generic Diver-Following Algorithm: B... | This paper explores the design and developme... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9463 | 9464 | Blockchain: A Graph Primer | Bitcoin and its underlying technology Blockc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9464 | 9465 | Comparison of forcing functions in magnetohydr... | Results are presented of direct numerical si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9465 | 9466 | Chance-Constrained AC Optimal Power Flow Integ... | The integration of large-scale renewable gen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9466 | 9467 | A Scalable, Linear-Time Dynamic Cutoff Algorit... | Recent results on supercomputers show that b... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9467 | 9468 | Spiral arms and disc stability in the Andromed... | Aims: Density waves are often considered as ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9468 | 9469 | Anomalous Brownian motion via linear Fokker-Pl... | According to a traditional point of view Bol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9469 | 9470 | An RKHS model for variable selection in functi... | A mathematical model for variable selection ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9470 | 9471 | Dual-LED-based multichannel microscopy for who... | We report the development of a multichannel ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9471 | 9472 | Revisiting the quest for a universal log-law a... | The trinity of so-called "canonical" wall-bo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9472 | 9473 | Teaching robots to imitate a human with no on-... | In this paper, we consider the problem of le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9473 | 9474 | Control and Observability Aspects of Phase Syn... | This paper addresses important control and o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9474 | 9475 | Dynamic density structure factor of a unitary ... | We present a theoretical investigation of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9475 | 9476 | Surjunctivity and topological rigidity of alge... | Let $X$ be a compact metrizable group and $\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9476 | 9477 | High Resilience Diverse Domain Multilevel Audi... | A novel diverse domain (DCT-SVD & DWT-SVD) w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9477 | 9478 | Multiprocessor Approximate Message Passing wit... | Solving a large-scale regularized linear inv... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9478 | 9479 | Qualitative robustness for bootstrap approxima... | An important property of statistical estimat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9479 | 9480 | On Asymptotic Properties of Hyperparameter Est... | The kernel-based regularization method has t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9480 | 9481 | SECS: Efficient Deep Stream Processing via Cla... | Despite that accelerating convolutional neur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9481 | 9482 | Implementation of infinite-range exterior comp... | We present a numerical implementation of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9482 | 9483 | A consistent measure of the merger histories o... | We use a large sample of $\sim 350,000$ gala... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9483 | 9484 | EE-Grad: Exploration and Exploitation for Cost... | We present a generic framework for trading o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9484 | 9485 | Test of special relativity using a fiber netwo... | Phase compensated optical fiber links enable... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9485 | 9486 | Magnetic phases of spin-1 lattice gases with r... | A spin-1 atomic gas in an optical lattice, i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9486 | 9487 | On the second boundary value problem for Monge... | In this paper, we prove the existence of cla... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9487 | 9488 | Is the kinetic equation for turbulent gas-part... | This paper is about well-posedness and reali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9488 | 9489 | On the construction of small subsets containin... | In this note we construct a series of small ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9489 | 9490 | Information Potential Auto-Encoders | In this paper, we suggest a framework to mak... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9490 | 9491 | Irreducible compositions of degree two polynom... | Let $q$ be an odd prime power and $D$ be the... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9491 | 9492 | Quantum interferometry in multi-mode systems | We consider the situation when the signal pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9492 | 9493 | Glider representations of chains of semisimple... | We start the study of glider representations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9493 | 9494 | Equilibrium configurations of large nanostruct... | An \emph{ab initio} Langevin dynamics approa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9494 | 9495 | Born to Learn: the Inspiration, Progress, and ... | Biological plastic neural networks are syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9495 | 9496 | Hypergraph Convolution and Hypergraph Attention | Recently, graph neural networks have attract... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9496 | 9497 | Network Capacity Bound for Personalized PageRa... | In a former paper the concept of Bipartite P... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9497 | 9498 | Hessian corrections to Hybrid Monte Carlo | A method for the introduction of second-orde... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9498 | 9499 | Are Over-massive Haloes of Ultra Diffuse Galax... | A sample of Coma cluster ultra-diffuse galax... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9499 | 9500 | Magnetic-Visual Sensor Fusion-based Dense 3D R... | Reliable and real-time 3D reconstruction and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9500 | 9501 | Algebraic laminations for free products and ar... | This work is the first step towards a descri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9501 | 9502 | Real-Time Recovery Efficiencies and Performanc... | We present the transient source detection ef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9502 | 9503 | Spatial Risk Measure for Max-Stable and Max-Mi... | In this paper, we consider isotropic and sta... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9503 | 9504 | Scale invariant transfer matrices and Hamiltio... | Given a direct system of Hilbert spaces $s\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9504 | 9505 | Visual-Based Analysis of Classification Measur... | With a plethora of available classification ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9505 | 9506 | Flow Fields: Dense Correspondence Fields for H... | Modern large displacement optical flow algor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9506 | 9507 | Critical current density and vortex pinning me... | We grew Lix(NH3)yFe2Te1.2Se0.8 single crysta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9507 | 9508 | Pseudopotential for Many-Electron Atoms and Ions | Electron-electron correlation forms the basi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9508 | 9509 | Secular Orbit Evolution in Systems with a Stro... | We present a semi-analytical correction to t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9509 | 9510 | Reliable counting of weakly labeled concepts b... | Making an informed, correct and quick decisi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9510 | 9511 | On the stability and applications of distance-... | This paper investigates the stability of dis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9511 | 9512 | Space-time domain solutions of the wave equati... | The general space-time evolution of the scat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9512 | 9513 | Constrained Least Squares for Extended Complex... | For subspace estimation with an unknown colo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9513 | 9514 | Generalized $k$-core pruning process on direct... | The resilience of a complex interconnected s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9514 | 9515 | Benchmarks for single-phase flow in fractured ... | This paper presents several test cases inten... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9515 | 9516 | On the "Calligraphy" of Books | Authorship attribution is a natural language... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9516 | 9517 | Voice Conversion from Unaligned Corpora using ... | Building a voice conversion (VC) system from... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9517 | 9518 | Calidad en repositorios digitales en Argentina... | Numerous institutions and organizations need... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9518 | 9519 | Time-triggering versus event-triggering contro... | Time-triggered and event-triggered control s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9519 | 9520 | Lower spectral radius and spectral mapping the... | We study Lipschitz, positively homogeneous a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9520 | 9521 | SHINE: Signed Heterogeneous Information Networ... | In online social networks people often expre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9521 | 9522 | Eliminating Field Quantifiers in Strongly Depe... | We prove elimination of field quantifiers fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9522 | 9523 | A study of existing Ontologies in the IoT-domain | Several domains have adopted the increasing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9523 | 9524 | Dynamic Advisor-Based Ensemble (dynABE): Case ... | The demand for metals by modern technology h... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9524 | 9525 | High-Speed Demodulation of weak FBGs Based on ... | A high speed quasi-distributed demodulation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9525 | 9526 | Destructive Impact of Molecular Noise on Nanos... | We study the loss of coherence of electroche... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9526 | 9527 | A new method for recognising Suzuki groups | We present a new algorithm for constructive ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9527 | 9528 | Pure $Σ_2$-Elementarity beyond the Core | We display the entire structure ${\cal R}_2$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9528 | 9529 | Parsimonious Inference on Convolutional Neural... | A new, radical CNN design approach is presen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9529 | 9530 | Betweenness and Diversity in Journal Citation ... | Journals were central to Eugene Garfield's r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9530 | 9531 | Non-Markovian Control with Gated End-to-End Me... | Partially observable environments present an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9531 | 9532 | A likely detection of a local interplanetary d... | Context. We are creating the AKARI mid-infra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9532 | 9533 | Kepler red-clump stars in the field and in ope... | Convective mixing in Helium-core-burning (He... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9533 | 9534 | Balanced Excitation and Inhibition are Require... | Neurons and networks in the cerebral cortex ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 9534 | 9535 | On the coherent emission of radio frequency ra... | Extended Air Showers produced by cosmic rays... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9535 | 9536 | La falacia del empate técnico electoral | It is argued that the concept of "technical ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9536 | 9537 | Unexpected 3+ valence of iron in FeO$_2$, a ge... | Recent discovery of pyrite FeO$_2$, which ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9537 | 9538 | Towards Smart Proof Search for Isabelle | Despite the recent progress in automatic the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9538 | 9539 | A Nearly Instance Optimal Algorithm for Top-k ... | We study the active learning problem of top-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9539 | 9540 | Inverse problem on conservation laws | The first concise formulation of the inverse... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9540 | 9541 | Slow to fast infinitely extended reservoirs fo... | We consider an exclusion process with long j... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9541 | 9542 | Multi-Dimensional Conservation Laws and Integr... | In this paper we introduce a new property of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9542 | 9543 | Fibers in the NGC1333 proto-cluster | Are the initial conditions for clustered sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9543 | 9544 | Exploiting Friction in Torque Controlled Human... | A common architecture for torque controlled ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9544 | 9545 | What caused what? A quantitative account of ac... | Actual causation is concerned with the quest... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9545 | 9546 | Gaussian One-Armed Bandit and Optimization of ... | We consider the minimax setup for Gaussian o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9546 | 9547 | Machine Learning with World Knowledge: The Pos... | Machine learning has become pervasive in mul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9547 | 9548 | The Case for Learned Index Structures | Indexes are models: a B-Tree-Index can be se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9548 | 9549 | Radiation reaction for spinning bodies in effe... | We compute the leading Post-Newtonian (PN) c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9549 | 9550 | Incremental control and guidance of hybrid air... | Hybrid unmanned aircraft, that combine hover... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9550 | 9551 | Micromechanics based framework with second-ord... | The harmonic product of tensors---leading to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9551 | 9552 | Towards formal models and languages for verifi... | Incorrect operations of a Multi-Robot System... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9552 | 9553 | On the Complexity of Simple and Optimal Determ... | We show that the Revenue-Optimal Determinist... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9553 | 9554 | Further constraints on variations in the IMF f... | We present constraints on variations in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9554 | 9555 | Black holes in vector-tensor theories | We study static and spherically symmetric bl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9555 | 9556 | Proving the existence of loops in robot trajec... | This paper presents a reliable method to ver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9556 | 9557 | The clock of chemical evolution | Chemical evolution is essential in understan... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9557 | 9558 | Fast readout algorithm for cylindrical beam po... | A simple, analytically correct algorithm is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9558 | 9559 | Approximation Algorithms for Independence and ... | A graph $G$ is called B$_k$-VPG (resp., B$_k... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9559 | 9560 | Phonon-mediated repulsion, sharp transitions a... | We study two identical fermions, or two hard... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9560 | 9561 | Group Synchronization on Grids | Group synchronization requires to estimate u... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9561 | 9562 | An energy-based analysis of reduced-order mode... | Stability of power networks is an increasing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9562 | 9563 | Binary Evolution and the Progenitor of SN 1987A | Since the majority of massive stars are memb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9563 | 9564 | A Generative Model for Dynamic Networks with A... | Networks observed in real world like social ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9564 | 9565 | Algorithmic Chaining and the Role of Partial F... | We investigate contextual online learning wi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9565 | 9566 | A hybrid primal heuristic for Robust Multiperi... | We investigate the Robust Multiperiod Networ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9566 | 9567 | Real-world Multi-object, Multi-grasp Detection | A deep learning architecture is proposed to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9567 | 9568 | Fault Tolerance of Random Graphs with respect ... | The fault tolerance of random graphs with un... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9568 | 9569 | Belief Propagation, Bethe Approximation and Po... | Factor graphs are important models for succi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9569 | 9570 | Combining the Ensemble and Franck-Condon Appro... | The correct treatment of vibronic effects is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9570 | 9571 | Personalized Dialogue Generation with Diversif... | Endowing a dialogue system with particular p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9571 | 9572 | Hyperelliptic Jacobians and isogenies | Motivated by results of Mestre and Voisin, i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9572 | 9573 | Signal and Noise Statistics Oblivious Sparse R... | Orthogonal matching pursuit (OMP) and orthog... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9573 | 9574 | Experimenting with the p4est library for AMR s... | Many physical problems involve spatial and t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9574 | 9575 | Lifting CDCL to Template-based Abstract Domain... | The success of Conflict Driven Clause Learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9575 | 9576 | Binary Voting with Delegable Proxy: An Analysi... | The paper provides an analysis of the voting... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9576 | 9577 | Exact description of coalescing eigenstates in... | At the exceptional point where two eigenstat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9577 | 9578 | The maximum number of cycles in a graph with f... | The main topic considered is maximizing the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9578 | 9579 | Structural Nonrealism and Quantum Information | The article introduces a new concept of stru... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9579 | 9580 | Robotics CTF (RCTF), a playground for robot ha... | Robots state of insecurity is onstage. There... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9580 | 9581 | Effects of transmutation elements in tungsten ... | Tungsten (W) is widely considered as the mos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9581 | 9582 | A playful note on spanning and surplus edges | Consider a (not necessarily near-critical) r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9582 | 9583 | Logo Synthesis and Manipulation with Clustered... | Designing a logo for a new brand is a length... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9583 | 9584 | Multi-view Supervision for Single-view Reconst... | We study the notion of consistency between a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9584 | 9585 | Efficient Rank Minimization via Solving Non-co... | Rank minimization (RM) is a wildly investiga... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9585 | 9586 | Almost Buchsbaumness of some rings arising fro... | We study properties of the Stanley-Reisner r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9586 | 9587 | Dynamically controlled plasmonic nano-antenna ... | We propose and analyze theoretically an appr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9587 | 9588 | Comparing deep neural networks against humans:... | Human visual object recognition is typically... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9588 | 9589 | Quantum critical response: from conformal pert... | We discuss dynamical response functions near... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9589 | 9590 | Testing High-dimensional Covariance Matrices u... | We study testing high-dimensional covariance... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9590 | 9591 | Work Analysis with Resource-Aware Session Types | While there exist several successful techniq... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9591 | 9592 | Seven dimensional cohomogeneity one manifolds ... | We show that a certain family of cohomogenei... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9592 | 9593 | Optimal Rates of Sketched-regularized Algorith... | We investigate regularized algorithms combin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9593 | 9594 | The scaling properties and the multiple deriva... | In this paper, we study the scaling properti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9594 | 9595 | Knockoffs for the mass: new feature importance... | An important problem in machine learning and... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9595 | 9596 | Phase boundaries in alternating field quantum ... | We report all phases and corresponding criti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9596 | 9597 | Descent of equivalences and character bijections | Categorical equivalences between block algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9597 | 9598 | A function field analogue of the Rasmussen-Tam... | In the arithmetic of function fields, Drinfe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9598 | 9599 | Malware Detection Using Dynamic Birthmarks | In this paper, we explore the effectiveness ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9599 | 9600 | Semi-analytical approximations to statistical ... | This note is concerned with accurate and com... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9600 | 9601 | Morphology of PbTe crystal surface sputtered b... | We have investigated morphology of the later... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9601 | 9602 | Indefinite Integrals of Spherical Bessel Funct... | Highly oscillatory integrals, such as those ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9602 | 9603 | Proceedings 14th International Workshop on the... | This volume contains the proceedings of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9603 | 9604 | Mean Field Stochastic Games with Binary Action... | This paper considers mean field games in a m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9604 | 9605 | Heterogeneous Cellular Networks with LoS and N... | We develop a framework for downlink heteroge... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9605 | 9606 | Gould's Belt: Local Large Scale Structure in t... | Gould's Belt is a flat local system composed... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9606 | 9607 | Learning with Correntropy-induced Losses for R... | In recent years, correntropy and its applica... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9607 | 9608 | The Suppression and Promotion of Magnetic Flux... | Evidence of surface magnetism is now observe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9608 | 9609 | Opportunistic Content Delivery in Fading Broad... | We consider content delivery over fading bro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9609 | 9610 | Conservation Laws With Random and Deterministi... | The dynamics of nonlinear conservation laws ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9610 | 9611 | Theoretical study of HfF$^+$ cation to search ... | The combined all-electron and two-step appro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9611 | 9612 | Adaptive Information Gathering via Imitation L... | In the adaptive information gathering proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9612 | 9613 | Demonstration of dispersive rarefaction shocks... | We report an experimental and numerical demo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9613 | 9614 | Gaussian Process Regression for Arctic Coastal... | Arctic coastal morphology is governed by mul... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9614 | 9615 | Calibration for Stratified Classification Models | In classification problems, sampling bias be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9615 | 9616 | Two classes of fast-declining type Ia supernovae | Fast-declining Type Ia supernovae (SN Ia) se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9616 | 9617 | What Sets the Radial Locations of Warm Debris ... | The architectures of debris disks encode the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9617 | 9618 | Nonlinear Modulational Instability of Dispersi... | We prove nonlinear modulational instability ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9618 | 9619 | Unsupervised Learning of Disentangled Represen... | We present a new model DrNET that learns dis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9619 | 9620 | Control of Ultracold Photodissociation with Ma... | Photodissociation of a molecule produces a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9620 | 9621 | JointGAN: Multi-Domain Joint Distribution Lear... | A new generative adversarial network is deve... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9621 | 9622 | A lightweight MapReduce framework for secure p... | MapReduce is a programming model used extens... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9622 | 9623 | Formation of wide-orbit gas giants near the st... | We have investigated the formation of a circ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9623 | 9624 | Frank-Wolfe Optimization for Symmetric-NMF und... | Symmetric nonnegative matrix factorization h... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9624 | 9625 | A Fourier Disparity Layer representation for L... | In this paper, we present a new Light Field ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9625 | 9626 | Narrating Networks | Networks have become the de facto diagram of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9626 | 9627 | Policy Evaluation and Optimization with Contin... | We study the problem of policy evaluation an... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9627 | 9628 | Geometry of Factored Nuclear Norm Regularization | This work investigates the geometry of a non... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9628 | 9629 | Effect of Scrape-Off-Layer Current on Reconstr... | Methods are described that extend fields fro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9629 | 9630 | Holomorphy of Osborn loops | Let $(L,\cdot)$ be any loop and let $A(L)$ b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9630 | 9631 | A Multi-Objective Learning to re-Rank Approach... | Multi-objective recommender systems address ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9631 | 9632 | Interactive Discovery System for Direct Democracy | Decide Madrid is the civic technology of Mad... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9632 | 9633 | Deep Learning to Attend to Risk in ICU | Modeling physiological time-series in ICU is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9633 | 9634 | Steklov problem on differential forms | In this paper we study spectral properties o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9634 | 9635 | Constraining a dark matter and dark energy int... | In this work we have used the recent cosmic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9635 | 9636 | Comprehensive evaluation of statistical speech... | Statistical TTS systems that directly predic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9636 | 9637 | Component response rate variation drives stabi... | The stability of a complex system generally ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9637 | 9638 | Time-resolved ultrafast x-ray scattering from ... | Time-resolved ultrafast x-ray scattering fro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9638 | 9639 | Calculation of the critical overdensity in the... | Critical overdensity $\delta_c$ is a key con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9639 | 9640 | Point distributions in compact metric spaces, II | We consider finite point subsets (distributi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9640 | 9641 | A Variational Projection Scheme for Nonmatchin... | This paper is concerned with the partitioned... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9641 | 9642 | The Hubble Catalog of Variables | The Hubble Catalog of Variables (HCV) is a 3... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9642 | 9643 | A Loop-Based Methodology for Reducing Computat... | The design of general purpose processors rel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9643 | 9644 | Multi-View Surveillance Video Summarization vi... | Most traditional video summarization methods... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9644 | 9645 | A Logical Approach to Cloud Federation | Federated clouds raise a variety of challeng... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9645 | 9646 | Deep Affordance-grounded Sensorimotor Object R... | It is well-established by cognitive neurosci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9646 | 9647 | Liquid crystal induced elasto-capillary suppre... | Drying of colloidal droplets on solid, rigid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9647 | 9648 | Autonomous Reactive Mission Scheduling and Tas... | An Autonomous Underwater Vehicle (AUV) shoul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9648 | 9649 | Stealth Attacks on the Smart Grid | Random attacks that jointly minimize the amo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9649 | 9650 | Gradual Tuning: a better way of Fine Tuning th... | In this paper we present an alternative stra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9650 | 9651 | Bayesian power-spectrum inference with foregro... | This work presents a joint and self-consiste... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9651 | 9652 | 3-Lie bialgebras and 3-Lie classical Yang-Baxt... | In this paper, we give some low-dimensional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9652 | 9653 | Adaptive pixel-super-resolved lensfree hologra... | High-resolution wide field-of-view (FOV) mic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9653 | 9654 | Attend to You: Personalized Image Captioning w... | We address personalization issues of image c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9654 | 9655 | Hardness of almost embedding simplicial comple... | A map $f\colon K\to \mathbb R^d$ of a simpli... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9655 | 9656 | Asymmetry of short-term control of spatio-temp... | Optimization of energy cost determines avera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9656 | 9657 | Edge N-Level Sparse Visibility Graphs: Fast Op... | In the Any-Angle Pathfinding problem, the go... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9657 | 9658 | Model-Free Renewable Scenario Generation Using... | Scenario generation is an important step in ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9658 | 9659 | Higher-genus quasimap wall-crossing via locali... | We give a new proof of Ciocan-Fontanine and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9659 | 9660 | Uncertainty in Cyber Security Investments | When undertaking cyber security risk assessm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9660 | 9661 | ELT Linear Algebra II | This paper is a continuation of [arXiv:1603.... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9661 | 9662 | Inner-Scene Similarities as a Contextual Cue f... | Using image context is an effective approach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9662 | 9663 | Time-dependent spectral renormalization method | The spectral renormalization method was intr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9663 | 9664 | Cloth Manipulation Using Random-Forest-Based I... | We present a novel approach for robust manip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9664 | 9665 | Probabilistic Reduced-Order Modeling for Stoch... | We discuss a Bayesian formulation to coarse-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9665 | 9666 | A practical guide to the simultaneous determin... | Accurate protein structural ensembles can be... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9666 | 9667 | Propensity score prediction for electronic hea... | The optimal learner for prediction modeling ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9667 | 9668 | Transmission spectroscopy of the hot Jupiter T... | Context. Transit events of extrasolar planet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9668 | 9669 | Multi-Objective Approaches to Markov Decision ... | Markov decision processes (MDPs) are a popul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9669 | 9670 | Certificates for triangular equivalence and ra... | In this paper, we give novel certificates fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9670 | 9671 | TF Boosted Trees: A scalable TensorFlow based ... | TF Boosted Trees (TFBT) is a new open-source... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9671 | 9672 | Circuit Treewidth, Sentential Decision, and Qu... | The evaluation of a query over a probabilist... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9672 | 9673 | Improvements in the Small Sample Efficiency of... | This paper considers the problem of inliers ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9673 | 9674 | Homogeneous Kobayashi-hyperbolic manifolds wit... | We determine all connected homogeneous Kobay... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9674 | 9675 | Centroidal localization game | One important problem in a network is to loc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9675 | 9676 | Improving the Burgess bound via Polya-Vinogradov | We show that even mild improvements of the P... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9676 | 9677 | Processes accompanying stimulated recombinatio... | The phenomenon of polarization of nuclei in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9677 | 9678 | The Complexity of Factors of Multivariate Poly... | The existence of string functions, which are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9678 | 9679 | Chatbots as Conversational Recommender Systems... | In this paper, we outline the vision of chat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9679 | 9680 | An estimate of the first non-zero eigenvalue o... | We define the distance between edges of grap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9680 | 9681 | A Deep Reinforcement Learning Chatbot | We present MILABOT: a deep reinforcement lea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9681 | 9682 | Stochastic Optimal Power Flow Based on Data-Dr... | We propose a data-driven method to solve a s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9682 | 9683 | Deep Learning for Real-Time Crime Forecasting ... | Real-time crime forecasting is important. Ho... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9683 | 9684 | Thermal Modeling of Comet-Like Objects from AK... | We investigated the physical properties of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9684 | 9685 | Improvement to the Prediction of Fuel Cost Dis... | Availability of a validated, realistic fuel ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9685 | 9686 | Timed Discrete-Event Systems are Synchronous P... | In this work, we show that the model of time... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9686 | 9687 | Maturation Trajectories of Cortical Resting-St... | The functional significance of resting state... | 0 | 0 | 0 | 1 | 1 | 0 |
| 9687 | 9688 | High-power closed-cycle $^4$He cryostat with t... | We report on the development of a versatile ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9688 | 9689 | A new proof of Kirchberg's $\mathcal O_2$-stab... | I present a new proof of Kirchberg's $\mathc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9689 | 9690 | Scaling evidence of the homothetic nature of c... | In this paper we analyse the profile of land... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9690 | 9691 | Subconvex bounds for Hecke-Maass forms on comp... | Let $H$ be a semisimple algebraic group, $K$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9691 | 9692 | Studying Positive Speech on Twitter | We present results of empirical studies on p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9692 | 9693 | Geostatistical inference in the presence of ge... | In almost any geostatistical analysis, one o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9693 | 9694 | Large sample analysis of the median heuristic | In kernel methods, the median heuristic has ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9694 | 9695 | Divergence Framework for EEG based Multiclass ... | Similar to most of the real world data, the ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 9695 | 9696 | Accelerated Stochastic Power Iteration | Principal component analysis (PCA) is one of... | 1 | 0 | 1 | 1 | 0 | 0 |
| 9696 | 9697 | Generalized phase mixing: Turbulence-like beha... | We present the results of three-dimensional ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9697 | 9698 | Discovering Bayesian Market Views for Intellig... | Along with the advance of opinion mining tec... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9698 | 9699 | Bayesian Static Parameter Estimation for Parti... | In this article we consider static Bayesian ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9699 | 9700 | EigenNetworks | In many applications, the interdependencies ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9700 | 9701 | Alliance formation with exclusion in the spati... | Detecting defection and alarming partners ab... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9701 | 9702 | Fast and In Sync: Periodic Swarm Patterns for ... | This paper aims to design quadrotor swarm pe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9702 | 9703 | Nonparametric estimation of locally stationary... | In this paper we consider multivariate Hawke... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9703 | 9704 | Comparison of Flow Scheduling Policies for Mix... | Datacenters are the main infrastructure on t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9704 | 9705 | Getting around the Halting Problem | The Halting Theorem establishes that there i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9705 | 9706 | Molecular Beam Epitaxy Growth of [CrGe/MnGe/Fe... | Skyrmions are localized magnetic spin textur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9706 | 9707 | A comparative study of different exchange-corr... | Fe$_{2}$VAl and Fe$_{2}$TiSn are full Heusle... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9707 | 9708 | On a problem of Pillai with Fibonacci numbers ... | In this paper, we find all integers c having... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9708 | 9709 | Evidence from web-based dietary search pattern... | Profound vitamin B12 deficiency is a known c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9709 | 9710 | Non-Uniform Attacks Against Pseudoentropy | De, Trevisan and Tulsiani [CRYPTO 2010] show... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9710 | 9711 | The Swift/BAT AGN Spectroscopic Survey (BASS) ... | We study the observed relation between accre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9711 | 9712 | Hashing over Predicted Future Frames for Infor... | In deep reinforcement learning (RL) tasks, a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9712 | 9713 | The infrared to X-ray correlation spectra of u... | We use new X-ray data obtained with the Nucl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9713 | 9714 | Quantum ensembles of quantum classifiers | Quantum machine learning witnesses an increa... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9714 | 9715 | Recurrent Additive Networks | We introduce recurrent additive networks (RA... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9715 | 9716 | Nematic phase with colossal magnetoresistance ... | The origin of colossal magnetoresistance (CM... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9716 | 9717 | The generalized optical memory effect | The optical memory effect is a well-known ty... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9717 | 9718 | Geometry of Policy Improvement | We investigate the geometry of optimal memor... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9718 | 9719 | Modelling and characterization of a pneumatica... | There is an emerging class of microfluidic b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9719 | 9720 | Semi-algebraic triangulation over p-adically c... | We prove a triangulation theorem for semi-al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9720 | 9721 | Improving the Performance of OTDOA based Posit... | In this paper, we consider positioning with\... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9721 | 9722 | OGLE-2015-BLG-1459L: The Challenges of Exo-Moo... | We show that dense OGLE and KMTNet $I$-band ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9722 | 9723 | Particle-flow reconstruction and global event ... | The CMS apparatus was identified, a few year... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9723 | 9724 | Discontinuity-Sensitive Optimal Control Learni... | This paper proposes a discontinuity-sensitiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9724 | 9725 | Ergodicity analysis and antithetic integral co... | Delays are an important phenomenon arising i... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9725 | 9726 | The three-dimensional standard solution to the... | It came to my attention after posting this p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9726 | 9727 | Dynamic classifier chains for multi-label lear... | In this paper, we deal with the task of buil... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9727 | 9728 | Big Data Regression Using Tree Based Segmentation | Scaling regression to large datasets is a co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9728 | 9729 | Real-time Road Traffic Information Detection T... | In current study, a mechanism to extract tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9729 | 9730 | The stable Picard group of $\mathcal{A}(2)$ | Using a form of descent in the stable catego... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9730 | 9731 | Understanding kernel size in blind deconvolution | Most blind deconvolution methods usually pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9731 | 9732 | Sample and Computationally Efficient Learning ... | We provide new results for noise-tolerant an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9732 | 9733 | Connectivity Properties of Factorization Poset... | We consider three notions of connectivity an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9733 | 9734 | Boundary-sum irreducible finite order corks | We prove for any positive integer $n$ there ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9734 | 9735 | Deep Learning as a Mixed Convex-Combinatorial ... | As neural networks grow deeper and wider, le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9735 | 9736 | A Data-Driven Approach for Predicting Vegetati... | This paper presents a novel data-driven appr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9736 | 9737 | Structural subnetwork evolution across the lif... | The impact of developmental and aging proces... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9737 | 9738 | No Silk Road for Online Gamers!: Using Social ... | Online game involves a very large number of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9738 | 9739 | Parameter-dependent Stochastic Optimal Control... | We prove a general existence result in stoch... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9739 | 9740 | VINS-Mono: A Robust and Versatile Monocular Vi... | A monocular visual-inertial system (VINS), c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9740 | 9741 | Equation of State Effects on Gravitational Wav... | Gravitational waves (GWs) generated by axisy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9741 | 9742 | Quantum and thermal fluctuations in a Raman sp... | We theoretically study a three-dimensional w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9742 | 9743 | San Pedro Meeting on Wide Field Variability Su... | This is a written version of the closing tal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9743 | 9744 | Weighted Community Detection and Data Clusteri... | Grouping objects into clusters based on simi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9744 | 9745 | Edge Control of Graphene Domains Grown on Hexa... | Edge structure of graphene has a significant... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9745 | 9746 | On MASAs in $q$-deformed von Neumann algebras | We study certain $q$-deformed analogues of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9746 | 9747 | A note on computing range space bases of ratio... | We discuss computational procedures based on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9747 | 9748 | Directed-Loop Quantum Monte Carlo Method for R... | The directed-loop quantum Monte Carlo method... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9748 | 9749 | Towards CNN map representation and compression... | This paper presents a study on the use of Co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9749 | 9750 | Connecting Weighted Automata and Recurrent Neu... | In this paper, we unravel a fundamental conn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9750 | 9751 | Evaluating Predictive Models of Student Succes... | Model evaluation -- the process of making in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9751 | 9752 | A vertex and edge deletion game on graphs | Starting with a graph, two players take turn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9752 | 9753 | Determinants of cyclization-decyclization kine... | Cyclization of DNA with sticky ends is commo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9753 | 9754 | Remark on a theorem of H. Hauser on textile maps | We give a counter example to the new theorem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9754 | 9755 | Faster and Simpler Distributed Algorithms for ... | In this paper we present distributed testing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9755 | 9756 | Reflexive Regular Equivalence for Bipartite Data | Bipartite data is common in data engineering... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9756 | 9757 | Structural and magnetic properties of core-she... | We present a systematic study of core-shell ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9757 | 9758 | Boron-doped diamond | Boron-doped diamond undergoes an insulator-m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9758 | 9759 | The kinematics of the white dwarf population f... | We use the Sloan Digital Sky Survey Data Rel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9759 | 9760 | Geometric tracking control of thrust vectoring... | In this paper a geometric approach to the tr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9760 | 9761 | Two scenarios of advective washing-out of loca... | The effect of spatial localization of states... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9761 | 9762 | Neural Models for Key Phrase Detection and Que... | We propose a two-stage neural model to tackl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9762 | 9763 | Radio Tomography for Roadside Surveillance | Radio tomographic imaging (RTI) has recently... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9763 | 9764 | But How Does It Work in Theory? Linear SVM wit... | We prove that, under low noise assumptions, ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9764 | 9765 | Adaptive Bayesian nonparametric regression usi... | We propose a kernel mixture of polynomials p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9765 | 9766 | Follow Me at the Edge: Mobility-Aware Dynamic ... | Mobile edge computing is a new computing par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9766 | 9767 | Assessing student's achievement gap between et... | Achievement gaps refer to the difference in ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9767 | 9768 | SONS: The JCMT legacy survey of debris discs i... | Debris discs are evidence of the ongoing des... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9768 | 9769 | Visual Search at eBay | In this paper, we propose a novel end-to-end... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9769 | 9770 | Isomorphism and classification for countable s... | We introduce a topology on the space of all ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9770 | 9771 | Complex Networks Unveiling Spatial Patterns in... | Numerical and experimental turbulence simula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9771 | 9772 | Convexity in scientific collaboration networks | Convexity in a network (graph) has been rece... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9772 | 9773 | Contact Localization through Spatially Overlap... | Achieving high spatial resolution in contact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9773 | 9774 | On the Parallel Parameterized Complexity of th... | In this paper, we study the parallel and the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9774 | 9775 | Direct measurement of superdiffusive and subdi... | The study of energy transport properties in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9775 | 9776 | Reading the Sky and The Spiral of Teaching and... | This theoretical paper introduces a new way ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9776 | 9777 | Emergence of grid-like representations by trai... | Decades of research on the neural code under... | 0 | 0 | 0 | 1 | 1 | 0 |
| 9777 | 9778 | Random walks on the discrete affine group | We introduce the discrete affine group of a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9778 | 9779 | Spectroscopic evidence of odd frequency superc... | Spin filter superconducting S/I/N tunnel jun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9779 | 9780 | Double spend races | We correct the double spend race analysis gi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9780 | 9781 | An Asymptotic Analysis of Queues with Delayed ... | Understanding how delayed information impact... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9781 | 9782 | Effect of mixed pinning landscapes produced by... | We report the influence of crystalline defec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9782 | 9783 | Merge or Not? Learning to Group Faces via Imit... | Given a large number of unlabeled face image... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9783 | 9784 | Entropic Causality and Greedy Minimum Entropy ... | We study the problem of identifying the caus... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9784 | 9785 | When few survive to tell the tale: thymus and ... | Unlike other organs, the thymus and gonads g... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9785 | 9786 | SfMLearner++: Learning Monocular Depth & Ego-M... | Most geometric approaches to monocular Visua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9786 | 9787 | Approximate Bayesian inference as a gauge theory | In a published paper [Sengupta, 2016], we ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9787 | 9788 | DROPWAT: an Invisible Network Flow Watermark f... | Watermarking techniques have been proposed d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9788 | 9789 | Outage Analysis of Offloading in Heterogeneous... | Small cells deployment is one of the most si... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9789 | 9790 | StackGAN++: Realistic Image Synthesis with Sta... | Although Generative Adversarial Networks (GA... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9790 | 9791 | Towards Secure and Safe Appified Automated Veh... | The advancement in Autonomous Vehicles (AVs)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9791 | 9792 | Equidimensional adic eigenvarieties for groups... | We extend Urban's construction of eigenvarie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9792 | 9793 | Latent Association Mining in Binary Data | We consider the problem of identifying group... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9793 | 9794 | The Supernova -- Supernova Remnant Connection | Many aspects of the progenitor systems, envi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9794 | 9795 | DSVO: Direct Stereo Visual Odometry | This paper proposes a novel approach to ster... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9795 | 9796 | Urban Analytics: Multiplexed and Dynamic Commu... | In the past decade, cities have experienced ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9796 | 9797 | A quantum phase transition induced by a micros... | Quantum phase transitions are sudden changes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9797 | 9798 | Asymptotic Goodness-of-Fit Tests for Point Pro... | We study sequences of scaled edge-corrected ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9798 | 9799 | Effects of Arrival Type and Degree of Saturati... | Purpose of this study is evaluation of the r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9799 | 9800 | Sourcerer's Apprentice and the study of code s... | On the worldwide web, not only are webpages ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9800 | 9801 | "I can assure you [$\ldots$] that it's going t... | As technology become more advanced, those wh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9801 | 9802 | Study of Electro-Caloric Effect in Ca and Sn c... | The present work deals with the study of str... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9802 | 9803 | Motivic Measures through Waldhausen K-Theories | In this paper we introduce the notion of a $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9803 | 9804 | A Brief Introduction to Machine Learning for E... | This monograph aims at providing an introduc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9804 | 9805 | The Development of Microfluidic Systems within... | D. Jed Harrison is a full professor at the D... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9805 | 9806 | Landau phonon-roton theory revisited for super... | Liquid helium and spin-1/2 cold-atom Fermi g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9806 | 9807 | Counting points on hyperelliptic curves with e... | We present a probabilistic Las Vegas algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9807 | 9808 | Minimal surfaces and Schwarz lemma | We prove a sharp Schwarz type inequality for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9808 | 9809 | Estimating activity cycles with probabilistic ... | Period estimation is one of the central topi... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9809 | 9810 | Mean Actor Critic | We propose a new algorithm, Mean Actor-Criti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9810 | 9811 | HAWC Observations Strongly Favor Pulsar Interp... | Recent measurements of the Geminga and B0656... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9811 | 9812 | Borrowing Treasures from the Wealthy: Deep Tra... | Deep neural networks require a large amount ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9812 | 9813 | The Convex Feasible Set Algorithm for Real Tim... | With the development of robotics, there are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9813 | 9814 | Continuous-Time Visual-Inertial Odometry for E... | Event cameras are bio-inspired vision sensor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9814 | 9815 | Reconstructing a $f(R)$ theory from the $α$-At... | We show an analogy at high curvature between... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9815 | 9816 | Systems of ergodic BSDE arising in regime swit... | We introduce and solve a new type of quadrat... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9816 | 9817 | Extraction and Classification of Diving Clips ... | Due to recent advances in technology, the re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9817 | 9818 | The inertial Jacquet-Langlands correspondence | We give a parametrization of the simple Bern... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9818 | 9819 | Universal geometric constraints during epithel... | As an injury heals, an embryo develops, or a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9819 | 9820 | Semi-independent resampling for particle filte... | Among Sequential Monte Carlo (SMC) methods,S... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9820 | 9821 | Free Information Flow Benefits Truth Seeking | How can we approach the truth in a society? ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 9821 | 9822 | Towards a Holistic Approach to Designing Theor... | Increasing evidence has shown that theory-ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9822 | 9823 | Connections between transport of intensity equ... | In a recent publication [Appl. Opt. 55, 2418... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9823 | 9824 | On approximations of Value at Risk and Expecte... | We derive new approximations for the Value a... | 0 | 0 | 0 | 0 | 0 | 1 |
| 9824 | 9825 | DeepDiff: Deep-learning for predicting Differe... | Computational methods that predict different... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9825 | 9826 | t-SNE-CUDA: GPU-Accelerated t-SNE and its Appl... | Modern datasets and models are notoriously d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9826 | 9827 | Coma Cluster Ultra-Diffuse Galaxies Are Not St... | Matching members in the Coma cluster catalog... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9827 | 9828 | LD-SDS: Towards an Expressive Spoken Dialogue ... | In this work we discuss the related challeng... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9828 | 9829 | On a spiked model for large volatility matrix ... | Recently, inference about high-dimensional i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9829 | 9830 | Graph-based Features for Automatic Online Abus... | While online communities have become increas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9830 | 9831 | All Classical Adversary Methods are Equivalent... | We show that all known classical adversary l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9831 | 9832 | A new approach for short-spacing correction of... | The short-spacing problem describes the inhe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9832 | 9833 | Data and uncertainty in extreme risks - a nonl... | Estimation of tail quantities, such as expec... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9833 | 9834 | Flow equations for cold Bose gases | We derive flow equations for cold atomic gas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9834 | 9835 | Fluid flows shaping organism morphology | A dynamic self-organized morphology is the h... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9835 | 9836 | Frames of exponentials and sub-multitiles in L... | In this note we investigate the existence of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9836 | 9837 | Exponential Random Graph Models with Big Netwo... | With the growth of interest in network data ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9837 | 9838 | Critical behavior of a stochastic anisotropic ... | In this paper we present our study on the cr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9838 | 9839 | Probability, Statistics and Planet Earth, I: G... | The study of covariances (or positive defini... | 0 | 1 | 0 | 1 | 0 | 0 |
| 9839 | 9840 | Gang-GC: Locality-aware Parallel Data Placemen... | Many cloud applications rely on fast and non... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9840 | 9841 | Good cyclic codes and the uncertainty principle | A long standing problem in the area of error... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9841 | 9842 | An Amateur Drone Surveillance System Based on ... | Drones, also known as mini-unmanned aerial v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9842 | 9843 | Two-species boson mixture on a ring: A group t... | We investigate the weak excitations of a sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9843 | 9844 | On a simple model of X_0(N) | We find plane models for all $X_0(N)$, $N\ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9844 | 9845 | A Supervised STDP-based Training Algorithm for... | Neural networks have shown great potential i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9845 | 9846 | Optimal Topology Design for Disturbance Minimi... | The transient response of power grids to ext... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9846 | 9847 | Asymptotic behaviour of the Christoffel functi... | We present a family of mutually orthogonal p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9847 | 9848 | Tangent: Automatic Differentiation Using Sourc... | Automatic differentiation (AD) is an essenti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9848 | 9849 | Ca II K 1-A Emission Index Composites | We describe here a procedure to combine meas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9849 | 9850 | Application of the Bead Perturbation Technique... | Microwave cavities for a Sikivie-type axion ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9850 | 9851 | Homogeneous Kobayashi-hyperbolic manifolds wit... | We determine all connected homogeneous Kobay... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9851 | 9852 | New estimates for some functions defined over ... | In this paper we first establish new explici... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9852 | 9853 | Transferrable End-to-End Learning for Protein ... | While there has been an explosion in the num... | 0 | 0 | 0 | 1 | 1 | 0 |
| 9853 | 9854 | A new astrophysical solution to the Too Big To... | We test whether advanced galaxy models and a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9854 | 9855 | Friction Variability in Planar Pushing Data: A... | Friction plays a key role in manipulating ob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9855 | 9856 | Automatically Annotated Turkish Corpus for Nam... | Turkish Wikipedia Named-Entity Recognition a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9856 | 9857 | Strong Completeness and the Finite Model Prope... | Bi-Intuitionistic Stable Tense Logics (BIST ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9857 | 9858 | Using lab notebooks to examine students' engag... | We demonstrate how students' use of modeling... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9858 | 9859 | An accurate finite element method for the nume... | Despite its numerical challenges, finite ele... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9859 | 9860 | Re-evaluating Evaluation | Progress in machine learning is measured by ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9860 | 9861 | Ranking and Selection as Stochastic Control | Under a Bayesian framework, we formulate the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9861 | 9862 | An application of $Γ$-semigroups techniques to... | The concept of a $\Gamma$-semigroup has been... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9862 | 9863 | Reflection from a multi-species material and i... | We formally deduce closed-form expressions f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9863 | 9864 | Colouring perfect graphs with bounded clique n... | A graph is perfect if the chromatic number o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9864 | 9865 | Resilient Learning-Based Control for Synchroni... | In this paper, we show synchronization for a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9865 | 9866 | EMG-Controlled Hand Teleoperation Using a Cont... | We present a method for EMG-driven teleopera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9866 | 9867 | Numerical solutions of Hamiltonian PDEs: a mul... | We introduce a novel numerical method to int... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9867 | 9868 | Magnetite nano-islands on silicon-carbide with... | X-ray magnetic circular dichroism (XMCD) mea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9868 | 9869 | Activation Ensembles for Deep Neural Networks | Many activation functions have been proposed... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9869 | 9870 | Formation of coalition structures as a non-coo... | Traditionally social sciences are interested... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9870 | 9871 | Smooth and Sparse Optimal Transport | Entropic regularization is quickly emerging ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9871 | 9872 | The stability and energy exchange mechanism of... | The eigenvalue of the hermitic Hamiltonian i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9872 | 9873 | A bound on partitioning clusters | Let $X$ be a finite collection of sets (or "... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9873 | 9874 | X-ray emission from thin plasmas. Collisional ... | Every observation of astrophysical objects i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9874 | 9875 | Support Spinor Machine | We generalize a support vector machine to a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9875 | 9876 | Various generalizations and deformations of $P... | Recall that the group $PSL(2,\mathbb R)$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9876 | 9877 | Redundancy schemes for engineering coherent sy... | This paper proposes a signature-based approa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9877 | 9878 | Anisotropy effects on Baryogenesis in $f(R)$-T... | We study the $f(R)$ theory of gravity in an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9878 | 9879 | Robust and Real-time Deep Tracking Via Multi-S... | Visual tracking is a fundamental problem in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9879 | 9880 | Simply Exponential Approximation of the Perman... | We design a deterministic polynomial time $c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9880 | 9881 | Stochastic Variance Reduction for Policy Gradi... | Recent advances in policy gradient methods a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9881 | 9882 | Weighted Low-Rank Approximation of Matrices an... | We primarily study a special a weighted low-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9882 | 9883 | Master equation for She-Leveque scaling and it... | We derive the Markov process equivalent to S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9883 | 9884 | Scaling Universality at the Dynamic Vortex Mot... | The dynamic Mott insulator-to-metal transiti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9884 | 9885 | Assessment Formats and Student Learning Perfor... | Although compelling assessments have been ex... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9885 | 9886 | Sharing deep generative representation for per... | Decoding human brain activities via function... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9886 | 9887 | Two types of criticality in the brain | Neural networks with equal excitatory and in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9887 | 9888 | Topological networks for quantum communication... | Efficient communication between qubits relie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9888 | 9889 | How Criticality of Gene Regulatory Networks Af... | Whereas the relationship between criticality... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9889 | 9890 | Task-Driven Convolutional Recurrent Models of ... | Feed-forward convolutional neural networks (... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9890 | 9891 | Self-organization principles of intracellular ... | Dynamic patterning of specific proteins is e... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9891 | 9892 | Randomized Near Neighbor Graphs, Giant Compone... | If we pick $n$ random points uniformly in $[... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9892 | 9893 | Theory of mechano-chemical patterning in bipha... | The formation of self-organized patterns is ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9893 | 9894 | Diffusion time dependence of microstructural p... | Biophysical modelling of diffusion MRI is ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9894 | 9895 | Optimizing Epistemic Model Checking Using Cond... | This paper shows that conditional independen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9895 | 9896 | Quickest Localization of Anomalies in Power Gr... | Agile localization of anomalous events plays... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9896 | 9897 | The trouble with tensor ring decompositions | The tensor train decomposition decomposes a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9897 | 9898 | Direct Measurement of Kramers Turnover with a ... | Understanding the thermally activated escape... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9898 | 9899 | An estimator for the tail-index of graphex pro... | Sparse exchangeable graphs resolve some path... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9899 | 9900 | General tête-à-tête graphs and Seifert manifolds | Tête-à-tête graphs and relative tête-à-tête ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9900 | 9901 | Isometric copies of $l^\infty$ in Cesàro-Orlic... | We characterize Cesàro-Orlicz function space... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9901 | 9902 | Modeling non-stationary extreme dependence wit... | Modeling the joint distribution of extreme w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9902 | 9903 | MOEMS deformable mirror testing in cryo for fu... | MOEMS Deformable Mirrors (DM) are key compon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9903 | 9904 | Remote Sensing Image Scene Classification: Ben... | Remote sensing image scene classification pl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9904 | 9905 | The Network of U.S. Mutual Fund Investments: D... | Network theory proved recently to be useful ... | 0 | 0 | 0 | 1 | 0 | 1 |
| 9905 | 9906 | Removal of Salt and Pepper noise from Gray-Sca... | An efficient adaptive algorithm for the remo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9906 | 9907 | On the distance and algorithms of strong produ... | Strong product is an efficient way to constr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9907 | 9908 | Global weak solution to the viscous two-fluid ... | In this paper, we prove the existence of glo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9908 | 9909 | Privacy Preserving and Collusion Resistant Ene... | Energy has been increasingly generated or co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9909 | 9910 | Word Embeddings Quantify 100 Years of Gender a... | Word embeddings use vectors to represent wor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9910 | 9911 | Infinite Mixture of Inverted Dirichlet Distrib... | In this work, we develop a novel Bayesian es... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9911 | 9912 | $Ψ$ec: A Local Spectral Exterior Calculus | We introduce $\Psi$ec, a local spectral exte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9912 | 9913 | Ultraslow fluctuations in the pseudogap states... | We report the transverse relaxation rates 1/... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9913 | 9914 | Multi-Scale Wavelet Domain Residual Learning f... | Limited-angle computed tomography (CT) is of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9914 | 9915 | Helium-like atoms. The Green's function approa... | The renewed Green's function approach to cal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9915 | 9916 | Butterfly Effect: Bidirectional Control of Cla... | This paper proposes a new algorithm for cont... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9916 | 9917 | Secrecy Outage Analysis for Downlink Transmiss... | We analyze the secrecy outage probability in... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9917 | 9918 | Defining Equitable Geographic Districts in Roa... | We introduce a novel method for defining geo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9918 | 9919 | End-to-end Lung Nodule Detection in Computed T... | Computer aided diagnostic (CAD) system is cr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9919 | 9920 | Fairness with Dynamics | It has recently been shown that if feedback ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9920 | 9921 | Exploring extra dimensions through inflationar... | Predictions of inflationary schemes can be i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9921 | 9922 | Elements of $C^*$-algebras Attaining Their Nor... | We characterize the class of RFD $C^*$-algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9922 | 9923 | A probability inequality for sums of independe... | Let $(\mathbf{B}, \|\cdot\|)$ be a real sepa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9923 | 9924 | Including Uncertainty when Learning from Human... | It is difficult for humans to efficiently te... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9924 | 9925 | Gated-Attention Architectures for Task-Oriente... | To perform tasks specified by natural langua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9925 | 9926 | Automatic classification of trees using a UAV ... | Automatic classification of trees using remo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9926 | 9927 | Assortative Mixing Equilibria in Social Networ... | It is known that individuals in social netwo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9927 | 9928 | Texture segmentation with Fully Convolutional ... | In the last decade, deep learning has contri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9928 | 9929 | The Beam and detector of the NA62 experiment a... | NA62 is a fixed-target experiment at the CER... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9929 | 9930 | A dequantized metaplectic knot invariant | Let $K\subset S^3$ be a knot, $X:= S^3\setmi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9930 | 9931 | Persian Wordnet Construction using Supervised ... | This paper presents an automated supervised ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9931 | 9932 | Anyon condensation and its applications | Bose condensation is central to our understa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9932 | 9933 | Group-velocity-locked vector soliton molecules... | Physics phenomena of multi-soliton complexes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9933 | 9934 | Survey of Visual Question Answering: Datasets ... | Visual question answering (or VQA) is a new ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9934 | 9935 | Towards a Principled Integration of Multi-Came... | With the rise of end-to-end learning through... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9935 | 9936 | Beyond Volume: The Impact of Complex Healthcar... | From medical charts to national census, heal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9936 | 9937 | Redundant Perception and State Estimation for ... | In autonomous racing, vehicles operate close... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9937 | 9938 | Experimental study of extrinsic spin Hall effe... | We have experimentally studied the effects o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9938 | 9939 | NeST: A Neural Network Synthesis Tool Based on... | Deep neural networks (DNNs) have begun to ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9939 | 9940 | Resonant Drag Instabilities in protoplanetary ... | We identify and study a number of new, rapid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9940 | 9941 | Nonparametric Neural Networks | Automatically determining the optimal size o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9941 | 9942 | FastTrack: Minimizing Stalls for CDN-based Ove... | Traffic for internet video streaming has bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9942 | 9943 | Powerful statistical inference for nested data... | Hierarchically-organized data arise naturall... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9943 | 9944 | Beam-On-Graph: Simultaneous Channel Estimation... | This paper is concerned with the channel est... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9944 | 9945 | On Comparison Of Experts | A policy maker faces a sequence of unknown o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9945 | 9946 | Multiscale simulation on shearing transitions ... | Shearing transitions of multi-layer molecula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9946 | 9947 | Chirality-induced Antisymmetry in Magnetic Dom... | In chiral magnetic materials, numerous intri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9947 | 9948 | Strong interaction between graphene layer and ... | Graphene has emerged as a promising building... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9948 | 9949 | DELTA: DEep Learning Transfer using Feature Ma... | Transfer learning through fine-tuning a pre-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9949 | 9950 | The Burst Failure Influence on the $H_\infty$ ... | In this work, we present an analysis of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9950 | 9951 | Cosmological Simulations in Exascale Era | The architecture of Exascale computing facil... | 1 | 1 | 0 | 0 | 0 | 0 |
| 9951 | 9952 | Time evolution of the Luttinger model with non... | We study the time evolution of a one-dimensi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9952 | 9953 | Mastering Chess and Shogi by Self-Play with a ... | The game of chess is the most widely-studied... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9953 | 9954 | Some remarks on Huisken's monotonicity formula... | We discuss a monotone quantity related to Hu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9954 | 9955 | Inverse Moment Methods for Sufficient Forecast... | We consider forecasting a single time series... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9955 | 9956 | Spectral energy distribution and radio halo of... | We present new radio continuum observations ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9956 | 9957 | Emergent Phases of Fractonic Matter | Fractons are emergent particles which are im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9957 | 9958 | Fractional Volterra Hierarchy | The generating function of cubic Hodge integ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9958 | 9959 | Deorbitalization strategies for meta-GGA excha... | We explore the simplification of widely used... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9959 | 9960 | Fast counting of medium-sized rooted subgraphs | We prove that counting copies of any graph $... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9960 | 9961 | First-principles investigation of graphitic ca... | Density-functional theory calculations with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9961 | 9962 | Courant's Nodal Domain Theorem for Positivity ... | We introduce a notion of nodal domains for p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9962 | 9963 | Intelligent Notification Systems: A Survey of ... | Notifications provide a unique mechanism for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9963 | 9964 | Using Matching to Detect Infeasibility of Some... | A novel matching based heuristic algorithm d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9964 | 9965 | α7 nicotinic acetylcholine receptor signaling ... | Neuroinflammation in utero may result in lif... | 0 | 0 | 0 | 0 | 1 | 0 |
| 9965 | 9966 | Face centered cubic and hexagonal close packed... | Skyrmions are disk-like objects that typical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9966 | 9967 | Fast, Accurate and Lightweight Super-Resolutio... | Deep convolution neural networks demonstrate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9967 | 9968 | Robbins-Monro conditions for persistent explor... | We formulate simple assumptions, implying th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9968 | 9969 | Localization in the Disordered Holstein model | The Holstein model describes the motion of a... | 0 | 1 | 1 | 0 | 0 | 0 |
| 9969 | 9970 | Universal Planning Networks | A key challenge in complex visuomotor contro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9970 | 9971 | Adversarial Removal of Demographic Attributes ... | Recent advances in Representation Learning a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9971 | 9972 | Superradiance phase transition in the presence... | We theoretically analyze the effect of param... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9972 | 9973 | A Decision Support Method for Recommending Deg... | Exploratory testing is neither black nor whi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9973 | 9974 | Quantum Field Theory and Coalgebraic Logic in ... | In this paper we suggest that in the framewo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 9974 | 9975 | Spatiotemporal Prediction of Ambulance Demand ... | Accurately predicting when and where ambulan... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9975 | 9976 | ArchiveWeb: collaboratively extending and expl... | Curated web archive collections contain focu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9976 | 9977 | gl2vec: Learning Feature Representation Using ... | Learning network representations has a varie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9977 | 9978 | Evidence of s-wave superconductivity in the no... | Superconductivity in noncentrosymmetric comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9978 | 9979 | Essential Dimension of Generic Symbols in Char... | In this article the $p$-essential dimension ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9979 | 9980 | Ask less - Scale Market Research without Annoy... | Market research is generally performed by su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9980 | 9981 | Adaptive Regularized Newton Method for Riemann... | Optimization on Riemannian manifolds widely ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9981 | 9982 | MPC meets SNA: A Privacy Preserving Analysis o... | In this paper, we formalize the notion of di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9982 | 9983 | Lossy Image Compression with Compressive Autoe... | We propose a new approach to the problem of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9983 | 9984 | A cost effective and reliable environment moni... | We present a slow control system to gather a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9984 | 9985 | Quenching the Kitaev honeycomb model | I studied the non-equilibrium response of an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9985 | 9986 | Privacy-Preserving Adversarial Networks | We propose a data-driven framework for optim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9986 | 9987 | Antiferromagnetic structure and electronic pro... | The chromium arsenides BaCr2As2 and BaCrFeAs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9987 | 9988 | Molecular Modeling of the Microstructure Evolu... | Development of high strength carbon fibers (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9988 | 9989 | Hyperinflation | A model of cosmological inflation is propose... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9989 | 9990 | Improving on Q & A Recurrent Neural Networks U... | Often, more time is spent on finding a model... | 0 | 0 | 0 | 1 | 0 | 0 |
| 9990 | 9991 | Injectivity and weak*-to-weak continuity suffi... | We show that the convergence rate of $\ell^1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9991 | 9992 | A Panel Prototype for the Mu2e Straw Tube Trac... | The Mu2e experiment will search for coherent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9992 | 9993 | A Review on Internet of Things (IoT), Internet... | The current prominence and future promises o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 9993 | 9994 | Ensemble Adversarial Training: Attacks and Def... | Adversarial examples are perturbed inputs de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9994 | 9995 | X-Ray bright optically faint active galactic n... | We construct a sample of X-ray bright optica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9995 | 9996 | The Goldman symplectic form on the PSL(V)-Hitc... | This article is the second of a pair of arti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 9996 | 9997 | Early Results from TUS, the First Orbital Dete... | TUS is the world's first orbital detector of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 9997 | 9998 | Network-based methods for outcome prediction i... | In this thesis we present the novel semi-sup... | 1 | 0 | 0 | 1 | 0 | 0 |
| 9998 | 9999 | The geometrical origins of some distributions ... | We derive out naturally some important distr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 9999 | 10000 | The Signs in Elliptic Nets | We give a generalization of a theorem of Sil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10000 | 10001 | Codes for Simultaneous Transmission of Quantum... | We consider the characterization as well as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10001 | 10002 | Kinetically constrained lattice gases: tagged ... | Kinetically constrained lattice gases (KCLG)... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10002 | 10003 | An Atomistic Fingerprint Algorithm for Learnin... | Molecular fingerprints, i.e. feature vectors... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10003 | 10004 | Generalized 4 $\times$ 4 Matrix Formalism for ... | We present a generalized 4 $\times$ 4 matrix... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10004 | 10005 | Localization of hidden Chua attractors by the ... | In this paper the Chua circuit with five lin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10005 | 10006 | A New Unbiased and Efficient Class of LSH-Base... | Log-linear models are arguably the most succ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10006 | 10007 | Effects of interaction strength, doping, and f... | Recent quantum-gas microscopy of ultracold a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10007 | 10008 | A Coupled Lattice Boltzmann Method and Discret... | Discrete particle simulations are widely use... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10008 | 10009 | The MERger-event Gamma-Ray (MERGR) Telescope | We describe the MERger-event Gamma-Ray (MERG... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10009 | 10010 | Graham-Witten's conformal invariant for closed... | It was proved by Graham and Witten in 1999 t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10010 | 10011 | Computationally Inferred Genealogical Networks... | Genealogical networks, also known as family ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 10011 | 10012 | Nonlinear stability for the Maxwell--Born--Inf... | In this paper we prove small data global exi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10012 | 10013 | Numerical simulation of BOD5 dynamics in Igapó... | The concentration of biochemical oxygen dema... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10013 | 10014 | Sensitivity Analysis for matched pair analysis... | In matched observational studies where treat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10014 | 10015 | Closed Sets and Operators thereon: Representat... | The TTE approach to Computable Analysis is t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10015 | 10016 | Propensity score estimation using classificati... | Data mining and machine learning techniques ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10016 | 10017 | Deciding some Maltsev conditions in finite ide... | In this paper we investigate the computation... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10017 | 10018 | MF traces and the Cuntz semigroup | A trace $\tau$ on a separable C*-algebra $A$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10018 | 10019 | Matrix product states for topological phases w... | In the Fock representation, we propose a fra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10019 | 10020 | F-TRIDYN: A Binary Collision Approximation Cod... | Fractal TRIDYN (F-TRIDYN) is a modified vers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10020 | 10021 | Measurement of Radon Concentration in Super-Ka... | To precisely measure radon concentrations in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10021 | 10022 | On The Robustness of a Neural Network | With the development of neural networks base... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10022 | 10023 | The Cut Elimination and the Nonlengthening Pro... | We show how Leibnitz.s indiscernibility prin... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10023 | 10024 | On the Whittaker Plancherel Theorem for Real R... | The main purpose of this article is to fix s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10024 | 10025 | Poisson distribution for gaps between sums of ... | We investigate the level spacing distributio... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10025 | 10026 | Maria Krawczyk: friend and physicist | With this note, we remember our friend Maria... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10026 | 10027 | Neural Networks Regularization Through Class-w... | Training deep neural networks is known to re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10027 | 10028 | Incorporating Global Visual Features into Atte... | We introduce multi-modal, attention-based ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10028 | 10029 | Complete Subgraphs of the Coprime Hypergraph o... | The coprime hypergraph of integers on $n$ ve... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10029 | 10030 | Involvement of Surfactant Protein D in Ebola V... | Since the largest 2014-2016 Ebola virus dise... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10030 | 10031 | Deep Approximately Orthogonal Nonnegative Matr... | Nonnegative Matrix Factorization (NMF) is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10031 | 10032 | Separation-Free Super-Resolution from Compress... | We consider the problem of recovering the su... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10032 | 10033 | A note on MCMC for nested multilevel regressio... | In the quest for scalable Bayesian computati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10033 | 10034 | InGaN Metal-IN Solar Cell: optimized efficienc... | Choosing the Indium Gallium Nitride (InGaN) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10034 | 10035 | Proceedings of the IJCAI 2017 Workshop on Lear... | With the wide application of machine learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10035 | 10036 | Nonlinear dynamics on branched structures and ... | Nonlinear dynamics on graphs has rapidly bec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10036 | 10037 | Rank modulation codes for DNA storage | Synthesis of DNA molecules offers unpreceden... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10037 | 10038 | Effect of ion motion on relativistic electron ... | Excitation of relativistic electron beam dri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10038 | 10039 | Memory-efficient Kernel PCA via Partial Matrix... | Kernel PCA is a widely used nonlinear dimens... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10039 | 10040 | Scalable Graph Learning for Anti-Money Launder... | Organized crime inflicts human suffering on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10040 | 10041 | Complete event-by-event $α$/$γ(β)$ separation ... | In the present work, we describe the results... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10041 | 10042 | A Novel Bayesian Multiple Testing Approach to ... | MicroRNAs (miRNAs) are small non-coding RNAs... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10042 | 10043 | PCN: Point Completion Network | Shape completion, the problem of estimating ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10043 | 10044 | Deep Relaxation: partial differential equation... | In this paper we establish a connection betw... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10044 | 10045 | Forbidden Substrings In Circular K-Successions | In this note we define circular k-succession... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10045 | 10046 | Asymptotic genealogies of interacting particle... | We study weighted particle systems in which ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10046 | 10047 | Symmetry Enforced Stability of Interacting Wey... | The nodal and effectively relativistic dispe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10047 | 10048 | Luck is Hard to Beat: The Difficulty of Sports... | Predicting the outcome of sports events is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10048 | 10049 | Multiscale sequence modeling with a learned di... | We propose a generalization of neural networ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10049 | 10050 | Infinite Matrix Product States vs Infinite Pro... | In spite of their intrinsic one-dimensional ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10050 | 10051 | Dialectometric analysis of language variation ... | In the last few years, microblogging platfor... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10051 | 10052 | Single-Pass, Adaptive Natural Language Filteri... | There are large amounts of insight and socia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10052 | 10053 | How Do Elements Really Factor in $\mathbb{Z}[\... | Most undergraduate level abstract algebra te... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10053 | 10054 | Improvements on lower bounds for the blow-up t... | This paper studies the heat equation $u_t=\D... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10054 | 10055 | Using Variable Natural Environment Brain-Compu... | This paper addresses the challenge of humano... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10055 | 10056 | Tunable Ampere phase plate for low dose imagin... | A novel device that can be used as a tunable... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10056 | 10057 | An efficient model-free setting for longitudin... | In this paper, the problem of tracking desir... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10057 | 10058 | Genetic fitting techniques for precision ultra... | We present development of a genetic algorith... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10058 | 10059 | Robust And Scalable Learning Of Complex Datase... | Large datasets represented by multidimension... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10059 | 10060 | Epidemic dynamics in open quantum spin systems | We explore the non-equilibrium evolution and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10060 | 10061 | In-Hand Object Stabilization by Independent Fi... | Grip control during robotic in-hand manipula... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10061 | 10062 | The X-ray and Mid-Infrared luminosities in Lum... | Several recent studies have reported differe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10062 | 10063 | Approximation of general facets by regular fac... | We show that every bounded subset of an Eucl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10063 | 10064 | Calibrated Fairness in Bandits | We study fairness within the stochastic, \em... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10064 | 10065 | HTC Vive MeVisLab integration via OpenVR for m... | Virtual Reality, an immersive technology tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10065 | 10066 | Explanation of a Polynomial Identity | In this note, we provide a conceptual explan... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10066 | 10067 | Quantum Stress Tensor Fluctuations and Primord... | We examine the effect of the stress tensor o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10067 | 10068 | Hyperbolic Pascal simplex | In this article we introduce a new geometric... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10068 | 10069 | Small-loss bounds for online learning with par... | We consider the problem of adversarial (non-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10069 | 10070 | Fine-Grained Parameterized Complexity Analysis... | The $q$-Coloring problem asks whether the ve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10070 | 10071 | Planar Object Tracking in the Wild: A Benchmark | Planar object tracking is an actively studie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10071 | 10072 | Experimental demonstration of an atomtronic ba... | Operation of an atomtronic battery is demons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10072 | 10073 | Sensor Selection and Random Field Reconstructi... | We address the two fundamental problems of s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10073 | 10074 | A characterization of ordinary abelian varieti... | In this paper, we prove that a smooth projec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10074 | 10075 | On Minimax Optimality of Sparse Bayes Predicti... | We study predictive density estimation under... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10075 | 10076 | Two forms of minimality in ASPIC+ | Many systems of structured argumentation exp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10076 | 10077 | Perspectives on constraining a cosmological co... | Independent tests aiming to constrain the va... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10077 | 10078 | Flat bundles over some compact complex manifolds | We construct examples of flat fiber bundles ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10078 | 10079 | EXONEST: The Bayesian Exoplanetary Explorer | The fields of astronomy and astrophysics are... | 0 | 1 | 0 | 1 | 0 | 0 |
| 10079 | 10080 | Intelligence of agents produces a structural p... | Living organisms process information to inte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10080 | 10081 | Quantifying Filter Bubbles: Analyzing Surprise... | This work analyses surprising elections, and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10081 | 10082 | Energy transfer, pressure tensor and heating o... | Kinetic plasma turbulence cascade spans mult... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10082 | 10083 | The relation between migration and FDI in the ... | We explore the relationship between human mi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10083 | 10084 | Thermopower and thermal conductivity in the We... | The Weyl semimetal NbP exhibits an extremely... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10084 | 10085 | Maximum entropy and population heterogeneity i... | Continuous cultures of mammalian cells are c... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10085 | 10086 | Spin wave propagation and spin polarized elect... | The technique of propagating spin wave spect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10086 | 10087 | Expert-Driven Genetic Algorithms for Simulatin... | In this paper we demonstrate how genetic alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10087 | 10088 | A gentle introduction to the minimal Naming Game | Social conventions govern countless behavior... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10088 | 10089 | Modelling hidden structure of signals in group... | This work is devoted to elaboration on the i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10089 | 10090 | ChaLearn Looking at People: A Review of Events... | This paper reviews the historic of ChaLearn ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10090 | 10091 | Reinterpreting the Origin of Bifurcation and C... | Chaos associated with bifurcation makes a ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10091 | 10092 | Biochemical Coupling Through Emergent Conserva... | Bazhin has analyzed ATP coupling in terms of... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10092 | 10093 | Artificial Intelligence as an Enabler for Cogn... | The explosive increase in number of smart de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10093 | 10094 | Localized Thermal States | It is believed that thermalization in closed... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10094 | 10095 | Interface Phonon Modes in the [AlN/GaN]20 and ... | Interface phonon (IF) modes of c-plane orien... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10095 | 10096 | Predictability of escape for a stochastic sadd... | Transitions between multiple stable states o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10096 | 10097 | Sieving rational points on varieties | A sieve for rational points on suitable vari... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10097 | 10098 | Sampling-based probabilistic inference emerges... | Neural responses in the cortex change over t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10098 | 10099 | Microscopic Description of Electric and Magnet... | We present a general formalism of multipole ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10099 | 10100 | Algorithms to Approximate Column-Sparse Packin... | Column-sparse packing problems arise in seve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10100 | 10101 | Teaching the Doppler Effect in Astrophysics | The Doppler effect is a shift in the frequen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10101 | 10102 | Embedding Tarskian Semantics in Vector Spaces | We propose a new linear algebraic approach t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10102 | 10103 | Constraints from Dust Mass and Mass Accretion ... | We investigate the relation between disk mas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10103 | 10104 | Character-Word LSTM Language Models | We present a Character-Word Long Short-Term ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10104 | 10105 | Deep Convolutional Neural Networks for Raman S... | Machine learning methods have found many app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10105 | 10106 | Suppression of material transfer at contacting... | The effect of monolayers of oxygen (O) and h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10106 | 10107 | Fine-grained ECG Classification Based on Deep ... | Early recognition of abnormal rhythm in ECG ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10107 | 10108 | A Wavenet for Speech Denoising | Currently, most speech processing techniques... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10108 | 10109 | Warped Product Space-times | Many classical results in relativity theory ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10109 | 10110 | ALMA Observations of the Young Substellar Bina... | We present ALMA observations of the 2M1207 s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10110 | 10111 | Multichannel Linear Prediction for Blind Rever... | A class of methods based on multichannel lin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10111 | 10112 | SepNE: Bringing Separability to Network Embedding | Many successful methods have been proposed f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10112 | 10113 | Opinion formation in a locally interacting com... | We present a user of model interaction based... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10113 | 10114 | Integral representation of shallow neural netw... | We consider the supervised learning problem ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10114 | 10115 | DoKnowMe: Towards a Domain Knowledge-driven Me... | Software engineering considers performance e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10115 | 10116 | The Effect of Different Wavelengths on Porous ... | Porous silicon layers (PS) have been prepare... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10116 | 10117 | Topological dimension tunes activity patterns ... | Connectivity patterns of relevance in neuros... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10117 | 10118 | DFTerNet: Towards 2-bit Dynamic Fusion Network... | Deep Convolutional Neural Networks (DCNNs) a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10118 | 10119 | Generalized stealthy hyperuniform processes : ... | We study translation invariant stochastic pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10119 | 10120 | High-frequency approximation of the interior d... | We study the high-frequency behavior of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10120 | 10121 | Conformal scalar curvature equation on S^n: fu... | By using the Lyapunov-Schmidt reduction meth... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10121 | 10122 | Equivalence between non-Markovian and Markovia... | A general formalism is introduced to allow t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10122 | 10123 | Attacking Binarized Neural Networks | Neural networks with low-precision weights a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10123 | 10124 | On Treewidth and Stable Marriage | Stable Marriage is a fundamental problem to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10124 | 10125 | A Holistic Approach to Forecasting Wholesale E... | Electricity market price predictions enable ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10125 | 10126 | Matched bipartite block model with covariates | Community detection or clustering is a funda... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10126 | 10127 | Topological Interference Management with Decod... | The topological interference management (TIM... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10127 | 10128 | Robust Regression via Mutivariate Regression D... | This paper studies robust regression in the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10128 | 10129 | Quotients of Buildings as $W$-Groupoids | We introduce structures which model the quot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10129 | 10130 | Birth of the GUP and its effect on the entropy... | In this paper, the origin of the generalized... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10130 | 10131 | Data-adaptive smoothing for optimal-rate estim... | We consider nonparametric inference of finit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10131 | 10132 | Knowledge Transfer for Out-of-Knowledge-Base E... | Knowledge base completion (KBC) aims to pred... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10132 | 10133 | Feature Engineering for Predictive Modeling us... | Feature engineering is a crucial step in the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10133 | 10134 | Cellular automata connections | It is shown that any two cellular automata (... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10134 | 10135 | Hypothesis Testing via Euclidean Separation | We discuss an "operational" approach to test... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10135 | 10136 | Detecting in-plane tension induced crystal pla... | We present experimental data and simulations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10136 | 10137 | A novel approach for fast mining frequent item... | Frequent Pattern Mining is a one field of th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10137 | 10138 | Resonant thermalization of periodically driven... | We study the dynamics of the Fermi-Hubbard m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10138 | 10139 | Fusible HSTs and the randomized k-server conje... | We exhibit an $O((\log k)^6)$-competitive ra... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10139 | 10140 | BPS spectra and 3-manifold invariants | We provide a physical definition of new homo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10140 | 10141 | Nonzero positive solutions of a multi-paramete... | We prove, by topological methods, new result... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10141 | 10142 | Emotion Recognition from Speech based on Relev... | This paper proposes an approach to detect em... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10142 | 10143 | The basic principles and the structure and alg... | In article the basic principles put in a bas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10143 | 10144 | Drawing cone spherical metrics via Strebel dif... | Cone spherical metrics are conformal metrics... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10144 | 10145 | Thermoelectric radiation detector based on sup... | We suggest a new type of an ultrasensitive d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10145 | 10146 | Upper estimates of Christoffel function on con... | New upper bounds on the pointwise behaviour ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10146 | 10147 | Special Lagrangian and deformed Hermitian Yang... | From string theory, the notion of deformed H... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10147 | 10148 | An introduction to the qualitative and quantit... | We present an introduction to periodic and s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10148 | 10149 | A Computational Study of Yttria-Stabilized Zir... | Yttria-stabilized zirconia (YSZ), a ZrO2-Y2O... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10149 | 10150 | Reactive Power Compensation Game under Prospec... | Reactive power compensation is an important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10150 | 10151 | Some remarks on protolocalizations and protoad... | We investigate additional properties of prot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10151 | 10152 | Resonances near Thresholds in slightly Twisted... | We consider the Dirichlet Laplacian in a str... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10152 | 10153 | Trapping and displacement of liquid collars an... | A liquid film wetting the interior of a long... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10153 | 10154 | Topological Brain Network Distances | Existing brain network distances are often b... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10154 | 10155 | The challenge of decentralized marketplaces | Online trust systems are playing an importan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10155 | 10156 | Radially resolved simulations of collapsing pe... | We study the collapse of pebble clouds with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10156 | 10157 | Accelerating equilibrium isotope effect calcul... | Accurate path integral Monte Carlo or molecu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10157 | 10158 | CoAP over ICN | The Constrained Application Protocol (CoAP) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10158 | 10159 | Nonequilibrium mode-coupling theory for dense ... | The physics of active systems of self-propel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10159 | 10160 | Symmetry Protected Dynamical Symmetry in the G... | In this letter we present a theorem on the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10160 | 10161 | Machine-learning a virus assembly fitness land... | Realistic evolutionary fitness landscapes ar... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10161 | 10162 | A multilevel block building algorithm for fast... | Data-driven modeling plays an increasingly i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10162 | 10163 | Competition and Selection Among Conventions | In many domains, a latent competition among ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10163 | 10164 | Tradeoff Between Delay and High SNR Capacity i... | Analog-to-digital converters (ADCs) are a ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10164 | 10165 | Formal Synthesis of Control Strategies for Pos... | We design controllers from formal specificat... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10165 | 10166 | Neumann Optimizer: A Practical Optimization Al... | Progress in deep learning is slowed by the d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10166 | 10167 | Signal propagation in sensing and reciprocatin... | Sensing and reciprocating cellular systems (... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10167 | 10168 | A New Family of Asymmetric Distributions for M... | A new three-parameter cumulative distributio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10168 | 10169 | Secret-Key-Aided Scheme for Securing Untrusted... | This paper proposes a new scheme to secure t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10169 | 10170 | On deep speaker embeddings for text-independen... | We investigate deep neural network performan... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10170 | 10171 | Accurate Computation of Marginal Data Densitie... | Bayesian model selection and model averaging... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10171 | 10172 | Random matrices and the New York City subway s... | We analyze subway arrival times in the New Y... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10172 | 10173 | Weakening of the diamagnetic shielding in FeSe... | The superconducting transition of FeSe$_{1-x... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10173 | 10174 | Incremental Skip-gram Model with Negative Samp... | This paper explores an incremental training ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10174 | 10175 | Continuous-Time Accelerated Methods via a Hybr... | Treating optimization methods as dynamical s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10175 | 10176 | Fast-Slow Recurrent Neural Networks | Processing sequential data of variable lengt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10176 | 10177 | On OR Many-Access Channels | OR multi-access channel is a simple model wh... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10177 | 10178 | TwiInsight: Discovering Topics and Sentiments ... | Social media platforms contain a great wealt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10178 | 10179 | The Promise and Peril of Human Evaluation for ... | Transparency, user trust, and human comprehe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10179 | 10180 | Guided Unfoldings for Finding Loops in Standar... | In this paper, we reconsider the unfolding-b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10180 | 10181 | Nutrients and biomass dynamics in photo-sequen... | The present study investigates different str... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10181 | 10182 | Random Fourier Features for Kernel Ridge Regre... | Random Fourier features is one of the most p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10182 | 10183 | Charge reconstruction study of the DAMPE Silic... | The DArk Matter Particle Explorer (DAMPE) is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10183 | 10184 | Scalable Cryogenic Read-out Circuit for a Supe... | The superconducting nanowire single photon d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10184 | 10185 | String principal bundles and Courant algebroids | Just like Atiyah Lie algebroids encode the i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10185 | 10186 | Electroforming-Free TaOx Memristors using Focu... | We demonstrate creation of electroforming-fr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10186 | 10187 | Optimal hypothesis testing for stochastic bloc... | The present paper considers testing an Erdos... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10187 | 10188 | Generalized End-to-End Loss for Speaker Verifi... | In this paper, we propose a new loss functio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10188 | 10189 | Penalized pairwise pseudo likelihood for varia... | The regularization approach for variable sel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10189 | 10190 | Fast embedding of multilayer networks: An algo... | Learning interpretable features from complex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10190 | 10191 | Towards Better Summarizing Bug Reports with Cr... | Recent years have witnessed the growing dema... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10191 | 10192 | Extraordinary linear dynamic range in laser-de... | Graphene-based photodetectors have demonstra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10192 | 10193 | Efficient Transfer Learning Schemes for Person... | In this paper, we propose an efficient trans... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10193 | 10194 | Convergence of ground state solutions for nonl... | We consider the nonlinear Schrödinger equati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10194 | 10195 | Error Analysis of the Stochastic Linear Feedba... | This paper is concerned with the convergence... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10195 | 10196 | Geometry in the Courtroom | There has been a recent media blitz on a coh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10196 | 10197 | Proof of Concept of Wireless TERS Monitoring | Temporary earth retaining structures (TERS) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10197 | 10198 | Hyperrigid subsets of Cuntz-Krieger algebras a... | A subset $\mathcal{G}$ generating a $C^*$-al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10198 | 10199 | Chiral Mott insulators in frustrated Bose-Hubb... | We study the fully gapped chiral Mott insula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10199 | 10200 | Thermodynamic Limit of Interacting Particle Sy... | We establish a functional weak law of large ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10200 | 10201 | Evidence for short-range magnetic order in the... | The nature of the nematic state in FeSe rema... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10201 | 10202 | Contextual Parameter Generation for Universal ... | We propose a simple modification to existing... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10202 | 10203 | Opinion Dynamics with Stubborn Agents | We consider the problem of optimizing the pl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10203 | 10204 | A Community Microgrid Architecture with an Int... | This work fits in the context of community m... | 1 | 0 | 0 | 0 | 0 | 1 |
| 10204 | 10205 | Extended nilHecke algebra and symmetric functi... | We formulate a type B extended nilHecke alge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10205 | 10206 | One-Sided Unsupervised Domain Mapping | In unsupervised domain mapping, the learner ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10206 | 10207 | Adaptive Neural Networks for Efficient Inference | We present an approach to adaptively utilize... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10207 | 10208 | The phylogenetic effective sample size and jumps | The phylogenetic effective sample size is a ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10208 | 10209 | Bosonic symmetries of the extended fermionic $... | In this paper, we construct the additional s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10209 | 10210 | Single-atom-resolved probing of lattice gases ... | Measuring the full distribution of individua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10210 | 10211 | Provability Logics of Hierarchies | The branch of provability logic investigates... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10211 | 10212 | On the Difference between Physics and Biology:... | Physical emergence - crystals, rocks, sandpi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10212 | 10213 | Spin liquid and infinitesimal-disorder-driven ... | The interplay between geometric frustration ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10213 | 10214 | A punishment voting algorithm based on super c... | In acoustic scene classification researches,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10214 | 10215 | Strong and Weak Equilibria for Time-Inconsiste... | A new definition of continuous-time equilibr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 10215 | 10216 | Trading algorithms with learning in latent alp... | Alpha signals for statistical arbitrage stra... | 0 | 0 | 0 | 1 | 0 | 1 |
| 10216 | 10217 | Temporal Segment Networks for Action Recogniti... | Deep convolutional networks have achieved gr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10217 | 10218 | Neural Machine Translation between Herbal Pres... | The current study applies deep learning to h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10218 | 10219 | A Quantum-Proof Non-Malleable Extractor, With ... | In privacy amplification, two mutually trust... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10219 | 10220 | A Theory of Reversibility for Erlang | In a reversible language, any forward comput... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10220 | 10221 | Convergence and Consistency Analysis for A 3D ... | In this paper, we investigate the convergenc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10221 | 10222 | Optical Characterization of Electro-spun Polym... | Nanotubes of various kinds have been prepare... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10222 | 10223 | Optimal Prediction for Additive Function-on-Fu... | As with classic statistics, functional regre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10223 | 10224 | Star chromatic index of subcubic multigraphs | The star chromatic index of a multigraph $G$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10224 | 10225 | The absolutely Koszul property of Veronese sub... | Absolutely Koszul algebras are a class of ri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10225 | 10226 | Learning Theory and Algorithms for Revenue Man... | Online advertisement is the main source of r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10226 | 10227 | Isotropic functions revisited | To a smooth and symmetric function $f$ defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10227 | 10228 | Condensates in double-well potential with synt... | We demonstrate an enhancement in the vortex ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10228 | 10229 | On strict sub-Gaussianity, optimal proxy varia... | We investigate the sub-Gaussian property for... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10229 | 10230 | Fast Distributed Approximation for Max-Cut | Finding a maximum cut is a fundamental task ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10230 | 10231 | A note on Oliver's p-group conjecture | Let $S$ be a $p$-group for an odd prime $p$,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10231 | 10232 | Frobenius elements in Galois representations w... | Suppose we have a elliptic curve over a numb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10232 | 10233 | CaloGAN: Simulating 3D High Energy Particle Sh... | The precise modeling of subatomic particle i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10233 | 10234 | Measurement of ultrashort optical pulses via t... | We demonstrate temporal measurements of subp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10234 | 10235 | On the next-to-minimal weight of projective Re... | In this paper we present several values for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10235 | 10236 | Scalable Global Grid catalogue for LHC Run3 an... | The AliEn (ALICE Environment) file catalogue... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10236 | 10237 | A versatile UHV transport and measurement cham... | We report on a versatile mini ultra-high vac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10237 | 10238 | Dual gauge field theory of quantum liquid crys... | The dislocation-mediated quantum melting of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10238 | 10239 | Deformation mechanism map of Cu/Nb nanoscale m... | The mechanical properties and deformation me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10239 | 10240 | Relations between Schramm spaces and generaliz... | We give necessary and sufficient conditions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10240 | 10241 | Stability Selection for Structured Variable Se... | In variable or graph selection problems, fin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10241 | 10242 | Vafa-Witten invariants for projective surfaces... | We propose a definition of Vafa-Witten invar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10242 | 10243 | Aggregated knowledge from a small number of de... | The aggregation of many independent estimate... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10243 | 10244 | Summertime, and the livin is easy: Winter and ... | In temperate climates, mortality is seasonal... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10244 | 10245 | Solving Horn Clauses on Inductive Data Types W... | We address the problem of verifying the sati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10245 | 10246 | The Power of Non-Determinism in Higher-Order I... | We investigate the power of non-determinism ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10246 | 10247 | Upper-limit on the Advanced Virgo output mode ... | The Advanced Virgo detector uses two monolit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10247 | 10248 | Mobile impurities in integrable models | We use a mobile impurity or depleton model t... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10248 | 10249 | Time-dependent variational principle in matrix... | We study the applicability of the time-depen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10249 | 10250 | Self-supporting Topology Optimization for Addi... | The paper presents a topology optimization a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10250 | 10251 | Reward Shaping via Meta-Learning | Reward shaping is one of the most effective ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10251 | 10252 | Regulous vector bundles | Among recently introduced new notions in rea... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10252 | 10253 | Remarks on the operator-norm convergence of th... | We revise the operator-norm convergence of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10253 | 10254 | Using data-compressors for statistical analysi... | Nowadays data compressors are applied to man... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10254 | 10255 | Exploring High-Dimensional Structure via Axis-... | Two-dimensional embeddings remain the domina... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10255 | 10256 | Exact Recovery with Symmetries for the Doubly-... | Graph matching or quadratic assignment, is t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10256 | 10257 | Statistical physics of human cooperation | Extensive cooperation among unrelated indivi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10257 | 10258 | Bayesian Hypernetworks | We study Bayesian hypernetworks: a framework... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10258 | 10259 | Block Motion Changes in Japan Triggered by the... | Plate motions are governed by equilibrium be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10259 | 10260 | Learning the structure of Bayesian Networks: A... | One of the most challenging tasks when adopt... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10260 | 10261 | Thermal fracturing on comets. Applications to ... | We simulate the stresses induced by temperat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10261 | 10262 | ADN: An Information-Centric Networking Archite... | Forwarding data by name has been assumed to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10262 | 10263 | Urban Delay Tolerant Network Simulator (UDTNSi... | Delay Tolerant Networking (DTN) is an approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10263 | 10264 | Regularized Ordinal Regression and the ordinal... | Regularization techniques such as the lasso ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10264 | 10265 | Visual Multiple-Object Tracking for Unknown Cl... | In multi-object tracking applications, model... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10265 | 10266 | On Integrated $L^{1}$ Convergence Rate of an I... | We consider a general monotone regression es... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10266 | 10267 | Towards Fast-Convergence, Low-Delay and Low-Co... | Distributed network optimization has been st... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10267 | 10268 | On zeros of polynomials in best $L^p$-approxim... | The purpose of this note is to revive in $L^... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10268 | 10269 | Empirical likelihood inference for partial fun... | In this paper, we apply empirical likelihood... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10269 | 10270 | Dropout Inference in Bayesian Neural Networks ... | To obtain uncertainty estimates with real-wo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10270 | 10271 | Semiparametric Mixtures of Regressions with Si... | In this article, we propose two classes of s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10271 | 10272 | Deep learning Approach for Classifying, Detect... | We apply a convolutional neural network (CNN... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10272 | 10273 | Sources of inter-model scatter in TRACMIP, the... | We analyze the source of inter-model scatter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10273 | 10274 | Sub-clustering in decomposable graphs and size... | This paper proposes a novel representation o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10274 | 10275 | The inflation technique solves completely the ... | The causal inference problem consists in det... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10275 | 10276 | Magnetic charge injection in spin ice: a new w... | The complexity embedded in condensed matter ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10276 | 10277 | Decentralized Task Allocation in Multi-Robot S... | Robotic systems, working together as a team,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10277 | 10278 | Combining Static and Dynamic Features for Mult... | Model precision in a classification task is ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10278 | 10279 | Tracking the gradients using the Hessian: A ne... | Our goal is to improve variance reducing sto... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10279 | 10280 | On spectral properties of Neuman-Poincare oper... | We consider plasmon resonances and cloaking ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10280 | 10281 | A hybridizable discontinuous Galerkin method f... | We introduce a hybridizable discontinuous Ga... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10281 | 10282 | Near Perfect Protein Multi-Label Classificatio... | Artificial neural networks (ANNs) have gaine... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10282 | 10283 | Comparison of Decoding Strategies for CTC Acou... | Connectionist Temporal Classification has re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10283 | 10284 | Battery Degradation Maps for Power System Opti... | This paper presents a novel method to descri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10284 | 10285 | Computer Assisted Localization of a Heart Arrh... | We consider the problem of locating a point-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10285 | 10286 | Solving for high dimensional committor functio... | In this note we propose a method based on ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10286 | 10287 | The possibility of constructing a relativistic... | The possibility of calculation of the condit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10287 | 10288 | Problems on Matchings and Independent Sets of ... | Let $G$ be a finite simple graph. For $X \su... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10288 | 10289 | Nonsequential double ionization of helium in I... | The collision-ionization mechanism of nonseq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10289 | 10290 | Chaos or Order? | What is chaos? Despite several decades of re... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10290 | 10291 | Gaia Data Release 1: The archive visualisation... | Context: The first Gaia data release (DR1) d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10291 | 10292 | Monte Carlo methods for massively parallel com... | Applications that require substantial comput... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10292 | 10293 | A Deep Causal Inference Approach to Measuring ... | Kiva is an online non-profit crowdsouring mi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10293 | 10294 | JADE - A Platform for Research on Cooperation ... | In the ICS, WUT a platform for simulation of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10294 | 10295 | Analytic Expressions for the Inner-Rim Structu... | We analytically derive the expressions for t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10295 | 10296 | X-ray Emission Spectrum of Liquid Ethanol : Or... | The X-ray emission spectrum of liquid ethano... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10296 | 10297 | Activation Maximization Generative Adversarial... | Class labels have been empirically shown use... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10297 | 10298 | Job Management and Task Bundling | High Performance Computing is often performe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10298 | 10299 | Scintillation based search for off-pulse radio... | We propose a new method to detect off-pulse ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10299 | 10300 | Machine learning for graph-based representatio... | Structural and topological information play ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 10300 | 10301 | VQABQ: Visual Question Answering by Basic Ques... | Taking an image and question as the input of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10301 | 10302 | Power-Constrained Secrecy Rate Maximization fo... | In this paper, we examine the physical layer... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10302 | 10303 | Demagnetization of cubic Gd-Ba-Cu-O bulk super... | Superconducting bulks, acting as high-field ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10303 | 10304 | Resonance-Free Light Recycling | The inability to efficiently tune the optica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10304 | 10305 | A Computationally Efficient and Practically Fe... | Traditionally, Blind Speech Separation techn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10305 | 10306 | Magnetic ground state and magnon-phonon intera... | Inelastic neutron scattering has been used t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10306 | 10307 | Neuromodulation of Neuromorphic Circuits | We present a novel methodology to enable con... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10307 | 10308 | Frank-Wolfe Style Algorithms for Large Scale O... | We introduce a few variants on Frank-Wolfe s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10308 | 10309 | Theoretical Description of Micromaser in the U... | We theoretically investigate an ultrastrongl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10309 | 10310 | Compatibility of quasi-orderings and valuation... | In his work of 1969, Merle E. Manis introduc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10310 | 10311 | Feature Decomposition Based Saliency Detection... | Electron Cryo-Tomography (ECT) allows 3D vis... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10311 | 10312 | A Characterization of Integral ISS for Switche... | Most of the existing characterizations of th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10312 | 10313 | Low-temperature marginal ferromagnetism explai... | We introduce a new ferromagnetic model capab... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10313 | 10314 | Historical and personal recollections of Guido... | In this paper I will present a short scienti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10314 | 10315 | Segment Parameter Labelling in MCMC Mean-Shift... | This work addresses the problem of segmentat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10315 | 10316 | M/G/c/c state dependent queuing model for a ro... | We propose in this article a M/G/c/c state d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10316 | 10317 | Laplace approximation and the natural gradient... | This paper considers the Laplace method to d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10317 | 10318 | Fixed points of n-valued maps, the fixed point... | We study the fixed point theory of n-valued ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10318 | 10319 | Large Synoptic Survey Telescope Galaxies Scien... | The Large Synoptic Survey Telescope (LSST) w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10319 | 10320 | Multiresolution Coupled Vertical Equilibrium M... | CO2 capture and storage is an important tech... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10320 | 10321 | Improved GelSight Tactile Sensor for Measuring... | A GelSight sensor uses an elastomeric slab c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10321 | 10322 | Deep Learning for Design and Retrieval of Nano... | Our visual perception of our surroundings is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10322 | 10323 | A Sparse Completely Positive Relaxation of the... | In this paper, we consider the community det... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10323 | 10324 | Automated Algorithm Selection on Continuous Bl... | In this paper, we build upon previous work o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10324 | 10325 | Car-following behavior of connected vehicles i... | Vehicle-to-vehicle communications can change... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10325 | 10326 | A note on a two-weight estimate for the dyadic... | We show that the two-weight estimate for the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10326 | 10327 | The Oblique Orbit of WASP-107b from K2 Photometry | Observations of nine transits of WASP-107 du... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10327 | 10328 | A characterization of signed discrete infinite... | In this article, we give some reviews concer... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10328 | 10329 | Frequency Domain Singular Value Decomposition ... | Advances in virtual reality have generated s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10329 | 10330 | Functional Dynamical Structures in Complex Sys... | Understanding the dynamical behavior of comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10330 | 10331 | Angle-resolved photoemission spectroscopy with... | Quantum gas microscopes are a promising tool... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10331 | 10332 | A note on MLE of covariance matrix | For a multivariate normal set up, it is well... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10332 | 10333 | Resource Management in Cloud Computing: Classi... | Cloud Computing is a new era of remote compu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10333 | 10334 | What can the programming language Rust do for ... | The astrophysics community uses different to... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10334 | 10335 | Eliashberg theory with the external pair poten... | Based on BCS model with the external pair po... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10335 | 10336 | An exponential limit shape of random $q$-propo... | We introduce \emph{$p_n$-random $q_n$-propor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10336 | 10337 | Constraining Effective Temperature, Mass and R... | By introducing a simplified transport model ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10337 | 10338 | Hierarchical Multinomial-Dirichlet model for t... | We present a novel approach for estimating c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10338 | 10339 | Proceedings of the Fifth Workshop on Proof eXc... | This volume of EPTCS contains the proceeding... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10339 | 10340 | Photoinduced charge-order melting dynamics in ... | Transient quantum dynamics in an interacting... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10340 | 10341 | Compactness of the automorphism group of a top... | We prove that the automorphism group of a to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10341 | 10342 | A model provides insight into electric field-i... | This paper presents the first MD simulations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10342 | 10343 | A Rich-Variant Architecture for a User-Aware m... | Software as a Service cloud computing model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10343 | 10344 | Comparison of Parallelisation Approaches, Lang... | Efficiently exploiting GPUs is increasingly ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10344 | 10345 | Notes on Growing a Tree in a Graph | We study the height of a spanning tree $T$ o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10345 | 10346 | Vortex pinning by the point potential in topol... | We propose theoretically an effective scheme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10346 | 10347 | T* : A Heuristic Search Based Algorithm for Mo... | Motion planning is the core problem to solve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10347 | 10348 | Discontinuous Homomorphisms of $C(X)$ with $2^... | Assume that $M$ is a c.t.m. of $ZFC+CH$ cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10348 | 10349 | Investigation of beam self-polarization in the... | The use of resonant depolarization has been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10349 | 10350 | Learning to Grasp from a Single Demonstration | Learning-based approaches for robotic graspi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10350 | 10351 | Tensor Minkowski Functionals for random fields... | We generalize the translation invariant tens... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10351 | 10352 | Measuring galaxy cluster masses with CMB lensi... | We develop a Maximum Likelihood estimator (M... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10352 | 10353 | The Incremental Proximal Method: A Probabilist... | In this work, we highlight a connection betw... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10353 | 10354 | List Decoding of Insertions and Deletions | List decoding of insertions and deletions in... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10354 | 10355 | Almost sure scattering for the energy-critical... | We prove almost sure global existence and sc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10355 | 10356 | Almost Boltzmann Exploration | Boltzmann exploration is widely used in rein... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10356 | 10357 | A Time Localization System in Smart Home Using... | Both GPS and WiFi based localization have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10357 | 10358 | Vision-based Real Estate Price Estimation | Since the advent of online real estate datab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10358 | 10359 | Deep Rewiring: Training very sparse deep networks | Neuromorphic hardware tends to pose limits o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10359 | 10360 | Analyzing and Disentangling Interleaved Interr... | In the Internet of Things (IoT) community, W... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10360 | 10361 | Absence of replica symmetry breaking in the tr... | It is proved that replica symmetry is not br... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10361 | 10362 | Specialization of Generic Array Accesses After... | We have implemented an optimization that spe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10362 | 10363 | Exact tensor completion with sum-of-squares | We obtain the first polynomial-time algorith... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10363 | 10364 | Outlier Cluster Formation in Spectral Clustering | Outlier detection and cluster number estimat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10364 | 10365 | Stored Electromagnetic Field Energies in Gener... | The most general expressions of the stored e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10365 | 10366 | From Relational Data to Graphs: Inferring Sign... | The inference of network topologies from rel... | 1 | 1 | 0 | 1 | 0 | 0 |
| 10366 | 10367 | A Relaxed Kačanov Iteration for the $p$-Poisso... | In this paper, we introduce an iterative lin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10367 | 10368 | Explosive Percolation on Directed Networks Due... | An important class of real-world networks ha... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10368 | 10369 | Experimental observation of self excited co--r... | We report an experimental observation of mul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10369 | 10370 | Analysis of Computational Science Papers from ... | This paper presents results of topic modelin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10370 | 10371 | A maximal Boolean sublattice that is not the r... | We construct a countable bounded sublattice ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10371 | 10372 | Bayesian inference for stationary data on fini... | In this work the issue of Bayesian inference... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10372 | 10373 | Why is solar cycle 24 an inefficient producer ... | The aim of the study is to investigate the r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10373 | 10374 | E2M2: Energy Efficient Mobility Management in ... | Merging mobile edge computing with the dense... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10374 | 10375 | Big Data in HEP: A comprehensive use case study | Experimental Particle Physics has been at th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10375 | 10376 | Criticality & Deep Learning II: Momentum Renor... | Guided by critical systems found in nature w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10376 | 10377 | The Price of Diversity in Assignment Problems | We introduce and analyze an extension to the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10377 | 10378 | X-ray spectral analyses of AGNs from the 7Ms C... | We present a detailed spectral analysis of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10378 | 10379 | Muon spin relaxation and inelastic neutron sca... | Nd2Hf2O7, belonging to the family of geometr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10379 | 10380 | Modeling and Soft-fault Diagnosis of Underwate... | Noncritical soft-faults and model deviations... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10380 | 10381 | Epidemic Spreading on Activity-Driven Networks... | We study SIS epidemic spreading processes un... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10381 | 10382 | A generalized family of anisotropic compact ob... | We present model for anisotropic compact sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10382 | 10383 | Automated capture and delivery of assistive ta... | In this paper we describe and evaluate a mix... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10383 | 10384 | V2X Meets NOMA: Non-Orthogonal Multiple Access... | Benefited from the widely deployed infrastru... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10384 | 10385 | Theoretical Foundation of Co-Training and Disa... | Disagreement-based approaches generate multi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10385 | 10386 | Schrödinger's Man | What if someone built a "box" that applies q... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10386 | 10387 | High-Resolution Multispectral Dataset for Sema... | Unmanned aircraft have decreased the cost re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10387 | 10388 | A Methodology for the Selection of Requirement... | In this paper, we present an approach to sel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10388 | 10389 | Nonclassical Light Generation from III-V and G... | In this chapter, we present the state-of-the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10389 | 10390 | INtERAcT: Interaction Network Inference from V... | In recent years, the number of biomedical pu... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10390 | 10391 | Distributed Deep Transfer Learning by Basic Pr... | Transfer learning is a popular practice in d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10391 | 10392 | Parameter Learning and Change Detection Using ... | This paper presents the construction of a pa... | 0 | 0 | 0 | 1 | 0 | 1 |
| 10392 | 10393 | Self-supervised Deep Reinforcement Learning wi... | Enabling robots to autonomously navigate com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10393 | 10394 | Magnetization reversal by superconducting curr... | We study magnetization reversal in a $\varph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10394 | 10395 | Higher Order Accurate Space-Time Schemes for C... | As computational astrophysics comes under pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10395 | 10396 | Building Robust Deep Neural Networks for Road ... | Deep Neural Networks are built to generalize... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10396 | 10397 | Statman's Hierarchy Theorem | In the Simply Typed $\lambda$-calculus Statm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10397 | 10398 | Anisotropic Dzyaloshinskii-Moriya Interaction ... | We have used Brillouin Light Scattering spec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10398 | 10399 | Modeling and Simulation of Robotic Finger Powe... | This paper shows a detailed modeling of thre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10399 | 10400 | Beyond Log-concavity: Provable Guarantees for ... | A key task in Bayesian statistics is samplin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10400 | 10401 | A Compositional Coalgebraic Semantics of Strat... | We provide a compositional coalgebraic seman... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10401 | 10402 | Informed Sampling for Asymptotically Optimal P... | Anytime almost-surely asymptotically optimal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10402 | 10403 | Holistic Planimetric prediction to Local Volum... | We propose a novel approach to 3D human pose... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10403 | 10404 | Automated design of collective variables using... | Selection of appropriate collective variable... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10404 | 10405 | Berry-Esseen Theorem and Quantitative homogeni... | We study the random conductance model on the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10405 | 10406 | Detecting Multiple Communities Using Quantum A... | A very important problem in combinatorial op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10406 | 10407 | Evaluating Feature Importance Estimates | Estimating the influence of a given feature ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10407 | 10408 | Distributed dynamic modeling and monitoring fo... | For large-scale industrial processes under c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10408 | 10409 | Learning to compress and search visual data in... | The problem of high-dimensional and large-sc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10409 | 10410 | Simple Round Compression for Parallel Vertex C... | Recently, Czumaj et.al. (arXiv 2017) present... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10410 | 10411 | ELDAR, a new method to identify AGN in multi-f... | We present ELDAR, a new method that exploits... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10411 | 10412 | Identification of multiple hard X-ray sources ... | The hard X-ray emission in a solar flare is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10412 | 10413 | A General Framework for Robust Interactive Lea... | We propose a general framework for interacti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10413 | 10414 | Predicting Gravitational Lensing by Stellar Re... | Gravitational lensing provides a means to me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10414 | 10415 | Weak separation properties for closed subgroup... | Three separation properties for a closed sub... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10415 | 10416 | A Broader View on Bias in Automated Decision-M... | Machine learning (ML) is increasingly deploy... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10416 | 10417 | Solution to the relaxation problem for a gas w... | The paper presents a solution to the Boltzma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10417 | 10418 | Robust Regression for Automatic Fusion Plasma ... | The first step to realize automatic experime... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10418 | 10419 | Optimizing Long Short-Term Memory Recurrent Ne... | This article expands on research that has be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10419 | 10420 | PhyShare: Sharing Physical Interaction in Virt... | We present PhyShare, a new haptic user inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10420 | 10421 | Kneser ranks of random graphs and minimum diff... | Every graph $G=(V,E)$ is an induced subgraph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10421 | 10422 | Visualizing spreading phenomena on complex net... | Graph drawings are useful tools for explorin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10422 | 10423 | In silico evolution of signaling networks usin... | One of the ultimate goals in biology is to u... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10423 | 10424 | Deep Recurrent Neural Networks for seizure det... | Epilepsy is common neurological diseases, af... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10424 | 10425 | QUICKAR: Automatic Query Reformulation for Con... | During maintenance, software developers deal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10425 | 10426 | Learned Belief-Propagation Decoding with Simpl... | We consider the weighted belief-propagation ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10426 | 10427 | Thick-medium model of transverse pattern forma... | We study a pattern forming instability in a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10427 | 10428 | A reinvestigation of the giant Rashba-split st... | We study the electronic and spin structures ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10428 | 10429 | Performance Evaluation of Spectrum Mobility in... | Technological developments alongside VLSI ac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10429 | 10430 | Tunable Quantum Criticality and Super-ballisti... | Quantum phase transitions are ubiquitous in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10430 | 10431 | Exploring Cosmic Origins with CORE: Survey req... | Future observations of cosmic microwave back... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10431 | 10432 | Influence of material parameters on the perfor... | A detailed thermal analysis of a Niobium (Nb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10432 | 10433 | Shear Viscosity of Uniform Fermi Gases with Po... | The shear viscosity plays an important role ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10433 | 10434 | Equivalence of Intuitionistic Inductive Defini... | A cyclic proof system gives us another way o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10434 | 10435 | Further and stronger analogy between sampling ... | In this paper, we revisit the recently estab... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10435 | 10436 | Probing Spatial Locality in Ionic Liquids with... | We employ the Grand Canonical Adaptive Resol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10436 | 10437 | Towards automation of data quality system for ... | Daily operation of a large-scale experiment ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10437 | 10438 | Solving a non-linear model of HIV infection fo... | The aim of this paper is to find the approxi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10438 | 10439 | On Store Languages of Language Acceptors | It is well known that the "store language" o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10439 | 10440 | Exchange constants in molecule-based magnets d... | Cu(pyz)(NO3)2 is a quasi one-dimensional mol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10440 | 10441 | An Extended Relevance Model for Session Search | The session search task aims at best serving... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10441 | 10442 | Hierarchical Graph Representation Learning wit... | Recently, graph neural networks (GNNs) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10442 | 10443 | Ranking and Cooperation in Real-World Complex ... | People participate and activate in online so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10443 | 10444 | Remarks on defective Fano manifolds | This note continues our previous work on spe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10444 | 10445 | Precision of the ENDGame: Mixed-precision arit... | The Met Office's weather and climate simulat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10445 | 10446 | Intra-Cluster Autonomous Coverage Optimization... | Self Organizing Networks (SONs) are consider... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10446 | 10447 | Two-dimensional topological nodal line semimet... | In topological semimetals the Dirac points c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10447 | 10448 | A Real-Valued Modal Logic | A many-valued modal logic is introduced that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10448 | 10449 | Embedded tori with prescribed mean curvature | We construct a sequence of compact, oriented... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10449 | 10450 | On the reducibility of induced representations... | Let $\pi $ be an irreducible smooth complex ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10450 | 10451 | On derivations with respect to finite sets of ... | The purpose of this paper is to show that fu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10451 | 10452 | A new magnetic phase in the nickelate perovski... | The RNiO$_3$ perovskites are known to order ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10452 | 10453 | On the Inverse of Forward Adjacency Matrix | During routine state space circuit analysis ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10453 | 10454 | Constructing and Understanding New and Old Sca... | We discuss the practical problems arising wh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10454 | 10455 | Non-compact subsets of the Zariski space of an... | Let $V$ be a minimal valuation overring of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10455 | 10456 | Finite temperature Green's function approach f... | We present a finite-temperature extension of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10456 | 10457 | Geometric Embedding of Path and Cycle Graphs i... | Given a graph $ G $ with $ n $ vertices and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10457 | 10458 | Simulating Brain Signals: Creating Synthetic E... | Despite significant recent progress in the a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10458 | 10459 | An FPTAS for the parametric knapsack problem | In this paper, we investigate the parametric... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10459 | 10460 | Saliency Benchmarking Made Easy: Separating Mo... | Dozens of new models on fixation prediction ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10460 | 10461 | Distributed Framework for Optimal Demand Distr... | This study focusses on self-balancing microg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10461 | 10462 | Fast, precise, and widely tunable frequency co... | Optical frequency combs (OFC) provide a conv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10462 | 10463 | Compact-Like Operators in Lattice-Normed Spaces | A linear operator $T$ between two lattice-no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10463 | 10464 | Near-infrared spectroscopy of 5 ultra-massive ... | We present the results of a pilot near-infra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10464 | 10465 | A hybrid deep learning approach for medical re... | Mining relationships between treatment(s) an... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10465 | 10466 | Performance Optimization of Network Coding Bas... | Internet or things (IoT) is changing our dai... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10466 | 10467 | Time-dependent probability density functions a... | A probabilistic description is essential for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10467 | 10468 | A Local-Search Algorithm for Steiner Forest | In the Steiner Forest problem, we are given ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10468 | 10469 | Fundamental bounds on MIMO antennas | Antenna current optimization is often used t... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10469 | 10470 | DeepProteomics: Protein family classification ... | The knowledge regarding the function of prot... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10470 | 10471 | Designing Deterministic Polynomial-Space Algor... | In recent years, several powerful techniques... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10471 | 10472 | String Attractors | Let $S$ be a string of length $n$. In this p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10472 | 10473 | Methods for Mapping Forest Disturbance and Deg... | Purpose of review: This paper presents a rev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10473 | 10474 | Testing for Global Network Structure Using Sma... | We study the problem of testing for communit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10474 | 10475 | A new method of correcting radial velocity tim... | Magnetic activity strongly impacts stellar R... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10475 | 10476 | Differential Testing for Variational Analyses:... | Differential testing to solve the oracle pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10476 | 10477 | Simultaneously Learning Neighborship and Proje... | Explicitly or implicitly, most of dimensiona... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10477 | 10478 | Joint Multichannel Deconvolution and Blind Sou... | Blind Source Separation (BSS) is a challengi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10478 | 10479 | Bimodule monomorphism categories and RSS equiv... | The monomorphism category $\mathscr{S}(A, M,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10479 | 10480 | The Vanishing viscosity limit for some symmetr... | The focus of this paper is on the analysis o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10480 | 10481 | Anisotropy of transport in bulk Rashba metals | The recent experimental discovery of three-d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10481 | 10482 | A quick guide for student-driven community gen... | High quality gene models are necessary to ex... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10482 | 10483 | Copycat CNN: Stealing Knowledge by Persuading ... | In the past few years, Convolutional Neural ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10483 | 10484 | Medoids in almost linear time via multi-armed ... | Computing the medoid of a large number of po... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10484 | 10485 | Early stopping for statistical inverse problem... | We consider truncated SVD (or spectral cut-o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10485 | 10486 | Algorithmic Theory of ODEs and Sampling from W... | Sampling logconcave functions arising in sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10486 | 10487 | The PSLQ Algorithm for Empirical Data | The celebrated integer relation finding algo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10487 | 10488 | Tensor Completion Algorithms in Big Data Analy... | Tensor completion is a problem of filling th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10488 | 10489 | On Gallai's and Hajós' Conjectures for graphs ... | A path (resp. cycle) decomposition of a grap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10489 | 10490 | Band and correlated insulators of cold fermion... | We investigate the transport properties of n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10490 | 10491 | Stochasticity from function - why the Bayesian... | An increasing body of evidence suggests that... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10491 | 10492 | Very Asymmetric Collider for Dark Matter Searc... | Current searches for a dark photon in the ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10492 | 10493 | Some divisibility properties of binomial coeff... | In this paper, we gave some properties of bi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10493 | 10494 | An Unsupervised Method for Estimating the Glob... | In this paper, we present a method to determ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10494 | 10495 | Strong anisotropy effect in iron-based superco... | The anisotropy of the Fe-based superconducto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10495 | 10496 | Example of C-rigid polytopes which are not B-r... | A simple polytope $P$ is said to be \emph{B-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10496 | 10497 | Dynamic Switching Networks: A Dynamic, Non-loc... | The concept of emergence is a powerful conce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10497 | 10498 | The Trouvé group for spaces of test functions | The Trouvé group $\mathcal G_{\mathcal A}$ f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10498 | 10499 | Robust Motion Planning employing Signal Tempor... | Motion planning classically concerns the pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10499 | 10500 | COREclust: a new package for a robust and scal... | In this paper, we present a new R package CO... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10500 | 10501 | Deep Neural Networks | Deep Neural Networks (DNNs) are universal fu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10501 | 10502 | The Rosetta mission orbiter Science overview t... | The International Rosetta Mission was launch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10502 | 10503 | Back to the Future: an Even More Nearly Optima... | We describe a new cardinality estimation alg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10503 | 10504 | Tracking Systems as Thinging Machine: A Case S... | Object tracking systems play important roles... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10504 | 10505 | Spectral Evidence for an Inner Carbon-Rich Cir... | Using the NASA/IRTF SpeX & BASS spectrometer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10505 | 10506 | The flyby anomaly: A multivariate analysis app... | The flyby anomaly is the unexpected variatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10506 | 10507 | Opto-Valleytronic Spin Injection in Monolayer ... | Two dimensional (2D) materials provide a uni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10507 | 10508 | On singular limit equations for incompressible... | We consider the incompressible Euler and Nav... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10508 | 10509 | Flying, Hopping Pit-Bots for Cave and Lava Tub... | Wheeled ground robots are limited from explo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10509 | 10510 | Design of a Robotic System for Diagnosis and R... | Currently, lower limb robotic rehabilitation... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10510 | 10511 | Multi-parametric sensitivity analysis of the b... | Tetrachiral materials are characterized by a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10511 | 10512 | What do the US West Coast Public Libraries Pos... | Twitter has provided a great opportunity for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10512 | 10513 | Dynamic Boltzmann Machines for Second Order Mo... | Dynamic Boltzmann Machine (DyBM) has been sh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10513 | 10514 | Edge switching transformations of quantum graphs | Discussed here are the effects of basics gra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10514 | 10515 | Resilient Monotone Submodular Function Maximiz... | In this paper, we focus on applications in m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10515 | 10516 | Antireflection Coated Semiconductor Laser Ampl... | This paper presents a laser amplifier based ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10516 | 10517 | On the structure of radial solutions for some ... | In this paper we study entire radial solutio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10517 | 10518 | Bi-class classification of humpback whale soun... | Automatically detecting sound units of humpb... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10518 | 10519 | A model for a Lindenmayer reconstruction algor... | Given an input string s and a specific Linde... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10519 | 10520 | Spacetime symmetries and conformal data in the... | The generalization of the multi-scale entang... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10520 | 10521 | Augmenting Input Method Language Model with us... | Geo-tags from micro-blog posts have been sho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10521 | 10522 | Cauchy-Lipschitz theory for fractional multi-o... | The aim of the present paper is to contribut... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10522 | 10523 | Tanaka formula for strictly stable processes | For symmetric Lévy processes, if the local t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10523 | 10524 | The Classical Complexity of Boson Sampling | We study the classical complexity of the exa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10524 | 10525 | Impurity band conduction in group-IV ferromagn... | We study the carrier transport and magnetic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10525 | 10526 | On the metastable Mabillard-Wagner conjecture | The purpose of this note is to attract atten... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10526 | 10527 | Reference Publication Year Spectroscopy (RPYS)... | Which studies, theories, and ideas have infl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10527 | 10528 | Neurogenesis-Inspired Dictionary Learning: Onl... | In this paper, we focus on online representa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10528 | 10529 | Transiently enhanced interlayer tunneling in o... | Recent pump-probe experiments reported an en... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10529 | 10530 | An Integer Programming Formulation of the Key ... | With the advent of modern communications sys... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10530 | 10531 | Laplacian-Steered Neural Style Transfer | Neural Style Transfer based on Convolutional... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10531 | 10532 | A quantized physical framework for understandi... | A quantized physical framework, called the f... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10532 | 10533 | Reinforcement learning for non-prehensile mani... | Reinforcement learning has emerged as a prom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10533 | 10534 | A contour for the entanglement entropies in ha... | We construct a contour function for the enta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10534 | 10535 | A Constrained Coupled Matrix-Tensor Factorizat... | Topic discovery has witnessed a significant ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10535 | 10536 | Generalized Commutative Association Schemes, H... | It is well known that finite commutative ass... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10536 | 10537 | BD-19 5044L: discovery of a short-period SB2 s... | Until recently almost nothing was known abou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10537 | 10538 | A Submillimeter Perspective on the GOODS Field... | We use ultradeep 20 cm data from the Karl G.... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10538 | 10539 | Discrete Spacetime Quantum Field Theory | This paper begins with a theoretical explana... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10539 | 10540 | Neural network-based arithmetic coding of intr... | In both H.264 and HEVC, context-adaptive bin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10540 | 10541 | Securing Information-Centric Networking withou... | Information-Centric Networking is a promisin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10541 | 10542 | Inference in Deep Gaussian Processes using Sto... | Deep Gaussian Processes (DGPs) are hierarchi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10542 | 10543 | Probabilistic Numerical Methods for PDE-constr... | This paper develops meshless methods for pro... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10543 | 10544 | Some discussions on the Read Paper "Beyond sub... | This note is a collection of several discuss... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10544 | 10545 | FASER: ForwArd Search ExpeRiment at the LHC | New physics has traditionally been expected ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10545 | 10546 | Size Agnostic Change Point Detection Framework... | Changes in the structure of observed social ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10546 | 10547 | On distributions determined by their upward, s... | According to the Wiener-Hopf factorization, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10547 | 10548 | Spontaneous Octahedral Tilting in the Cubic In... | The local crystal structures of many perovsk... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10548 | 10549 | Kinetics of the Phospholipid Multilayer Format... | The ordering of a multilayer consisting of D... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10549 | 10550 | Asymmetric Actor Critic for Image-Based Robot ... | Deep reinforcement learning (RL) has proven ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10550 | 10551 | Effects of particles on spinodal decomposition... | In this thesis, we study the interplay of ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10551 | 10552 | Tail asymptotics of signal-to-interference rat... | We consider a spatial stochastic model of wi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10552 | 10553 | An Optimal Combination of Proportional and Sto... | A reinsurance contract should address the co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10553 | 10554 | Computational complexity and 3-manifolds and z... | We show the problem of counting homomorphism... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10554 | 10555 | Learning to Schedule Deadline- and Operator-Se... | The use of semi-autonomous and autonomous ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10555 | 10556 | r-BTN: Cross-domain Face Composite and Synthes... | We start by asking an interesting yet challe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10556 | 10557 | Regularity of Kleinian limit sets and Patterso... | We consider several (related) notions of geo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10557 | 10558 | Large-Scale Sleep Condition Analysis Using Sel... | Sleep condition is closely related to an ind... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10558 | 10559 | A note on the Diophantine equation $2^{n-1}(2^... | Motivated by the recent result of Farhi we s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10559 | 10560 | Modeling of nonlinear audio effects with end-t... | In the context of music production, distorti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10560 | 10561 | Weak Adaptive Submodularity and Group-Based Ac... | In this paper, we consider adaptive decision... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10561 | 10562 | Robust Decentralized Learning Using ADMM with ... | Many machine learning problems can be formul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10562 | 10563 | Applying the Delta method in metric analytics:... | During the last decade, the information tech... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10563 | 10564 | Chebyshev Approximation and Higher Order Deriv... | Estimating the Domain of Attraction (DA) of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10564 | 10565 | Ranking Median Regression: Learning to Order t... | This article is devoted to the problem of pr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10565 | 10566 | Anisotropic power-law inflation in a two-scala... | We examine whether an extended scenario of a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10566 | 10567 | Higher-dimensional SYK Non-Fermi Liquids at Li... | We address the key open problem of a higher ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10567 | 10568 | Convex-constrained Sparse Additive Modeling an... | Sparse additive modeling is a class of effec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10568 | 10569 | Comparative study of finite element methods us... | We present a performance analysis appropriat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10569 | 10570 | A sharpened Riesz-Sobolev inequality | The Riesz-Sobolev inequality provides an upp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10570 | 10571 | Unoriented Cobordism Maps on Link Floer Homology | We study the problem of defining maps on lin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10571 | 10572 | 3D Object Reconstruction from Hand-Object Inte... | Recent advances have enabled 3d object recon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10572 | 10573 | Secular dynamics of a planar model of the Sun-... | We investigate the long-time stability of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10573 | 10574 | Variants on the Berz sublinearity theorem | We consider variants on the classical Berz s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10574 | 10575 | Linguistic Markers of Influence in Informal In... | There has been a long standing interest in u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10575 | 10576 | Finding multiple core-periphery pairs in networks | With a core-periphery structure of networks,... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10576 | 10577 | Central Limit Theorems of Local Polynomial Thr... | Central limit theorems play an important rol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10577 | 10578 | Honey from the Hives: A Theoretical and Comput... | In the first half of this manuscript, we beg... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10578 | 10579 | Pressure-induced ferromagnetism due to an anis... | A rapid and anisotropic modification of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10579 | 10580 | DataSlicer: Task-Based Data Selection for Visu... | In visual exploration and analysis of data, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10580 | 10581 | Convolutional Analysis Operator Learning: Acce... | Convolutional operator learning is increasin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10581 | 10582 | Several Classes of Permutation Trinomials over... | The construction of permutation trinomials o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10582 | 10583 | Core-powered mass loss and the radius distribu... | Recent observations identify a valley in the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10583 | 10584 | Comparison of Gini index and Tamura coefficien... | The Sparsity of the Gradient (SoG) is a robu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10584 | 10585 | Probabilistic interpretation of HJB equations ... | The purpose of this note is to propose a new... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10585 | 10586 | A Review on Deep Learning Techniques Applied t... | Image semantic segmentation is more and more... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10586 | 10587 | Sum-Product Networks for Hybrid Domains | While all kinds of mixed data -from personal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10587 | 10588 | Unified Hypersphere Embedding for Speaker Reco... | Incremental improvements in accuracy of Conv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10588 | 10589 | Linearly-Recurrent Autoencoder Networks for Le... | This paper describes a method for learning l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10589 | 10590 | Macros to Conduct Tests of Multimodality in SAS | The Dip Test of Unimodality and Silverman's ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10590 | 10591 | The James construction and $π_4(\mathbb{S}^3)$... | In the first part of this paper we present a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10591 | 10592 | Effective One-Dimensional Coupling in the High... | Inelastic neutron scattering measurements on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10592 | 10593 | Graph-Based Ascent Algorithms for Function Max... | We study the problem of finding the maximum ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10593 | 10594 | Multiequilibria analysis for a class of collec... | The models of collective decision-making con... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10594 | 10595 | Pattern Recognition Techniques for the Identif... | This paper focuses on the recognition of Act... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10595 | 10596 | Simultaneous dynamic characterization of charg... | Monitoring structural changes in ferroelectr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10596 | 10597 | Continuous Relaxations for the Traveling Sales... | In this work, we aim to explore connections ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10597 | 10598 | Isotopes of Octonion Algebras, G2-Torsors and ... | Octonion algebras over rings are, in contras... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10598 | 10599 | Second Order Statistics Analysis and Compariso... | Two fundamental approaches to information av... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10599 | 10600 | Phonon lasing from optical frequency comb illu... | An atomic transition can be addressed by a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10600 | 10601 | Blocks with the hyperfocal subgroup $Z_{2^n}\t... | In this paper, we calculate the numbers of i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10601 | 10602 | Asymptotic Analysis via Stochastic Differentia... | This paper investigates asymptotic behaviors... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10602 | 10603 | Pigeonring: A Principle for Faster Thresholded... | The pigeonhole principle states that if n it... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10603 | 10604 | Circle compactification and 't Hooft anomaly | Anomaly matching constrains low-energy physi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10604 | 10605 | High-speed 100 MHz strain monitor using fiber ... | A high-speed 100 MHz strain monitor using a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10605 | 10606 | Functional limit laws for the increments of Lé... | We present a functional form of the Erdös-Re... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10606 | 10607 | R$^3$PUF: A Highly Reliable Memristive Device ... | We present a memristive device based R$ ^3 $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10607 | 10608 | FML-based Dynamic Assessment Agent for Human-M... | In this paper, we demonstrate the applicatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10608 | 10609 | ALMA reveals starburst-like interstellar mediu... | We present ALMA detections of the [CI] 1-0, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10609 | 10610 | Faster Betweenness Centrality Updates in Evolv... | Finding central nodes is a fundamental probl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10610 | 10611 | Constraining Reionization with the $z \sim 5-6... | The latest measurements of CMB electron scat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10611 | 10612 | Third-Person Imitation Learning | Reinforcement learning (RL) makes it possibl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10612 | 10613 | Model Trees for Identifying Exceptional Player... | Drafting strong players is crucial for the t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10613 | 10614 | Collapsed Dark Matter Structures | The distributions of dark matter and baryons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10614 | 10615 | Locally free actions of groupoids and proper t... | Let $(G,\alpha)$ and $(H,\beta)$ be locally ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10615 | 10616 | Adaptive Lock-Free Data Structures in Haskell:... | A key part of implementing high-level langua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10616 | 10617 | Output feedback exponential stabilization of a... | This paper develops systematically the outpu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10617 | 10618 | A Microphotonic Astrocomb | One of the essential prerequisites for detec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10618 | 10619 | Scale out for large minibatch SGD: Residual ne... | For the past 5 years, the ILSVRC competition... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10619 | 10620 | Alphabet-dependent Parallel Algorithm for Suff... | Suffix trees have recently become very succe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10620 | 10621 | A coupled mitral valve -- left ventricle model... | Understanding the interaction between the va... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10621 | 10622 | Performance of an Algorithm for Estimation of ... | Optimal estimation of signal amplitude, back... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10622 | 10623 | Depth Creates No Bad Local Minima | In deep learning, \textit{depth}, as well as... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10623 | 10624 | Some Formulas for Numbers of Restricted Words | We define a quantity $c_m(n,k)$ as a general... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10624 | 10625 | Mean Birds: Detecting Aggression and Bullying ... | In recent years, bullying and aggression aga... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10625 | 10626 | Towards an open standard for assessing the sev... | Robots are typically not created with securi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10626 | 10627 | Fully Distributed and Asynchronized Stochastic... | This paper considers a general data-fitting ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10627 | 10628 | Priv'IT: Private and Sample Efficient Identity... | We develop differentially private hypothesis... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10628 | 10629 | Radiative Transfer for Exoplanet Atmospheres | Remote sensing of the atmospheres of distant... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10629 | 10630 | Computational Results for Extensive-Form Adver... | We provide, to the best of our knowledge, th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10630 | 10631 | A Parametric MPC Approach to Balancing the Cos... | When designing control strategies for differ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10631 | 10632 | A norm knockout method on indirect reciprocity... | Although various norms for reciprocity-based... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10632 | 10633 | Online control of the false discovery rate wit... | In the online multiple testing problem, p-va... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10633 | 10634 | Multi-agent Reinforcement Learning Embedded Ga... | Most of the current game-theoretic demand-si... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10634 | 10635 | A locally quasi-convex abelian group without M... | We give the first example of a locally quasi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10635 | 10636 | How accurate is density functional theory at p... | Dipole moments are a simple, global measure ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10636 | 10637 | Understanding the Impact of Early Citers on Lo... | This paper explores an interesting new dimen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10637 | 10638 | Cause-Effect Deep Information Bottleneck For I... | Estimating the causal effects of an interven... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10638 | 10639 | On the restricted almost unbiased Liu estimato... | It is known that when the multicollinearity ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10639 | 10640 | Camera-trap images segmentation using multi-la... | The segmentation of animals from camera-trap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10640 | 10641 | The Bi-Lipschitz Equisingularity of Essentiall... | The bi-Lipschitz geometry is one of the main... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10641 | 10642 | Braid group symmetries of Grassmannian cluster... | We define an action of the extended affine d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10642 | 10643 | Bi-$s^*$-concave distributions | We introduce a new shape-constrained class o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10643 | 10644 | A central limit theorem for the realised covar... | This article presents a weak law of large nu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10644 | 10645 | First principles investigations of electronic,... | Based on geometry optimization and magnetic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10645 | 10646 | Eight-cluster structure of chloroplast genomes... | Previously, a seven-cluster pattern claiming... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10646 | 10647 | Remote Document Encryption - encrypting data f... | We show how any party can encrypt data for a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10647 | 10648 | Full likelihood inference for max-stable data | We show how to perform full likelihood infer... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10648 | 10649 | Nef vector bundles on a projective space with ... | We describe nef vector bundles on a projecti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10649 | 10650 | Performance of irradiated thin n-in-p planar p... | The ATLAS collaboration will replace its tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10650 | 10651 | Assessment of sound spatialisation algorithms ... | Given an input sound signal and a target vir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10651 | 10652 | Identification of individual coherent sets ass... | We present a method for identifying the cohe... | 0 | 1 | 0 | 1 | 0 | 0 |
| 10652 | 10653 | Gaussian Processes for HRF estimation for BOLD... | We present a non-parametric joint estimation... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10653 | 10654 | Iterated Elliptic and Hypergeometric Integrals... | We calculate 3-loop master integrals for hea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10654 | 10655 | Stein Variational Message Passing for Continuo... | We propose a novel distributed inference alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10655 | 10656 | PEBP1/RKIP: from multiple functions to a commo... | PEBPs (PhosphatidylEthanolamine Binding Prot... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10656 | 10657 | A Characterization Theorem for a Modal Descrip... | Modal description logics feature modalities ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10657 | 10658 | Emergence of magnetic long-range order in kago... | The existence of a spin-liquid ground state ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10658 | 10659 | The multidimensional truncated Moment Problem:... | This paper is about the moment problem on a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10659 | 10660 | PROOF OF VALUE ALIENATION (PoVA) - a concept o... | In this paper, we will describe a concept of... | 0 | 0 | 0 | 0 | 0 | 1 |
| 10660 | 10661 | Top-Rank Enhanced Listwise Optimization for St... | Pairwise ranking methods are the basis of ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10661 | 10662 | Performance Limits of Stochastic Sub-Gradient ... | The analysis in Part I revealed interesting ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10662 | 10663 | Aggregating incoherent agents who disagree | In this paper, we explore how we should aggr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10663 | 10664 | On Fundamental Limits of Robust Learning | We consider the problems of robust PAC learn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10664 | 10665 | Robust Multi-view Pedestrian Tracking Using Ne... | In this paper, we present a real-time robust... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10665 | 10666 | A Hybrid Algorithm for Period Analysis from Mu... | Ongoing and future surveys with repeat imagi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10666 | 10667 | A behavioral interpretation of belief functions | Shafer's belief functions were introduced in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10667 | 10668 | Radiation Hardness of Fiber Bragg Grating Ther... | Photonics sensing has long been valued for i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10668 | 10669 | On the inherent competition between valid and ... | Inductive inference is the process of extrac... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10669 | 10670 | Computing Stable Models of Normal Logic Progra... | We present a method for computing stable mod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10670 | 10671 | Security for 4G and 5G Cellular Networks: A Su... | This paper presents a comprehensive survey o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10671 | 10672 | Deep Learning for Unsupervised Insider Threat ... | Analysis of an organization's computer netwo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10672 | 10673 | Singular branched covers of four-manifolds | Consider a dihedral cover $f: Y\to X$ with $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10673 | 10674 | A Sample Complexity Measure with Applications ... | We introduce a new sample complexity measure... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10674 | 10675 | MDNet: A Semantically and Visually Interpretab... | The inability to interpret the model predict... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10675 | 10676 | I0 and rank-into-rank axioms | Just a survey on I0: The basics, some things... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10676 | 10677 | Low-Dose CT with a Residual Encoder-Decoder Co... | Given the potential X-ray radiation risk to ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10677 | 10678 | Primes In Arithmetic Progressions And Primitiv... | Let $x\geq 1$ be a large number, and let $1 ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10678 | 10679 | Photometric redshift estimation via deep learning | The need to analyze the available large syno... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10679 | 10680 | Effect of antipsychotics on community structur... | Schizophrenia, a mental disorder that is cha... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10680 | 10681 | Unsupervised Learning of Mixture Models with a... | Gaussian Mixture Models are one of the most ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10681 | 10682 | Sound emitted by some grassland animals as an ... | It is argued based on the results of both nu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10682 | 10683 | Monochromaticity of coherent Smith-Purcell rad... | Investigation of coherent Smith-Purcell Radi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10683 | 10684 | Search for water vapor in the high-resolution ... | Ground-based telescopes equipped with state-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10684 | 10685 | The Capacity of Some Classes of Polyhedra | K. Borsuk in 1979, in the Topological Confer... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10685 | 10686 | Network Transplanting (extended abstract) | This paper focuses on a new task, i.e., tran... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10686 | 10687 | Extracting Build Changes with BUILDDIFF | Build systems are an essential part of moder... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10687 | 10688 | Integrating car path optimization with train f... | An essential issue that a freight transporta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10688 | 10689 | Modeling of networks and globules of charged d... | Experiments on optical and STM injection of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10689 | 10690 | cGAN-based Manga Colorization Using a Single T... | The Japanese comic format known as Manga is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10690 | 10691 | Cooperation and Environment Characterize the L... | The optical spectrum of liquid water is anal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10691 | 10692 | Possible particle-hole instabilities in intera... | Type II Weyl semimetal, a three dimensional ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10692 | 10693 | Turbulent shear layers in confining channels | We present a simple model for the developmen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10693 | 10694 | Crystal and Magnetic Structures in Layered, Tr... | Materials composed of two dimensional layers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10694 | 10695 | Ramsey theorem for designs | We prove that for any choice of parameters $... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10695 | 10696 | Oracle inequalities for the stochastic differe... | This paper is a survey of recent results on ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10696 | 10697 | Empirical Risk Minimization as Parameter Choic... | We consider the statistical inverse problem ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10697 | 10698 | Disturbance-to-State Stabilization and Quantiz... | We consider a system of linear hyperbolic PD... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10698 | 10699 | Energy dependent stereodynamics of the Ne($^3$... | The stereodynamics of the Ne($^3$P$_2$)+Ar P... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10699 | 10700 | Qubit dynamics at tunneling Fermi-edge singula... | We consider tunneling of spinless electrons ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10700 | 10701 | A general method to describe intersystem cross... | Intersystem crossing is a radiationless proc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10701 | 10702 | Generating Synthetic Data for Real World Detec... | Denial of service attacks are especially per... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10702 | 10703 | A Data-driven Model for Interaction-aware Pede... | This paper reports on a data-driven, interac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10703 | 10704 | Performance study of SKIROC2 and SKIROC2A with... | SKIROC2 is an ASIC to readout the silicon pa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10704 | 10705 | Priority effects between annual and perennial ... | Dominance by annual plants has traditionally... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10705 | 10706 | Joining and decomposing reaction networks | In systems and synthetic biology, much resea... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10706 | 10707 | Evidence for structural damping in a high-stre... | We resolve the thermal motion of a high-stre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10707 | 10708 | Efficient, sparse representation of manifold d... | Geodesic distance matrices can reveal shape ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10708 | 10709 | A First Principle Study on Iron Substituted Li... | In this work, the structural stability and t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10709 | 10710 | Noncommutative Knörrer type equivalences via n... | We construct Knörrer type equivalences outsi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10710 | 10711 | Torsion and K-theory for some free wreath prod... | We classify torsion actions of free wreath p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10711 | 10712 | High Dimensional Inference in Partially Linear... | We propose two semiparametric versions of th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10712 | 10713 | The Impact of Small-Cell Bandwidth Requirement... | Small-cell deployment in licensed and unlice... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10713 | 10714 | Optimisation approach for the Monge-Ampere equ... | This paper studies the numerical approximati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10714 | 10715 | Coupling parallel adaptive mesh refinement wit... | We study the effect of adaptive mesh refinem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10715 | 10716 | The Pragmatics of Indirect Commands in Collabo... | Today's artificial assistants are typically ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10716 | 10717 | The Dawn of the Post-Naturalness Era | In an imaginary conversation with Guido Alta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10717 | 10718 | An effective likelihood-free approximate compu... | Approximate Bayesian computing is a powerful... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10718 | 10719 | The word and conjugacy problems in lacunary hy... | We study the word and conjugacy problems in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10719 | 10720 | Prediction of ultra-narrow Higgs resonance in ... | Higgs resonance modes in condensed matter sy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10720 | 10721 | Better Text Understanding Through Image-To-Tex... | Generic text embeddings are successfully use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10721 | 10722 | Two-sample instrumental variable analyses usin... | Instrumental variable analysis is a widely u... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10722 | 10723 | Combinatorial models for Schubert polynomials | Schubert polynomials are a basis for the pol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10723 | 10724 | Phase-tunable Josephson thermal router | Since the the first studies of thermodynamic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10724 | 10725 | Topology Analysis of International Networks Ba... | In complex, high dimensional and unstructure... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10725 | 10726 | Solving the incompressible surface Navier-Stok... | We consider a numerical approach for the inc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10726 | 10727 | Exploring a potential energy surface by machin... | We propose a machine-learning method for eva... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10727 | 10728 | Products of random walks on finite groups with... | In this article, we consider products of ran... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10728 | 10729 | A Theoretical Analysis of Sparse Recovery Stab... | Dantzig selector (DS) and LASSO problems hav... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10729 | 10730 | Input Perturbations for Adaptive Regulation an... | Design of adaptive algorithms for simultaneo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10730 | 10731 | Nearly circular domains which are integrable c... | The Birkhoff conjecture says that the bounda... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10731 | 10732 | Empirical study on social groups in pedestrian... | Pedestrian crowds often include social group... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10732 | 10733 | Capacity of the Aperture-Constrained AWGN Free... | In this paper, we derive upper and lower bou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10733 | 10734 | Quasiparticle entropy in superconductor/normal... | We discuss the quasiparticle entropy and hea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10734 | 10735 | A Kepler Study of Starspot Lifetimes with Resp... | Wide-field high precision photometric survey... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10735 | 10736 | Plasmon-Driven Acceleration in a Photo-Excited... | A plasmon-assisted channeling acceleration c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10736 | 10737 | Towards Evaluating Size Reduction Techniques f... | Formal verification techniques are widely us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10737 | 10738 | Quantum-continuum simulation of underpotential... | The underpotential deposition of transition ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10738 | 10739 | Neural Expectation Maximization | Many real world tasks such as reasoning and ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10739 | 10740 | Gold Standard Online Debates Summaries and Fir... | Usage of online textual media is steadily in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10740 | 10741 | Entropy-SGD optimizes the prior of a PAC-Bayes... | We show that Entropy-SGD (Chaudhari et al., ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10741 | 10742 | DeepFM: A Factorization-Machine based Neural N... | Learning sophisticated feature interactions ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10742 | 10743 | How a small quantum bath can thermalize long l... | We investigate the stability of the many-bod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10743 | 10744 | Transfer Learning for Brain-Computer Interface... | Almost all EEG-based brain-computer interfac... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10744 | 10745 | Linear and bilinear restriction to certain rot... | Conditional on Fourier restriction estimates... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10745 | 10746 | Mixed one-bit compressive sensing with applica... | When a measurement falls outside the quantiz... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10746 | 10747 | Stochastic Gradient Descent on Highly-Parallel... | There is an increased interest in building d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10747 | 10748 | Mixed Precision Training | Deep neural networks have enabled progress i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10748 | 10749 | An elementary representation of the higher-ord... | We investigate the differential equation for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10749 | 10750 | Theory of $L$-edge spectroscopy of strongly co... | X-ray absorption spectroscopy measured at th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10750 | 10751 | Pseudo-spin Skyrmions in the Phase Diagram of ... | Topological states of matter are at the root... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10751 | 10752 | Large Scale Empirical Risk Minimization via Tr... | We consider large scale empirical risk minim... | 1 | 0 | 1 | 1 | 0 | 0 |
| 10752 | 10753 | Large covers and sharp resonances of hyperboli... | Let $\Gamma$ be a convex co-compact discrete... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10753 | 10754 | Computational Models of Tutor Feedback in Lang... | This paper investigates the role of tutor fe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10754 | 10755 | Non-Saturated Throughput Analysis of Coexisten... | This paper analyzes the coexistence performa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10755 | 10756 | A Dynamic Model for Traffic Flow Prediction Us... | Real-time traffic flow prediction can not on... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10756 | 10757 | Think globally, fit locally under the Manifold... | Since its introduction in 2000, the locally ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10757 | 10758 | Relative energetics of acetyl-histidine protom... | We studied acetylhistidine (AcH), bare or mi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10758 | 10759 | "Space is blue and birds fly through it" | Quantum mechanics is not about 'quantum stat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10759 | 10760 | On the Geometry of Nash and Correlated Equilib... | It is known that the set of all correlated e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10760 | 10761 | Multipoint Radiation Induced Ignition of Dust ... | It is known that unconfined dust explosions ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10761 | 10762 | Modeling of the Latent Embedding of Music usin... | While both the data volume and heterogeneity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10762 | 10763 | Intense keV isolated attosecond pulse generati... | We theoretically investigate the generation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10763 | 10764 | Games with Costs and Delays | We demonstrate the usefulness of adding dela... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10764 | 10765 | Compile-Time Extensions to Hybrid ODEs | Reachability analysis for hybrid systems is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10765 | 10766 | Sorted Concave Penalized Regression | The Lasso is biased. Concave penalized least... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10766 | 10767 | A New Fully Polynomial Time Approximation Sche... | The interval subset sum problem (ISSP) is a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10767 | 10768 | Data Dependent Kernel Approximation using Pseu... | Kernel methods are powerful and flexible app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10768 | 10769 | Estimating Historical Hourly Traffic Volumes v... | This paper focuses on the problem of estimat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10769 | 10770 | Monitoring of Wild Pseudomonas Biofilm Strain ... | The present paper proposes a novel method of... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10770 | 10771 | Continuous Measurement of an Atomic Current | We are interested in dynamics of quantum man... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10771 | 10772 | Zero-Inflated Autoregressive Conditional Durat... | In finance, durations between successive tra... | 0 | 0 | 0 | 0 | 0 | 1 |
| 10772 | 10773 | Analog Experiments on Tensile Strength of Dust... | The tensile strength of small dusty bodies i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10773 | 10774 | On Compiling DNNFs without Determinism | State-of-the-art knowledge compilers generat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10774 | 10775 | Algebraic infinite delooping and derived desta... | Working over the prime field of characterist... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10775 | 10776 | WHAI: Weibull Hybrid Autoencoding Inference fo... | To train an inference network jointly with a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10776 | 10777 | Constraining the Dynamics of Deep Probabilisti... | We introduce a novel generative formulation ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10777 | 10778 | Democratizing Design for Future Computing Plat... | Information and communications technology ca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10778 | 10779 | EstimatedWold Representation and Spectral Dens... | The second-order dependence structure of pur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10779 | 10780 | A Polynomial Time Match Test for Large Classes... | In the present paper, we study the match tes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10780 | 10781 | Anomalous Magnetism for Dirac Electrons in Two... | Spin-spin correlation function response in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10781 | 10782 | Estimating Average Treatment Effects with a Do... | We consider estimating average treatment eff... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10782 | 10783 | Emotion Detection and Analysis on Social Media | In this paper, we address the problem of det... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10783 | 10784 | HotFlip: White-Box Adversarial Examples for Te... | We propose an efficient method to generate w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10784 | 10785 | Towards fully commercial, UV-compatible fiber ... | We present and analyze two pathways to produ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10785 | 10786 | Convex Parameterizations and Fidelity Bounds f... | Model instability and poor prediction of lon... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10786 | 10787 | Rydberg states of helium in electric and magne... | A spectroscopic study of Rydberg states of h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10787 | 10788 | Change-point inference on volatility in noisy ... | This work is concerned with tests on structu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10788 | 10789 | Double-diffusive erosion of the core of Jupiter | We present Direct Numerical Simulations of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10789 | 10790 | Classifying Exoplanets with Gaussian Mixture M... | Recently, Odrzywolek and Rafelski (arXiv:161... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10790 | 10791 | Competing effects of Hund's splitting and symm... | We study the effect of a uniform external ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10791 | 10792 | Partition function of Chern-Simons theory as r... | We calculate $q$-dimension of $k$-th Cartan ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10792 | 10793 | Task Recommendation in Crowdsourcing Based on ... | Workers participating in a crowdsourcing pla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10793 | 10794 | Elliptic Weight Functions and Elliptic q-KZ Eq... | By using representation theory of the ellipt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10794 | 10795 | Formal duality in finite cyclic groups | The notion of formal duality in finite Abeli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10795 | 10796 | Nonlinear Dynamics of Binocular Rivalry: A Com... | When our eyes are presented with the same im... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10796 | 10797 | Nonstandard Analysis and Constructivism! | Almost two decades ago, Wattenberg published... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10797 | 10798 | Text-Independent Speaker Verification Using 3D... | In this paper, a novel method using 3D Convo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10798 | 10799 | Sequential identification of nonignorable miss... | With nonignorable missing data, likelihood-b... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10799 | 10800 | Image Stitching by Line-guided Local Warping w... | Low-textured image stitching remains a chall... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10800 | 10801 | Large-scale Nonlinear Variable Selection via K... | We propose a new method for input variable s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10801 | 10802 | Couple microscale periodic patches to simulate... | This article proposes a new way to construct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10802 | 10803 | Determinantal Point Processes for Mini-Batch D... | We study a mini-batch diversification scheme... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10803 | 10804 | Proton-induced halo formation in charged meteors | Despite a very long history of meteor scienc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10804 | 10805 | Generalised Seiberg-Witten equations and almos... | In this article, we study a generalisation o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10805 | 10806 | Enhanced Photon Traps for Hyper-Kamiokande | Hyper-Kamiokande, the next generation large ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10806 | 10807 | A Deep Reinforcement Learning Chatbot (Short V... | We present MILABOT: a deep reinforcement lea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10807 | 10808 | A Recurrent Neural Network for Sentiment Quant... | Quantification is a supervised learning task... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10808 | 10809 | Data Noising as Smoothing in Neural Network La... | Data noising is an effective technique for r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10809 | 10810 | Optical Flow-based 3D Human Motion Estimation ... | We present a generative method to estimate 3... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10810 | 10811 | Quasi-ordered Rings | A quasi-order is a binary, reflexive and tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10811 | 10812 | Mean-Field Controllability and Decentralized S... | In this paper, we study the controllability ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10812 | 10813 | Sharp total variation results for maximal func... | In this article, we prove some total variati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10813 | 10814 | Optimal Bipartite Network Clustering | We study bipartite community detection in ne... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10814 | 10815 | End-to-end Recurrent Neural Network Models for... | This paper demonstrates end-to-end neural ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10815 | 10816 | The Reduced PC-Algorithm: Improved Causal Stru... | We consider the task of estimating a high-di... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10816 | 10817 | Theoretical analysis of the electron bridge pr... | We investigate the deexcitation of the $^{22... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10817 | 10818 | Memory in de Sitter space and BMS-like supertr... | It is well known that the memory effect in f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10818 | 10819 | Data-Driven Estimation Of Mutual Information B... | We consider the problem of estimating mutual... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10819 | 10820 | Wigner functions for gauge equivalence classes... | While Wigner functions forming phase space r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10820 | 10821 | Segmentation of Intracranial Arterial Calcific... | Intracranial carotid artery calcification (I... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10821 | 10822 | HTMoL: full-stack solution for remote access, ... | The field of structural bioinformatics has s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10822 | 10823 | General auction method for real-valued optimal... | The auction method developed by Bertsekas in... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10823 | 10824 | Force sensing with an optically levitated char... | Levitated optomechanics is showing potential... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10824 | 10825 | Unveiling Eilenberg-type Correspondences: Birk... | The purpose of the present paper is to show ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10825 | 10826 | Detecting transit signatures of exoplanetary r... | CONTEXT. It is theoretically possible for ri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10826 | 10827 | MatlabCompat.jl: helping Julia understand Your... | Scientific legacy code in MATLAB/Octave not ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10827 | 10828 | Extending the topological analysis and seeking... | It is customary to conceive the interactions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10828 | 10829 | Deep Uncertainty Surrounding Coastal Flood Ris... | Future sea-level rise drives severe risks fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10829 | 10830 | Bounds on the Approximation Power of Feedforwa... | The approximation power of general feedforwa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10830 | 10831 | Non-classification of free Araki-Woods factors... | We define the standard Borel space of free A... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10831 | 10832 | Data-Driven Learning and Planning for Environm... | Robots such as autonomous underwater vehicle... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10832 | 10833 | Global spectral graph wavelet signature for su... | In this paper, we present a spectral graph w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10833 | 10834 | Learning Rates of Regression with q-norm Loss ... | This paper studies some robust regression pr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10834 | 10835 | Instability, rupture and fluctuations in thin ... | Thin liquid films are ubiquitous in natural ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10835 | 10836 | Fractional Patlak-Keller-Segel equations for c... | The long range movement of certain organisms... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10836 | 10837 | Adaptive Risk Bounds in Univariate Total Varia... | We study trend filtering, a relatively recen... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10837 | 10838 | Assessment of First-Principles and Semiempiric... | In search of a reliable methodology for the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10838 | 10839 | Regularizing deep networks using efficient lay... | Adversarial training has been shown to regul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10839 | 10840 | Improving Dynamic Analysis of Android Apps Usi... | The Android OS has become the most popular m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10840 | 10841 | Process Monitoring Using Maximum Sequence Dive... | Process Monitoring involves tracking a syste... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10841 | 10842 | Some generalizations of Kannan's theorems via ... | In this article we go on to discuss about va... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10842 | 10843 | On Exact Sequences of the Rigid Fibrations | In 2002, Biss investigated on a kind of fibr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10843 | 10844 | Analytic Gradients for Complete Active Space P... | Analytic gradient routines are a desirable f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10844 | 10845 | Northern sky Galactic Cosmic Ray anisotropy be... | We report the analysis of the $10-1000$ TeV ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10845 | 10846 | Count-ception: Counting by Fully Convolutional... | Counting objects in digital images is a proc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10846 | 10847 | A robust inverse scattering transform for the ... | We propose a modification of the standard in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10847 | 10848 | Admissible Bayes equivariant estimation of loc... | This paper investigates estimation of the me... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10848 | 10849 | A proof theoretic study of abstract terminatio... | We define a variety of abstract termination ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10849 | 10850 | Why exomoons must be rare? | The problem of the search for the satellites... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10850 | 10851 | Propagation of regularity in $L^p$-spaces for ... | Consider the following Kolmogorov type hypoe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10851 | 10852 | On Relation between Constraint Answer Set Prog... | Constraint answer set programming is a promi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10852 | 10853 | The w-effect in interferometric imaging: from ... | Modern radio telescopes, such as the Square ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10853 | 10854 | Large Scale Graph Learning from Smooth Signals | Graphs are a prevalent tool in data science,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10854 | 10855 | Power Plant Performance Modeling with Concept ... | Power plant is a complex and nonstationary s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10855 | 10856 | Does putting your emotions into words make you... | Studies of affect labeling, i.e. putting you... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10856 | 10857 | Axiomatizing Epistemic Logic of Friendship via... | This paper positively solves an open problem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10857 | 10858 | A novel approach to the Lindelöf hypothesis | Lindel{ö}f's hypothesis, one of the most imp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10858 | 10859 | An Overview of Recent Solutions to and Lower B... | Complex systems in a wide variety of areas s... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10859 | 10860 | On Tackling the Limits of Resolution in SAT So... | The practical success of Boolean Satisfiabil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10860 | 10861 | Penalized Estimation in Additive Regression wi... | Additive regression provides an extension of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10861 | 10862 | Towards Quality Advancement of Underwater Mach... | Underwater machine vision has attracted sign... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10862 | 10863 | Linking Sketches and Diagrams to Source Code A... | Recent studies have shown that sketches and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10863 | 10864 | Parsimonious Data: How a single Facebook like ... | Recently, two influential PNAS papers have s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10864 | 10865 | The Hidden Vulnerability of Distributed Learni... | While machine learning is going through an e... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10865 | 10866 | walk2friends: Inferring Social Links from Mobi... | The development of positioning technologies ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10866 | 10867 | An Optimal Algorithm for Online Unconstrained ... | We consider a basic problem at the interface... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10867 | 10868 | Modeling Grasp Motor Imagery through Deep Cond... | Grasping is a complex process involving know... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10868 | 10869 | Designing an Effective Metric Learning Pipelin... | State-of-the-art speaker diarization systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10869 | 10870 | Mining Application-aware Community Organizatio... | Social networks are typical attributed netwo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 10870 | 10871 | A spin-gapped Mott insulator with the dimeric ... | $^{13}$C nuclear magnetic resonance measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10871 | 10872 | Li doping kagome spin liquid compounds | Herbertsmithite and Zn-doped barlowite are t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10872 | 10873 | DxNAT - Deep Neural Networks for Explaining No... | Non-recurring traffic congestion is caused b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10873 | 10874 | Facets of a mixed-integer bilinear covering se... | We derive a closed form description of the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10874 | 10875 | Universal partial sums of Taylor series as fun... | V. Nestoridis conjectured that if $\Omega$ i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10875 | 10876 | Free Cooling of a Granular Gas in Three Dimens... | Granular gases as dilute ensembles of partic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10876 | 10877 | The SCUBA-2 Ambitious Sky Survey: a catalogue ... | The SCUBA-2 Ambitious Sky Survey (SASSy) is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10877 | 10878 | A stable and optimally convergent LaTIn-Cut Fi... | In this paper, we propose a novel unfitted f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10878 | 10879 | Non Fermi liquid behavior and continuously tun... | We employ a recently developed computational... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10879 | 10880 | Beyond Parity: Fairness Objectives for Collabo... | We study fairness in collaborative-filtering... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10880 | 10881 | Blind Regression via Nearest Neighbors under L... | We consider the setup of nonparametric 'blin... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10881 | 10882 | Metalearning for Feature Selection | A general formulation of optimization proble... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10882 | 10883 | Variability-Aware Design for Energy Efficient ... | Portable computing devices, which include ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10883 | 10884 | Quantifying Performance of Bipedal Standing wi... | Spinal cord stimulation has enabled humans w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10884 | 10885 | A framework for on-line calibration of LINAC d... | General description of an on-line procedure ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10885 | 10886 | People on Media: Jointly Identifying Credible ... | Media seems to have become more partisan, of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10886 | 10887 | Towards Provably Safe Mixed Transportation Sys... | Currently, we are in an environment where th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10887 | 10888 | Streaming kernel regression with provably adap... | We consider the problem of streaming kernel ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10888 | 10889 | Estimating reducible stochastic differential e... | Stochastic differential equations (SDEs) are... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10889 | 10890 | Deep Tensor Encoding | Learning an encoding of feature vectors in t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10890 | 10891 | hMDAP: A Hybrid Framework for Multi-paradigm D... | We propose hMDAP, a hybrid framework for lar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10891 | 10892 | Robust Unsupervised Domain Adaptation for Neur... | A novel approach for unsupervised domain ada... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10892 | 10893 | A Convolutional Neural Network For Cosmic Stri... | We present in detail the convolutional neura... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10893 | 10894 | Improving Palliative Care with Deep Learning | Improving the quality of end-of-life care fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10894 | 10895 | Scalable Online Convolutional Sparse Coding | Convolutional sparse coding (CSC) improves s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10895 | 10896 | Improving Speech Related Facial Action Unit Re... | It is challenging to recognize facial action... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10896 | 10897 | Re-purposing Compact Neuronal Circuit Policies... | We propose an effective method for creating ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10897 | 10898 | On the Expected Value of the Determinant of Ra... | We present a simple, yet useful result about... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10898 | 10899 | A hyperbolic-equation system approach for magn... | A new approach using a hyperbolic-equation s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10899 | 10900 | Solving delay differential equations through R... | A general and easy-to-code numerical method ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10900 | 10901 | Learning Filter Functions in Regularisers by M... | Learning approaches have recently become ver... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10901 | 10902 | Riemann-Theta Boltzmann Machine | A general Boltzmann machine with continuous ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10902 | 10903 | A Joint Quantile and Expected Shortfall Regres... | We introduce a novel regression framework wh... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10903 | 10904 | Poincaré Embeddings for Learning Hierarchical ... | Representation learning has become an invalu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10904 | 10905 | Randomly cross-linked polymer models | Polymer models are used to describe chromati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10905 | 10906 | Multi-Stage Complex Contagions in Random Multi... | Complex contagion models have been developed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10906 | 10907 | Secrecy and Robustness for Active Attack in Se... | In network coding, we discuss the effect of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10907 | 10908 | SLAMBooster: An Application-aware Controller f... | Simultaneous Localization and Mapping (SLAM)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10908 | 10909 | Modeling sepsis progression using hidden Marko... | Characterizing a patient's progression throu... | 0 | 0 | 0 | 1 | 1 | 0 |
| 10909 | 10910 | Optimized Bacteria are Environmental Predictio... | Experimentalists have observed phenotypic va... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10910 | 10911 | Photo-realistic Facial Texture Transfer | Style transfer methods have achieved signifi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10911 | 10912 | Segmentation of skin lesions based on fuzzy cl... | This paper proposes an innovative method for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10912 | 10913 | Deep Reinforcement Learning for Vision-Based R... | In this paper, we explore deep reinforcement... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10913 | 10914 | Incremental Transductive Learning Approaches t... | The key issues pertaining to collection of e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10914 | 10915 | Millimeter-scale layered MoSe2 grown on sapphi... | Molecular beam epitaxy technique has been us... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10915 | 10916 | Bootstrapping incremental dialogue systems fro... | We investigate an end-to-end method for auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10916 | 10917 | Learning Deep Latent Spaces for Multi-Label Cl... | Multi-label classification is a practical ye... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10917 | 10918 | Encoding Multi-Resolution Brain Networks Using... | The main goal of this study is to extract a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10918 | 10919 | Improper Filter Reduction | Combinatorial filters have been the subject ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10919 | 10920 | Collective Dynamics of Self-propelled Semiflex... | The collective behavior of active semiflexib... | 0 | 0 | 0 | 0 | 1 | 0 |
| 10920 | 10921 | Two sources of poor coverage of confidence int... | We compare the following two sources of poor... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10921 | 10922 | On the ERM Principle with Networked Data | Networked data, in which every training exam... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10922 | 10923 | Front interaction induces excitable behavior | Spatially extended systems can support local... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10923 | 10924 | Characterization of optimal carbon nanotubes u... | Carbon nanotubes are modeled as point config... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10924 | 10925 | The Closer the Better: Similarity of Publicati... | We investigate the similarities of pairs of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10925 | 10926 | MP2-F12 Basis Set Convergence for the S66 Nonc... | Complementary auxiliary basis sets for F12 e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10926 | 10927 | Quantized Minimum Error Entropy Criterion | Comparing with traditional learning criteria... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10927 | 10928 | Traffic Flow Forecasting Using a Spatio-Tempor... | A novel predictor for traffic flow forecasti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10928 | 10929 | AlteregoNets: a way to human augmentation | A person dependent network, called an AlterE... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10929 | 10930 | Modalities in homotopy type theory | Univalent homotopy type theory (HoTT) may be... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10930 | 10931 | Exponentially Slow Heating in Short and Long-r... | We analyze the dynamics of periodically-driv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10931 | 10932 | High moments of the Estermann function | For $a/q\in\mathbb{Q}$ the Estermann functio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10932 | 10933 | On Game-Theoretic Risk Management (Part Three)... | The game-theoretic risk management framework... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10933 | 10934 | PKS 1954-388: RadioAstron Detection on 80,000 ... | We present results from a multiwavelength st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10934 | 10935 | Smart Assessment of and Tutoring for Computati... | One of the major hurdles toward automatic se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10935 | 10936 | EasyInterface: A toolkit for rapid development... | In this paper we describe EasyInterface, an ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10936 | 10937 | The Cramér-Rao inequality on singular statisti... | We introduce the notion of the essential tan... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10937 | 10938 | Autotune: A Derivative-free Optimization Frame... | Machine learning applications often require ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10938 | 10939 | Reduced fusion systems over $p$-groups with ab... | We finish the classification, begun in two e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10939 | 10940 | Deep learning for studies of galaxy morphology | Establishing accurate morphological measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10940 | 10941 | A Diversified Multi-Start Algorithm for Uncons... | Multi-start algorithms are a common and effe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10941 | 10942 | Low-rank and Sparse NMF for Joint Endmembers' ... | Estimation of the number of endmembers exist... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10942 | 10943 | On the Necessity of Structured Codes for Commu... | The problem of three-user multiple-access ch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10943 | 10944 | Historical Review of Recurrence Plots | In the last two decades recurrence plots (RP... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10944 | 10945 | The Meta Distribution of the SIR for Cellular ... | The meta distribution of the signal-to-inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10945 | 10946 | Temperature induced transition from p-n to n-n... | The transport characteristics across the pul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10946 | 10947 | N-body simulations of gravitational redshifts ... | Large redshift surveys of galaxies and clust... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10947 | 10948 | Few-Shot Learning with Metric-Agnostic Conditi... | Learning high quality class representations ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10948 | 10949 | Gradient Coding from Cyclic MDS Codes and Expa... | Gradient coding is a technique for straggler... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10949 | 10950 | Commissioning of te China-ADS injector-I testi... | The 10 MeV accelerator-driven subcritical sy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10950 | 10951 | Impact of the Global Crisis on SME Internal vs... | Changes in the capital structure before and ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10951 | 10952 | Dipole force free optical control and cooling ... | The evanescent field surrounding nano-scale ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10952 | 10953 | Control refinement for discrete-time descripto... | The analysis of industrial processes, modell... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10953 | 10954 | Beam Based RF Voltage Measurements and Longitu... | Increasing proton beam power on neutrino pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10954 | 10955 | A framework for quantitative modeling and anal... | This paper presents our approach to the quan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10955 | 10956 | Generating large misalignments in gapped and b... | Many protostellar gapped and binary discs sh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10956 | 10957 | Bilinear approach to the supersymmetric Gardne... | We study a supersymmetric version of the Gar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10957 | 10958 | The Effect of Focal Distance, Age, and Brightn... | Many augmented reality (AR) applications ope... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10958 | 10959 | Small-amplitude steady water waves with critic... | The problem for two-dimensional steady water... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10959 | 10960 | Emergence of Leadership in Communication | We study a neuro-inspired model that mimics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10960 | 10961 | Throughput-Improving Control of Highways Facin... | In this article, we study the problem of con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10961 | 10962 | Deep Learning for Accelerated Ultrasound Imaging | In portable, 3-D, or ultra-fast ultrasound (... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10962 | 10963 | Adaptive Estimation for Nonlinear Systems usin... | This paper extends a conventional, general f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10963 | 10964 | Weak saturation and weak amalgamation property | The two model-theoretic concepts of weak sat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10964 | 10965 | Perturbation problems in homogenization of ham... | This paper is concerned with the behavior of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10965 | 10966 | Chimera states: Effects of different coupling ... | Collective behavior among coupled dynamical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10966 | 10967 | Human Activity Recognition using Recurrent Neu... | Human activity recognition using smart home ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10967 | 10968 | Eigenvalues of elliptic operators with density | We consider eigenvalue problems for elliptic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10968 | 10969 | A projection pursuit framework for testing gen... | This article develops a framework for testin... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10969 | 10970 | On the impact of quantum computing technology ... | Quantum computing technologies have become a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10970 | 10971 | Local Monotonic Attention Mechanism for End-to... | Recently, encoder-decoder neural networks ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10971 | 10972 | Unifying Value Iteration, Advantage Learning, ... | Approximate dynamic programming algorithms, ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10972 | 10973 | Diffusion Convolutional Recurrent Neural Netwo... | Spatiotemporal forecasting has various appli... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10973 | 10974 | Machine Learning for Networking: Workflow, Adv... | Recently, machine learning has been used in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10974 | 10975 | The WAGGS project - I. The WiFeS Atlas of Gala... | We present the WiFeS Atlas of Galactic Globu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10975 | 10976 | Going Viral: Stability of Consensus-Driven Ado... | The spread of new products in a networked po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10976 | 10977 | What's In A Patch, I: Tensors, Differential Ge... | We develop a linear algebraic framework for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10977 | 10978 | Counterexample to Gronwall's Conjecture | We present a projectively invariant descript... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10978 | 10979 | Urban Swarms: A new approach for autonomous wa... | Modern cities are growing ecosystems that fa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10979 | 10980 | An Algorithm of Parking Planning for Smart Par... | There are so many vehicles in the world and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10980 | 10981 | Classical Control, Quantum Circuits and Linear... | We describe categorical models of a circuit-... | 1 | 0 | 1 | 0 | 0 | 0 |
| 10981 | 10982 | Unifying Map and Landmark Based Representation... | This works presents a formulation for visual... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10982 | 10983 | Accounting for Uncertainty About Past Values I... | Since the 1940s, population projections have... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10983 | 10984 | Periodic solutions of a perturbed Kepler probl... | The existence of elliptic periodic solutions... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10984 | 10985 | Removal of Narrowband Interference (PLI in ECG... | Suppression of interference from narrowband ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 10985 | 10986 | Global regularity and fast small scale formati... | It is well known that the Euler vortex patch... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10986 | 10987 | Effective interaction in a non-Fermi liquid co... | The effective interaction between the itiner... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10987 | 10988 | Planning with Verbal Communication for Human-R... | Human collaborators coordinate effectively t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 10988 | 10989 | Magnon Condensation and Spin Superfluidity | We consider the phenomenon of Bose-Einstein ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10989 | 10990 | Electroweak Vacuum Metastability and Low-scale... | We study the stability of the electroweak va... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10990 | 10991 | Spectral selectivity in capillary dye lasers | We explore the spectral properties of a capi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10991 | 10992 | The Mechanism of Electrolyte Gating on High-Tc... | Electrolyte gating is widely used to induce ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10992 | 10993 | Invariant theory of a special group action on ... | In the past few years, an action of $\mathrm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 10993 | 10994 | TIP: Typifying the Interpretability of Procedures | We provide a novel notion of what it means t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 10994 | 10995 | Differences in 1D electron plasma wake field a... | In some laboratory and most astrophysical si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10995 | 10996 | Estimating network memberships by simplex vert... | Consider an undirected mixed membership netw... | 0 | 0 | 0 | 1 | 0 | 0 |
| 10996 | 10997 | Non-singular Green's functions for the unbound... | In this paper, we derive the non-singular Gr... | 0 | 1 | 1 | 0 | 0 | 0 |
| 10997 | 10998 | Evolutionary phases of gas-rich galaxies in a ... | We report a survey of molecular gas in galax... | 0 | 1 | 0 | 0 | 0 | 0 |
| 10998 | 10999 | An iterative ensemble Kalman filter in presenc... | The iterative ensemble Kalman filter (IEnKF)... | 0 | 1 | 0 | 1 | 0 | 0 |
| 10999 | 11000 | A Bayesian algorithm for detecting identity ma... | A statistical algorithm for categorizing dif... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11000 | 11001 | Adaptive Stimulus Selection in ERP-Based Brain... | Brain-computer interfaces (BCIs) can provide... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11001 | 11002 | Bursting dynamics of viscous film without circ... | We experimentally investigate the bursting d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11002 | 11003 | Low-energy electron-positron collider to searc... | We discuss a low energy $e^+e^-$ collider fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11003 | 11004 | Følner functions and the generic Word Problem ... | We introduce and investigate different defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11004 | 11005 | Differences between Health Related News Articl... | In this study, we examine a collection of he... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11005 | 11006 | A Numerical Study of Carr and Lee's Correlatio... | In their seminal work `Robust Replication of... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11006 | 11007 | Functional renormalization group study of para... | We explore the effects of asymmetry of hoppi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11007 | 11008 | Phenotype-based and Self-learning Inter-indivi... | Purpose: We propose a phenotype-based artifi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11008 | 11009 | Generative adversarial network-based approach ... | In this paper, we address the problem of rec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11009 | 11010 | The Braid Shelf | The braids of $B\_\infty$ can be equipped wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11010 | 11011 | Ultra-Fast Relaxation, Decoherence and Localiz... | The exciton relaxation dynamics of photoexci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11011 | 11012 | Towards Reverse-Engineering Black-Box Neural N... | Many deployed learned models are black boxes... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11012 | 11013 | Learning Dexterous In-Hand Manipulation | We use reinforcement learning (RL) to learn ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11013 | 11014 | Index transforms with Weber type kernels | New index transforms with Weber type kernels... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11014 | 11015 | Computationally Efficient Robust Estimation of... | Many conventional statistical procedures are... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11015 | 11016 | Resource Sharing Among mmWave Cellular Service... | With the increasing interest in the use of m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11016 | 11017 | How to Generate Pseudorandom Permutations Over... | Recent results by Alagic and Russell have gi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11017 | 11018 | On Weyl's asymptotics and remainder term for t... | We examine the asymptotics of the spectral c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11018 | 11019 | Virtual plane-wave imaging via Marchenko redat... | Marchenko redatuming is a novel scheme used ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11019 | 11020 | Probing the local nature of excitons and plasm... | Excitons and plasmons are the two most funda... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11020 | 11021 | Flavour composition and entropy increase of co... | We investigate the evolution of the flavour ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11021 | 11022 | Random non-Abelian G-circulant matrices. Spect... | We analyse the limiting behavior of the eige... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11022 | 11023 | Fog Robotics for Efficient, Fluent and Robust ... | Active communication between robots and huma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11023 | 11024 | An Estimation of the Star Formation Rate in th... | We present the results of our investigation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11024 | 11025 | Deep Neural Networks - A Brief History | Introduction to deep neural networks and the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11025 | 11026 | An advanced active quenching circuit for ultra... | Commercial photon-counting modules based on ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11026 | 11027 | Shannon entropy: a study of confined hydrogeni... | The Shannon entropy in the atomic, molecular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11027 | 11028 | Exploring Halo Substructure with Giant Stars. ... | Thanks to modern sky surveys, over twenty st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11028 | 11029 | Universal fitness dynamics through an adaptive... | The fitness of a species determines its abun... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11029 | 11030 | Integral and measure-turnpike properties for i... | We first derive a general integral-turnpike ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11030 | 11031 | Optimal rate of convergence in Stratified Bous... | We study the vortex patch problem for $2d-$s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11031 | 11032 | On indirect noise in multicomponent nozzle flows | A one-dimensional, unsteady nozzle flow is m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11032 | 11033 | A note on conditional covariance matrices for ... | In this short note we provide an analytical ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11033 | 11034 | The Passive Eavesdropper Affects my Channel: S... | Channel-reciprocity based key generation (CR... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11034 | 11035 | On dimensions supporting a rational projective... | A rational projective plane ($\mathbb{QP}^2$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11035 | 11036 | Implicit Causal Models for Genome-wide Associa... | Progress in probabilistic generative models ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11036 | 11037 | Vector Quantization as Sparse Least Square Opt... | Vector quantization aims to form new vectors... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11037 | 11038 | The role of spatial scale in joint optimisatio... | The effects of the spatial scale on the resu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11038 | 11039 | Recovery Guarantees for One-hidden-layer Neura... | In this paper, we consider regression proble... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11039 | 11040 | Attention-based Information Fusion using Multi... | With the rising number of interconnected dev... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11040 | 11041 | Kharita: Robust Map Inference using Graph Span... | The widespread availability of GPS informati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11041 | 11042 | DeepProbe: Information Directed Sequence Under... | Information extraction and user intention id... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11042 | 11043 | Dictionary-based Monitoring of Premature Ventr... | While cardiovascular diseases (CVDs) are pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11043 | 11044 | Temporal Multimodal Fusion for Video Emotion C... | This paper addresses the question of emotion... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11044 | 11045 | Bonding charge distribution analysis of molecu... | Charge transfer among individual atoms in a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11045 | 11046 | Shatter functions with polynomial growth rates | We study how a single value of the shatter f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11046 | 11047 | On Newstead's Mayer-Vietoris argument in chara... | Consider the moduli space of framed flat $U(... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11047 | 11048 | Hunting high and low: Disentangling primordial... | Non-Gaussianities of dynamical origin are di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11048 | 11049 | Measure Theory and Integration By and For the ... | Measure Theory and Integration is exposed wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11049 | 11050 | Target Tracking for Contextual Bandits: Applic... | We propose a contextual-bandit approach for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11050 | 11051 | Quantizing deep convolutional networks for eff... | We present an overview of techniques for qua... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11051 | 11052 | Angle-dependent electron spin resonance of YbR... | We present a new experimental approach to in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11052 | 11053 | Role of Kohn-Sham Kinetic Energy Density in De... | The positive definite Kohn-Sham kinetic ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11053 | 11054 | BB_twtr at SemEval-2017 Task 4: Twitter Sentim... | In this paper we describe our attempt at pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11054 | 11055 | Protein Mutation Stability Ternary Classificat... | Discerning how a mutation affects the stabil... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11055 | 11056 | Starspot activity and superflares on solar-typ... | We analyze the correlation between starspots... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11056 | 11057 | A Contractive Approach to Separable Lyapunov F... | Monotone systems preserve a partial ordering... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11057 | 11058 | Isotopic ratios in outbursting comet C/2015 ER61 | Isotopic ratios in comets are critical to un... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11058 | 11059 | Muon detector for the COSINE-100 experiment | The COSINE-100 dark matter search experiment... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11059 | 11060 | Levitated optomechanics with a fiber Fabry-Per... | In recent years quantum phenomena have been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11060 | 11061 | Spatial cytoskeleton organization supports tar... | The efficiency of intracellular cargo transp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11061 | 11062 | Backdoor Embedding in Convolutional Neural Net... | Deep learning models have consistently outpe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11062 | 11063 | Chiral and Topological Orbital Magnetism of Sp... | Using a semiclassical Green's function forma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11063 | 11064 | The Mira-Titan Universe II: Matter Power Spect... | We introduce a new cosmic emulator for the m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11064 | 11065 | k-Anonymously Private Search over Encrypted Data | In this paper we compare the performance of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11065 | 11066 | Stability of Correction Procedure via Reconstr... | In this paper, we consider Burgers' equation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11066 | 11067 | Special Solutions of Bi-Riccati Delay-Differen... | Delay-differential equations are functional ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11067 | 11068 | Signatures of the Kondo effect in VSe2 | VSe2 is a transition metal dichaclogenide wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11068 | 11069 | A Procedural Texture Generation Framework Base... | Procedural textures are normally generated f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11069 | 11070 | Inward Migration of the TRAPPIST-1 Planets as ... | Multiple planet systems provide an ideal lab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11070 | 11071 | Bidirectional Conditional Generative Adversari... | Conditional Generative Adversarial Networks ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11071 | 11072 | Micromagnetic study of a feasibility of the ma... | The attainability of modification of the app... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11072 | 11073 | On the exponential large sieve inequality for ... | We complement the argument of M. Z. Garaev (... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11073 | 11074 | Excess conduction of YBaCuO point contacts bet... | $YBaCuO-Ag$ pressure point contacts with dir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11074 | 11075 | Quivers with additive labelings: classificatio... | We show that Zamolodchikov dynamics of a rec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11075 | 11076 | Harnessing bistability for directional propuls... | In most macro-scale robotics systems , propu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11076 | 11077 | Cs nDJ Rydberg-atom macrodimers formed by long... | Long-range macrodimers formed by D-state ces... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11077 | 11078 | A Brief Review of Galactic Winds | Galactic winds from star-forming galaxies pl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11078 | 11079 | Transfer Learning for Speech Recognition on a ... | End-to-end training of automated speech reco... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11079 | 11080 | Information-Propogation-Enhanced Neural Machin... | Even though sequence-to-sequence neural mach... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11080 | 11081 | Neural Machine Translation and Sequence-to-seq... | This tutorial introduces a new and powerful ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11081 | 11082 | Uncountable realtime probabilistic classes | We investigate the minimum cases for realtim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11082 | 11083 | A combinatorial model for the path fibration | We introduce the abstract notion of a neckli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11083 | 11084 | A Systematic Evaluation of Static API-Misuse D... | Application Programming Interfaces (APIs) of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11084 | 11085 | Human life is unlimited - but short | Does the human lifespan have an impenetrable... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11085 | 11086 | Weakly- and Semi-Supervised Object Detection w... | Object detection when provided image-level l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11086 | 11087 | Coverage Analysis in Millimeter Wave Cellular ... | The coverage probability of a user in a mmwa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11087 | 11088 | Polar Coding for the Binary Erasure Channel wi... | We study the application of polar codes in d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11088 | 11089 | Efficient Structured Surrogate Loss and Regula... | In this dissertation, we focus on several im... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11089 | 11090 | Optimizing the Coherence of Composite Networks | We consider how to connect a set of disjoint... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11090 | 11091 | Deep Learning based Estimation of Weaving Targ... | In target tracking, the estimation of an unk... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11091 | 11092 | On tangent cones to length minimizers in Carno... | We give a detailed proof of some facts about... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11092 | 11093 | Predict Responsibly: Improving Fairness and Ac... | In many machine learning applications, there... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11093 | 11094 | Approximate and Stochastic Greedy Optimization | We consider two greedy algorithms for minimi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11094 | 11095 | Phase diagram of the triangular-lattice Potts ... | We study the phase diagram of the triangular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11095 | 11096 | Devam vs. Tamam: 2018 Turkish Elections | On June 24, 2018, Turkey held a historical e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11096 | 11097 | A Practical Approach to Insertion with Variabl... | Insertion is a challenging haptic and visual... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11097 | 11098 | Off-axis electron holography of magnetic nanos... | The Lorentz off-axis electron holography tec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11098 | 11099 | Predicting interactions between individuals wi... | Capturing both the structural and temporal a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11099 | 11100 | Projected Shadowing-based Data Assimilation | In this article we develop algorithms for da... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11100 | 11101 | Where computer vision can aid physics: dynamic... | This paper describes a new algorithm for sol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11101 | 11102 | On Mimura's extension problem | We determine the group strucure of the $23$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11102 | 11103 | On critical and supercritical pseudo-relativis... | In this paper, we investigate existence and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11103 | 11104 | Eye Tracker Accuracy: Quantitative Evaluation ... | Purpose. We present a new method to evaluate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11104 | 11105 | Theoretical Foundations of Forward Feature Sel... | Feature selection problems arise in a variet... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11105 | 11106 | Robust quantum switch with Rydberg excitations | We develop an approach to realize a quantum ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11106 | 11107 | Non-robust phase transitions in the generalize... | Pemantle and Steif provided a sharp threshol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11107 | 11108 | The Role of Gender in Social Network Organization | The digital traces we leave behind when enga... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11108 | 11109 | The Schur Lie-Multiplier of Leibinz Algebras | For a free presentation $0 \to R \to F \to G... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11109 | 11110 | Did we learn from LLC Side Channel Attacks? A ... | This work presents a new tool to verify the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11110 | 11111 | Effects of anisotropy in spin molecular-orbita... | We consider layered decorated honeycomb latt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11111 | 11112 | Design and experimental test of an optical vor... | The optical vortex coronagraph (OVC) is one ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11112 | 11113 | Symbolic Computation via Program Transformation | Symbolic computation is an important approac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11113 | 11114 | Simulating Dirac models with ultracold atoms i... | We present a general model allowing "quantum... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11114 | 11115 | Network analysis of Japanese global business u... | Network analysis techniques remain rarely us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11115 | 11116 | A Privacy-preserving Community-based P2P OSNs ... | Online Social Networks (OSNs) have become on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11116 | 11117 | Don't Jump Through Hoops and Remove Those Loop... | The stochastic variance-reduced gradient met... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11117 | 11118 | Hierarchical Temporal Representation in Linear... | Recently, studies on deep Reservoir Computin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11118 | 11119 | Bombieri-Vinogradov for multiplicative functio... | Part-and-parcel of the study of "multiplicat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11119 | 11120 | Three-component fermions with surface Fermi ar... | Topological Dirac and Weyl semimetals not on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11120 | 11121 | Detecting stochastic inclusions in electrical ... | This work considers the inclusion detection ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11121 | 11122 | On compact Hermitian manifolds with flat Gaudu... | Given a Hermitian manifold $(M^n,g)$, the Ga... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11122 | 11123 | A Support Tensor Train Machine | There has been growing interest in extending... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11123 | 11124 | Diffusion under confinement: hydrodynamic fini... | We investigate finite-size effects on diffus... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11124 | 11125 | SPLBoost: An Improved Robust Boosting Algorith... | It is known that Boosting can be interpreted... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11125 | 11126 | Influence of thermal boundary conditions on th... | We investigate the resistive switching behav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11126 | 11127 | Learning Traffic as Images: A Deep Convolution... | This paper proposes a convolutional neural n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11127 | 11128 | The ZX calculus is a language for surface code... | Quantum computing is moving rapidly to the p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11128 | 11129 | Learning One-hidden-layer Neural Networks with... | We consider the problem of learning a one-hi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11129 | 11130 | Growth and electronic structure of graphene on... | The direct growth of graphene on semiconduct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11130 | 11131 | Alternative Lagrangians obtained by scalar def... | We study non-conservative like SODEs admitti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11131 | 11132 | Accelerated Primal-Dual Policy Optimization fo... | Constrained Markov Decision Process (CMDP) i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11132 | 11133 | Toward Common Components for Open Workflow Sys... | The role of scalable high-performance workfl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11133 | 11134 | On the Sampling Problem for Kernel Quadrature | The standard Kernel Quadrature method for nu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11134 | 11135 | Zeroth order regular approximation approach to... | A quasi-relativistic two-component approach ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11135 | 11136 | Trace your sources in large-scale data: one ri... | An important preprocessing step in most data... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11136 | 11137 | The rigorous derivation of the linear Landau e... | We consider a system of N particles interact... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11137 | 11138 | Fractal dimension and lower bounds for geometr... | We study the complexity of geometric problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11138 | 11139 | Global Convergence of Langevin Dynamics Based ... | We present a unified framework to analyze th... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11139 | 11140 | Eigenvalue Analysis via Kernel Density Estimation | In this paper, we propose an eigenvalue anal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11140 | 11141 | The Saga of KPR: Theoretical and Experimental ... | In this article, we present a brief narratio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11141 | 11142 | The computational complexity of integer progra... | We prove that integer programming with three... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11142 | 11143 | Robust Kronecker-Decomposable Component Analys... | Dictionary learning and component analysis a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11143 | 11144 | Adequacy of the Gradient-Descent Method for Cl... | Despite the wide use of machine learning in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11144 | 11145 | The way to uncover community structure with co... | Communities are ubiquitous in nature and soc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11145 | 11146 | Stochastic comparisons of the largest claim am... | Let $ X_{\lambda_1},\ldots,X_{\lambda_n}$ be... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11146 | 11147 | An Achilles' Heel of Term-Resolution | Term-resolution provides an elegant mechanis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11147 | 11148 | Tunneling estimates and approximate controllab... | This article is concerned with quantitative ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11148 | 11149 | Optimal Resonant Beam Charging for Electronic ... | To enable electric vehicles (EVs) to access ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11149 | 11150 | An Adaptive Version of Brandes' Algorithm for ... | Betweenness centrality---measuring how many ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11150 | 11151 | Kinetic cascade in solar-wind turbulence: 3D3V... | Understanding the nature of the turbulent fl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11151 | 11152 | Gamma-Band Correlations in Primary Visual Cortex | Neural field theory is used to quantitativel... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11152 | 11153 | A Branch-and-Bound Algorithm for Checkerboard ... | We address the problem of camera-to-laser-sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11153 | 11154 | On the mapping of Points of Interest through S... | The use of volunteers has emerged as low-cos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11154 | 11155 | Complex tensor factorisation with PARAFAC2 for... | Objective: The coupling between neuronal pop... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11155 | 11156 | A New Approach of Exploiting Self-Adjoint Matr... | Synchronized measurements of a large power g... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11156 | 11157 | Bayesian Pool-based Active Learning With Abste... | We study pool-based active learning with abs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11157 | 11158 | Multiconfigurational Short-Range Density-Funct... | Many chemical systems cannot be described by... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11158 | 11159 | Shape recognition of volcanic ash by simple co... | Shape analyses of tephra grains result in un... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11159 | 11160 | The Uranie platform: an Open-source software f... | The high-performance computing resources and... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11160 | 11161 | Learning Convolutional Text Representations fo... | Visual question answering is a recently prop... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11161 | 11162 | Cross-stream migration of active particles | For natural microswimmers, the interplay of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11162 | 11163 | Analysis of the Polya-Gamma block Gibbs sample... | In this article, we construct a two-block Gi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11163 | 11164 | Direct and Simultaneous Observation of Ultrafa... | Understanding excited carrier dynamics in se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11164 | 11165 | Introducing the Robot Security Framework (RSF)... | Robots have gained relevance in society, inc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11165 | 11166 | Statistical Verification of Computational Rapp... | Rapport plays an important role during commu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11166 | 11167 | Least models of second-order set theories | The main theorems of this paper are (1) ther... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11167 | 11168 | Characterizing K2 Candidate Planetary Systems ... | We present near-infrared spectra for 144 can... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11168 | 11169 | Binary orbits from combined astrometric and sp... | An efficient Bayesian technique for estimati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11169 | 11170 | Gyrotropic Zener tunneling and nonlinear IV cu... | We have investigated tunneling current throu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11170 | 11171 | Accurate, Efficient and Scalable Graph Embedding | The Graph Convolutional Network (GCN) model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11171 | 11172 | A principled methodology for comparing related... | There are many different relatedness measure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11172 | 11173 | A Game-Theoretic Approach for Runtime Capacity... | Nowadays many companies have available large... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11173 | 11174 | Holographic Butterfly Effect and Diffusion in ... | We investigate the butterfly effect and char... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11174 | 11175 | High-temperature charge density wave correlati... | Although all superconducting cuprates displa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11175 | 11176 | A unified deep artificial neural network appro... | In this paper we use deep feedforward artifi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11176 | 11177 | Gradient Flows in Uncertainty Propagation and ... | The purpose of this work is mostly expositor... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11177 | 11178 | Investigating Simulation-Based Metrics for Cha... | Simulation-based image quality metrics are a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11178 | 11179 | Temporal Difference Learning with Neural Netwo... | Temporal-Difference learning (TD) [Sutton, 1... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11179 | 11180 | First Order Theories of Some Lattices of Open ... | We show that the first order theory of the l... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11180 | 11181 | Efficient Privacy Preserving Viola-Jones Type ... | A cloud server spent a lot of time, energy a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11181 | 11182 | Lagrangian Statistics for Navier-Stokes Turbul... | We study small-scale and high-frequency turb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11182 | 11183 | Conjunctive management of surface and groundwa... | Hormozgan Province, located in the south of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11183 | 11184 | Classification in biological networks with hyp... | Biological and cellular systems are often mo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11184 | 11185 | Pair Correlation and Gap Distributions for Sub... | We study empirical statistical and gap distr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11185 | 11186 | Pay-with-a-Selfie, a human-centred digital pay... | Mobile payment systems are increasingly used... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11186 | 11187 | LCDet: Low-Complexity Fully-Convolutional Neur... | Deep convolutional Neural Networks (CNN) are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11187 | 11188 | Phase transitions of a 2D deformed-AKLT model | We study spin-2 deformed-AKLT models on the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11188 | 11189 | Statistical estimation of superhedging prices | We consider statistical estimation of superh... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11189 | 11190 | Ore's theorem on subfactor planar algebras | This paper proves that an irreducible subfac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11190 | 11191 | Machine Learning CICY Threefolds | The latest techniques from Neural Networks a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11191 | 11192 | Weak lensing deflection of three-point correla... | Weak gravitational lensing alters the appare... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11192 | 11193 | Solitonic dynamics and excitations of the nonl... | Solitons are of the important significant in... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11193 | 11194 | Supporting Ruled Polygons | We explore several problems related to ruled... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11194 | 11195 | Deep Learning for Real-time Gravitational Wave... | The recent Nobel-prize-winning detections of... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11195 | 11196 | Self-doping effect arising from electron corre... | A self-doping effect between outer and inner... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11196 | 11197 | Increased Prediction Accuracy in the Game of C... | Player selection is one the most important t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11197 | 11198 | Learning Probabilistic Programs Using Backprop... | Probabilistic modeling enables combining dom... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11198 | 11199 | Turbulent gas accretion between supermassive b... | While supermassive black holes are known to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11199 | 11200 | Grayscale Image Authentication using Neural Ha... | Many different approaches for neural network... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11200 | 11201 | Binary Image Selection (BISON): Interpretable ... | Providing systems the ability to relate ling... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11201 | 11202 | Parallelization does not Accelerate Convex Opt... | In this paper we study the limitations of pa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11202 | 11203 | Velocity dependence of point masses, moving on... | Applying the principle of equivalence, analo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11203 | 11204 | Demand Response in the Smart Grid: the Impact ... | In Demand Response programs, price incentive... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11204 | 11205 | Distributed Nesterov gradient methods over arb... | In this letter, we introduce a distributed N... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11205 | 11206 | Casualty Detection from 3D Point Cloud Data fo... | One of the most important features of mobile... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11206 | 11207 | Representations of superconformal algebras and... | It is well known that the normaized characte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11207 | 11208 | Anchored Network Users: Stochastic Evolutionar... | To solve the spectrum scarcity problem, the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11208 | 11209 | On the rates of convergence of Parallelized Av... | The growing interest for high dimensional an... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11209 | 11210 | On Convergence of Extended Dynamic Mode Decomp... | Extended Dynamic Mode Decomposition (EDMD) i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11210 | 11211 | Random problems with R | R (Version 3.5.1 patched) has an issue with ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11211 | 11212 | Quasinormal modes as a distinguisher between g... | Quasi-Normal Modes (QNM) or ringdown phase o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11212 | 11213 | Polymorphism and the obstinate circularity of ... | The investigations on higher-order type theo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11213 | 11214 | Bayesian significance test for discriminating ... | An evaluation of FBST, Fully Bayesian Signif... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11214 | 11215 | A Minimal Closed-Form Solution for Multi-Persp... | We propose a minimal solution for pose estim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11215 | 11216 | Learning K-way D-dimensional Discrete Code For... | Embedding methods such as word embedding hav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11216 | 11217 | Attention based convolutional neural network f... | RNA-binding proteins (RBPs) play crucial rol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11217 | 11218 | Ramp Reversal Memory and Phase-Boundary Scarri... | Transition metal oxides (TMOs) are complex e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11218 | 11219 | A multi-channel approach for automatic microse... | In the presence of background noise and inte... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11219 | 11220 | Universal in vivo Textural Model for Human Ski... | Currently, diagnosis of skin diseases is bas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11220 | 11221 | Batched Large-scale Bayesian Optimization in H... | Bayesian optimization (BO) has become an eff... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11221 | 11222 | Will a Large Economy Be Stable? | We study networks of firms with Leontief pro... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11222 | 11223 | Linear Convergence of Accelerated Stochastic G... | In this paper, we study the stochastic gradi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11223 | 11224 | TRINITY: Coordinated Performance, Energy and T... | The consistent demand for better performance... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11224 | 11225 | Robust Covariate Shift Prediction with General... | Covariate shift relaxes the widely-employed ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11225 | 11226 | On the Ergodic Control of Ensembles | Across smart-grid and smart-city application... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11226 | 11227 | Relative merits of Phononics vs. Plasmonics: t... | The common feature of various plasmonic sche... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11227 | 11228 | Memory footprint reduction for the FFT-based v... | We present a method of memory footprint redu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11228 | 11229 | On a property of the nodal set of least energy... | In this note we prove the Payne-type conject... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11229 | 11230 | Smooth contractible threefolds with hyperbolic... | The aim of this note is to give an alternati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11230 | 11231 | Ergodic Theorems for Nonconventional Arrays an... | The paper is primarily concerned with the as... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11231 | 11232 | Bellman Gradient Iteration for Inverse Reinfor... | This paper develops an inverse reinforcement... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11232 | 11233 | Fast and Accurate Low-Rank Factorization of Co... | We consider the question of accurately and e... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11233 | 11234 | Quantum gravity corrections to the thermodynam... | In this work, we derive a new kind of rainbo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11234 | 11235 | Non-abelian reciprocity laws and higher Brauer... | We reinterpret Kim's non-abelian reciprocity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11235 | 11236 | Learning with Bounded Instance- and Label-depe... | Instance- and label-dependent label noise (I... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11236 | 11237 | Community Detection in Hypergraphs, Spiked Ten... | We study the problem of community detection ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11237 | 11238 | Presentations of the saturated cluster modular... | We give finite presentations of the saturate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11238 | 11239 | Quantum Query Algorithms are Completely Bounde... | We prove a characterization of $t$-query qua... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11239 | 11240 | Massively-Parallel Feature Selection for Big Data | We present the Parallel, Forward-Backward wi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11240 | 11241 | Gravitational Wave Sources from Pop III Stars ... | The detection of gravitational waves (GWs) g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11241 | 11242 | A Markov Chain Model for the Cure Rate of Non-... | A Markov-chain model is developed for the pu... | 0 | 0 | 0 | 1 | 0 | 1 |
| 11242 | 11243 | Query-Efficient Black-box Adversarial Examples... | Note that this paper is superceded by "Black... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11243 | 11244 | Beyond the Erdős Matching Conjecture | A family $\mathcal F\subset {[n]\choose k}$ ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11244 | 11245 | pH dependence of charge multipole moments in p... | Electrostatic interactions play a fundamenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11245 | 11246 | A streamlined, general approach for computing ... | The theory of receptor-ligand binding equili... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11246 | 11247 | Dynamics of one-dimensional electrons with bro... | Spin-charge separation is known to be broken... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11247 | 11248 | A Rational Distributed Process-level Account o... | It is inconceivable how chaotic the world wo... | 0 | 0 | 0 | 1 | 1 | 0 |
| 11248 | 11249 | Automata in the Category of Glued Vector Spaces | In this paper we adopt a category-theoretic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11249 | 11250 | Second order structural phase transitions, fre... | The self-consistent harmonic approximation i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11250 | 11251 | Prioritized Norms in Formal Argumentation | To resolve conflicts among norms, various no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11251 | 11252 | Fast and robust tensor decomposition with appl... | We develop fast spectral algorithms for tens... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11252 | 11253 | Distributed Testing of Conductance | We study the problem of testing conductance ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11253 | 11254 | Ultra high stiffness and thermal conductivity ... | Recently, single crystalline carbon nitride ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11254 | 11255 | Automatic Liver Lesion Detection using Cascade... | Automatic segmentation of liver lesions is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11255 | 11256 | Combinatorial metrics: MacWilliams-type identi... | In this work we characterize the combinatori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11256 | 11257 | The curtain remains open: NGC 2617 continues i... | Optical and near-infrared photometry, optica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11257 | 11258 | The topology on Berkovich affine lines over co... | In this article, we give a full description ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11258 | 11259 | An Original Mechanism for the Acceleration of ... | We suggest that ultra-high-energy (UHE) cosm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11259 | 11260 | Expected Time to Extinction of SIS Epidemic Mo... | We study that the breakdown of epidemic depe... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11260 | 11261 | The gyrokinetic limit for the Vlasov-Poisson s... | We consider the asymptotics of large externa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11261 | 11262 | Deriving Verb Predicates By Clustering Verbs w... | Hand-built verb clusters such as the widely ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11262 | 11263 | A propagation tool to connect remote-sensing o... | The remoteness of the Sun and the harsh cond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11263 | 11264 | Chemical-disorder-caused Medium Range Order in... | How atoms in covalent solids rearrange over ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11264 | 11265 | Optimal compromise between incompatible condit... | Models are often defined through conditional... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11265 | 11266 | Estimation for the Prediction of Point Process... | Estimation of the intensity of a point proce... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11266 | 11267 | Chordal SLE$_6$ explorations of a quantum disk | We consider a particular type of $\sqrt{8/3}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11267 | 11268 | Optimal rate list decoding over bounded alphab... | We give new constructions of two classes of ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11268 | 11269 | Quadratic Programming Approach to Fit Protein ... | The paper investigates the problem of fittin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11269 | 11270 | Conditions for the equivalence between IQC and... | This paper provides a link between time-doma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11270 | 11271 | Energy-Efficient Wireless Content Delivery wit... | We propose an intelligent proactive content ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11271 | 11272 | Low- and high-order gravitational harmonics of... | The Juno Orbiter has provided improved estim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11272 | 11273 | Language Modeling with Generative Adversarial ... | Generative Adversarial Networks (GANs) have ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11273 | 11274 | How AD Can Help Solve Differential-Algebraic E... | A characteristic feature of differential-alg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11274 | 11275 | Secure Coding Practices in Java: Challenges an... | Java platform and third-party libraries prov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11275 | 11276 | Complex Urban LiDAR Data Set | This paper presents a Light Detection and Ra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11276 | 11277 | Blind Source Separation Using Mixtures of Alph... | We propose a new blind source separation alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11277 | 11278 | Student and instructor framing in upper-divisi... | Upper-division physics students spend much o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11278 | 11279 | Deep Generative Model using Unregularized Scor... | Accurate and automated detection of anomalou... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11279 | 11280 | Non-collinear magnetic structure and multipola... | The magnetic properties of the pyrochlore ir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11280 | 11281 | OGLE-2013-BLG-1761Lb: A Massive Planet Around ... | We report the discovery and the analysis of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11281 | 11282 | Phase-Aware Single-Channel Speech Enhancement ... | We present a single-channel phase-sensitive ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11282 | 11283 | Reduction and specialization of hyperelliptic ... | For a monic polynomial $D(X)$ of even degree... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11283 | 11284 | Three years of SPHERE: the latest view of the ... | Spatially resolving the immediate surroundin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11284 | 11285 | Tensor Methods for Nonlinear Matrix Completion | In the low rank matrix completion (LRMC) pro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11285 | 11286 | Visual Interaction Networks | From just a glance, humans can make rich pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11286 | 11287 | Using polarimetry to retrieve the cloud covera... | Context. Clouds have already been detected i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11287 | 11288 | Dirac nodal lines and induced spin Hall effect... | We have found Dirac nodal lines (DNLs) in th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11288 | 11289 | Chaotic Dynamics Enhance the Sensitivity of In... | Hair cells of the auditory and vestibular sy... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11289 | 11290 | A Robot Localization Framework Using CNNs for ... | External localization is an essential part f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11290 | 11291 | Executable Trigger-Action Comments | Natural language elements, e.g., todo commen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11291 | 11292 | Cardinal Virtues: Extracting Relation Cardinal... | Information extraction (IE) from text has la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11292 | 11293 | A Decision Tree Approach to Predicting Recidiv... | Domestic violence (DV) is a global social an... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11293 | 11294 | On the Necessity of Superparametric Geometry R... | We provide numerical evidence demonstrating ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11294 | 11295 | Low-dose cryo electron ptychography via non-co... | Electron ptychography has seen a recent surg... | 0 | 1 | 1 | 1 | 0 | 0 |
| 11295 | 11296 | Efficient Charge Collection in Coplanar Grid R... | We have modeled laser-induced transient curr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11296 | 11297 | Thermalization near integrability in a dipolar... | Isolated quantum many-body systems with inte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11297 | 11298 | Hausdorff dimension of the boundary of bubbles... | We first consider the additive Brownian moti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11298 | 11299 | Inverse mean curvature flow in quaternionic hy... | In this paper we complete the study started ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11299 | 11300 | Mosquito detection with low-cost smartphones: ... | Mosquitoes are a major vector for malaria, c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11300 | 11301 | Leveraging Crowdsourcing Data For Deep Active ... | This paper presents a generic Bayesian frame... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11301 | 11302 | Using Convolutional Neural Networks to Count P... | In this paper we propose a supervised learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11302 | 11303 | The sharp for the Chang model is small | Woodin has shown that if there is a measurab... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11303 | 11304 | Weak quadrupole moments | Collective effects in deformed atomic nuclei... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11304 | 11305 | Fast and Accurate Semantic Mapping through Geo... | We propose an efficient and scalable method ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11305 | 11306 | Pumping Lemma for Higher-order Languages | We study a pumping lemma for the word/tree l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11306 | 11307 | Generative Bridging Network in Neural Sequence... | In order to alleviate data sparsity and over... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11307 | 11308 | A Rule-Based Computational Model of Cognitive ... | Cognitive arithmetic studies the mental proc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11308 | 11309 | Modular categories are not determined by their... | Arbitrarily many pairwise inequivalent modul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11309 | 11310 | Change Detection in a Dynamic Stream of Attrib... | While anomaly detection in static networks h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11310 | 11311 | Local Differential Privacy for Physical Sensor... | In this work we explore the utility of local... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11311 | 11312 | Kernel Feature Selection via Conditional Covar... | We propose a method for feature selection th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11312 | 11313 | 2s exciton-polariton revealed in an external m... | We demonstrate the existence of the excited ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11313 | 11314 | Weight hierarchy of a class of linear codes re... | In this paper, we discuss the generalized Ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11314 | 11315 | Cosmological discordances II: Hubble constant,... | We examine systematically the (in)consistenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11315 | 11316 | The perfect spin injection in silicene FS/NS j... | We theoretically investigate the spin inject... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11316 | 11317 | Distance-based Protein Folding Powered by Deep... | Contact-assisted protein folding has made ve... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11317 | 11318 | Double Threshold Digraphs | A semiorder is a model of preference relatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11318 | 11319 | Directed unions of local quadratic transforms ... | Let $\{ R_n, {\mathfrak m}_n \}_{n \ge 0}$ b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11319 | 11320 | Lipschitz regularity of deep neural networks: ... | Deep neural networks are notorious for being... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11320 | 11321 | Preference-based Teaching | We introduce a new model of teaching named "... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11321 | 11322 | Unified description of dynamics of a repulsive... | We study a binary spin-mixture of a zero-tem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11322 | 11323 | Effective inertial frame in an atom interferom... | In an ideal test of the equivalence principl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11323 | 11324 | Phonon-mediated spin-flipping mechanism in the... | To understand emergent magnetic monopole dyn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11324 | 11325 | A hexatic smectic phase with algebraically dec... | The hexatic phase predicted by the theories ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11325 | 11326 | Pebble accretion at the origin of water in Europa | Despite the fact that the observed gradient ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11326 | 11327 | Traffic Graph Convolutional Recurrent Neural N... | Traffic forecasting is a particularly challe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11327 | 11328 | Intrinsic Analysis of the Sample Fréchet Mean ... | We consider two types of averaging of comple... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11328 | 11329 | Alternating Optimization for Capacity Region o... | This paper characterizes the capacity region... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11329 | 11330 | Tales of Two Cities: Using Social Media to Und... | Lifestyles are a valuable model for understa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11330 | 11331 | Randomized Iterative Reconstruction for Sparse... | With the availability of more powerful compu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11331 | 11332 | Finding Local Minima via Stochastic Nested Var... | We propose two algorithms that can find loca... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11332 | 11333 | Growth rate of the state vector in a generaliz... | The mean growth rate of the state vector is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11333 | 11334 | Bayesian Patchworks: An Approach to Case-Based... | Doctors often rely on their past experience ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11334 | 11335 | Strong Black-box Adversarial Attacks on Unsupe... | Machine Learning (ML) and Deep Learning (DL)... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11335 | 11336 | Formal affine Demazure and Hecke algebras of K... | We define the formal affine Demazure algebra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11336 | 11337 | Handling Homographs in Neural Machine Translation | Homographs, words with different meanings bu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11337 | 11338 | Simple Length Rigidity for Hitchin Representat... | We show that a Hitchin representation is det... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11338 | 11339 | Towards the Augmented Pathologist: Challenges ... | Digital pathology is not only one of the mos... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11339 | 11340 | Morse Code Datasets for Machine Learning | We present an algorithm to generate syntheti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11340 | 11341 | Guarantees for Spectral Clustering with Fairne... | Given the widespread popularity of spectral ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11341 | 11342 | Using Maximum Entry-Wise Deviation to Test the... | The stochastic block model is widely used fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11342 | 11343 | Twitter and the Press: an Ego-Centred Analysis | Ego networks have proved to be a valuable to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11343 | 11344 | Majorana quasiparticles in condensed matter | In the space of less than one decade, the se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11344 | 11345 | Proper orthogonal decomposition vs. Fourier an... | We performed a comparative study of extracti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11345 | 11346 | On Gromov--Witten invariants of $\mathbb{P}^1$ | We propose a conjectural explicit formula of... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11346 | 11347 | Downwash-Aware Trajectory Planning for Large Q... | We describe a method for formation-change tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11347 | 11348 | Flow simulation in a 2D bubble column with the... | Bubbly flows, as present in bubble column re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11348 | 11349 | User-friendly guarantees for the Langevin Mont... | In this paper, we study the problem of sampl... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11349 | 11350 | Attacking the Madry Defense Model with $L_1$-b... | The Madry Lab recently hosted a competition ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11350 | 11351 | Quantum sensors for the generating functional ... | Difficult problems described in terms of int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11351 | 11352 | Sockeye: A Toolkit for Neural Machine Translation | We describe Sockeye (version 1.12), an open-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11352 | 11353 | Bayesian shape modelling of cross-sectional ge... | Shape information is of great importance in ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11353 | 11354 | Analysing Relations involving small number of ... | In the present day, AES is one the most wide... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11354 | 11355 | q-Virasoro algebra and affine Kac-Moody Lie al... | We establish a natural connection of the $q$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11355 | 11356 | The Noise Handling Properties of the Talbot Al... | This paper examines the noise handling prope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11356 | 11357 | Short-term Motion Prediction of Traffic Actors... | Despite its ubiquity in our daily lives, AI ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11357 | 11358 | Tropicalization, symmetric polynomials, and co... | D. Grigoriev-G. Koshevoy recently proved tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11358 | 11359 | The normal closure of big Dehn twists, and pla... | We study the normal closure of a big power o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11359 | 11360 | Secure Minimum Time Planning Under Environment... | Cyber Physical Systems (CPS) are becoming ub... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11360 | 11361 | Treatment-Response Models for Counterfactual R... | Treatment effects can be estimated from obse... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11361 | 11362 | Reduced Electron Exposure for Energy-Dispersiv... | Analytical electron microscopy and spectrosc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11362 | 11363 | Optimization of Smooth Functions with Noisy Ob... | We consider the problem of global optimizati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11363 | 11364 | Raw Waveform-based Speech Enhancement by Fully... | This study proposes a fully convolutional ne... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11364 | 11365 | Kinetic Theory for Finance Brownian Motion fro... | Recent technological development has enabled... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11365 | 11366 | Assessing Uncertainties in X-ray Single-partic... | Modern technology for producing extremely br... | 1 | 1 | 0 | 1 | 0 | 0 |
| 11366 | 11367 | Learning Hawkes Processes from Short Doubly-Ce... | Many real-world applications require robust ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11367 | 11368 | Unveiling the Role of Dopant Polarity on the R... | The recombination of charges is an important... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11368 | 11369 | Sliced Wasserstein Distance for Learning Gauss... | Gaussian mixture models (GMM) are powerful p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11369 | 11370 | How constant shifts affect the zeros of certai... | We study the effect of constant shifts on th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11370 | 11371 | Discovery and usage of joint attention in images | Joint visual attention is characterized by t... | 1 | 0 | 0 | 0 | 1 | 0 |
| 11371 | 11372 | Singular p-Laplacian parabolic system in exter... | We consider the IBVP in exterior domains for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11372 | 11373 | Size distribution of galaxies in SDSS DR7: wea... | Using a sample of galaxies selected from the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11373 | 11374 | Towards thinner convolutional neural networks ... | Deep network pruning is an effective method ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11374 | 11375 | Configurable 3D Scene Synthesis and 2D Image R... | We propose a systematic learning-based appro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11375 | 11376 | Multiband NFC for High-Throughput Wireless Com... | Vision sensors lie in the heart of computer ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11376 | 11377 | Learning Rare Word Representations using Seman... | We propose a methodology that adapts graph e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11377 | 11378 | Effect of annealing temperatures on the electr... | The electrical conductivity and dielectric p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11378 | 11379 | Molecular dynamic simulation of water vapor in... | One of the varieties of pores, often found i... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11379 | 11380 | Learning Program Component Order | Successful programs are written to be mainta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11380 | 11381 | Random Euler Complex-Valued Nonlinear Filters | Over the last decade, both the neural networ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11381 | 11382 | Memory effects on epidemic evolution: The susc... | Memory has a great impact on the evolution o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11382 | 11383 | On the equivalence of Eulerian and Lagrangian ... | The Camassa-Holm equation and its two-compon... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11383 | 11384 | Bulk diffusion in a kinetically constrained la... | In the hydrodynamic regime, the evolution of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11384 | 11385 | Censored pairwise likelihood-based tests for m... | Max-mixture processes are defined as Z = max... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11385 | 11386 | From rate distortion theory to metric mean dim... | The purpose of this paper is to point out a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11386 | 11387 | Balanced Quantization: An Effective and Effici... | Quantized Neural Networks (QNNs), which use ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11387 | 11388 | The Causal Frame Problem: An Algorithmic Persp... | The Frame Problem (FP) is a puzzle in philos... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11388 | 11389 | A Visual Representation of Wittgenstein's Trac... | In this paper we present a data visualizatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11389 | 11390 | Primordial perturbations generated by Higgs fi... | If the very early Universe is dominated by t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11390 | 11391 | Schubert polynomials, theta and eta polynomial... | We examine the relationship between the (dou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11391 | 11392 | Massive Fields as Systematics for Single Field... | During inflation, massive fields can contrib... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11392 | 11393 | The second boundary value problem of the presc... | These lecture notes are concerned with the s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11393 | 11394 | Additive Combinatorics: A Menu of Research Pro... | This text contains over three hundred specif... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11394 | 11395 | NMR evidence for static local nematicity and i... | We present $^{77}$Se-NMR measurements on sin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11395 | 11396 | LitStoryTeller: An Interactive System for Visu... | The present study proposes LitStoryTeller, a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11396 | 11397 | Acoustic Metacages for Omnidirectional Sound S... | Conventional sound shielding structures typi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11397 | 11398 | Concave losses for robust dictionary learning | Traditional dictionary learning methods are ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11398 | 11399 | Target-Quality Image Compression with Recurren... | We introduce a stop-code tolerant (SCT) appr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11399 | 11400 | Embedding simply connected 2-complexes in 3-sp... | We introduce dual matroids of 2-dimensional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11400 | 11401 | Excitonic effects in third harmonic generation... | Linear and nonlinear optical properties of l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11401 | 11402 | A general family of congruences for Bernoulli ... | We prove a general family of congruences for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11402 | 11403 | The Fourier algebra of a rigid $C^{\ast}$-tens... | Completely positive and completely bounded m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11403 | 11404 | On lattice path matroid polytopes: integer poi... | In this paper we investigate the number of i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11404 | 11405 | Quantum effects and magnetism in the spatially... | Electronic and magnetic properties of DNA st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11405 | 11406 | A Stochastic Model for Short-Term Probabilisti... | In this paper, a stochastic model with regim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11406 | 11407 | Stability and elasticity of metastable solid s... | Employing ab initio calculations, we discuss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11407 | 11408 | High Accuracy Classification of Parkinson's Di... | Early and accurate identification of parkins... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11408 | 11409 | End-to-End Learning for Structured Prediction ... | Structured Prediction Energy Networks (SPENs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11409 | 11410 | Self-compression of spatially limited laser pu... | The self-action features of wave packets pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11410 | 11411 | A Hand-Held Multimedia Translation and Interpr... | We propose a network independent, hand-held ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11411 | 11412 | Adding Neural Network Controllers to Behavior ... | In this paper, we show how controllers creat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11412 | 11413 | Drop pattern resulting from the breakup of a b... | A rectangular grid formed by liquid filament... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11413 | 11414 | FIRED: Frequent Inertial Resets with Diversifi... | A Cyber-Physical System (CPS) is defined by ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11414 | 11415 | Modelling of Dictyostelium Discoideum Movement... | Chemotaxis is a ubiquitous biological phenom... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11415 | 11416 | Cycles of Activity in the Jovian Atmosphere | Jupiter's banded appearance may appear uncha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11416 | 11417 | Predicting Tactical Solutions to Operational P... | This paper offers a methodological contribut... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11417 | 11418 | Consistent Approval-Based Multi-Winner Rules | This paper is an axiomatic study of consiste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11418 | 11419 | Bridge functional for the molecular density fu... | We address the problem of predicting the sol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11419 | 11420 | Fourier multiplier theorems for Triebel-Lizork... | In this paper we study sharp generalizations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11420 | 11421 | Individual dynamic predictions using landmarki... | After the diagnosis of a disease, one major ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11421 | 11422 | A partial converse to the Andreotti-Grauert th... | Let $X$ be a smooth projective manifold with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11422 | 11423 | Ab initio study of magnetocrystalline anisotro... | The ordered L1$_0$ FeNi phase (tetrataenite)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11423 | 11424 | Modular groups, Hurwitz classes and dynamic po... | An orientation-preserving branched covering ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11424 | 11425 | Proximal Planar Shape Signatures. Homology Ner... | This article introduces planar shape signatu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11425 | 11426 | Asymptotic analysis of a 2D overhead crane wit... | The paper investigates the asymptotic behavi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11426 | 11427 | Abrupt disappearance and reemergence of the SU... | The interplay of almost degenerate levels in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11427 | 11428 | Stochastic Global Optimization Algorithms: A S... | As we know, some global optimization problem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11428 | 11429 | A complete characterization of optimal diction... | Dictionaries are collections of vectors used... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11429 | 11430 | Least Square Variational Bayesian Autoencoder ... | In recent years Variation Autoencoders have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11430 | 11431 | Rational points of rationally simply connected... | A complex projective manifold is rationally ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11431 | 11432 | A Koszul sign map | We define a Koszul sign map encoding the Kos... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11432 | 11433 | Combining low- to high-resolution transit spec... | Space-borne low-to medium-resolution (R~10^2... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11433 | 11434 | Factorizations in Modules and Splitting Multip... | We introduce the concept of multiplicatively... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11434 | 11435 | ROPPERI - A TPC readout with GEMs, pads and Ti... | The concept of a hybrid readout of a time pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11435 | 11436 | A Shared Task on Bandit Learning for Machine T... | We introduce and describe the results of a n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11436 | 11437 | Double Sparsity Kernel Learning with Automatic... | Learning with Reproducing Kernel Hilbert Spa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11437 | 11438 | Controlling of blow-up responses by a nonlinea... | We investigate the dynamics of a coupled wav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11438 | 11439 | Text Extraction From Texture Images Using Mask... | Text extraction is an important problem in i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11439 | 11440 | Deep Echo State Networks with Uncertainty Quan... | Long-lead forecasting for spatio-temporal sy... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11440 | 11441 | Using Convex Optimization of Autocorrelation w... | In imaging modalities recording diffraction ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11441 | 11442 | Parametrizations, weights, and optimal predict... | We consider the problem of the annual mean t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11442 | 11443 | Time irreversibility from symplectic non-squee... | The issue of how time reversible microscopic... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11443 | 11444 | On Optimal Weighted-Delay Scheduling in Input-... | Motivated by relatively few delay-optimal sc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11444 | 11445 | Hausdorff dimension, projections, intersection... | This is a survey on recent developments on t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11445 | 11446 | Interpolating between matching and hedonic pri... | We consider the theoretical properties of a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11446 | 11447 | Modeling and predicting the short term evoluti... | The coupled evolution of the magnetic field ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11447 | 11448 | Analysing the Potential of BLE to Support Dyna... | In this paper, we present a novel approach f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11448 | 11449 | $\texttt{PyTranSpot}$ - A tool for multiband l... | Several studies have shown that stellar acti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11449 | 11450 | Interplay of spatial dynamics and local adapta... | The distributions of species lifetimes and s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11450 | 11451 | Routing Symmetric Demands in Directed Minor-Fr... | The problem of routing in graphs using node-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11451 | 11452 | Fast sampling of parameterised Gaussian random... | Gaussian random fields are popular models fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11452 | 11453 | Universal Scalable Robust Solvers from Computa... | We show how the discovery of robust scalable... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11453 | 11454 | Preliminary Experiments using Subjective Logic... | According to the principle of polyrepresenta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11454 | 11455 | General Robust Bayes Pseudo-Posterior: Exponen... | Although Bayesian inference is an immensely ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11455 | 11456 | The $H_0$ tension in light of vacuum dynamics ... | Despite the outstanding achievements of mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11456 | 11457 | On certain type of difference polynomials of m... | In this paper, we investigate zeros of diffe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11457 | 11458 | Teaching methods are erroneous: approaches whi... | If spreadsheets are not erroneous then who, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11458 | 11459 | Modulational Instability in Linearly Coupled A... | We investigate modulational instability (MI)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11459 | 11460 | Discovering Visual Concept Structure with Spar... | Discovering automatically the semantic struc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11460 | 11461 | GALILEO: A Generalized Low-Entropy Mixture Model | We present a new method of generating mixtur... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11461 | 11462 | Approximation by mappings with singular Hessia... | Let $\Omega\subset\mathbb R^n$ be a Lipschit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11462 | 11463 | Adaptive Cardinality Estimation | In this paper we address cardinality estimat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11463 | 11464 | Non-stationary Stochastic Optimization under $... | We consider a non-stationary sequential stoc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11464 | 11465 | Spin conductance of YIG thin films driven from... | We report a study on spin conductance in ult... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11465 | 11466 | Mathematical renormalization in quantum electr... | In this work, we focus on on the approach by... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11466 | 11467 | Inference in Deep Networks in High Dimensions | Deep generative networks provide a powerful ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11467 | 11468 | Differentially Private Variational Dropout | Deep neural networks with their large number... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11468 | 11469 | Persistent Currents in Ferromagnetic Condensates | Persistent currents in Bose condensates with... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11469 | 11470 | Parameter Adaptation and Criticality in Partic... | Generality is one of the main advantages of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11470 | 11471 | Model Predictive Control meets robust Kalman f... | Model Predictive Control (MPC) is the princi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11471 | 11472 | Election forensic analysis of the Turkish Cons... | With a majority of 'Yes' votes in the Consti... | 0 | 1 | 0 | 1 | 0 | 0 |
| 11472 | 11473 | Efficient Bayesian inference for multivariate ... | This paper discusses the efficient Bayesian ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11473 | 11474 | Next Steps for the Colorado Risk-Limiting Audi... | Colorado conducted risk-limiting tabulation ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11474 | 11475 | HD 202206 : A Circumbinary Brown Dwarf System | With Hubble Space Telescope Fine Guidance Se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11475 | 11476 | On Optimal Group Claims at Voting in a Stochas... | There is a paradox in the model of social dy... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11476 | 11477 | Exploring many body localization and thermaliz... | The Discrete Truncated Wigner Approximation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11477 | 11478 | An FPTAS for the Knapsack Problem with Paramet... | In this paper, we investigate the parametric... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11478 | 11479 | Mellin and Wiener-Hopf operators in a non-clas... | Markov processes are well understood in the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11479 | 11480 | Long-term photometric behavior of the eclipsin... | We present the analysis results of an eclips... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11480 | 11481 | SPUX: Scalable Particle Markov Chain Monte Car... | Calibration of individual based models (IBMs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11481 | 11482 | A Social Network Analysis Framework for Modeli... | Health insurance companies in Brazil have th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11482 | 11483 | Congruences for Restricted Plane Overpartition... | In 2009, Corteel, Savelief and Vuletić gener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11483 | 11484 | AndroVault: Constructing Knowledge Graph from ... | Data driven research on Android has gained a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11484 | 11485 | Universal and generalizable restoration strate... | Humans are increasingly stressing ecosystems... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11485 | 11486 | Information transmission and signal permutatio... | Recent experiments show that both natural an... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11486 | 11487 | Heuristic Framework for Multi-Scale Testing of... | When analyzing empirical data, we often find... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11487 | 11488 | Kitting in the Wild through Online Domain Adap... | Technological developments call for increasi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11488 | 11489 | Event Analysis of Pulse-reclosers in Distribut... | The pulse-recloser uses pulse testing techno... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11489 | 11490 | Projected Power Iteration for Network Alignment | The network alignment problem asks for the b... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11490 | 11491 | 3D mean Projective Shape Difference for Face D... | We give a nonparametric methodology for hypo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11491 | 11492 | Video Highlight Prediction Using Audience Chat... | Sports channel video portals offer an exciti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11492 | 11493 | Effects of Interactions on Dynamic Correlation... | We investigate how dynamic correlations of h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11493 | 11494 | The Frechet distribution: Estimation and Appli... | In this article, we consider the problem of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11494 | 11495 | Prediction of Sea Surface Temperature using Lo... | This letter adopts long short-term memory(LS... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11495 | 11496 | An Operational Framework for Specifying Memory... | There has been great progress recently in fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11496 | 11497 | Efficient Algorithms for Moral Lineage Tracing | Lineage tracing, the joint segmentation and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11497 | 11498 | Interpolating between $k$-Median and $k$-Cente... | We consider a generalization of $k$-median a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11498 | 11499 | Statistical Challenges in Modeling Big Brain S... | Brain signal data are inherently big: massiv... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11499 | 11500 | Injective and Automorphism-Invariant Non-Singu... | Every automorphism-invariant right non-singu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11500 | 11501 | Visible transitions in Ag-like and Cd-like lan... | We present visible spectra of Ag-like ($4d^{... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11501 | 11502 | A gradient flow approach to linear Boltzmann e... | We introduce a gradient flow formulation of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11502 | 11503 | Constraints on neutrino masses from Lyman-alph... | We present constraints on masses of active a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11503 | 11504 | BubbleView: an interface for crowdsourcing ima... | In this paper, we present BubbleView, an alt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11504 | 11505 | Effects of Disorder on the Pressure-Induced Mo... | We present a study of the influence of disor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11505 | 11506 | Dark Energy Survey Year 1 Results: Multi-Probe... | We present the methodology for and detail th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11506 | 11507 | Neural-Guided Deductive Search for Real-Time P... | Synthesizing user-intended programs from a s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11507 | 11508 | Coupled Electron-Ion Monte Carlo simulation of... | We performed simulations for solid molecular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11508 | 11509 | Spline Based Search Method For Unmodeled Trans... | A method is described for the detection and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11509 | 11510 | Quantum mechanics from an epistemic state space | We derive the Hilbert space formalism of qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11510 | 11511 | Self-duality and scattering map for the hyperb... | In this paper, we construct global action-an... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11511 | 11512 | Inference for heavy tailed stationary time ser... | The block maxima method in extreme value the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11512 | 11513 | Active tuning of high-Q dielectric metasurfaces | We demonstrate the active tuning of all-diel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11513 | 11514 | Semi-Supervised QA with Generative Domain-Adap... | We study the problem of semi-supervised ques... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11514 | 11515 | Rationality proofs by curve counting | We propose an approach for showing rationali... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11515 | 11516 | Explainable Artificial Intelligence: Understan... | With the availability of large databases and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11516 | 11517 | The study on quantum material WTe2 | WTe2 and its sister alloys have attracted tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11517 | 11518 | Learning Social Image Embedding with Deep Mult... | Learning social media data embedding by deep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11518 | 11519 | DOC: Deep Open Classification of Text Documents | Traditional supervised learning makes the cl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11519 | 11520 | When Is the First Spurious Variable Selected b... | Applied statisticians use sequential regress... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11520 | 11521 | Interpreting Blackbox Models via Model Extraction | Interpretability has become incredibly impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11521 | 11522 | Extending holomorphic motions and monodromy | Let $E$ be a closed set in the Riemann spher... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11522 | 11523 | A/D Converter Architectures for Energy-Efficie... | AI applications have emerged in current worl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11523 | 11524 | Quotients in monadic programming: Projective a... | In monadic programming, datatypes are presen... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11524 | 11525 | Density Independent Algorithms for Sparsifying... | We give faster algorithms for producing spar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11525 | 11526 | On a generalized $k$-FL sequence and its appli... | We introduce a generalized $k$-FL sequence a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11526 | 11527 | Supervised Metric Learning with Generalization... | The crucial importance of metrics in machine... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11527 | 11528 | Symbolic dynamics for Kuramoto-Sivashinsky PDE... | The Kuramoto-Sivashinsky PDE on the line wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11528 | 11529 | Individual Dynamical Masses of Ultracool Dwarfs | We present the full results of our decade-lo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11529 | 11530 | Beta Dips in the Gaia Era: Simulation Predicti... | The velocity anisotropy parameter, beta, is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11530 | 11531 | Computational Flows in Arithmetic | A computational flow is a pair consisting of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11531 | 11532 | Injective homomorphisms of mapping class group... | Let $N$ be a compact, connected, non-orienta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11532 | 11533 | Transport in a disordered $ν=2/3$ fractional q... | Electric and thermal transport properties of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11533 | 11534 | Giant Field Enhancement in Longitudinal Epsilo... | We report that a longitudinal epsilon-near-z... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11534 | 11535 | Analysis and optimal individual pitch control ... | With the trend of increasing wind turbine ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11535 | 11536 | Deep Learning-aided Application Scheduler for ... | 802.11p based V2X communication uses stochas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11536 | 11537 | Convergence rates in the central limit theorem... | We prove moment inequalities for a class of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11537 | 11538 | On Adaptive Estimation for Dynamic Bernoulli B... | The multi-armed bandit (MAB) problem is a cl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11538 | 11539 | Near Optimal Sketching of Low-Rank Tensor Regr... | We study the least squares regression proble... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11539 | 11540 | Fast computation of p-values for the permutati... | Permutation tests are among the simplest and... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11540 | 11541 | Convergence analysis of the information matrix... | Gaussian belief propagation (BP) has been wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11541 | 11542 | Vortex pairs in a spin-orbit coupled Bose-Eins... | Static and dynamic properties of vortices in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11542 | 11543 | GlobeNet: Convolutional Neural Networks for Ty... | Advances in remote sensing technologies have... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11543 | 11544 | The Incremental Multiresolution Matrix Factori... | Multiresolution analysis and matrix factoriz... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11544 | 11545 | Carlsson's rank conjecture and a conjecture on... | Let $k$ be an algebraically closed field and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11545 | 11546 | Effect of Anodizing Parameters on Corrosion Re... | Magnesium and its alloys are being considere... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11546 | 11547 | The probabilistic nature of McShane's identity... | In this article, we discuss a probabilistic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11547 | 11548 | RT-DAP: A Real-Time Data Analytics Platform fo... | In most process control systems nowadays, pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11548 | 11549 | BFGS convergence to nonsmooth minimizers of co... | The popular BFGS quasi-Newton minimization a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11549 | 11550 | A collaborative citizen science platform for r... | Volunteer computing (VC) or distributed comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11550 | 11551 | Quasiparticle interference in multiband superc... | We develop a theory of the quasiparticle int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11551 | 11552 | Trading Strategies Generated by Path-dependent... | Almost twenty years ago, E.R. Fernholz intro... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11552 | 11553 | General Bayesian Inference over the Stiefel Ma... | We introduce an approach based on the Givens... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11553 | 11554 | Sine wave gating Silicon single-photon detecto... | Silicon single-photon detectors (SPDs) are t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11554 | 11555 | A Tutorial on Fisher Information | In many statistical applications that concer... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11555 | 11556 | A statistical approach to identify superlumino... | We investigate the identification of hydroge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11556 | 11557 | Low fertility rate reversal: a feature of inte... | An empirical relation indicates that an incr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11557 | 11558 | Analysis of $p$-Laplacian Regularization in Se... | We investigate a family of regression proble... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11558 | 11559 | Spectral stability of shifted states on star g... | We consider the nonlinear Schrödinger (NLS) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11559 | 11560 | Estimation of the multifractional function and... | In this paper we are interested in multifrac... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11560 | 11561 | Observation of "Topological" Microflares in th... | We report on observation of the unusual kind... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11561 | 11562 | Commutative positive varieties of languages | We study the commutative positive varieties ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11562 | 11563 | A generalized model of social and biological c... | We present a model of contagion that unifies... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11563 | 11564 | Luminous Efficiency Estimates of Meteors -I. U... | The luminous efficiency of meteors is poorly... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11564 | 11565 | Application of Van Der Waals Density Functiona... | A van der Waals (vdW) density functional was... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11565 | 11566 | Secondary atmospheres on HD 219134 b and c | We analyze the interiors of HD~219134~b and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11566 | 11567 | Classification of rank two Lie conformal algebras | We give a complete classification (up to iso... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11567 | 11568 | Smooth equivalence of deformations of domains ... | We prove that two smooth families of 2-conne... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11568 | 11569 | A lower bound of the hyperbolic dimension for ... | We improve existing lower bounds of the hype... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11569 | 11570 | Invariant Causal Prediction for Nonlinear Models | An important problem in many domains is to p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11570 | 11571 | Geometric Ergodicity of the MUCOGARCH(1,1) pro... | For the multivariate COGARCH(1,1) volatility... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11571 | 11572 | Cognitive networks: brains, internet, and civi... | In this short essay, we discuss some basic f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11572 | 11573 | Expect the unexpected: Harnessing Sentence Com... | The trigram `I love being' is expected to be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11573 | 11574 | Sensitivity Analysis of Deep Neural Networks | Deep neural networks (DNNs) have achieved su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11574 | 11575 | An application of the Hylleraas-B-splines basi... | The Hylleraas-B-splines basis set is introdu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11575 | 11576 | Jupiter's South Equatorial Belt cycle in 2009-... | A Revival of the South Equatorial Belt (SEB)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11576 | 11577 | Improved Regularization Techniques for End-to-... | Regularization is important for end-to-end s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11577 | 11578 | On the limits of coercivity in permanent magnets | The maximum coercivity that can be achieved ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11578 | 11579 | $N$-soliton formula and blowup result of the W... | We formulate the $N$ soliton solution of the... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11579 | 11580 | Introduction of Improved Repairing Locality in... | Repairing locality is an appreciated feature... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11580 | 11581 | A counterexample to a conjecture of Kiyota, Mu... | Kiyota, Murai and Wada conjectured in 2002 t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11581 | 11582 | Minimal Hermite-type eigenbasis of the discret... | There exist many ways to build an orthonorma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11582 | 11583 | Disagreement-Based Combinatorial Pure Explorat... | We design new algorithms for the combinatori... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11583 | 11584 | Insulator to Metal Transition in WO$_3$ Induce... | Tungsten oxide and its associated bronzes (c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11584 | 11585 | Extensions and Exact Solutions to the Quaterni... | We examine the problem of transforming match... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11585 | 11586 | Particles, Cutoffs and Inequivalent Representa... | We critically review the recent debate betwe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11586 | 11587 | Dynamic Analysis of Executables to Detect and ... | It is needed to ensure the integrity of syst... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11587 | 11588 | Network support of talented people | Network support is a key success factor for ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11588 | 11589 | How to Escape Saddle Points Efficiently | This paper shows that a perturbed form of gr... | 1 | 0 | 1 | 1 | 0 | 0 |
| 11589 | 11590 | Geert Hofstede et al's set of national cultura... | This article outlines different stages in de... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11590 | 11591 | Deep and Confident Prediction for Time Series ... | Reliable uncertainty estimation for time ser... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11591 | 11592 | Coverage Analysis of a Vehicular Network Model... | In this paper, we consider a vehicular netwo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11592 | 11593 | Database Engines: Evolution of Greenness | Context: Information Technology consumes up ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11593 | 11594 | Parseval Networks: Improving Robustness to Adv... | We introduce Parseval networks, a form of de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11594 | 11595 | Production of 82Se enriched Zinc Selenide (ZnS... | High purity Zinc Selenide (ZnSe) crystals ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11595 | 11596 | Computing Human-Understandable Strategies | Algorithms for equilibrium computation gener... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11596 | 11597 | A statistical model for aggregating judgments ... | We propose a probabilistic model to aggregat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11597 | 11598 | The Inner 25 AU Debris Distribution in the eps... | Debris disk morphology is wavelength depende... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11598 | 11599 | Model-Based Clustering of Nonparametric Weight... | Water pollution is a major global environmen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11599 | 11600 | FPGA-Based Tracklet Approach to Level-1 Track ... | During the High Luminosity LHC, the CMS dete... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11600 | 11601 | Isolating effects of age with fair representat... | One of the most prevalent symptoms among the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11601 | 11602 | The Trimmed Lasso: Sparsity and Robustness | Nonconvex penalty methods for sparse modelin... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11602 | 11603 | Mobile phone identification through the built-... | Mobile phones identification through their b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11603 | 11604 | A Machine Learning Framework for Stock Selection | This paper demonstrates how to apply machine... | 0 | 0 | 0 | 1 | 0 | 1 |
| 11604 | 11605 | Zampa's systems theory: a comprehensive theory... | The article outlines in memoriam Prof. Pavel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11605 | 11606 | Learning Data Manifolds with a Cutting Plane M... | We consider the problem of classifying data ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11606 | 11607 | Theory of magnetism in La$_2$NiMnO$_6$ | The magnetism of ordered and disordered La$_... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11607 | 11608 | Counterexample-guided Abstraction Refinement f... | Partially Observable Markov Decision Process... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11608 | 11609 | An Overview of Multi-Task Learning in Deep Neu... | Multi-task learning (MTL) has led to success... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11609 | 11610 | Low temperature synthesis of heterostructures ... | Large-area ($\sim$cm$^2$) films of vertical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11610 | 11611 | Virtual refinements of the Vafa-Witten formula | We conjecture a formula for the generating f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11611 | 11612 | Uncertainty in Multitask Transfer Learning | Using variational Bayes neural networks, we ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11612 | 11613 | Geared Rotationally Identical and Invariant Co... | Theorems and techniques to form different ty... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11613 | 11614 | Conditional quantum one-time pad | Suppose that Alice and Bob are located in di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11614 | 11615 | The Representation Theory of 2-Sylow Subgroups... | We study the Bratteli diagram of 2-Sylow sub... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11615 | 11616 | Debiasing the Debiased Lasso with Bootstrap | In this paper, we prove that under proper co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11616 | 11617 | Asymptotic Normality of Extensible Grid Sampling | Recently, He and Owen (2016) proposed the us... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11617 | 11618 | Hardening Stratum, the Bitcoin Pool Mining Pro... | Stratum, the de-facto mining communication p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11618 | 11619 | Representations associated to small nilpotent ... | This paper provides a comparison between the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11619 | 11620 | Fast Linear Transformations in Python | This paper introduces a new free library for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11620 | 11621 | Physical description of nature from a system-i... | Objectivity is often considered as an ideal ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11621 | 11622 | Training-induced inversion of spontaneous exch... | In this work we report the synthesis and str... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11622 | 11623 | Efficient and Adaptive Linear Regression in Se... | We consider the linear regression problem un... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11623 | 11624 | Small Moving Window Calibration Models for Sof... | Five simple soft sensor methodologies with t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11624 | 11625 | Deep Learning the Physics of Transport Phenomena | We have developed a new data-driven paradigm... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11625 | 11626 | A Survey on Methods and Theories of Quantized ... | Deep neural networks are the state-of-the-ar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11626 | 11627 | Constructing confidence sets for the matrix co... | In the present note we consider the problem ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11627 | 11628 | Ring objects in the equivariant derived Satake... | This is the second companion paper of arXiv:... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11628 | 11629 | Well-Posedness of a Navier-Stokes/Mean Curvatu... | We consider a two-phase flow of two incompre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11629 | 11630 | Off The Beaten Lane: AI Challenges In MOBAs Be... | MOBAs represent a huge segment of online gam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11630 | 11631 | Domains for Higher-Order Games | We study two-player inclusion games played o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11631 | 11632 | Improved torque formula for low and intermedia... | The migration of planets on nearly circular,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11632 | 11633 | The fluid running in the subnanochannel with f... | We have researched the motion of gas in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11633 | 11634 | Data-Driven Decentralized Optimal Power Flow | The implementation of optimal power flow (OP... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11634 | 11635 | Thermal-induced stress of plasmonic magnetic n... | We present theoretical calculations to inter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11635 | 11636 | High-resolution photoelectron-spectroscopic in... | The photoelectron spectrum of water has been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11636 | 11637 | Connectedness of the Balmer spectra of right b... | By virtue of Balmer's celebrated theorem, th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11637 | 11638 | Underdamped Langevin MCMC: A non-asymptotic an... | We study the underdamped Langevin diffusion ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11638 | 11639 | Two-dimensional compressible viscous flow arou... | Direct numerical simulation is performed to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11639 | 11640 | BindsNET: A machine learning-oriented spiking ... | The development of spiking neural network si... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11640 | 11641 | Monaural Audio Speaker Separation with Source ... | We propose an algorithm to separate simultan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11641 | 11642 | Variational Probability Flow for Biologically ... | The quest for biologically plausible deep le... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11642 | 11643 | Node classification for signed networks using ... | Signed networks are a crucial tool when mode... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11643 | 11644 | Ensemble representation learning: an analysis ... | Recently we proposed a general, ensemble-bas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11644 | 11645 | Anisotropic Fermi surface probed by the de Haa... | TaSb$_{2}$ has been predicted theoretically ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11645 | 11646 | Stochastic Deconvolutional Neural Network Ense... | The training of Generative Adversarial Netwo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11646 | 11647 | A Local Prime Factor Decomposition Algorithm f... | This work is concerned with the prime factor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11647 | 11648 | Dispersion for the wave equation outside a bal... | The purpose of this note is to prove dispers... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11648 | 11649 | Minimal surfaces near short geodesics in hyper... | If $M$ is a finite volume complete hyperboli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11649 | 11650 | Softening and Yielding of Soft Glassy Materials | Solids deform and fluids flow, but soft glas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11650 | 11651 | Seemless Utilization of Heterogeneous XSede Re... | We describe the technical effort used to pro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11651 | 11652 | Nonlinear Network description for many-body qu... | We show that the recently introduced iterati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11652 | 11653 | Winding number $m$ and $-m$ patterns acting on... | We prove that for any winding number $m>0$ p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11653 | 11654 | Averages of shifted convolution sums for $GL(3... | Let $A_f(1,n)$ be the normalized Fourier coe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11654 | 11655 | Reply to Hicks et al 2017, Reply to Morrison e... | The present letter to the editor is one in a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11655 | 11656 | Fourier Multipliers on the Heisenberg groups r... | In this paper, we give explicit expressions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11656 | 11657 | Free Boundary Minimal Surfaces in the Unit Thr... | We construct a new family of high genus exam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11657 | 11658 | Multi-scale Transactive Control In Interconnec... | This thesis presents the design, analysis, a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11658 | 11659 | Constraining the contribution of active galact... | Recent results have suggested that active ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11659 | 11660 | Two-walks degree assortativity in graphs and n... | Degree ssortativity is the tendency for node... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11660 | 11661 | Variational Analysis of Constrained M-Estimators | We propose a unified framework for establish... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11661 | 11662 | Minimally-Supervised Attribute Fusion for Data... | Aggregate analysis, such as comparing countr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11662 | 11663 | Diffusivities bounds in the presence of Weyl c... | In this paper, we investigate the behavior o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11663 | 11664 | Family-specific scaling laws in bacterial genomes | Among several quantitative invariants found ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11664 | 11665 | Crowdsourcing Multiple Choice Science Questions | We present a novel method for obtaining high... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11665 | 11666 | Ce 3$p$ hard x-ray photoelectron spectroscopy ... | Bulk sensitive hard x-ray photoelectron spec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11666 | 11667 | A short proof of the middle levels theorem | Consider the graph that has as vertices all ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11667 | 11668 | Don't Fear the Bit Flips: Optimized Coding Str... | After being trained, classifiers must often ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11668 | 11669 | Kropina change of a Finsler space with m-th ro... | In this paper, we find a condition under whi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11669 | 11670 | Direct Visualization of 2D Topological Insulat... | We grow nearly freestanding single-layer 1T'... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11670 | 11671 | Joint Structured Learning and Predictions unde... | This paper is concerned with structured mach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11671 | 11672 | Mobile big data analysis with machine learning | This paper investigates to identify the requ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11672 | 11673 | Enhancement of Galaxy Overdensity around Quasa... | We investigate the galaxy overdensity around... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11673 | 11674 | Search for cosmic dark matter by means of ultr... | The dark matter search project by means of u... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11674 | 11675 | On Training Recurrent Networks with Truncated ... | Recurrent neural networks have been the domi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11675 | 11676 | Wavelength Dependence of Picosecond Laser-Indu... | The physical mechanisms of the laser-induced... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11676 | 11677 | Time-efficient Garbage Collection in SSDs | SSDs are currently replacing magnetic disks ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11677 | 11678 | Annealed limit theorems for the ising model on... | In a recent paper [15], Giardin{à}, Giberti,... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11678 | 11679 | Multi-Task Learning of Keyphrase Boundary Clas... | Keyphrase boundary classification (KBC) is t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11679 | 11680 | On the interior motive of certain Shimura vari... | The aim of this article is the construction ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11680 | 11681 | SenGen: Sentence Generating Neural Variational... | We present a new topic model that generates ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11681 | 11682 | Atomistic-continuum multiscale modelling of ma... | In this article, a few problems related to m... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11682 | 11683 | Regularly Varying Functions, Generalized conte... | We revisit the problem of characterizing the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11683 | 11684 | The Geodesic Distance between $\mathcal{G}_I^0... | The $\mathcal{G}_I^0$ distribution is able t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11684 | 11685 | Search for Common Minima in Joint Optimization... | We present a novel optimization method, name... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11685 | 11686 | Statistical Inferences for Polarity Identifica... | Information forms the basis for all human be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11686 | 11687 | Effect of Adaptive and Cooperative Adaptive Cr... | The paper evaluates the influence of the max... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11687 | 11688 | Very cost effective bipartition in Gamma(Z_n) | Let Z_n be the finite commutative ring of re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11688 | 11689 | Doubly dressed bosons - exciton-polaritons in ... | We demonstrate the existence of a novel quas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11689 | 11690 | Fast Stability Scanning for Future Grid Scenar... | Future grid scenario analysis requires a maj... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11690 | 11691 | Femtosecond Mega-electron-volt Electron Energy... | Pump-probe electron energy-loss spectroscopy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11691 | 11692 | On the Power of Symmetric Linear Programs | We consider families of symmetric linear pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11692 | 11693 | Pulsar science with the CHIME telescope | The CHIME telescope (the Canadian Hydrogen I... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11693 | 11694 | Approximation by generalized Kantorovich sampl... | In the present article, we analyse the behav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11694 | 11695 | Mechanical Instability Leading Epithelial Cell... | We theoretically investigate the mechanical ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11695 | 11696 | A two-layer shallow water model for bedload se... | A two-layer shallow water type model is prop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11696 | 11697 | Chondrule Accretion with a Growing Protoplanet | Chondrules are primitive materials in the So... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11697 | 11698 | Exemplar or Matching: Modeling DCJ Problems wi... | The edit distance under the DCJ model can be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11698 | 11699 | MIHash: Online Hashing with Mutual Information | Learning-based hashing methods are widely us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11699 | 11700 | On the Dedekind different of a Cayley-Bacharac... | Given a 0-dimensional scheme $\mathbb{X}$ in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11700 | 11701 | A note on the role of projectivity in likeliho... | There is widespread confusion about the role... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11701 | 11702 | Alternating Double Euler Sums, Hypergeometric ... | In this work, we derive relations between ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11702 | 11703 | Achieving Dilution without Knowledge of Coordi... | Considerable literature has been developed f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11703 | 11704 | Probing the topology of density matrices | The mixedness of a quantum state is usually ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11704 | 11705 | Stable Limit Theorems for Empirical Processes ... | This paper introduces a new concept of stoch... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11705 | 11706 | Topological Maxwell Metal Bands in a Supercond... | We experimentally explore the topological Ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11706 | 11707 | Pressure effect and Superconductivity in $β$-B... | We report a detailed study of the transport ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11707 | 11708 | Backprop-Q: Generalized Backpropagation for St... | In real-world scenarios, it is appealing to ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11708 | 11709 | Development of a low-alpha-emitting μ-PIC for ... | NEWAGE is a direction-sensitive dark-matter-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11709 | 11710 | Online characterization of planetary surfaces:... | The lack of open-source tools for hyperspect... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11710 | 11711 | GM-PHD Filter for Searching and Tracking an Un... | We study the problem of searching for and tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11711 | 11712 | Regularity of solutions to scalar conservation... | We prove regularity estimates for entropy so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11712 | 11713 | Coupled identical localized fermionic chains w... | We analyze the ground state localization pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11713 | 11714 | Calibrated Filtered Reduced Order Modeling | We propose a calibrated filtered reduced ord... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11714 | 11715 | Population of collective modes in light scatte... | The interaction of light with an atomic samp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11715 | 11716 | A Framework for Accurate Drought Forecasting S... | Technological advancement in Wireless Sensor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11716 | 11717 | Readings and Misreadings of J. Willard Gibbs E... | J. Willard Gibbs' Elementary Principles in S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11717 | 11718 | Multilingual Adaptation of RNN Based ASR Systems | In this work, we focus on multilingual syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11718 | 11719 | SPIDERS: Selection of spectroscopic targets us... | SPIDERS (SPectroscopic IDentification of eRO... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11719 | 11720 | Task-specific Word Identification from Short T... | Task-specific word identification aims to ch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11720 | 11721 | Merlin-Arthur with efficient quantum Merlin an... | We introduce a simple sub-universal quantum ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11721 | 11722 | Light sterile neutrinos, dark matter, and new ... | We present $\psi'$MSSM, a model based on a $... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11722 | 11723 | Accurate halo-galaxy mocks from automatic bias... | Reliable extraction of cosmological informat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11723 | 11724 | Time-Optimal Path Tracking via Reachability An... | Given a geometric path, the Time-Optimal Pat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11724 | 11725 | Measurements of Three-Level Hierarchical Struc... | We consider deep classifying neural networks... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11725 | 11726 | Discrete-Time Statistical Inference for Multis... | We study statistical inference for small-noi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11726 | 11727 | Taggle: Scalable Visualization of Tabular Data... | Visualization of tabular data---for both pre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11727 | 11728 | A parity-breaking electronic nematic phase tra... | Strong electron interactions can drive metal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11728 | 11729 | Sparse bounds for a prototypical singular Rado... | We use a variant of the technique in [Lac17a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11729 | 11730 | Sterile neutrinos in cosmology | Sterile neutrinos are natural extensions to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11730 | 11731 | A Statistical Approach to Increase Classificat... | Probabilistic mixture models have been widel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11731 | 11732 | Kinematics and workspace analysis of a 3ppps p... | This paper presents the kinematic analysis o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11732 | 11733 | Accurate spectroscopic redshift of the multipl... | Context: The gravitational lensing time dela... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11733 | 11734 | Upper bounds on the smallest size of a saturat... | In a projective plane $\Pi_{q}$ (not necessa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11734 | 11735 | A Neural Representation of Sketch Drawings | We present sketch-rnn, a recurrent neural ne... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11735 | 11736 | Privileged Multi-label Learning | This paper presents privileged multi-label l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11736 | 11737 | A Diophantine approximation problem with two p... | We refine a result of the last two Authors o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11737 | 11738 | Reexamining Low Rank Matrix Factorization for ... | Trace norm regularization is a widely used a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11738 | 11739 | Tier structure of strongly endotactic reaction... | Reaction networks are mainly used to model t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11739 | 11740 | Relative FP-injective and FP-flat complexes an... | In this paper, we introduce the notions of $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11740 | 11741 | An Interactive Tool to Explore and Improve the... | Given a straight-line drawing $\Gamma$ of a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11741 | 11742 | Distinguishing the albedo of exoplanets from s... | Light curves show the flux variation from th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11742 | 11743 | Inverse Reinforcement Learning Under Noisy Obs... | We consider the problem of performing invers... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11743 | 11744 | Using Perturbed Underdamped Langevin Dynamics ... | In this paper we introduce and analyse Lange... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11744 | 11745 | Meta learning Framework for Automated Driving | The success of automated driving deployment ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11745 | 11746 | MOBILITY21: Strategic Investments for Transpor... | America's transportation infrastructure is t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11746 | 11747 | Hysteretic behaviour of metal connectors for h... | Cross-laminated timber (CLT) is a prefabrica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11747 | 11748 | Partial Knowledge In Embeddings | Representing domain knowledge is crucial for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11748 | 11749 | Impact of the latest measurement of Hubble con... | We investigate how the constraint results of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11749 | 11750 | Ultra-light and strong: the massless harmonic ... | In classical mechanics, a light particle bou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11750 | 11751 | The Shannon-McMillan-Breiman theorem beyond am... | We introduce a new isomorphism-invariant not... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11751 | 11752 | Assistive robotic device: evaluation of intell... | Assistive robotic devices can be used to hel... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11752 | 11753 | Solving the Brachistochrone Problem by an Infl... | Influence diagrams are a decision-theoretic ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11753 | 11754 | OH Survey along Sightlines of Galactic Observa... | We have obtained OH spectra of four transiti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11754 | 11755 | Strain manipulation of Majorana fermions in gr... | Graphene nanoribbons with armchair edges are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11755 | 11756 | Relativistic wide-angle galaxy bispectrum on t... | Given the important role that the galaxy bis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11756 | 11757 | Recent progress in many-body localization | This article is a brief introduction to the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11757 | 11758 | Magnetic Field Dependence of Spin Glass Free E... | We measure the field dependence of spin glas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11758 | 11759 | Topological Structures on DMC spaces | Two channels are said to be equivalent if th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11759 | 11760 | The spectral element method as an efficient to... | This paper presents transient numerical simu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11760 | 11761 | Re-entrant charge order in overdoped (Bi,Pb)$_... | Charge modulations are considered as a leadi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11761 | 11762 | A Spectral Approach for the Design of Experime... | This paper proposes a new approach to constr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11762 | 11763 | Detection and Tracking of General Movable Obje... | This paper studies the problem of detection ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11763 | 11764 | Mapping the aberrations of a wide-field spectr... | We demonstrate a new approach to calibrating... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11764 | 11765 | On The Asymptotic Efficiency of Selection Proc... | The field of discrete event simulation and o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11765 | 11766 | DSOD: Learning Deeply Supervised Object Detect... | We present Deeply Supervised Object Detector... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11766 | 11767 | Data Capture & Analysis to Assess Impact of Ca... | Data enables Non-Governmental Organisations ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11767 | 11768 | Conducting Simulations in Causal Inference wit... | The past decade has seen an increasing body ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11768 | 11769 | Finite Semihypergroups Built From Groups | Necessary and sufficient conditions for fini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11769 | 11770 | Auslander Modules | In this paper, we introduce the notion of Au... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11770 | 11771 | Verifying Security Protocols using Dynamic Str... | Current formal approaches have been successf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11771 | 11772 | Distribution uniformity of laser-accelerated p... | Compared with conventional accelerators, las... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11772 | 11773 | Learning to Detect Human-Object Interactions | We study the problem of detecting human-obje... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11773 | 11774 | Data clustering with edge domination in comple... | This paper presents a model for a dynamical ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11774 | 11775 | sWSI: A Low-cost and Commercial-quality Whole ... | In this paper, scalable Whole Slide Imaging ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11775 | 11776 | Predicting multicellular function through mult... | Motivation: Understanding functions of prote... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11776 | 11777 | Toward Microphononic Circuits on Chip: An Eval... | We investigate the prospects for micron-scal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11777 | 11778 | Adaptive Submodular Influence Maximization wit... | This paper examines the problem of adaptive ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11778 | 11779 | Evaluation of Direct Haptic 4D Volume Renderin... | This work presents an evaluation study using... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11779 | 11780 | The Role of Big Data on Smart Grid Transition | Despite being popularly referred to as the u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11780 | 11781 | Learning Deep ResNet Blocks Sequentially using... | Deep neural networks are known to be difficu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11781 | 11782 | Total energy of radial mappings | The main aim of this paper is to extend one ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11782 | 11783 | Divergence and Sufficiency for Convex Optimiza... | Logarithmic score and information divergence... | 1 | 1 | 1 | 0 | 0 | 0 |
| 11783 | 11784 | Compact linear programs for 2SAT | For each integer $n$ we present an explicit ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11784 | 11785 | Distributed Protocols at the Rescue for Trustw... | While online services emerge in all areas of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11785 | 11786 | Isomonodromy aspects of the tt* equations of C... | This paper, the third in a series, completes... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11786 | 11787 | Decorative Plasmonic Surfaces | Low-profile patterned plasmonic surfaces are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11787 | 11788 | Hamiltonian approach to slip-stacking dynamics | Hamiltonian dynamics has been applied to stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11788 | 11789 | Materials processing with intense pulsed ion b... | Intense, pulsed ion beams locally heat mater... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11789 | 11790 | Distributions of Historic Market Data -- Impli... | We undertake a systematic comparison between... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11790 | 11791 | Variational Walkback: Learning a Transition Op... | We propose a novel method to directly learn ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11791 | 11792 | Toward a language-theoretic foundation for pla... | We address problems underlying the algorithm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11792 | 11793 | Algebraic relations between solutions of Painl... | We calculate model theoretic ranks of Painle... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11793 | 11794 | Pore lifetimes in cell electroporation: Comple... | We review some of the basic concepts and the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11794 | 11795 | Data-driven causal path discovery without prio... | Causal discovery broadens the inference poss... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11795 | 11796 | Computation of Ground States of the Gross-Pita... | In this paper we combine concepts from Riema... | 0 | 1 | 1 | 0 | 0 | 0 |
| 11796 | 11797 | On the symplectic size of convex polytopes | In this paper we introduce a combinatorial f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11797 | 11798 | A Fully Convolutional Neural Network Approach ... | This paper will describe a novel approach to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11798 | 11799 | Tunnelling Spectroscopy of Andreev States in G... | A normal conductor placed in good contact wi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11799 | 11800 | Volatility estimation for stochastic PDEs usin... | We study the parameter estimation for parabo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11800 | 11801 | A Conic Integer Programming Approach to Constr... | We consider the constrained assortment optim... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11801 | 11802 | Voyager 1 Measurements Beyond the Heliopause o... | We have obtained the energy spectra of cosmi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11802 | 11803 | Block Mean Approximation for Efficient Second ... | Advanced optimization algorithms such as New... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11803 | 11804 | A Minimum Discounted Reward Hamilton-Jacobi Fo... | We propose a novel formulation for approxima... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11804 | 11805 | Imbedding results in Musielak-Orlicz spaces wi... | We prove a continuous embedding that allows ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11805 | 11806 | Defend against advanced persistent threats: An... | The new cyber attack pattern of advanced per... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11806 | 11807 | Challenges in Designing Datasets and Validatio... | Autonomous driving is getting a lot of atten... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11807 | 11808 | Improving Adversarial Robustness via Promoting... | Though deep neural networks have achieved si... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11808 | 11809 | Majorana stripe order on the surface of a thre... | The issue on the effect of interactions in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11809 | 11810 | Academic Engagement and Commercialization in a... | Does academic engagement accelerate or crowd... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11810 | 11811 | Affine-Gradient Based Local Binary Pattern Des... | We present a novel Affine-Gradient based Loc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11811 | 11812 | Decomposition theorems for asymptotic property... | We combine aspects of the notions of finite ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11812 | 11813 | Three dimensional free-surface flow over arbit... | We consider steady nonlinear free surface fl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11813 | 11814 | Spin-polaron formation and magnetic state diag... | $La_xCa_{1-x}MnO_3$ (LCMO) has been studied ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11814 | 11815 | Power-law citation distributions are not scale... | We analyze time evolution of statistical dis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11815 | 11816 | Atmospheric stellar parameters for large surve... | In the era of vast spectroscopic surveys foc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11816 | 11817 | Bingham flow in porous media with obstacles of... | By using the unfolding operators for periodi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11817 | 11818 | Eigenstate entanglement in the Sachdev-Ye-Kita... | In the Sachdev-Ye-Kitaev model, we argue tha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11818 | 11819 | Finite presheaves and $A$-finite generation of... | Inspired by the work of Henn, Lannes and Sch... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11819 | 11820 | Ejection of rocky and icy material from binary... | In single star systems like our own Solar sy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11820 | 11821 | Two-photon excitation of rubidium atoms inside... | We study the two-photon laser excitation to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11821 | 11822 | Readout of the atomtronic quantum interference... | A Bose-Einstein condensate confined in ring ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11822 | 11823 | Apprentice: Using Knowledge Distillation Techn... | Deep learning networks have achieved state-o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11823 | 11824 | An IDE-Based Context-Aware Meta Search Engine | Traditional web search forces the developers... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11824 | 11825 | Sharing Data Homomorphically Encrypted with Di... | In this paper, we propose the first homomorp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11825 | 11826 | Low temperature features in the heat capacity ... | We explore the competition and coupling of v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11826 | 11827 | Designing spin and orbital exchange Hamiltonia... | We demonstrate how electric fields with arbi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11827 | 11828 | A Novel Comprehensive Approach for Estimating ... | Computation of semantic similarity between c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11828 | 11829 | Tannakian duality for affine homogeneous spaces | Associated to any closed quantum subgroup $G... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11829 | 11830 | Strong comparison principle for the fractional... | In the following we show the strong comparis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11830 | 11831 | The uniformity and time-invariance of the intr... | The distribution of metals in the intra-clus... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11831 | 11832 | Improving Native Ads CTR Prediction by Large S... | Click through rate (CTR) prediction is very ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11832 | 11833 | On the Communication Cost of Determining an Ap... | We consider the closest lattice point proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11833 | 11834 | One shot entanglement assisted classical and q... | Capacity of a quantum channel characterizes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11834 | 11835 | Conformally variational Riemannian invariants | Conformally variational Riemannian invariant... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11835 | 11836 | Caching Meets Millimeter Wave Communications f... | One of the most promising approaches to over... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11836 | 11837 | Poison Frogs! Targeted Clean-Label Poisoning A... | Data poisoning is an attack on machine learn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11837 | 11838 | Sorting Phenomena in a Mathematical Model For ... | Macroscopic models for systems involving dif... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11838 | 11839 | Ab initio design of drug carriers for zoledron... | Monomolecular drug carriers based on calix[n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11839 | 11840 | Skeleton-based Action Recognition of People Ha... | In visual surveillance systems, it is necess... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11840 | 11841 | Active classification with comparison queries | We study an extension of active learning in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11841 | 11842 | Behavior of digital sequences through exotic n... | Many digital functions studied in the litera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11842 | 11843 | Quantum cognition goes beyond-quantum: modelin... | In psychological measurements, two levels sh... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11843 | 11844 | Geometry of Projective Perfectoid and Integer ... | Line bundles of rational degree are defined ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11844 | 11845 | Determinantal Generalizations of Instrumental ... | Linear structural equation models relate the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11845 | 11846 | Computational insights and the observation of ... | While an increasing number of two-dimensiona... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11846 | 11847 | Non-Homogeneous Hydrodynamic Systems and Quasi... | In this paper we present a novel constructio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11847 | 11848 | Latest results of the Tunka Radio Extension (I... | The Tunka Radio Extension (Tunka-Rex) is an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11848 | 11849 | The Rabi frequency on the $H^3Δ_1$ to $C^1Π$ t... | Calculations of the correlations between the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11849 | 11850 | Deriving mesoscopic models of collective behav... | Animal groups exhibit emergent properties th... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11850 | 11851 | First Indirect X-Ray Imaging Tests With An 88-... | Using the 1-BM-C beamline at the Advanced Ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11851 | 11852 | A randomized Halton algorithm in R | Randomized quasi-Monte Carlo (RQMC) sampling... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11852 | 11853 | Leveraging Node Attributes for Incomplete Rela... | Relational data are usually highly incomplet... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11853 | 11854 | pMR: A high-performance communication library | On many parallel machines, the time LQCD app... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11854 | 11855 | Extending a Function Just by Multiplying and D... | We describe a purely-multiplicative method f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11855 | 11856 | Towards Modeling the Interaction of Spatial-As... | Our daily perceptual experience is driven by... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11856 | 11857 | Dex-Net 2.0: Deep Learning to Plan Robust Gras... | To reduce data collection time for deep lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11857 | 11858 | Effects of temperature and strain rate on mech... | The mechanical behaviors of monolayer black ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11858 | 11859 | Ward identities for charge and heat currents o... | The Ward identities for the charge and heat ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11859 | 11860 | Ultrafast imprinting of topologically protecte... | Short electron pulses are demonstrated to tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11860 | 11861 | Recurrent Environment Simulators | Models that can simulate how environments ch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11861 | 11862 | Exceeding the Shockley-Queisser limit within t... | The Shockley-Queisser limit is one of the mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11862 | 11863 | Effect of disorder on the optical response of ... | In this communication we present a detailed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11863 | 11864 | Train on Validation: Squeezing the Data Lemon | Model selection on validation data is an ess... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11864 | 11865 | Local migration quantification method for scra... | Motivation: The scratch assay is a standard ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11865 | 11866 | Assessing the level of merging errors for coau... | Robust analysis of coauthorship networks is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11866 | 11867 | Blood-based metabolic signatures in Alzheimer'... | Introduction: Identification of blood-based ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11867 | 11868 | The Indecomposable Solutions of Linear Congrue... | This article considers the minimal non-zero ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11868 | 11869 | Weak multiplier Hopf algebras III. Integrals a... | Let $(A,\Delta)$ be a weak multiplier Hopf a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11869 | 11870 | Monte-Carlo Tree Search by Best Arm Identifica... | Recent advances in bandit tools and techniqu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11870 | 11871 | Efficient Model-Based Deep Reinforcement Learn... | Modern reinforcement learning algorithms rea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11871 | 11872 | Griffiths Singularities in the Random Quantum ... | The antiferromagnetic Ising chain in both tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11872 | 11873 | Which Neural Net Architectures Give Rise To Ex... | We give a rigorous analysis of the statistic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11873 | 11874 | Curriculum-Based Neighborhood Sampling For Seq... | The task of multi-step ahead prediction in l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11874 | 11875 | Randomized Composable Coresets for Matching an... | A common approach for designing scalable alg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11875 | 11876 | simode: R Package for statistical inference of... | In this paper we describe simode: Separable ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11876 | 11877 | Positive scalar curvature and the Euler class | We prove the following generalization of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11877 | 11878 | Online Service with Delay | In this paper, we introduce the online servi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11878 | 11879 | Comparison of dynamic mechanical properties of... | The influence of superheat treatment on the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11879 | 11880 | On the accuracy and usefulness of analytic ene... | This paper presents refinements to the execu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11880 | 11881 | A Simple Solution for Maximum Range Flight | Within the standard framework of quasi-stead... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11881 | 11882 | Multiscale Residual Mixture of PCA: Dynamic Di... | In this paper we are interested in the probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11882 | 11883 | On factorizations of graphical maps | We study the categories governing infinity (... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11883 | 11884 | Raking-ratio empirical process with auxiliary ... | The raking-ratio method is a statistical and... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11884 | 11885 | Improving drug sensitivity predictions in prec... | Predicting the efficacy of a drug for a give... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11885 | 11886 | On Vague Computers | Vagueness is something everyone is familiar ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11886 | 11887 | Exploiting OxRAM Resistive Switching for Dynam... | We present a unique application of OxRAM dev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11887 | 11888 | Magnetic control of Goos-Hanchen shifts in a y... | We investigate the Goos-Hanchen (G-H) shifts... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11888 | 11889 | Effective mass of quasiparticles from thermody... | We discuss the potential advantages of calcu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11889 | 11890 | Dynamics over Signed Networks | A signed network is a network with each link... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11890 | 11891 | On the Estimation of Entropy in the FastICA Al... | The fastICA algorithm is a popular dimension... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11891 | 11892 | Spatial-Temporal Imaging of Anisotropic Photoc... | As an emerging single elemental layered mate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11892 | 11893 | The maximal order of iterated multiplicative f... | Following Wigert, a great number of authors ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11893 | 11894 | Extending applicability of bimetric theory: ch... | This article extends bimetric formulations o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11894 | 11895 | The Scaling Limit of High-Dimensional Online I... | We analyze the dynamics of an online algorit... | 1 | 1 | 0 | 1 | 0 | 0 |
| 11895 | 11896 | Direct characterization of a nonlinear photoni... | Integrated photonics is a leading platform f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11896 | 11897 | The Accuracy of Confidence Intervals for Field... | When comparing the average citation impact o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11897 | 11898 | Generalized Theta Functions. I | Generalizations of classical theta functions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11898 | 11899 | Constructing grids for molecular quantum dynam... | A challenge for molecular quantum dynamics (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11899 | 11900 | 3D Pursuit-Evasion for AUVs | In this paper, we consider the problem of pu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11900 | 11901 | Local Gradient Estimates for Second-Order Nonl... | In the theory of second-order, nonlinear ell... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11901 | 11902 | Dynamic patterns of knowledge flows across tec... | The purpose of this study is to investigate ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 11902 | 11903 | Accurate calculation of oblate spheroidal wave... | Alternative expressions for calculating the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11903 | 11904 | Fully Decentralized Policies for Multi-Agent S... | Learning cooperative policies for multi-agen... | 1 | 1 | 1 | 0 | 0 | 0 |
| 11904 | 11905 | Ion distribution and ablation depth measuremen... | The ablation of solid tin surfaces by an 800... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11905 | 11906 | Measuring the Hubble constant with Type Ia sup... | The most precise local measurements of $H_0$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11906 | 11907 | Accurate, Large Minibatch SGD: Training ImageN... | Deep learning thrives with large neural netw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11907 | 11908 | Universal Construction of Cheater-Identifiable... | For conventional secret sharing, if cheaters... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11908 | 11909 | Regrasp Planning Considering Bipedal Stability... | This paper presents a Center of Mass (CoM) b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11909 | 11910 | Unsaturated deformable porous media flow with ... | In the present paper, a continuum model is i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11910 | 11911 | Active Mini-Batch Sampling using Repulsive Poi... | The convergence speed of stochastic gradient... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11911 | 11912 | Customizing First Person Image Through Desired... | This paper studies a problem of inverse visu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11912 | 11913 | Michell trusses in two dimensions as a Gamma-l... | We reconsider the minimization of the compli... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11913 | 11914 | Moment analysis of highway-traffic clearance d... | To help with the planning of inter-vehicular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11914 | 11915 | Single-image Tomography: 3D Volumes from 2D Cr... | As many different 3D volumes could produce t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11915 | 11916 | Stochastic Methods for Composite and Weakly Co... | We consider minimization of stochastic funct... | 0 | 0 | 1 | 1 | 0 | 0 |
| 11916 | 11917 | Thermal Expansion of the Heavy-fermion Superco... | We have performed high-resolution powder x-r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11917 | 11918 | Versatile Auxiliary Classifier with Generative... | Conditional generators learn the data distri... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11918 | 11919 | A Lagrangian Model to Predict Microscallop Mot... | The need to develop models to predict the mo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11919 | 11920 | Towards a Bootstrap approach to higher orders ... | We employ a hybrid approach in determining t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11920 | 11921 | Small-scale Effects of Thermal Inflation on Ha... | We study the impact of thermal inflation on ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11921 | 11922 | Finiteness theorems for holomorphic mappings f... | We prove that the space of dominant/non-cons... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11922 | 11923 | Time and media-use of Italian Generation Y: di... | Time spent in leisure is not a minor researc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11923 | 11924 | Recurrent Multimodal Interaction for Referring... | In this paper we are interested in the probl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11924 | 11925 | Motion of a thin elliptic plate under symmetri... | Anisotropy of friction force is proved to be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11925 | 11926 | Combinatorial Auctions with Online XOS Bidders | In combinatorial auctions, a designer must d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11926 | 11927 | Application of Convolutional Neural Network to... | The adaptability of the convolutional neural... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11927 | 11928 | Bayesian inference in Y-linked two-sex branchi... | A Y-linked two-sex branching process with mu... | 0 | 0 | 0 | 1 | 1 | 0 |
| 11928 | 11929 | Effective Theories for 2+1 Dimensional Non-Abe... | In this work we propose an effective low-ene... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11929 | 11930 | Coset space construction for the conformal gro... | A self-contained method of obtaining effecti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11930 | 11931 | The morphodynamics of 3D migrating cancer cells | Cell shape is an important biomarker. Previo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 11931 | 11932 | Evolution Strategies as a Scalable Alternative... | We explore the use of Evolution Strategies (... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11932 | 11933 | IoT Localization for Bistatic Passive UHF RFID... | Passive Radio-Frequency IDentification (RFID... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11933 | 11934 | Multidimensional upwind hydrodynamics on unstr... | We present a new method for numerical hydrod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11934 | 11935 | Voice Conversion Based on Cross-Domain Feature... | An effective approach to non-parallel voice ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11935 | 11936 | Density matrix expansion based semi-local exch... | Exchange hole is the principle constituent i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11936 | 11937 | CANDELS Sheds Light on the Environmental Quenc... | We investigate the environmental quenching o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11937 | 11938 | BP-homology of elementary abelian 2-groups: BP... | We determine the BP-module structure, mod hi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11938 | 11939 | Probabilistic Active Learning of Functions in ... | We consider the problem of learning the func... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11939 | 11940 | Neural Episodic Control | Deep reinforcement learning methods attain s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11940 | 11941 | School bus routing by maximizing trip compatib... | School bus planning is usually divided into ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11941 | 11942 | Solvability of abstract semilinear equations b... | In this work we proivied a new simpler proof... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11942 | 11943 | Learning a Generative Model for Validity in Co... | Deep generative models have been successfull... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11943 | 11944 | On discrete structures in finite Hilbert spaces | We present a brief review of discrete struct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11944 | 11945 | Selected topics on Toric Varieties | This article is based on a series of lecture... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11945 | 11946 | Control Capacity | Feedback control actively dissipates uncerta... | 1 | 0 | 1 | 0 | 0 | 0 |
| 11946 | 11947 | Benefits from Superposed Hawkes Processes | The superposition of temporal point processe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11947 | 11948 | Network Embedding as Matrix Factorization: Uni... | Since the invention of word2vec, the skip-gr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11948 | 11949 | Differentially Private Query Learning: from Da... | With the development of Big Data and cloud d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11949 | 11950 | Flexible Level-1 Consensus Ensuring Stable Soc... | Level-1 Consensus is a property of a prefere... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11950 | 11951 | Fracture imaging within a granitic rock aquife... | The sparsely spaced highly permeable fractur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11951 | 11952 | The asymptotic behavior of automorphism groups... | The purpose of this paper is to investigate ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11952 | 11953 | Bootstrap Robust Prescriptive Analytics | We address the problem of prescribing an opt... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11953 | 11954 | Tverberg type theorems for matroids | In this paper we show a variant of colorful ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11954 | 11955 | Dynamic Erdős-Rényi graphs | We propose two classes of dynamic versions o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11955 | 11956 | Mining Density Contrast Subgraphs | Dense subgraph discovery is a key primitive ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11956 | 11957 | Unsupervised Learning by Predicting Noise | Convolutional neural networks provide visual... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11957 | 11958 | Trajectory Generation for Millimeter Scale Fer... | Microrobots have the potential to impact man... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11958 | 11959 | Decoupled Block-Wise ILU(k) Preconditioner on GPU | This research investigates the implementatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11959 | 11960 | Multi-agent Economics and the Emergence of Cri... | The dual crises of the sub-prime mortgage cr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 11960 | 11961 | Error-Correcting Neural Sequence Prediction | In this paper we propose a novel neural lang... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11961 | 11962 | Sampling as optimization in the space of measu... | We study sampling as optimization in the spa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11962 | 11963 | Deep laser cooling in optical trap: two-level ... | We study laser cooling of $^{24}$Mg atoms in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11963 | 11964 | JADE: Joint Autoencoders for Dis-Entanglement | The problem of feature disentanglement has b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11964 | 11965 | Numerical Simulations of Collisional Cascades ... | We consider the long-term collisional and dy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11965 | 11966 | Causal Effect Inference with Deep Latent-Varia... | Learning individual-level causal effects fro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11966 | 11967 | Gamma-ray bursts and their relation to astropa... | This article gives an overview of gamma-ray ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11967 | 11968 | Discrete-time Risk-sensitive Mean-field Games | In this paper, we study a class of discrete-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11968 | 11969 | Glasner's problem for Polish groups with metri... | A problem of Glasner, now known as Glasner's... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11969 | 11970 | VAE with a VampPrior | Many different methods to train deep generat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11970 | 11971 | Fast and Strong Convergence of Online Learning... | In this paper, we study the online learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11971 | 11972 | A new continuum theory for incompressible swel... | Swelling media (e.g. gels, tumors) are usual... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11972 | 11973 | The Hidden Binary Search Tree:A Balanced Rotat... | In this paper we generalize the definition o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11973 | 11974 | The sdB pulsating star V391 Peg and its putati... | V391 Peg (alias HS2201+2610) is a subdwarf B... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11974 | 11975 | Rates of convergence for inexact Krasnosel'ski... | We study the convergence of an inexact versi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11975 | 11976 | Automatic Estimation of Fetal Abdominal Circum... | Ultrasound diagnosis is routinely used in ob... | 1 | 0 | 0 | 1 | 0 | 0 |
| 11976 | 11977 | Heavy fermion quantum criticality at dilute ca... | We study the quantum phase transitions in th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11977 | 11978 | Invariant Gibbs measures for the 2-d defocusin... | We consider the defocusing nonlinear wave eq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 11978 | 11979 | Topological Analysis and Synthesis of Structur... | A fundamental characteristic of computer net... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11979 | 11980 | A distributed-memory hierarchical solver for g... | We present a parallel hierarchical solver fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11980 | 11981 | Quasar: Datasets for Question Answering by Sea... | We present two new large-scale datasets aime... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11981 | 11982 | Choreographic and Somatic Approaches for the D... | As robotic systems are moved out of factory ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11982 | 11983 | Development of verification system of socio-de... | The important task of developing verificatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11983 | 11984 | Demonstration of an efficient, photonic-based ... | We demonstrate for the first time an efficie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11984 | 11985 | A Game of Random Variables | This paper analyzes a simple game with $n$ p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11985 | 11986 | Parallel Structure from Motion from Local Incr... | In this paper, we tackle the accurate and co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11986 | 11987 | Proceedings 2nd Workshop on Models for Formal ... | This volume contains the proceedings of MARS... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11987 | 11988 | Negative electronic compressibility and nanosc... | When the electron density of highly crystall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11988 | 11989 | Symbolic Music Genre Transfer with CycleGAN | Deep generative models such as Variational A... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11989 | 11990 | Methodology for Multi-stage, Operations- and U... | We develop new optimization methodology for ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 11990 | 11991 | PC Proxy: A New Method of Dynamical Tracer Rec... | A detailed development of the principal comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11991 | 11992 | Magnetic Correlations in the Two-dimensional R... | The repulsive Fermi Hubbard model on the squ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11992 | 11993 | Bridge type classification: supervised learnin... | A key phase in the bridge design process is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 11993 | 11994 | Automatic Question-Answering Using A Deep Simi... | Automatic question-answering is a classical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11994 | 11995 | Long ties accelerate noisy threshold-based con... | Changes to network structure can substantial... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11995 | 11996 | Detecting topological transitions in two dimen... | We show that the evolution of two-component ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11996 | 11997 | A search for optical bursts from the repeating... | We present a search for optical bursts from ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11997 | 11998 | de Haas-van Alphen measurement of the antiferr... | We report on the results of a de Haas-van Al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 11998 | 11999 | Indoor Frame Recovery from Refined Line Segments | An important yet challenging problem in unde... | 1 | 0 | 0 | 0 | 0 | 0 |
| 11999 | 12000 | Fairly Allocating Contiguous Blocks of Indivis... | In this paper, we study the classic problem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12000 | 12001 | Optimization and Testing in Linear Non-Gaussia... | Independent component analysis (ICA) decompo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12001 | 12002 | New Horizons Ring Collision Hazard: Constraint... | The New Horizons spacecraft's nominal trajec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12002 | 12003 | Dependability of Sensor Networks for Industria... | Maintenance is an important activity in indu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12003 | 12004 | On Markov Chain Gradient Descent | Stochastic gradient methods are the workhors... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12004 | 12005 | Reduction of Second-Order Network Systems with... | This paper proposes a general framework for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12005 | 12006 | Higher-rank graph algebras are iterated Cuntz-... | Given a finitely aligned $k$-graph $\Lambda$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12006 | 12007 | Ultracold Atomic Gases in Artificial Magnetic ... | A phenomenon can hardly be found that accomp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12007 | 12008 | Stream VByte: Faster Byte-Oriented Integer Com... | Arrays of integers are often compressed in s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12008 | 12009 | Kondo Signatures of a Quantum Magnetic Impurit... | We study the Kondo physics of a quantum magn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12009 | 12010 | Waldschmidt constants for Stanley-Reisner idea... | In the present note we study Waldschmidt con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12010 | 12011 | FO model checking of geometric graphs | Over the past two decades the main focus of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12011 | 12012 | Pseudo-linear regression identification based ... | In this paper we generalize three identifica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12012 | 12013 | Lower bounds for weak approximation errors for... | Although for a number of semilinear stochast... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12013 | 12014 | Structured low-rank matrix learning: algorithm... | We consider the problem of learning a low-ra... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12014 | 12015 | Greed Works - Online Algorithms For Unrelated ... | This paper establishes the first performance... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12015 | 12016 | On a combinatorial curvature for surfaces with... | In this paper, we introduce a new combinator... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12016 | 12017 | Improving End-to-End Speech Recognition with P... | Connectionist temporal classification (CTC) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12017 | 12018 | Better Protocol for XOR Game using Communicati... | Buhrman showed that an efficient communicati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12018 | 12019 | DTN: A Learning Rate Scheme with Convergence R... | We propose a novel diminishing learning rate... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12019 | 12020 | Minimax Distribution Estimation in Wasserstein... | The Wasserstein metric is an important measu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12020 | 12021 | Uniformization and Steinness | It is shown that the unit ball in ${\mathbb ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12021 | 12022 | Recent progress on conditional randomness | In this article, recent progress on ML-rando... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12022 | 12023 | The evolution of red supergiants to supernovae | With red supergiants (RSGs) predicted to end... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12023 | 12024 | Conformally invariant elliptic Liouville equat... | The symmetry algebra of the real elliptic Li... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12024 | 12025 | Discrete diffusion Lyman-alpha radiative transfer | Due to its accuracy and generality, Monte Ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12025 | 12026 | Kosterlitz-Thouless transition and vortex-anti... | We present a theoretical study of the finite... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12026 | 12027 | Chiral Optical Tamm States: Temporal Coupled-M... | The chiral optical Tamm state (COTS) is a sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12027 | 12028 | Functional inequalities for Fox-Wright functions | In this paper, our aim is to show some mean ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12028 | 12029 | Collaboration Spheres: a Visual Metaphor to Sh... | Research Objects (ROs) are semantically enha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12029 | 12030 | Intelligent flat-and-textureless object manipu... | This work introduces our approach to the fla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12030 | 12031 | Constraints on the Intergalactic Magnetic Fiel... | Pair creation on the cosmic infrared backgro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12031 | 12032 | Learning Deep Representations with Probabilist... | Knowledge Transfer (KT) techniques tackle th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12032 | 12033 | Pluricanonical Periods over Compact Riemann Su... | This article is an attempt to generalize Rie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12033 | 12034 | Stochastic Gradient Descent: Going As Fast As ... | When applied to training deep neural network... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12034 | 12035 | Stacked Convolutional and Recurrent Neural Net... | This paper studies the detection of bird cal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12035 | 12036 | Gibbs posterior convergence and the thermodyna... | In this paper we consider a Bayesian framewo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12036 | 12037 | Retrieval Analysis of the Emission Spectrum of... | We analyze the emission spectrum of the hot ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12037 | 12038 | Model Learning for Look-ahead Exploration in C... | We propose an exploration method that incorp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12038 | 12039 | Efficient and Scalable View Generation from a ... | Single-image-based view generation (SIVG) is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12039 | 12040 | An Empirical Analysis of Approximation Algorit... | With applications to many disciplines, the t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12040 | 12041 | Dynamical compensation and structural identifi... | The concept of dynamical compensation has be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12041 | 12042 | Characterization of the beam from the RFQ of t... | A 2.1 MeV, 10 mA CW RFQ has been installed a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12042 | 12043 | Money on the Table: Statistical information ig... | Softmax is a standard final layer used in Ne... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12043 | 12044 | Generalized Stieltjes constants and integrals ... | In this note, we recall Kummer's Fourier ser... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12044 | 12045 | On the Combinatorial Lower Bound for the Exten... | In the study of extensions of polytopes of c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12045 | 12046 | An Introduction to Classic DEVS | DEVS is a popular formalism for modelling co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12046 | 12047 | Nanoscale Solid State Batteries Enabled By The... | Several active areas of research in novel en... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12047 | 12048 | Classification of crystallization outcomes usi... | The Machine Recognition of Crystallization O... | 0 | 0 | 0 | 1 | 1 | 0 |
| 12048 | 12049 | Private Information, Credit Risk and Graph Str... | This research investigated the potential for... | 1 | 0 | 0 | 0 | 0 | 1 |
| 12049 | 12050 | Nonmonotonous classical magneto-conductivity o... | Magnetotransport measurements in combination... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12050 | 12051 | Pushing STEM-education through a social-media-... | Science education is a crucial issue with lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12051 | 12052 | Hidden area and mechanical nonlinearities in f... | We investigated the effect of out-of-plane c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12052 | 12053 | Solving Partial Differential Equations on Mani... | Solutions of partial differential equations ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12053 | 12054 | Zonal Flow Magnetic Field Interaction in the S... | All four giant planets in the Solar System f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12054 | 12055 | Superpixel-based Semantic Segmentation Trained... | Semantic segmentation, like other fields of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12055 | 12056 | Photometric Stereo by Hemispherical Metric Emb... | Photometric Stereo methods seek to reconstru... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12056 | 12057 | Time Reversal, SU(N) Yang-Mills and Cobordisms... | We introduce a web of strongly correlated in... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12057 | 12058 | Forest-based methods and ensemble model output... | Rainfall ensemble forecasts have to be skill... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12058 | 12059 | Non interactive simulation of correlated distr... | A basic problem in information theory is the... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12059 | 12060 | Effective Completeness for S4.3.1-Theories wit... | The computable model theory of modal logic w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12060 | 12061 | DeepTingle | DeepTingle is a text prediction and classifi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12061 | 12062 | Degrees of Freedom in Cached MIMO Relay Networ... | The ability of physical layer relay caching ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12062 | 12063 | A perturbation theory for water with an associ... | The theoretical description of the thermodyn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12063 | 12064 | Finite Sample Complexity of Sequential Monte C... | We present bounds for the finite sample erro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12064 | 12065 | Reduced chemistry for butanol isomers at engin... | Butanol has received significant research at... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12065 | 12066 | A Measure of Dependence Between Discrete and C... | Mutual Information (MI) is an useful tool fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12066 | 12067 | Stein Variational Online Changepoint Detection... | Bayesian online changepoint detection (BOCPD... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12067 | 12068 | Quantum Teleportation and Super-dense Coding i... | Let $\mathcal{B}_d$ be the unital $C^*$-alge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12068 | 12069 | A Practical Randomized CP Tensor Decomposition | The CANDECOMP/PARAFAC (CP) decomposition is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12069 | 12070 | Two dimensional potential flow around a rectan... | A potential flow around a circular cylinder ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 12070 | 12071 | Fixed Price Approximability of the Optimal Gai... | Bilateral trade is a fundamental economic sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12071 | 12072 | $^{139}$La and $^{63}$Cu NMR investigation of ... | We report $^{139}$La and $^{63}$Cu NMR inves... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12072 | 12073 | An Exploratory Study of Field Failures | Field failures, that is, failures caused by ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12073 | 12074 | Crowdsourcing Predictors of Residential Electr... | Crowdsourcing has been successfully applied ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12074 | 12075 | One-dimensional fluids with positive potentials | We study a class of one-dimensional classica... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12075 | 12076 | Recovery of Sparse and Low Rank Components of ... | In this letter, we propose an algorithm for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12076 | 12077 | Reduced Order Modelling for the Simulation of ... | This contributions discusses the simulation ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12077 | 12078 | Life in the "Matrix": Human Mobility Patterns ... | With the wide adoption of the multi-communit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12078 | 12079 | A Novel Subclass of Univalent Functions Involv... | In this paper, we introduce and investigate ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12079 | 12080 | Local bandwidth selection for kernel density e... | We propose an adaptive estimator for the sta... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12080 | 12081 | Sparse geometries handling in lattice-Boltzman... | We describe a high-performance implementatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12081 | 12082 | From Multimodal to Unimodal Webpages for Devel... | The multimodal web elements such as text and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12082 | 12083 | Light curves of hydrogen-poor Superluminous Su... | We investigate the light-curve properties of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12083 | 12084 | Sharing Means Renting?: An Entire-marketplace ... | Airbnb, an online marketplace for accommodat... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12084 | 12085 | What Happens - After the First Race? Enhancing... | Dynamic race detection is the problem of det... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12085 | 12086 | Proceedings of the Workshop on Data Mining for... | The process of exploring and exploiting Oil ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12086 | 12087 | Chiral magnetic effect of light | We study a photonic analog of the chiral mag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12087 | 12088 | New Pressure-Induced Polymorphic Transitions o... | The effects of pressure on the crystal struc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12088 | 12089 | Optimal transport and integer partitions | We link the theory of optimal transportation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12089 | 12090 | An Automated Auto-encoder Correlation-based He... | This paper studies an intelligent ultimate t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12090 | 12091 | Temporal Type Theory: A topos-theoretic approa... | This book introduces a temporal type theory,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12091 | 12092 | On Poletsky theory of discs in compact manifolds | We provide a direct construction of Poletsky... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12092 | 12093 | Continuous DR-submodular Maximization: Structu... | DR-submodular continuous functions are impor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12093 | 12094 | A Structural Characterization for Certifying R... | A symmetric matrix is Robinsonian if its row... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12094 | 12095 | A new scenario for gravity detection in plants... | The detection of gravity plays a fundamental... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12095 | 12096 | Techniques for proving Asynchronous Convergenc... | Markov Chain Monte Carlo (MCMC) methods such... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12096 | 12097 | Predicting Hurricane Trajectories using a Recu... | Hurricanes are cyclones circulating about a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12097 | 12098 | HJB equations in infinite dimension and optima... | A stochastic optimal control problem driven ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12098 | 12099 | Developing a Method to Determine Electrical Co... | Magnetic induction was first proposed as a p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12099 | 12100 | A KiDS weak lensing analysis of assembly bias ... | We investigate possible signatures of halo a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12100 | 12101 | VIP: Vortex Image Processing package for high-... | We present the Vortex Image Processing (VIP)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12101 | 12102 | Domain-Sharding for Faster HTTP/2 in Lossy Cel... | HTTP/2 (h2) is a new standard for Web commun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12102 | 12103 | Extremal copositive matrices with minimal zero... | Let $A \in {\cal C}^n$ be an extremal coposi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12103 | 12104 | A Projected Inverse Dynamics Approach for Dual... | We propose a method for dual-arm manipulatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12104 | 12105 | AC-Biased Shift Registers as Fabrication Proce... | We develop an ac-biased shift register intro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12105 | 12106 | Designing diagnostic platforms for analysis of... | The emerging era of personalized medicine re... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12106 | 12107 | Stopping GAN Violence: Generative Unadversaria... | While the costs of human violence have attra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12107 | 12108 | Cas d'existence de solutions d'EDP | We give some examples of the existence of so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12108 | 12109 | The Onset of Thermally Unstable Cooling from t... | We present accurate mass and thermodynamic p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12109 | 12110 | The linearized Calderon problem in transversal... | In this article we study the linearized anis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12110 | 12111 | Almost isometries between Teichmüller spaces | We prove that the Teichmüller space of surfa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12111 | 12112 | Distributed Policy Iteration for Scalable Appr... | Decision making in multi-agent systems (MAS)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12112 | 12113 | Integrable Floquet dynamics | We discuss several classes of integrable Flo... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12113 | 12114 | Topologically independent sets in precompact g... | It is a simple fact that a subgroup generate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12114 | 12115 | Efficient Simulation of Temperature Evolution ... | Transmission lines are vital components in p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12115 | 12116 | Multiuser Communication Based on the DFT Eigen... | The eigenstructure of the discrete Fourier t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12116 | 12117 | Paris-Lille-3D: a large and high-quality groun... | This paper introduces a new Urban Point Clou... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12117 | 12118 | Viden: Attacker Identification on In-Vehicle N... | Various defense schemes --- which determine ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12118 | 12119 | Constraining black hole spins with low-frequen... | Black hole X-ray transients show a variety o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12119 | 12120 | On a generalization of Lie($k$): a CataLAnKe t... | We define a generalization of the free Lie a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12120 | 12121 | Inference for Multiple Change-points in Linear... | In this paper we develop a generalized likel... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12121 | 12122 | Acceleration of Convergence of Some Infinite S... | In this paper, we deal with the acceleration... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12122 | 12123 | Fiber Orientation Estimation Guided by a Deep ... | Diffusion magnetic resonance imaging (dMRI) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12123 | 12124 | The hypotensive effect of activated apelin rec... | The apelinergic system is an important playe... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12124 | 12125 | The Shape of Bouncing Universes | What happens to the most general closed osci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12125 | 12126 | Multi-sensor authentication to improve smartph... | The widespread use of smartphones gives rise... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12126 | 12127 | The ALF (Algorithms for Lattice Fermions) proj... | The Algorithms for Lattice Fermions package ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12127 | 12128 | A Survey on Blockchain Technology and Its Pote... | As a disruptive technology, blockchain, part... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12128 | 12129 | Toroidal trapped surfaces and isoperimetric in... | We analytically construct an infinite number... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12129 | 12130 | Federated Tensor Factorization for Computation... | Tensor factorization models offer an effecti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12130 | 12131 | Optical fluxes in coupled $\cal PT$-symmetric ... | In this work we first examine transverse and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12131 | 12132 | QCRI Machine Translation Systems for IWSLT 16 | This paper describes QCRI's machine translat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12132 | 12133 | Detecting the direction of a signal on high-di... | We consider one of the most important proble... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12133 | 12134 | Hamiltonicity is Hard in Thin or Polygonal Gri... | In 2007, Arkin et al. initiated a systematic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12134 | 12135 | More on cyclic amenability of the Lau product ... | For two Banach algebras $A$ and $B$, the $T$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12135 | 12136 | Data-Augmented Contact Model for Rigid Body Si... | Accurately modeling contact behaviors for re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12136 | 12137 | Assessing the Performance of Deep Learning Alg... | In retailer management, the Newsvendor probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12137 | 12138 | STWalk: Learning Trajectory Representations in... | Analyzing the temporal behavior of nodes in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12138 | 12139 | A Study on Performance and Power Efficiency of... | In this paper, we present a novel cache desi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12139 | 12140 | Characterization theorems for $Q$-independent ... | Let $X$ be a locally compact Abelian group, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12140 | 12141 | Controlling competing orders via non-equilibri... | Ultrafast perturbations offer a unique tool ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12141 | 12142 | The Junk News Aggregator: Examining junk news ... | In recent years, the phenomenon of online mi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12142 | 12143 | Quantum Blockchain using entanglement in time | A conceptual design for a quantum blockchain... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12143 | 12144 | Sensor Transformation Attention Networks | Recent work on encoder-decoder models for se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12144 | 12145 | Outrageously Large Neural Networks: The Sparse... | The capacity of a neural network to absorb i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12145 | 12146 | Finite Size Corrections and Likelihood Ratio F... | In this paper we study principal components ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12146 | 12147 | Meta-Learning by Adjusting Priors Based on Ext... | In meta-learning an agent extracts knowledge... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12147 | 12148 | Accurate Optical Flow via Direct Cost Volume P... | We present an optical flow estimation approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12148 | 12149 | Linear Convergence of a Frank-Wolfe Type Algor... | We propose a rank-$k$ variant of the classic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12149 | 12150 | A Note on Exponential Inequalities in Hilbert ... | In this manuscript we present exponential in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12150 | 12151 | Polygons pulled from an adsorbing surface | We consider self-avoiding lattice polygons, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12151 | 12152 | O$^2$TD: (Near)-Optimal Off-Policy TD Learning | Temporal difference learning and Residual Gr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12152 | 12153 | Comprehensive classification for Bose-Fermi mi... | We present analytical studies of a boson-fer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12153 | 12154 | Navigation Objects Extraction for Better Conte... | Existing works for extracting navigation obj... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12154 | 12155 | Source Selection for Cluster Weak Lensing Meas... | We present optimized source galaxy selection... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12155 | 12156 | Dense blowup for parabolic SPDEs | The main result of this paper is that there ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12156 | 12157 | Batched High-dimensional Bayesian Optimization... | Optimization of high-dimensional black-box f... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12157 | 12158 | Classifying Time-Varying Complex Networks on t... | At the core of understanding dynamical syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12158 | 12159 | An Adversarial Regularisation for Semi-Supervi... | We propose a method for semi-supervised trai... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12159 | 12160 | Elliptic operators on refined Sobolev scales o... | We introduce a refined Sobolev scale on a ve... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12160 | 12161 | CoDraw: Collaborative Drawing as a Testbed for... | In this work, we propose a goal-driven colla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12161 | 12162 | Learning Fast and Slow: PROPEDEUTICA for Real-... | In this paper, we introduce and evaluate PRO... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12162 | 12163 | Metachronal motion of artificial magnetic cilia | Organisms use hair-like cilia that beat in a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12163 | 12164 | Power-of-$d$-Choices with Memory: Fluid Limit ... | In multi-server distributed queueing systems... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12164 | 12165 | Structural Compression of Convolutional Neural... | Convolutional neural networks (CNNs) have st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12165 | 12166 | Testing the Young Neutron Star Scenario with P... | Recently a repeating fast radio burst (FRB) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12166 | 12167 | Critical Vertices and Edges in $H$-free Graphs | A vertex or edge in a graph is critical if i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12167 | 12168 | Transverse Weitzenböck formulas and de Rham co... | We prove transverse Weitzenböck identities f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12168 | 12169 | An adaptive Newton algorithm for optimal contr... | In this work we present an adaptive Newton-t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12169 | 12170 | Characterization of the Two-Dimensional Five-F... | In 1885, Fedorov discovered that a convex do... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12170 | 12171 | Projectors separating spectra for $L^2$ on pse... | The spectrum of $L^2$ on a pseudo-unitary gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12171 | 12172 | Predicting Individual Physiologically Acceptab... | Objective: Predict patient-specific vitals d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12172 | 12173 | Unsupervised learning of object frames by dens... | One of the key challenges of visual percepti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12173 | 12174 | Channel surfaces in Lie sphere geometry | We discuss channel surfaces in the context o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12174 | 12175 | A Parallelizable Acceleration Framework for Pa... | This paper presents an acceleration framewor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12175 | 12176 | $L^p$ estimates for the Bergman projection on ... | We obtain $L^p$ regularity for the Bergman p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12176 | 12177 | Generic Axiomatization of Families of Noncross... | We present a simple encoding for unlabeled n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12177 | 12178 | Computation of Optimal Transport on Discrete M... | In this paper we investigate the numerical a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12178 | 12179 | Torsions of integral homology and cohomology o... | According to a result of Ehresmann, the tors... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12179 | 12180 | PACO: Signal Restoration via PAtch COnsensus | Many signal processing algorithms operate by... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12180 | 12181 | Hyperplane arrangements associated to symplect... | We study the hyperplane arrangements associa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12181 | 12182 | CTCModel: a Keras Model for Connectionist Temp... | We report an extension of a Keras Model, cal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12182 | 12183 | Software Distribution Transparency and Auditab... | A large user base relies on software updates... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12183 | 12184 | Imputation Approaches for Animal Movement Mode... | The analysis of telemetry data is common in ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12184 | 12185 | Motion planning in high-dimensional spaces | Motion planning is a key tool that allows ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12185 | 12186 | Emergent low-energy bound states in the two-or... | A repulsive Coulomb interaction between elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12186 | 12187 | Improved thermal lattice Boltzmann model for s... | In this paper, an improved thermal lattice B... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12187 | 12188 | A fresh look at effect aliasing and interactio... | Interactions and effect aliasing are among t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12188 | 12189 | Effects of sampling skewness of the importance... | Importance-weighting is a popular and well-r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12189 | 12190 | Minimizing the Cost of Team Exploration | A group of mobile agents is given a task to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12190 | 12191 | Exponential Source/Channel Duality | We propose a source/channel duality in the e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12191 | 12192 | Delta Theorem in the Age of High Dimensions | We provide a new version of delta theorem, t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12192 | 12193 | Deep Learning Interior Tomography for Region-o... | Interior tomography for the region-of-intere... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12193 | 12194 | Structured Parallel Programming for Monte Carl... | In this paper, we present a new algorithm fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12194 | 12195 | Single-Atom Scale Structural Selectivity in Te... | Extreme nanowires (ENs) represent the ultima... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12195 | 12196 | Navigating through the R packages for movement | The advent of miniaturized biologging device... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12196 | 12197 | Image classification and retrieval with random... | We study image classification and retrieval ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12197 | 12198 | Spatial dynamics of flower organ formation | Understanding the emergence of biological st... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12198 | 12199 | Percent Change Estimation in Large Scale Onlin... | Online experiments are a fundamental compone... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12199 | 12200 | Characterization of Near-Earth Asteroids using... | We present here VRI spectrophotometry of 39 ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12200 | 12201 | Stochastic comparisons of series and parallel ... | In this paper, we discuss stochastic compari... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12201 | 12202 | Statistical inference in two-sample summary-da... | Mendelian randomization (MR) is a method of ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12202 | 12203 | Edgeworth correction for the largest eigenvalu... | We study improved approximations to the dist... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12203 | 12204 | On one nearly everywhere continuous and nowher... | This paper is devoted to the investigation o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12204 | 12205 | Hochschild cohomology for periodic algebras of... | We describe the dimensions of low Hochschild... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12205 | 12206 | Fracton Models on General Three-Dimensional Ma... | Fracton models, a collection of exotic gappe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12206 | 12207 | Topic Modeling on Health Journals with Regular... | Topic modeling enables exploration and compa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12207 | 12208 | On the Taylor coefficients of a subclass of me... | Let $\mathcal{V}_p(\lambda)$ be the collecti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12208 | 12209 | Loss Surfaces, Mode Connectivity, and Fast Ens... | The loss functions of deep neural networks a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12209 | 12210 | On the scaling patterns of infectious disease ... | Urban areas with larger and more connected p... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12210 | 12211 | Homological subsets of Spec | We investigate homological subsets of the pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12211 | 12212 | Mean field repulsive Kuramoto models: Phase lo... | The phenomenon of self-synchronization in po... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12212 | 12213 | Signal tracking beyond the time resolution of ... | We study causal waveform estimation (trackin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12213 | 12214 | Case Study: Explaining Diabetic Retinopathy De... | In this report, we applied integrated gradie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12214 | 12215 | 6.2-GHz modulated terahertz light detection us... | The fast detection of terahertz radiation is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12215 | 12216 | Inference via low-dimensional couplings | We investigate the low-dimensional structure... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12216 | 12217 | A unified thermostat scheme for efficient conf... | We show a unified second-order scheme for co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12217 | 12218 | Wide Bandwidth, Frequency Modulated Free Elect... | It is shown via theory and simulation that t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12218 | 12219 | A Transformation-Proximal Bundle Algorithm for... | This paper presents a novel transformation-p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12219 | 12220 | Dual SVM Training on a Budget | We present a dual subspace ascent algorithm ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12220 | 12221 | AWAKE readiness for the study of the seeded se... | AWAKE is a proton-driven plasma wakefield ac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12221 | 12222 | Exploring the Psychological Basis for Transiti... | In lieu of an abstract here is the first par... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12222 | 12223 | Well quasi-orders and the functional interpret... | The purpose of this article is to study the ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12223 | 12224 | A local limit theorem for Quicksort key compar... | As proved by Régnier and Rösler, the number ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12224 | 12225 | On the Computation of Kantorovich-Wasserstein ... | In this work, we present a method to compute... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12225 | 12226 | Efficient anchor loss suppression in coupled n... | Elastic dissipation through radiation toward... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12226 | 12227 | Searching for previously unknown classes of ob... | In this proceedings application of a fuzzy S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12227 | 12228 | Stability of laminar Couette flow of compressi... | Cylindrical Couette flow is a subject where ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12228 | 12229 | A Hierarchical Max-infinitely Divisible Proces... | Understanding the spatial extent of extreme ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12229 | 12230 | The dependence of cluster galaxy properties on... | We present a study of the connection between... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12230 | 12231 | Gaussian Prototypical Networks for Few-Shot Le... | We propose a novel architecture for $k$-shot... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12231 | 12232 | Uncertainty principle and geometry of the infi... | We study the pairs of projections $$ P_If=\c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12232 | 12233 | Existence and symmetry of solutions for critic... | This paper is concerned with the following f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12233 | 12234 | Early Detection of Promoted Campaigns on Socia... | Social media expose millions of users every ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12234 | 12235 | Discovery of statistical equivalence classes u... | Discrete statistical models supported on lab... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12235 | 12236 | Can Boltzmann Machines Discover Cluster Updates ? | Boltzmann machines are physics informed gene... | 0 | 1 | 0 | 1 | 0 | 0 |
| 12236 | 12237 | Evaluating Graph Signal Processing for Neuroim... | Graph Signal Processing (GSP) is a promising... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12237 | 12238 | Weak subsolutions to complex Monge-Ampère equa... | We compare various notions of weak subsoluti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12238 | 12239 | Bayesian inversion of convolved hidden Markov ... | Efficient assessment of convolved hidden Mar... | 0 | 1 | 0 | 1 | 0 | 0 |
| 12239 | 12240 | On the post-Keplerian corrections to the orbit... | Detailed numerical analyses of the orbital m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12240 | 12241 | Disentangling top-down vs. bottom-up and low-l... | Bottom-up and top-down, as well as low-level... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12241 | 12242 | Sharp estimates for oscillatory integral opera... | The sharp range of $L^p$-estimates for the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12242 | 12243 | Inhomogeneous Heisenberg Spin Chain and Quantu... | Through the Hasimoto map, various dynamical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12243 | 12244 | An Information-Theoretic Analysis of Deduplica... | Deduplication finds and removes long-range d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12244 | 12245 | A neural network trained to predict future vid... | While deep neural networks take loose inspir... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12245 | 12246 | Triangulum II: Not Especially Dense After All | Among the Milky Way satellites discovered in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12246 | 12247 | Improving the upper bound on the length of the... | We improve the best known upper bound on the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12247 | 12248 | Graphite: Iterative Generative Modeling of Graphs | Graphs are a fundamental abstraction for mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12248 | 12249 | Characteristic classes in general relativity o... | Characteristic classes in space-time manifol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12249 | 12250 | Observation of a 3D magnetic null point | We describe high resolution observations of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12250 | 12251 | 3D spatial exploration by E. coli echoes motor... | Unraveling bacterial strategies for spatial ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12251 | 12252 | Unsupervised Latent Behavior Manifold Learning... | Behavioral annotation using signal processin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12252 | 12253 | Test map characterizations of local properties... | Local properties of the fundamental group of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12253 | 12254 | Adaptive channel selection for DOA estimation ... | We present adaptive strategies for antenna s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12254 | 12255 | Photometric characterization of the Dark Energ... | We characterize the variation in photometric... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12255 | 12256 | Tough self-healing elastomers by molecular enf... | Self-healing polymers crosslinked by solely ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12256 | 12257 | SYK Models and SYK-like Tensor Models with Glo... | In this paper, we study an SYK model and an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12257 | 12258 | Which Stars are Ionizing the Orion Nebula ? | The common assumption that Theta-1-Ori C is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12258 | 12259 | FLaapLUC: a pipeline for the generation of pro... | The large majority of high energy sources de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12259 | 12260 | A network approach to topic models | One of the main computational and scientific... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12260 | 12261 | CRPropa 3.1 -- A low energy extension based on... | The propagation of charged cosmic rays throu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12261 | 12262 | Isometries in spaces of Kähler potentials | The space of Kähler potentials in a compact ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12262 | 12263 | On the Statistical Challenges of Echo State Ne... | Echo state networks are powerful recurrent n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12263 | 12264 | Identifiability of Gaussian Structural Equatio... | In this paper, we prove that some Gaussian s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12264 | 12265 | Smart Contract SLAs for Dense Small-Cell-as-a-... | The disruptive power of blockchain technolog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12265 | 12266 | On Kiguradze theorem for linear boundary value... | We investigate the limiting behavior of solu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12266 | 12267 | Fidelity Lower Bounds for Stabilizer and CSS Q... | In this paper we estimate the fidelity of st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12267 | 12268 | Cross-validation improved by aggregation: Agghoo | Cross-validation is widely used for selectin... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12268 | 12269 | MAT: A Multimodal Attentive Translator for Ima... | In this work we formulate the problem of ima... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12269 | 12270 | A Semi-Supervised and Inductive Embedding Mode... | Mobile gaming has emerged as a promising mar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12270 | 12271 | Sequential rerandomization | The seminal work of Morgan and Rubin (2012) ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12271 | 12272 | Neural SLAM: Learning to Explore with External... | We present an approach for agents to learn r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12272 | 12273 | Information Storage and Retrieval using Macrom... | To store information at extremely high-densi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12273 | 12274 | Morgan type uncertainty principle and unique c... | In this paper, Morgan type uncertainty princ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12274 | 12275 | Can the Journal Impact Factor Be Used as a Cri... | Early in researchers' careers, it is difficu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12275 | 12276 | Deep MIMO Detection | In this paper, we consider the use of deep n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12276 | 12277 | Cross-View Image Matching for Geo-localization... | In this paper, we address the problem of cro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12277 | 12278 | Understanding the Feedforward Artificial Neura... | In recent years, deep learning based on arti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12278 | 12279 | Excitation of multiple 2-mode parametric reson... | We demonstrate autoparametric excitation of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12279 | 12280 | Solar system science with the Wide-Field Infra... | We present a community-led assessment of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12280 | 12281 | Combining Generative and Discriminative Approa... | Unsupervised dependency parsing aims to lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12281 | 12282 | Near-Infrared Knots and Dense Fe Ejecta in the... | We report the results of broadband (0.95--2.... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12282 | 12283 | On the conjecture of Jeśmanowicz | We give a survey on some results covering th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12283 | 12284 | Lattice implementation of Abelian gauge theori... | Real time evolution of classical gauge field... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12284 | 12285 | II-FCN for skin lesion analysis towards melano... | Dermoscopy image detection stays a tough tas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12285 | 12286 | Zero-Shot Visual Imitation | The current dominant paradigm for imitation ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12286 | 12287 | Spreading in kinetic reaction-transport equati... | In this paper, we extend and complement prev... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12287 | 12288 | Matching of orbital integrals (transfer) and R... | Let $F$ be a non-Archimedan local field, $G$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12288 | 12289 | Testing atomic collision theory with the two-p... | Accurate rates for energy-degenerate l-chang... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12289 | 12290 | Metrologically useful states of spin-1 Bose co... | We study theoretically the usefulness of spi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12290 | 12291 | The Final Chapter In The Saga Of YIG | The magnetic insulator Yttrium Iron Garnet c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12291 | 12292 | Modeling and Analysis of HetNets with mm-Wave ... | We characterize a multi tier network with cl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12292 | 12293 | Ermakov-Painlevé II Symmetry Reduction of a Ko... | A class of nonlinear Schrödinger equations i... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12293 | 12294 | Geometric Matrix Completion with Recurrent Mul... | Matrix completion models are among the most ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12294 | 12295 | Value Asymptotics in Dynamic Games on Large Ho... | This paper is concerned with two-person dyna... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12295 | 12296 | Classical counterparts of quantum attractors i... | In the context of dissipative systems, we sh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12296 | 12297 | Marginal likelihood based model comparison in ... | In a recent paper [1] we introduced the Fuzz... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12297 | 12298 | Position-sensitive propagation of information ... | The excitement and convergence of tweets on ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12298 | 12299 | The application of Monte Carlo methods for lea... | Monte Carlo method is a broad class of compu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12299 | 12300 | Language Bootstrapping: Learning Word Meanings... | We address the problem of bootstrapping lang... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12300 | 12301 | Parallel implementation of the coupled harmoni... | This article presents the parallel implement... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12301 | 12302 | TiEV: The Tongji Intelligent Electric Vehicle ... | TiEV is an autonomous driving platform imple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12302 | 12303 | Towards Decoding as Continuous Optimization in... | We propose a novel decoding approach for neu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12303 | 12304 | A tail cone version of the Halpern-Läuchli the... | The classical Halpern-Läuchli theorem states... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12304 | 12305 | Over the Air Deep Learning Based Radio Signal ... | We conduct an in depth study on the performa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12305 | 12306 | On conditional parity as a notion of non-discr... | We identify conditional parity as a general ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12306 | 12307 | A Low-Complexity Approach to Distributed Coope... | We consider caching in cellular networks in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12307 | 12308 | Linear, Second order and Unconditionally Energ... | In this paper, we consider the numerical app... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12308 | 12309 | On Security and Sparsity of Linear Classifiers... | Machine-learning techniques are widely used ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12309 | 12310 | Sharp-interface limits of a phase-field model ... | The sharp-interface limits of a phase-field ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12310 | 12311 | Notes on Discrete Compound Poisson Point Proce... | The first part of this notes provides a new ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12311 | 12312 | Characteristic cycles of highest weight Harish... | Characteristic cycles and leading term cycle... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12312 | 12313 | Assessing the effect of advertising expenditur... | We propose a robust implementation of the Ne... | 0 | 0 | 0 | 1 | 0 | 1 |
| 12313 | 12314 | Anytime Exact Belief Propagation | Statistical Relational Models and, more rece... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12314 | 12315 | Appropriate conditions to realize a $p$-wave s... | We theoretically investigate a spin-orbit co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12315 | 12316 | On the vanishing of self extensions over Cohen... | The celebrated Auslander-Reiten Conjecture, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12316 | 12317 | Finite Temperature Phase Diagrams of a Two-ban... | We explore the temperature effects in the su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12317 | 12318 | Detecting Multiple Change Points Using Adaptiv... | Time series, as frequently the case in neuro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12318 | 12319 | The Automorphism Group of Hall's Universal Group | We study the automorphism group of Hall's un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12319 | 12320 | On Atiyah-Singer and Atiyah-Bott for finite ab... | A linear or multi-linear valuation on a fini... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12320 | 12321 | Evolution of macromolecular structure: a 'doub... | The evolution of structure in biology is dri... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12321 | 12322 | An estimate of the root mean square error incu... | Let $f$ be a band-limited function in $L^2({... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12322 | 12323 | Learning Topic-Sensitive Word Representations | Distributed word representations are widely ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12323 | 12324 | Celestial Walk: A Terminating Oblivious Walk f... | We present a new oblivious walking strategy ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12324 | 12325 | Kernel k-Groups via Hartigan's Method | Energy statistics was proposed by Székely in... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12325 | 12326 | Estimators of the correlation coefficient in t... | A finite-support constraint on the parameter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12326 | 12327 | A theoretical framework for retinal computatio... | Neural circuits in the retina divide the inc... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12327 | 12328 | Learning to Associate Words and Images Using a... | We develop an approach for unsupervised lear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12328 | 12329 | A dichotomy theorem for nonuniform CSPs | In this paper we prove the Dichotomy Conject... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12329 | 12330 | Transition from Weak Wave Turbulence to Solito... | We report an experimental investigation of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12330 | 12331 | Hybrid Forecasting of Chaotic Processes: Using... | A model-based approach to forecasting chaoti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12331 | 12332 | Field-free perpendicular magnetization switchi... | Heavy metal/ferromagnetic layers with perpen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12332 | 12333 | On Generalizing Decidable Standard Prefix Clas... | Recently, the separated fragment (SF) of fir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12333 | 12334 | Poisson traces, D-modules, and symplectic reso... | We survey the theory of Poisson traces (or z... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12334 | 12335 | Nonequilibrium transport and Electron-Glass ef... | We report on results of nonequilibrium trans... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12335 | 12336 | Non-Gaussian Autoregressive Processes with Tuk... | When performing a time series analysis of co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12336 | 12337 | Frequency responses of the K-Rb-$^{21}$Ne co-m... | The frequency responses of the K-Rb-$^{21}$N... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12337 | 12338 | Some new bounds of placement delivery arrays | Coded caching scheme is a technique which re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12338 | 12339 | Itineraries for Inverse Limits of Tent Maps: a... | Previously published admissibility condition... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12339 | 12340 | EmbedInsight: Automated Grading of Embedded Sy... | Grading in embedded systems courses typicall... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12340 | 12341 | On the $p'$-subgraph of the Young graph | Let $p$ be a prime number. In this article w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12341 | 12342 | Electronic origin of melting T-P curves of alk... | Group I elements - alkali metals Li, Na, K, ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12342 | 12343 | Gene Shaving using influence function of a ker... | Identifying significant subsets of the genes... | 0 | 0 | 0 | 1 | 1 | 0 |
| 12343 | 12344 | Compressing Green's function using intermediat... | New model-independent compact representation... | 0 | 1 | 0 | 1 | 0 | 0 |
| 12344 | 12345 | Machine Learning for the Geosciences: Challeng... | Geosciences is a field of great societal rel... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12345 | 12346 | Generalized singular value thresholding operat... | It is well known that the affine matrix rank... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12346 | 12347 | Unifying the Brascamp-Lieb Inequality and the ... | The entropy power inequality (EPI) and the B... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12347 | 12348 | Risk ratios for contagious outcomes | The risk ratio is a popular tool for summari... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12348 | 12349 | Instrument Orientation-Based Metrics for Surgi... | The technical skill of surgeons directly imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12349 | 12350 | Formal Methods for Adaptive Control of Dynamic... | We develop a method to control discrete-time... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12350 | 12351 | Sublayer of Prandtl boundary layers | The aim of this paper is to investigate the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12351 | 12352 | Effects of a Price limit Change on Market Stab... | This paper investigates the effects of a pri... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12352 | 12353 | Adversarial Perturbations Against Real-Time Vi... | Recent research has demonstrated the brittle... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12353 | 12354 | Wasserstein Identity Testing | Uniformity testing and the more general iden... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12354 | 12355 | Concordances from differences of torus knots t... | It is known that connected sums of positive ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12355 | 12356 | The classification of Rokhlin flows on C*-alge... | We study flows on C*-algebras with the Rokhl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12356 | 12357 | Unusual evolution of B_{c2} and T_c with incli... | Recently we reported an enhanced superconduc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12357 | 12358 | Bounded game-theoretic semantics for modal mu-... | We introduce a new game-theoretic semantics ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12358 | 12359 | Putative spin liquid in the triangle-based iri... | We report on thermodynamic, magnetization, a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12359 | 12360 | Herding behavior in cryptocurrency markets | There are no solid arguments to sustain that... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12360 | 12361 | Los agujeros negros y las ondas del Doctor Ein... | We describe the main scientific developments... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12361 | 12362 | Symmetries of flat manifolds, Jordan property ... | We obtain a sufficient and necessary conditi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12362 | 12363 | Hidden Fermi Liquidity and Topological Critica... | The fate of exotic spin liquid states with f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12363 | 12364 | Semi-automated labelling of medical images: be... | Purpose: The goal of this study is to show t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12364 | 12365 | Lexical Features in Coreference Resolution: To... | Lexical features are a major source of infor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12365 | 12366 | Complete Semantics to empower Touristic Servic... | The tourism industry has a significant impac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12366 | 12367 | Reducing variance in importance-weighted cross... | Covariate shift classification problems can ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12367 | 12368 | Comparing Aggregators for Relational Probabili... | Relational probabilistic models have the cha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12368 | 12369 | The Sad State of Entrepreneurship in America: ... | The entrepreneurial scene suffers from a sic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12369 | 12370 | Filtering Variational Objectives | When used as a surrogate objective for maxim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12370 | 12371 | Annealing stability of magnetic tunnel junctio... | We study the annealing stability of bottom-p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12371 | 12372 | The Eigenoption-Critic Framework | Eigenoptions (EOs) have been recently introd... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12372 | 12373 | A perturbation analysis of some Markov chains ... | We study some regularity properties in local... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12373 | 12374 | Exploring patterns of demand in bike sharing s... | Understanding patterns of demand is fundamen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12374 | 12375 | High-performance nanoscale topological energy ... | The realization of high-performance, small-f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12375 | 12376 | Multigrid-based inversion for volumetric radar... | This study concentrates on advancing mathema... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12376 | 12377 | Fluid dynamics of diving wedges | Diving induces large pressures during water ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12377 | 12378 | Scenic: Language-Based Scene Generation | Synthetic data has proved increasingly usefu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12378 | 12379 | An exactly solvable model for Dynamic Nuclear ... | We introduce a solvable model of driven ferm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12379 | 12380 | The Research Data Alliance: Building Bridges t... | The Research Data Alliance is an internation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12380 | 12381 | Modulated magnetic structure of Fe3PO7 as seen... | The paper reports new results of the 57Fe Mö... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12381 | 12382 | Mutation invariance for the zeroth coefficient... | We show that the zeroth coefficient of the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12382 | 12383 | Seasonal Variation of the Underground Cosmic M... | The Daya Bay Experiment consists of eight id... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12383 | 12384 | Valid Inference Corrected for Outlier Removal | Ordinary least square (OLS) estimation of a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12384 | 12385 | On the error term of a lattice counting proble... | Under the Riemann Hypothesis, we improve the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12385 | 12386 | Gamma-Ray Emission from Arp 220: Indications o... | Extragalactic cosmic ray populations are imp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12386 | 12387 | The fundamental factor of optical interference | It has been widely accepted that electric fi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12387 | 12388 | Evidence for a Dusty Dark Dwarf Galaxy in the ... | We report the $4 \, \sigma$ detection of a f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12388 | 12389 | Universal abstract elementary classes and loca... | We exhibit an equivalence between the model-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12389 | 12390 | q-Viscous Burgers' Equation: Dynamical Symmetr... | We propose new type of $q$-diffusive heat eq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12390 | 12391 | Comparison of invariant metrics and distances ... | We prove that for a strongly pseudoconvex do... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12391 | 12392 | The strong ring of simplicial complexes | We define a ring R of geometric objects G ge... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12392 | 12393 | Holonomy representation of quasi-projective le... | We prove that a representation of the fundam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12393 | 12394 | Super Extensions of the Short Pulse Equation | From a super extension of the Wadati, Konno ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12394 | 12395 | Nonequational Stable Groups | We introduce a combinatorial criterion for v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12395 | 12396 | Analyzing biological and artificial neural net... | Deep neural networks (DNNs) transform stimul... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12396 | 12397 | Recurrences in an isolated quantum many-body s... | Even though the evolution of an isolated qua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12397 | 12398 | Multiview Learning of Weighted Majority Vote b... | We tackle the issue of classifier combinatio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12398 | 12399 | Temporal Overbooking of Lambda Functions in th... | We consider the problem of scheduling "serve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12399 | 12400 | Orbital degeneracy loci and applications | Degeneracy loci of morphisms between vector ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12400 | 12401 | Homology of the family of hyperelliptic curves | Homology of braid groups and Artin groups ca... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12401 | 12402 | Simulation of Drop Impact on a Hot Wall using ... | This study presents a smoothed particle hydr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12402 | 12403 | Generation of attosecond electron beams in rel... | Ionization by relativistically intense short... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12403 | 12404 | Surface defects and elliptic quantum groups | A brane construction of an integrable lattic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12404 | 12405 | Disentangling and Assessing Uncertainties in M... | Measuring the corporate default risk is broa... | 0 | 0 | 0 | 1 | 0 | 1 |
| 12405 | 12406 | The XXL Survey: XVII. X-ray and Sunyaev-Zel'do... | We present results from a 100 ks XMM-Newton ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12406 | 12407 | A bound for rational Thurston-Bennequin invari... | In this paper, we introduce a rational $\tau... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12407 | 12408 | Generalized Fréchet Bounds for Cell Entries in... | We consider the lattice, $\mathcal{L}$, of a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12408 | 12409 | Signaling on the Continuous Spectrum of Nonlin... | This paper studies different signaling techn... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12409 | 12410 | Symmetry analysis and soliton solution of (2+1... | Traveling wave solutions of (2 + 1)-dimensio... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12410 | 12411 | Estimation in the convolution structure densit... | This paper continues the research started in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12411 | 12412 | Explaining Recurrent Neural Network Prediction... | Recently, a technique called Layer-wise Rele... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12412 | 12413 | Generalized Coherence Concurrence and Path dis... | We propose a new family of coherence monoton... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12413 | 12414 | Passivity Based Whole-body Control for Quadrup... | We present a passivity-based Whole-Body Cont... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12414 | 12415 | Accelerations for Graph Isomorphism | In this paper, we present two main results. ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12415 | 12416 | Multi-Objective Maximization of Monotone Submo... | We consider the problem of multi-objective m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12416 | 12417 | Cosmology from conservation of global energy | It is argued that many of the problems and a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12417 | 12418 | Electric field modulation of the non-linear ar... | We study the ferromagnetic layer thickness d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12418 | 12419 | Gapless surface states originated from acciden... | A tetragonal photonic crystal composed of hi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12419 | 12420 | On the impact of pull request decisions on fut... | The pull-based development process has becom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12420 | 12421 | The unreasonable effectiveness of the forget gate | Given the success of the gated recurrent uni... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12421 | 12422 | WMRB: Learning to Rank in a Scalable Batch Tra... | We propose a new learning to rank algorithm,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12422 | 12423 | Learning Features from Co-occurrences: A Theor... | Representing a word by its co-occurrences wi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12423 | 12424 | Azumaya algebras and canonical components | Let $M$ be a compact 3-manifold and $\Gamma=... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12424 | 12425 | On the Spectrum of Multi-Frequency Quasiperiod... | We study multi-frequency quasiperiodic Schrö... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12425 | 12426 | Model Spaces of Regularity Structures for Spac... | We study model spaces, in the sense of Haire... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12426 | 12427 | Transit Detection of a "Starshade" at the Inne... | All water-covered rocky planets in the inner... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12427 | 12428 | Automatic Error Analysis of Human Motor Perfor... | In the context of fitness coaching or for re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12428 | 12429 | A mechanism of synaptic clock underlying subje... | Temporal resolution of visual information pr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12429 | 12430 | Optimal Packings of Two to Four Equal Circles ... | We find explicit formulas for the radii and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12430 | 12431 | Obfuscation in Bitcoin: Techniques and Politics | In the cryptographic currency Bitcoin, all t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12431 | 12432 | Path Planning and Controlled Crash Landing of ... | This paper presents a framework for controll... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12432 | 12433 | Exact short-time height distribution in 1D KPZ... | The early time regime of the Kardar-Parisi-Z... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12433 | 12434 | The role of cosmology in modern physics | Subject of this article is the relationship ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12434 | 12435 | TURN TAP: Temporal Unit Regression Network for... | Temporal Action Proposal (TAP) generation is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12435 | 12436 | Efficiently Learning Nonstationary Gaussian Pr... | Most real world phenomena such as sunlight d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12436 | 12437 | Causal Holography in Application to the Invers... | For a given smooth compact manifold $M$, we ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12437 | 12438 | Inferring short-term volatility indicators fro... | In this paper, we study the possibility of i... | 1 | 0 | 0 | 0 | 0 | 1 |
| 12438 | 12439 | Discrete structure of the brain rhythms | Neuronal activity in the brain generates syn... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12439 | 12440 | A new class of solutions for the multi-compone... | We construct a point transformation between ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12440 | 12441 | Multivariate Generalized Linear Mixed Models f... | This paper explores improvements in predicti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12441 | 12442 | Accelerator Codesign as Non-Linear Optimization | We propose an optimization approach for dete... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12442 | 12443 | Riddim: A Rhythm Analysis and Decomposition To... | The goal of this thesis was to implement a t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12443 | 12444 | Cholesterol modulates acetylcholine receptor d... | Translational motion of neurotransmitter rec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12444 | 12445 | Incidence systems on Cartesian powers of algeb... | We show that a reduct of the Zariski structu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12445 | 12446 | Automated versus do-it-yourself methods for ca... | Statisticians have made great progress in cr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12446 | 12447 | Certified Computation from Unreliable Datasets | A wide range of learning tasks require human... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12447 | 12448 | A sparse grid approach to balance sheet risk m... | In this work, we present a numerical method ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12448 | 12449 | Towards Metamerism via Foveated Style Transfer | The problem of $\textit{visual metamerism}$ ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12449 | 12450 | Modeling Sheep pox Disease from the 1994-1998 ... | Sheep pox is a highly transmissible disease ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12450 | 12451 | Minimal hard surface-unlink and classical unli... | We describe a method for generating minimal ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12451 | 12452 | Fading of collective attention shapes the evol... | Language change involves the competition bet... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12452 | 12453 | Continuous-Time User Modeling in the Presence ... | User modeling plays an important role in del... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12453 | 12454 | Testing for observation-dependent regime switc... | Testing for regime switching when the regime... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12454 | 12455 | The finiteness dimension of modules and relati... | Let $R$ be a commutative Noetherian ring, $\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12455 | 12456 | On Ladder Logic Bombs in Industrial Control Sy... | In industrial control systems, devices such ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12456 | 12457 | Stochastic variance reduced multiplicative upd... | Nonnegative matrix factorization (NMF), a di... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12457 | 12458 | Bi-National Delay Pattern Analysis For Commerc... | Border crossing delays between New York Stat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12458 | 12459 | A Scalable and Adaptive Method for Finding Sem... | Scientific knowledge is constantly subject t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12459 | 12460 | An optimization method to simultaneously estim... | Central pattern generators (CPGs) appear to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12460 | 12461 | Overdensities of SMGs around WISE-selected, ul... | We investigate extremely luminous dusty gala... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12461 | 12462 | Constrained Best Linear Unbiased Estimation | The least squares (LS) estimator and the bes... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12462 | 12463 | Compact Tensor Pooling for Visual Question Ans... | Performing high level cognitive tasks requir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12463 | 12464 | Beam-induced Back-streaming Electron Suppressi... | A facility based on a next-generation, high-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12464 | 12465 | Vertical stratification of forest canopy for s... | Airborne LiDAR point cloud representing a fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12465 | 12466 | Temperature effect observed by the Nagoya muon... | The temperature coefficients for all the dir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12466 | 12467 | Generalizing Hamiltonian Monte Carlo with Neur... | We present a general-purpose method to train... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12467 | 12468 | Multiplicities of Character Values of Binary S... | Binary Sidel'nikov-Lempel-Cohn-Eastman seque... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12468 | 12469 | Complex and Holographic Embeddings of Knowledg... | Embeddings of knowledge graphs have received... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12469 | 12470 | Deep Image Prior | Deep convolutional networks have become a po... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12470 | 12471 | Efficient SMC$^2$ schemes for stochastic kinet... | Fitting stochastic kinetic models represente... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12471 | 12472 | Unpaired Image-to-Image Translation using Cycl... | Image-to-image translation is a class of vis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12472 | 12473 | Consistent structure estimation of exponential... | We consider the challenging problem of stati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12473 | 12474 | Taskonomy: Disentangling Task Transfer Learning | Do visual tasks have a relationship, or are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12474 | 12475 | The Energy Measure for the Euler and Navier-St... | The potential failure of energy equality for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12475 | 12476 | Inference of Spatio-Temporal Functions over Gr... | Inference of space-time varying signals on g... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12476 | 12477 | Z2-Thurston Norm and Complexity of 3-Manifolds... | In this sequel to earlier papers by three of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12477 | 12478 | Discriminative k-shot learning using probabili... | This paper introduces a probabilistic framew... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12478 | 12479 | Comparative analysis of criteria for filtering... | This paper describes a method of nonlinear w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12479 | 12480 | Extend of the $\mathbb{Z}_2$-spin liquid phase... | The $\mathbb{Z}_2$ topological phase in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12480 | 12481 | Accelerated Stochastic Quasi-Newton Optimizati... | We propose an L-BFGS optimization algorithm ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12481 | 12482 | Bridging trees for posterior inference on Ance... | We present a new Markov chain Monte Carlo al... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12482 | 12483 | Strong magnetic frustration in Y$_{3}$Cu$_{9}$... | We present the crystal structure and magneti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12483 | 12484 | The Character Field Theory and Homology of Cha... | We construct an extended oriented $(2+\epsil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12484 | 12485 | A new generator of chaotic bit sequences with ... | This paper presents a new generator of chaot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12485 | 12486 | HAWC response to atmospheric electricity activity | The HAWC Gamma Ray observatory consists of 3... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12486 | 12487 | Optical Music Recognition with Convolutional S... | Optical Music Recognition (OMR) is an import... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12487 | 12488 | Fractional Cable Model for Signal Conduction i... | The cable model is widely used in several fi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12488 | 12489 | Hedging in fractional Black-Scholes model with... | We consider conditional-mean hedging in a fr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12489 | 12490 | Finite flat spaces | We say that a finite metric space $X$ can be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12490 | 12491 | On The Equivalence of Projections In Relative ... | The aim of this work is to establish that tw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12491 | 12492 | Comparing high dimensional partitions, with th... | The popular Adjusted Rand Index (ARI) is ext... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12492 | 12493 | Dependence between Path-length and Size in Ran... | We study the size and the external path leng... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12493 | 12494 | Analysing Shortcomings of Statistical Parametr... | Output from statistical parametric speech sy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12494 | 12495 | On Meshfree GFDM Solvers for the Incompressibl... | Meshfree solution schemes for the incompress... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12495 | 12496 | Using a new parsimonious AHP methodology combi... | We propose a development of the Analytic Hie... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12496 | 12497 | Importance Sketching of Influence Dynamics in ... | The blooming availability of traces for soci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12497 | 12498 | Motivations, Classification and Model Trial of... | Advances in artificial intelligence have ren... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12498 | 12499 | Dark Matter and Neutrinos | The Keplerian distribution of velocities is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12499 | 12500 | Variational Bi-LSTMs | Recurrent neural networks like long short-te... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12500 | 12501 | Riemann-Langevin Particle Filtering in Track-B... | Track-before-detect (TBD) is a powerful appr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12501 | 12502 | The universal connection for principal bundles... | Given a holomorphic principal bundle $Q\, \l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12502 | 12503 | Equivariance Through Parameter-Sharing | We propose to study equivariance in deep neu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12503 | 12504 | Quantum light in curved low dimensional hexago... | Low-dimensional wide bandgap semiconductors ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12504 | 12505 | Scalable End-to-End Autonomous Vehicle Testing... | While recent developments in autonomous vehi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12505 | 12506 | Exact time-dependent exchange-correlation pote... | We identify peak and valley structures in th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12506 | 12507 | Polynomial-Time Algorithms for Sliding Tokens ... | Given two independent sets $I, J$ of a graph... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12507 | 12508 | Summarized Network Behavior Prediction | This work studies the entity-wise topical be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12508 | 12509 | Stabiliser states are efficiently PAC-learnable | The exponential scaling of the wave function... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12509 | 12510 | A bound for the shortest reset words for semis... | We show that if a semisimple synchronizing a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12510 | 12511 | HyperENTM: Evolving Scalable Neural Turing Mac... | Recent developments within memory-augmented ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12511 | 12512 | X-Ray and Gamma-Ray Emission from Middle-aged ... | We present analytical and numerical studies ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12512 | 12513 | An adverse selection approach to power pricing | We study the optimal design of electricity c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12513 | 12514 | Bridging the Gap between Constant Step Size St... | We consider the minimization of an objective... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12514 | 12515 | Learning Overcomplete HMMs | We study the problem of learning overcomplet... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12515 | 12516 | Migration barriers for surface diffusion on a ... | Atomistic rigid lattice Kinetic Monte Carlo ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12516 | 12517 | On the Quest for an Acyclic Graph | The paper aims at finding acyclic graphs und... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12517 | 12518 | Robust Matrix Elastic Net based Canonical Corr... | This paper presents a robust matrix elastic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12518 | 12519 | C-VQA: A Compositional Split of the Visual Que... | Visual Question Answering (VQA) has received... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12519 | 12520 | Spherical Planetary Robot for Rugged Terrain T... | Wheeled planetary rovers such as the Mars Ex... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12520 | 12521 | Active Learning for Accurate Estimation of Lin... | We explore the sequential decision making pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12521 | 12522 | Revisiting Frequency Reuse towards Supporting ... | One of the goals of 5G wireless systems stat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12522 | 12523 | Local isometric immersions of pseudo-spherical... | We consider the class of evolution equations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12523 | 12524 | Integrating Flexible Normalization into Mid-Le... | Deep convolutional neural networks (CNNs) ar... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12524 | 12525 | Moments and non-vanishing of Hecke $L$-functio... | In this paper, we study the moments of centr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12525 | 12526 | Temporal Graph Offset Reconstruction: Towards ... | Graphs are a commonly used construct for rep... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12526 | 12527 | Decentralized Tube-based Model Predictive Cont... | This paper addresses the problem of decentra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12527 | 12528 | Cognition of the circle in ancient India | We discuss the understanding of geometry of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12528 | 12529 | Estimates for $π(x)$ for large values of $x$ a... | In this paper we use refined approximations ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12529 | 12530 | Unveiled electric profiles within hydrogen bon... | Electrical forces are the background of all ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12530 | 12531 | Mimetization of the elastic properties of canc... | Bone tissue mechanical properties and trabec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12531 | 12532 | Extended Vertical Lists for Temporal Pattern M... | Temporal Pattern Mining (TPM) is the problem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12532 | 12533 | PowerAlert: An Integrity Checker using Power M... | We propose PowerAlert, an efficient external... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12533 | 12534 | Extension complexities of Cartesian products i... | It is an open question whether the linear ex... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12534 | 12535 | Speech recognition for medical conversations | In this work we explored building automatic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12535 | 12536 | Changing users' security behaviour towards sec... | Fallback authentication is used to retrieve ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12536 | 12537 | Understanding Web Archiving Services and Their... | Web archiving services play an increasingly ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12537 | 12538 | Mining a Sub-Matrix of Maximal Sum | Biclustering techniques have been widely use... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12538 | 12539 | Training Deep Networks without Learning Rates ... | Deep learning methods achieve state-of-the-a... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12539 | 12540 | Joint Beamforming and Antenna Selection for Su... | This letter studies joint transmit beamformi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12540 | 12541 | Multi-sequence segmentation via score and high... | We propose local segmentation of multiple se... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12541 | 12542 | Evidence for structural transition in crystall... | We investigate the effect of annealing tempe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12542 | 12543 | Emergence and Reductionism: an awkward Baconia... | This article discusses the relationship betw... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12543 | 12544 | Pipelined Parallel FFT Architecture | In this paper, an optimized efficient VLSI a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12544 | 12545 | Global smoothing of a subanalytic set | We give rather simple answers to two long-st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12545 | 12546 | Coupled Compound Poisson Factorization | We present a general framework, the coupled ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12546 | 12547 | A model bridging chimera state and explosive s... | Global and partial synchronization are the t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12547 | 12548 | Spatial modeling of shot conversion in soccer ... | Goals are results of pin-point shots and it ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12548 | 12549 | Metrics for Formal Structures, with an Applica... | This report introduces and investigates a fa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12549 | 12550 | Hyperbolic Dispersion Dominant Regime Identifi... | Surface plasmon polariton, hyberbolic disper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12550 | 12551 | Legendrian Satellites and Decomposable Concord... | We investigate the ramifications of the Lege... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12551 | 12552 | Plausible Deniability for Privacy-Preserving D... | Releasing full data records is one of the mo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12552 | 12553 | The Co-Evolution of Test Maintenance and Code ... | Automatic testing is a widely adopted techni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12553 | 12554 | Probabilistic Prediction of Interactive Drivin... | Autonomous vehicles (AVs) are on the road. T... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12554 | 12555 | Fast-slow asymptotics for a Markov chain model... | We explore the feasibility of using fast-slo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12555 | 12556 | Beating the bookies with their own numbers - a... | The online sports gambling industry employs ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12556 | 12557 | Fixation probabilities for the Moran process i... | This paper is based on the complete classifi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12557 | 12558 | FPGA Design Techniques for Stable Cryogenic Op... | In this paper we show how a deep-submicron F... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12558 | 12559 | Curvature-aided Incremental Aggregated Gradien... | We propose a new algorithm for finite sum op... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12559 | 12560 | The composition of Solar system asteroids and ... | [abridged] In the typical giant-impact scena... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12560 | 12561 | Maximum Margin Interval Trees | Learning a regression function using censore... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12561 | 12562 | Provable and practical approximations for the ... | The degree distribution is one of the most f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12562 | 12563 | Efficient and Robust Polylinear Analysis of No... | A method is proposed to generate an optimal ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12563 | 12564 | On the optimal design of wall-to-wall heat tra... | We consider the problem of optimizing heat t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12564 | 12565 | On the decay rate for the wave equation with v... | We consider the wave equation with a boundar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12565 | 12566 | Code Reuse With Transformation Objects | We present an approach for a lightweight dat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12566 | 12567 | Fixed effects testing in high-dimensional line... | Many scientific and engineering challenges -... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12567 | 12568 | Ubiquitous quasi-Fuchsian surfaces in cusped h... | This paper proves that every finite volume h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12568 | 12569 | Generic Cospark of a Matrix Can Be Computed in... | The cospark of a matrix is the cardinality o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12569 | 12570 | Generative Adversarial Network based Speaker A... | Neural networks based vocoders, typically th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12570 | 12571 | CitizenGrid: An Online Middleware for Crowdsou... | In the last few years, contributions of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12571 | 12572 | Singular sensitivity in a Keller-Segel-fluid s... | In bounded smooth domains $\Omega\subset\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12572 | 12573 | Asymptotic theory of multiple-set linear canon... | This paper deals with asymptotics for multip... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12573 | 12574 | Deep Learning to Improve Breast Cancer Early D... | The rapid development of deep learning, a fa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12574 | 12575 | Nviz - A General Purpse Visualization tool for... | In a Wireless Sensor Network (WSN), data man... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12575 | 12576 | Transient photon echoes from donor-bound excit... | The coherent optical response from 140~nm an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12576 | 12577 | The Quasar Luminosity Function at Redshift 4 w... | We present the luminosity function of z=4 qu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12577 | 12578 | Towards Industry 4.0: Gap Analysis between Cur... | The dawn of the fourth industrial revolution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12578 | 12579 | A Constrained Conditional Likelihood Approach ... | Given p independent normal populations, we c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12579 | 12580 | Phase transition in the spiked random tensor w... | We consider the problem of detecting a defor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12580 | 12581 | Extended depth-range profilometry using the ph... | We propose a high signal-to-noise extended d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12581 | 12582 | A Language for Probabilistically Oblivious Com... | An oblivious computation is one that is free... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12582 | 12583 | Single shot, double differential spectral meas... | Inverse Compton scattering (ICS) is a unique... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12583 | 12584 | Yarkovsky Drift Detections for 159 Near-Earth ... | The Yarkovsky effect is a thermal process ac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12584 | 12585 | A short note on Godbersen's Conjecture | In this short note we improve the best to da... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12585 | 12586 | The derivative NLS equation: global existence ... | We extend the global existence result for th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12586 | 12587 | Missing dust signature in the cosmic microwave... | I examine a possible spectral distortion of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12587 | 12588 | Option market (in)efficiency and implied volat... | In informationally efficient financial marke... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12588 | 12589 | Combining Alchemical Transformation with Physi... | We present a new method that combines alchem... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12589 | 12590 | Embedding Feature Selection for Large-scale Hi... | Large-scale Hierarchical Classification (HC)... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12590 | 12591 | Orientably-regular maps on twisted linear frac... | We present an enumeration of orientably-regu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12591 | 12592 | Deep Mean Functions for Meta-Learning in Gauss... | Fitting machine learning models in the low-d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12592 | 12593 | Projectors separating spectra for $L^2$ on sym... | The Plancherel decomposition of $L^2$ on a p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12593 | 12594 | On the continued fraction expansion of absolut... | We construct an absolutely normal number who... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12594 | 12595 | Talking Open Data | Enticing users into exploring Open Data rema... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12595 | 12596 | Static non-reciprocity in mechanical metamater... | Reciprocity is a fundamental principle gover... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12596 | 12597 | A forward-adjoint operator pair based on the e... | Photoacoustic computed tomography (PACT) is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12597 | 12598 | Sewing Riemannian Manifolds with Positive Scal... | We explore to what extent one may hope to pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12598 | 12599 | Concentration of quadratic forms under a Berns... | A concentration result for quadratic form of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12599 | 12600 | Short DNA persistence length in a mesoscopic h... | The flexibility of short DNA chains is inves... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12600 | 12601 | Diffuse Gamma Rays in 3D Galactic Cosmic-ray P... | The Picard code for the numerical solution o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12601 | 12602 | Sticking the Landing: Simple, Lower-Variance G... | We propose a simple and general variant of t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12602 | 12603 | Consistent hydrodynamic theory of chiral elect... | The complete set of Maxwell's and hydrodynam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12603 | 12604 | Design and Processing of Invertible Orientatio... | The enhancement and detection of elongated s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12604 | 12605 | The origin and early evolution of life in chem... | Life can be viewed as a localized chemical s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12605 | 12606 | Principal Component Analysis for Functional Da... | Functional data analysis on nonlinear manifo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12606 | 12607 | Braids with as many full twists as strands rea... | We characterize the fractional Dehn twist co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12607 | 12608 | The Formal Semantics of Rascal Light | Rascal is a high-level transformation langua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12608 | 12609 | On inverse and right inverse ordered semigroups | A regular ordered semigroup $S$ is called ri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12609 | 12610 | Refining the Two-Dimensional Signed Small Ball... | The two-dimensional signed small ball inequa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12610 | 12611 | The structure, capability and the Schur multip... | From [Problem 1729, Groups of prime power or... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12611 | 12612 | Fractional Brownian markets with time-varying ... | Diffusion processes driven by Fractional Bro... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12612 | 12613 | Experimental GHZ Entanglement beyond Qubits | The Greenberger-Horne-Zeilinger (GHZ) argume... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12613 | 12614 | On global Okounkov bodies of spherical varieties | We define and study the global Okounkov mome... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12614 | 12615 | From the simple reacting sphere kinetic model ... | In this paper we perform a formal asymptotic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12615 | 12616 | Origin of soft glassy rheology in the cytoskel... | Dynamically crosslinked semiflexible biopoly... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12616 | 12617 | Pattern Search Multidimensional Scaling | We present a novel view of nonlinear manifol... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12617 | 12618 | MH370 Burst Frequency Offset Analysis and Impl... | Malaysian Airlines flight MH370 veered off c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12618 | 12619 | Classifying Symmetrical Differences and Tempor... | We investigate the addition of symmetry and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12619 | 12620 | Deep Echo State Network (DeepESN): A Brief Survey | The study of deep recurrent neural networks ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12620 | 12621 | Computational topology of graphs on surfaces | Computational topology is an area that revis... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12621 | 12622 | Identifying hazardousness of sewer pipeline ga... | In this work, we formulated a real-world pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12622 | 12623 | The rational points on certain Abelian varieti... | In this paper, we consider Abelian varieties... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12623 | 12624 | Multivariate inhomogeneous diffusion models wi... | Modeling of longitudinal data often requires... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12624 | 12625 | Stability of patterns in the Abelian sandpile | We show that the patterns in the Abelian san... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12625 | 12626 | Position Heaps for Parameterized Strings | We propose a new indexing structure for para... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12626 | 12627 | Quasi-Steady Model of a Pumping Kite Power System | The traction force of a kite can be used to ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12627 | 12628 | Expansion of pinched hypersurfaces of the Eucl... | We prove convergence results for expanding c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12628 | 12629 | Sound Mixed-Precision Optimization with Rewriting | Finite-precision arithmetic computations fac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12629 | 12630 | Negative thermal expansion and metallophilicit... | We report the synthesis and structural chara... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12630 | 12631 | Quantum Fluctuations along Symmetry Crossover ... | Universal properties of entangled many-body ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12631 | 12632 | Impossibility results on stability of phylogen... | We answer two questions raised by Bryant, Fr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12632 | 12633 | Improved Distributed Degree Splitting and Edge... | The degree splitting problem requires colori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12633 | 12634 | Global geometry and $C^1$ convex extensions of... | Let $E$ be an arbitrary subset of $\mathbb{R... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12634 | 12635 | Interpretable Deep Learning applied to Plant S... | Availability of an explainable deep learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12635 | 12636 | Differentiable Compositional Kernel Learning f... | The generalization properties of Gaussian pr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12636 | 12637 | Airy structures and symplectic geometry of top... | We propose a new approach to the topological... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12637 | 12638 | Multiscale Information Decomposition: Exact Co... | Exploiting the theory of state space models,... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12638 | 12639 | Transforming Speed Sequences into Road Rays on... | Advances in technology have provided ways to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12639 | 12640 | Solitons and geometrical structures in a perfe... | Geometrical aspects of a perfect fluid space... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12640 | 12641 | Hemodynamics of a Bileaflet Mechanical Heart V... | Heart disease is one of leading causes of mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12641 | 12642 | Nonnegative Hermitian vector bundles and Chern... | We show in this article that if a holomorphi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12642 | 12643 | The Ubiquity of Large Graphs and Surprising Ch... | Graph processing is becoming increasingly pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12643 | 12644 | On the classification of four-dimensional grad... | In this paper, we prove some classification ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12644 | 12645 | In-gap bound states induced by a single nonmag... | We have investigated the in-gap bound states... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12645 | 12646 | Gridbot: An autonomous robot controlled by a S... | It is true that the "best" neural network is... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12646 | 12647 | Calculation of thallium hyperfine anomaly | We suggest a method to calculate hyperfine a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12647 | 12648 | Elliptic supersymmetric integrable model and m... | We investigate the elliptic integrable model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12648 | 12649 | Crystalline Electric Field Randomness in the T... | We apply moderate-high-energy inelastic neut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12649 | 12650 | Quadrics and Scherk towers | We investigate the relation between quadrics... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12650 | 12651 | Scalable Greedy Feature Selection via Weak Sub... | Greedy algorithms are widely used for proble... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12651 | 12652 | Budget-Constrained Multi-Armed Bandits with Mu... | We study the multi-armed bandit problem with... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12652 | 12653 | Thermalized Axion Inflation | We analyze the dynamics of inflationary mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12653 | 12654 | A Data-Driven Approach to Extract Connectivity... | Diffusion Tensor Imaging (DTI) is an effecti... | 0 | 0 | 0 | 1 | 1 | 0 |
| 12654 | 12655 | A survey of location inference techniques on T... | The increasing popularity of the social netw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12655 | 12656 | Detection and segmentation of the Left Ventric... | Manual segmentation of the Left Ventricle (L... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12656 | 12657 | Curvature-driven stability of defects in nemat... | Stabilizing defects in liquid-crystal system... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12657 | 12658 | Heterogeneous nucleation of catalyst-free InAs... | We report on the heterogeneous nucleation of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12658 | 12659 | Random Transverse Field Spin-Glass Model on th... | The quantum Ising model with random coupling... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12659 | 12660 | Femtosecond laser inscription of Bragg grating... | Femtosecond laser writing is applied to form... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12660 | 12661 | FORM version 4.2 | We introduce FORM 4.2, a new minor release o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12661 | 12662 | An Analysis of Two Common Reference Points for... | Clinical electroencephalographic (EEG) data ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12662 | 12663 | A Concurrency-Optimal Binary Search Tree | The paper presents the first \emph{concurren... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12663 | 12664 | Controlling seizure propagation in large-scale... | Information transmission in the human brain ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12664 | 12665 | DroidStar: Callback Typestates for Android Cla... | Event-driven programming frameworks, such as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12665 | 12666 | Piezoelectricity for Nondestructive Testing of... | A stress is applied at the flat face and the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12666 | 12667 | ALMA Observations of Starless Core Substructur... | Compact substructure is expected to arise in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12667 | 12668 | Neuron-inspired flexible memristive device on ... | Comprehensive understanding of the world's m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12668 | 12669 | Detecting laws in power subgroups | A group law is said to be detectable in powe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12669 | 12670 | On the Reliable Detection of Concept Drift fro... | Classifiers deployed in the real world opera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12670 | 12671 | Exploiting generalization in the subspaces for... | Due to the lack of enough generalization in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12671 | 12672 | Quasitriangular structure and twisting of the ... | We show that the bicrossproduct model\n$C[SU... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12672 | 12673 | Can simple transmission chains foster collecti... | In many social systems, groups of individual... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12673 | 12674 | A Theoretical Analysis of First Heuristics of ... | Entity resolution (ER) is the task of identi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12674 | 12675 | Dependency resolution and semantic mining usin... | Tree adjoining grammars (TAGs) provide an am... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12675 | 12676 | Loop conditions | We discuss such Maltsev conditions that cons... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12676 | 12677 | Impact of Feature Selection on Micro-Text Clas... | Social media datasets, especially Twitter tw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12677 | 12678 | One-Shot Learning of Multi-Step Tasks from Obs... | Due to burdensome data requirements, learnin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12678 | 12679 | Larger is Better: The Effect of Learning Rates... | In this paper, we propose a simple variant o... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12679 | 12680 | Concerning the Neural Code | The central problem with understanding brain... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12680 | 12681 | Community Question Answering Platforms vs. Twi... | In this paper, we investigate whether text f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12681 | 12682 | SPASS: Scientific Prominence Active Search Sys... | Planetary exploration missions with Mars rov... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12682 | 12683 | Nonlinear Sequential Accepts and Rejects for I... | We address the M-best-arm identification pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12683 | 12684 | A Machine Learning Framework to Forecast Wave ... | A~machine learning framework is developed to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12684 | 12685 | Unobtrusive Deferred Update Stabilization for ... | In this paper we propose a novel approach to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12685 | 12686 | Exploratory Analysis of Pairwise Interactions ... | In the last few decades sociologists were tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12686 | 12687 | Communication-Avoiding Optimization Methods fo... | Across a variety of scientific disciplines, ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12687 | 12688 | Thought Viruses and Asset Prices | We use insights from epidemiology, namely th... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12688 | 12689 | Walking Through Waypoints | We initiate the study of a fundamental combi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12689 | 12690 | Imaging a Central Ionized Component, a Narrow ... | We report Very Large Array observations at 7... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12690 | 12691 | Viconmavlink: A software tool for indoor posit... | Motion capture is a widely-used technology i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12691 | 12692 | On the set of optimal homeomorphisms for the n... | If $\varphi$ and $\psi$ are two continuous r... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12692 | 12693 | A generalization of an identity due to Kimura ... | An identity stated by Kimura and proved by R... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12693 | 12694 | Towards Scalable Spectral Clustering via Spect... | The eigendeomposition of nearest-neighbor (N... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12694 | 12695 | Deep-Learnt Classification of Light Curves | Astronomy light curves are sparse, gappy, an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12695 | 12696 | Bulk crystalline optomechanics | Brillouin processes couple light and sound t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12696 | 12697 | Swift Linked Data Miner: Mining OWL 2 EL class... | In this study, we present Swift Linked Data ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12697 | 12698 | Political Footprints: Political Discourse Anal... | In this paper, we discuss how machine learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12698 | 12699 | Predicting the Quality of Short Narratives fro... | An important and difficult challenge in buil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12699 | 12700 | Fast Approximate Natural Gradient Descent in a... | Optimization algorithms that leverage gradie... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12700 | 12701 | Detecting Casimir torque with an optically lev... | The linear momentum and angular momentum of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12701 | 12702 | About small eigenvalues of Witten Laplacian | We study the eigenvalues of the semiclassica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12702 | 12703 | Partial control of delay-coordinate maps | Delay-coordinate maps have been widely used ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12703 | 12704 | Detecting hip fractures with radiologist-level... | We developed an automated deep learning syst... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12704 | 12705 | Large-Scale Online Semantic Indexing of Biomed... | Background: In this paper we present the app... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12705 | 12706 | Modeling Temporally Evolving and Spatially Glo... | The last decades have seen an unprecedented ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12706 | 12707 | A New Representation of Skeleton Sequences for... | This paper presents a new method for 3D acti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12707 | 12708 | From Abstract Entities in Mathematics to Super... | Given an equivalence relation ~ on a set U, ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12708 | 12709 | A note on effective descent for overconvergent... | In this short note we explain the proof that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12709 | 12710 | Banach strong Novikov conjecture for polynomia... | We prove the Banach strong Novikov conjectur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12710 | 12711 | Fabrication of quencher-free liquid scintillat... | A reliable and consistently reproducible tec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12711 | 12712 | Identification of Voice Utterance with Aging F... | This research was conducted to develop a met... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12712 | 12713 | Single Letter Expression of Capacity for a Cla... | We study finite alphabet channels with Unit ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12713 | 12714 | Spectra of quadratic vector fields on $\mathbb... | Consider a quadratic vector field on $\mathb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12714 | 12715 | A Controlled Set-Up Experiment to Establish Pe... | We design, conduct and present the results o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12715 | 12716 | Continuity of the Green function in meromorphi... | We prove that along any marked point the Gre... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12716 | 12717 | The World's First Real-Time Testbed for Massiv... | This paper sets up a framework for designing... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12717 | 12718 | Fuel-Efficient En Route Formation of Truck Pla... | The problem of how to coordinate a large fle... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12718 | 12719 | Context-Independent Polyphonic Piano Onset Tra... | Many of the recent approaches to polyphonic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12719 | 12720 | On the Implementation of a Scalable Simulator ... | The family of Multiscale Hybrid-Mixed (MHM) ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12720 | 12721 | Deformation theory of the blown-up Seiberg-Wit... | Associated with every quaternionic represent... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12721 | 12722 | On a Fractional Stochastic Hodgkin-Huxley Model | The model studied in this paper is a stochas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12722 | 12723 | Approximations and Bounds for (n, k) Fork-Join... | Compared to basic fork-join queues, a job in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12723 | 12724 | Integrated analysis of energy transfers in ela... | In elastic-wave turbulence, strong turbulenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12724 | 12725 | Effect of annealing on the magnetic properties... | We report on the magnetic properties of zinc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12725 | 12726 | Statistical Speech Model Description with VMF ... | In this paper, we present the LSF parameters... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12726 | 12727 | Predicting Atomic Decay Rates Using an Informa... | We show that a newly proposed Shannon-like e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12727 | 12728 | A Fast Numerical Scheme for the Godunov-Peshko... | A new second-order numerical scheme based on... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12728 | 12729 | Explaining Transition Systems through Program ... | Explaining and reasoning about processes whi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12729 | 12730 | Approximate Gradient Coding via Sparse Random ... | Distributed algorithms are often beset by th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12730 | 12731 | Word Embeddings via Tensor Factorization | Most popular word embedding techniques invol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12731 | 12732 | Lower bounds for the index of compact constant... | Let $M$ be a compact constant mean curvature... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12732 | 12733 | On the maximum principle for a time-fractional... | In this paper, we discuss the maximum princi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12733 | 12734 | Hydrophobic Ice Confined between Graphene and ... | The structure and nature of water confined b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12734 | 12735 | Changes in the flagellar bundling time account... | Although the motility of the flagellated bac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12735 | 12736 | Exploring Heritability of Functional Brain Net... | Data-driven brain parcellations aim to provi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12736 | 12737 | Bianchi type-II universe with wet dark fluid i... | In this paper, dark energy models of the uni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12737 | 12738 | Solutions of generic bilinear master equations... | We obtain the solutions of the generic bilin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12738 | 12739 | Semantic Instance Segmentation with a Discrimi... | Semantic instance segmentation remains a cha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12739 | 12740 | A Cost-Sensitive Deep Belief Network for Imbal... | Imbalanced data with a skewed class distribu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12740 | 12741 | Ordered p-median problems with neighborhoods | In this paper, we introduce a new variant of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12741 | 12742 | Multi-Block Interleaved Codes for Local and Gl... | We define multi-block interleaved codes as c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12742 | 12743 | Ranking Recovery from Limited Comparisons usin... | This paper proposes a new method for solving... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12743 | 12744 | Distributions of a particle's position and the... | In this paper we study the probability distr... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12744 | 12745 | Electrically controllable spin filtering based... | The magnetoelectric effects in the surface s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12745 | 12746 | An Online Development Environment for Answer S... | Recent progress in logic programming (e.g., ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12746 | 12747 | Experience-based Optimization: A Coevolutionar... | This paper studies improving solvers based o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12747 | 12748 | Leveraging the Crowd to Detect and Reduce the ... | Online social networking sites are experimen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12748 | 12749 | Data-efficient Auto-tuning with Bayesian Optim... | Bayesian optimization is proposed for automa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12749 | 12750 | The Global Optimization Geometry of Low-Rank M... | This paper considers general rank-constraine... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12750 | 12751 | Which bridge estimator is optimal for variable... | We study the problem of variable selection f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12751 | 12752 | Network Systems and String Stability | Network systems and their control are highly... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12752 | 12753 | Exploring the Function Space of Deep-Learning ... | The function space of deep-learning machines... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12753 | 12754 | On Geometry of Manifolds with Some Tensor Stru... | The object of study in the present dissertat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12754 | 12755 | Backward-emitted sub-Doppler fluorescence from... | Literature mentions only incidentally a sub-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12755 | 12756 | Dust Density Distribution and Imaging Analysis... | Recent high angular resolution observations ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12756 | 12757 | nIFTy Cosmology: the clustering consistency of... | We present a clustering comparison of 12 gal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12757 | 12758 | The near-critical Gibbs measure of the branchi... | Consider the supercritical branching random ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12758 | 12759 | Graded Lie algebras and regular prehomogeneous... | The aim of this paper is to study relations ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12759 | 12760 | EPIC 210894022b - A short period super-Earth t... | The star EPIC 210894022 has been identified ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12760 | 12761 | Efficient computation of pi by the Newton - Ra... | In our recent publication we have proposed a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12761 | 12762 | Quantum Simulation and Spectroscopy of Entangl... | Entanglement is central to our understanding... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12762 | 12763 | Persistence-like distance on Tamarkin's catego... | We introduce a persistence-like pseudo-dista... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12763 | 12764 | On $q$-commutative power and Laurent series ri... | We continue the first and second authors' st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12764 | 12765 | On risk-sensitive piecewise deterministic Mark... | We consider a piecewise deterministic Markov... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12765 | 12766 | Spectral Clustering Methods for Multiplex Netw... | Multiplex networks offer an important tool f... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12766 | 12767 | Logical properties of random graphs from small... | We establish zero-one laws and convergence l... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12767 | 12768 | Unidirectional zero reflection as gauged parit... | We introduce here the concept of establishin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12768 | 12769 | Gaussian curvature directs the distribution of... | Formation of membrane necks is crucial for f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12769 | 12770 | Divergence, Entropy, Information: An Opinionat... | Information theory is a mathematical theory ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12770 | 12771 | Stochastic Constraint Programming as Reinforce... | Stochastic Constraint Programming (SCP) is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12771 | 12772 | Improving Sparsity in Kernel Adaptive Filters ... | Kernel adaptive filters, a class of adaptive... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12772 | 12773 | An analyst's take on the BPHZ theorem | We provide a self-contained formulation of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12773 | 12774 | A variational-geometric approach for the optim... | Necessary conditions for existence of normal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12774 | 12775 | Development of a compact ExB microchannel plat... | A beam imaging detector was developed by cou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12775 | 12776 | StackSeq2Seq: Dual Encoder Seq2Seq Recurrent N... | A widely studied non-deterministic polynomia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12776 | 12777 | Supervised Deep Hashing for Hierarchical Label... | Recently, hashing methods have been widely u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12777 | 12778 | The growth rates of automaton groups generated... | We give sufficient conditions for when group... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12778 | 12779 | Combinatorial identities and Chern numbers of ... | We present in this article a family of new c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12779 | 12780 | Impact splash chondrule formation during plane... | Chondrules are the dominant bulk silicate co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12780 | 12781 | Z-checker: A Framework for Assessing Lossy Com... | Because of vast volume of data being produce... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12781 | 12782 | Combining the Transcorrelated method with Full... | We suggest an efficient method to resolve el... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12782 | 12783 | Dynamics of quantum information in many-body l... | We characterize the information dynamics of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12783 | 12784 | Correlations in suspensions confined between v... | We study theoretically the velocity cross-co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12784 | 12785 | The Cosmic V-Web | The network of filaments with embedded clust... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12785 | 12786 | Irreducibility and r-th root finding over fini... | Constructing $r$-th nonresidue over a finite... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12786 | 12787 | Competing magnetic interactions in spin-1/2 sq... | With decreasing temperature Sr$_2$VO$_4$ und... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12787 | 12788 | Adaptive Matching for Expert Systems with Unce... | A matching in a two-sided market often incur... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12788 | 12789 | The t-t'-J model in one dimension using extrem... | We study the one dimensional t-t'-J model fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12789 | 12790 | CAOS: Concurrent-Access Obfuscated Store | This paper proposes Concurrent-Access Obfusc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12790 | 12791 | Safe Execution of Concurrent Programs by Enfor... | Automated software verification of concurren... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12791 | 12792 | A Short-Term Voltage Stability Index and case ... | The short-term voltage stability (SVS) probl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12792 | 12793 | The Structure of the Inverse System of Level $... | Macaulay's inverse system is an effective me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12793 | 12794 | Exploring the Role of Intrinsic Nodal Activati... | In many complex networked systems, such as o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12794 | 12795 | The border support rank of two-by-two matrix m... | We show that the border support rank of the ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12795 | 12796 | TPA: Fast, Scalable, and Accurate Method for A... | Given a large graph, how can we determine si... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12796 | 12797 | Novel polystyrene-based nanocomposites by phos... | Polystyrene-based phosphorene nanocomposites... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12797 | 12798 | Analysis and Applications of Delay Differentia... | The main purpose of this paper is to provide... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12798 | 12799 | Planar Drawings of Fixed-Mobile Bigraphs | A fixed-mobile bigraph G is a bipartite grap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12799 | 12800 | Recovery of Architecture Module Views using an... | Design structure matrices (DSMs) are useful ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12800 | 12801 | Implementation and Analysis of QUIC for MQTT | Transport and security protocols are essenti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12801 | 12802 | A Language for Function Signature Representations | Recent work by (Richardson and Kuhn, 2017a,b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12802 | 12803 | Link Adaptation for Wireless Video Communicati... | This PhD thesis considers the performance ev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12803 | 12804 | On the Complexity of Polytopes in $LI(2)$ | In this paper we consider polytopes given by... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12804 | 12805 | Dynamic Sensitivity Study of MEMS Capacitive A... | The dynamic behavior of a capacitive micro-e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12805 | 12806 | Nature of the electromagnetic force between cl... | The Lorentz force law of classical electrody... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12806 | 12807 | Tractability of $\mathbb{L}_2$-approximation i... | We consider multivariate $\mathbb{L}_2$-appr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12807 | 12808 | The Linearity of the Mitchell Order | We show from a weak comparison principle (th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12808 | 12809 | Atomic Order in Non-Equilibrium Silicon-German... | The precise knowledge of the atomic order in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12809 | 12810 | On the Laws of Large Numbers in Possibility Th... | In this paper we obtain some possibilistic v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12810 | 12811 | Finite Sample Inference for Targeted Learning | The Highly-Adaptive-Lasso(HAL)-TMLE is an ef... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12811 | 12812 | A Short and Elementary Proof of the Two-sidedn... | An elementary proof of the two-sidedness of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12812 | 12813 | Rich-Club Ordering and the Dyadic Effect: Two ... | Rich-club ordering and the dyadic effect are... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12813 | 12814 | The global dust modelling framework THEMIS (Th... | Here we introduce the interstellar dust mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12814 | 12815 | Variable Selection Methods for Model-based Clu... | Model-based clustering is a popular approach... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12815 | 12816 | Synergies between Asteroseismology and Exoplan... | Over the past decade asteroseismology has be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12816 | 12817 | The stellar contents and star formation in the... | Deep optical photometric data on the NGC 753... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12817 | 12818 | Ambiguity set and learning via Bregman and Was... | Construction of ambiguity set in robust opti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12818 | 12819 | 1-bit Massive MU-MIMO Precoding in VLSI | Massive multiuser (MU) multiple-input multip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12819 | 12820 | Step evolution in two-dimensional diblock copo... | The formation and dynamics of free-surface s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12820 | 12821 | The univalence axiom in cubical sets | In this note we show that Voevodsky's unival... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12821 | 12822 | Assessing the Privacy Cost in Centralized Even... | Demand response (DR) programs have emerged a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12822 | 12823 | Threat Modeling Data Analysis in Socio-technic... | Our decision-making processes are becoming m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12823 | 12824 | Nonlinear Instability of Half-Solitons on Star... | We consider a half-soliton stationary state ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12824 | 12825 | Demographics and discussion influence views on... | The field of algorithmic fairness has highli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12825 | 12826 | The stifness of the supranuclear equation of s... | We revisit the present status of the stiffne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12826 | 12827 | Stable Desynchronization for Wireless Sensor N... | In this paper, we use dynamical systems to a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12827 | 12828 | Optimizing Adiabatic Quantum Program Compilati... | Adiabatic quantum computing has evolved in r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12828 | 12829 | Analysis of pedestrian behaviors through non-i... | This paper analyzes pedestrians' behavioral ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12829 | 12830 | Open Gromov-Witten theory without Obstruction | We define Open Gromov-Witten invariants coun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12830 | 12831 | Resilience of Complex Networks | This article determines and characterizes th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12831 | 12832 | Forward Thinking: Building and Training Neural... | We present a general framework for training ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12832 | 12833 | Non-negative Tensor Factorization for Human Be... | Multiplayer online battle arena has become a... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12833 | 12834 | Graph-Cut RANSAC | A novel method for robust estimation, called... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12834 | 12835 | Mixed measurements and the detection of phase ... | Multivariate singular spectrum analysis (M-S... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12835 | 12836 | A Unified Neural Network Approach for Estimati... | In building intelligent transportation syste... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12836 | 12837 | Lion and man in non-metric spaces | A lion and a man move continuously in a spac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12837 | 12838 | Banach Algebra of Complex Bounded Radon Measur... | Let $ H $ be a compact subgroup of a locally... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12838 | 12839 | A Simple Fusion of Deep and Shallow Learning f... | In the past, Acoustic Scene Classification s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12839 | 12840 | Online Convex Optimization with Unconstrained ... | We propose an online convex optimization alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12840 | 12841 | A Variational Feature Encoding Method of 3D Ob... | This paper presents a feature encoding metho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12841 | 12842 | Dimensionality reduction methods for molecular... | Molecular simulations produce very high-dime... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12842 | 12843 | Exploration--Exploitation in MDPs with Options | While a large body of empirical results show... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12843 | 12844 | Pressure induced spin crossover in disordered ... | Structural, magnetic and electrical-transpor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12844 | 12845 | Central Limit Theorem for empirical transporta... | We consider the problem of optimal transport... | 0 | 0 | 1 | 1 | 0 | 0 |
| 12845 | 12846 | Characterization of temperatures associated to... | Let $\mathcal{L}$ be a Schrödinger operator ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12846 | 12847 | Dynamic-sensitive cooperation in the presence ... | The importance of microscopic details on coo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12847 | 12848 | Inference in Graphical Models via Semidefinite... | Maximum A posteriori Probability (MAP) infer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12848 | 12849 | A Hybrid Approach using Ontology Similarity an... | One of the challenges in information retriev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12849 | 12850 | Scalable multimodal convolutional networks for... | Brain tumour segmentation plays a key role i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12850 | 12851 | Fermionic projected entangled-pair states and ... | We study fermionic matrix product operator a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12851 | 12852 | Exact collisional moments for plasma fluid the... | The velocity-space moments of the often trou... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12852 | 12853 | What is Unique in Individual Gait Patterns? Un... | Machine learning (ML) techniques such as (de... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12853 | 12854 | On the ground state of spiking network activit... | Electrophysiological recordings of spiking a... | 0 | 0 | 0 | 1 | 1 | 0 |
| 12854 | 12855 | Inferring Information Flow in Spike-train Data... | Understanding information processing in the ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12855 | 12856 | Correlated Components Analysis - Extracting Re... | How does one find dimensions in multivariate... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12856 | 12857 | Defining and estimating stochastic rate change... | Rate change calculations in the literature i... | 0 | 0 | 0 | 0 | 0 | 1 |
| 12857 | 12858 | Teacher Improves Learning by Selecting a Train... | We call a learner super-teachable if a teach... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12858 | 12859 | Photospheric Emission of Gamma-Ray Bursts | We review the physics of GRB production by r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12859 | 12860 | GPU acceleration and performance of the partic... | Elegant is an accelerator physics and partic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12860 | 12861 | Short-distance breakdown of the Higgs mechanis... | Through the Higgs mechanism, the long-range ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12861 | 12862 | The Massey's method for sport rating: a networ... | We revisit the Massey's method for rating an... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12862 | 12863 | Pharmacokinetics Simulations for Studying Corr... | A key objective in two phase 2b AMP clinical... | 0 | 0 | 0 | 1 | 1 | 0 |
| 12863 | 12864 | Magellan/M2FS Spectroscopy of Galaxy Clusters:... | We report the results of a pilot program to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12864 | 12865 | Parametric Decay Instability and Dissipation o... | Evolution of the parametric decay instabilit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12865 | 12866 | Generalised model-independent characterisation... | (shortened) We determine the transformation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12866 | 12867 | Properties of interaction networks, structure ... | In structured populations the spatial arrang... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12867 | 12868 | Optimized Household Demand Management with Loc... | Demand Side Management (DSM) strategies are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12868 | 12869 | Interaction-Based Distributed Learning in Cybe... | In this paper we consider a network scenario... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12869 | 12870 | EC3: Combining Clustering and Classification f... | Classification and clustering algorithms hav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12870 | 12871 | A review of possible effects of cognitive bias... | This paper investigates to what extent cogni... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12871 | 12872 | High-Tc superconductivity up to 55 K under hig... | We report a high-pressure study on the heavi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12872 | 12873 | Existence theorems for a nonlinear second-orde... | In this work, we are concerned with existenc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12873 | 12874 | Spatial coherence measurement and partially co... | The complete characterization of spatial coh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12874 | 12875 | SPECTRE: Seedless Network Alignment via Spectr... | Network alignment consists of finding a corr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12875 | 12876 | An efficient genetic algorithm for large-scale... | An industrial indoor environment is harsh fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12876 | 12877 | Feature selection algorithm based on Catastrop... | In this paper we introduce a new feature sel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12877 | 12878 | Neobility at SemEval-2017 Task 1: An Attention... | This paper describes a neural-network model ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12878 | 12879 | Coherent extension of partial automorphisms, f... | We give strengthened versions of the Herwig-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12879 | 12880 | Homological indices of collections of 1-forms | Homological index of a holomorphic 1-form on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12880 | 12881 | An age-structured continuum model for myxobact... | Myxobacteria are social bacteria, that can g... | 0 | 1 | 1 | 0 | 0 | 0 |
| 12881 | 12882 | Smoothing Properties of Bilinear Operators and... | We prove that bilinear fractional integral o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12882 | 12883 | Local equilibrium in the Bak-Sneppen model | The Bak Sneppen (BS) model is a very simple ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12883 | 12884 | Ribbon structures of the Drinfeld center of a ... | We classify the ribbon structures of the Dri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12884 | 12885 | X-ray luminescence computed tomography using a... | Due to the low X-ray photon utilization effi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12885 | 12886 | Perturbed Kitaev model: excitation spectrum an... | We developed general approach to the calcula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12886 | 12887 | FreezeOut: Accelerate Training by Progressivel... | The early layers of a deep neural net have t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12887 | 12888 | Stochastic Subsampling for Factorizing Huge Ma... | We present a matrix-factorization algorithm ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 12888 | 12889 | Just ASK: Building an Architecture for Extensi... | This paper presents the design of the machin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12889 | 12890 | Scaling, Scattering, and Blackbody Radiation i... | Here we discuss blackbody radiation within t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12890 | 12891 | Critical binomial ideals of Norhtcott type | In this paper, we study a family of binomial... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12891 | 12892 | Clustering of Magnetic Swimmers in a Poiseuill... | We investigate the collective behavior of ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12892 | 12893 | A Time-Spectral Method for Initial-Value Probl... | We analyse a new subdomain scheme for a time... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12893 | 12894 | Stein Variational Adaptive Importance Sampling | We propose a novel adaptive importance sampl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12894 | 12895 | Closure operators on dcpos | We examine collective properties of closure ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12895 | 12896 | Multi-Agent Coverage Control with Energy Deple... | We develop a hybrid system model to describe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12896 | 12897 | Self-injective commutative rings have no nontr... | We establish a link between trace modules an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12897 | 12898 | Origin of the Drude peak and of zero sound in ... | At zero temperature, the charge current oper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12898 | 12899 | Multiscale dynamical network mechanisms underl... | How self-organized networks develop, mature ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12899 | 12900 | Theoretical calculations for precision polarim... | Electron polarimeters based on Mott scatteri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12900 | 12901 | An Online Hierarchical Algorithm for Extreme C... | Many modern clustering methods scale well to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12901 | 12902 | Wave and Dirac equations on manifolds | We review some recent results on geometric e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12902 | 12903 | The Efimov effect for heteronuclear three-body... | We study the recombination process of three ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12903 | 12904 | Mean-Field Controllability and Decentralized S... | This paper, the second of a two-part series,... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12904 | 12905 | The kinematics of σ-drop bulges from spectral ... | A minimum in stellar velocity dispersion is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12905 | 12906 | Algorithms and Architecture for Real-time Reco... | Recommendation systems are recognised as bei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12906 | 12907 | A Physics Tragedy | The measurement problem and three other vexi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12907 | 12908 | Dynamical Mass Generation in Pseudo Quantum El... | We describe dynamical symmetry breaking in a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12908 | 12909 | Computational Methods for Path-based Robust Flows | Real world networks are often subject to sev... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12909 | 12910 | A game theoretic approach to a network cloud s... | The use of game theory in the design and con... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12910 | 12911 | A Survey of the State-of-the-Art Parallel Mult... | Evolutionary modeling applications are the b... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12911 | 12912 | Learning Wasserstein Embeddings | The Wasserstein distance received a lot of a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12912 | 12913 | Contextual Stochastic Block Models | We provide the first information theoretic t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12913 | 12914 | Tensor Regression Meets Gaussian Processes | Low-rank tensor regression, a new model clas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12914 | 12915 | Tensor Networks for Latent Variable Analysis: ... | The Canonical Polyadic decomposition (CPD) i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12915 | 12916 | Social Learning and Diffusion of Pervasive Goo... | In this study, the authors develop a structu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12916 | 12917 | Dynamic correlations at different time-scales ... | The Empirical Mode Decomposition (EMD) provi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12917 | 12918 | Order-disorder transitions in lattice gases wi... | We study equilibrium properties of catalytic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12918 | 12919 | Spherical CNNs | Convolutional Neural Networks (CNNs) have be... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12919 | 12920 | The Kelvin-Helmholtz instability in the Orion ... | The recent observations of rippled structure... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12920 | 12921 | Holography and Koszul duality: the example of ... | Si Li and author suggested in that, in some ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12921 | 12922 | Uniqueness of the power of a meromorphic funct... | This paper is devoted to the uniqueness prob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12922 | 12923 | Link between the Superconducting Dome and Spin... | We measure the gate voltage ($V_g$) dependen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12923 | 12924 | On the Dynamics of Deterministic Epidemic Prop... | In this work we review a class of determinis... | 1 | 1 | 1 | 0 | 0 | 0 |
| 12924 | 12925 | Comparison of Multiple Features and Modeling M... | Text-dependent speaker verification is becom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12925 | 12926 | Estimation of lactate threshold with machine l... | Lactate threshold is considered an essential... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12926 | 12927 | A Coin-Tossing Conundrum | It is shown that an equiprobability hypothes... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12927 | 12928 | Meridian Surfaces on Rotational Hypersurfaces ... | We construct a special class of Lorentz surf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12928 | 12929 | Hybrid Optimization Method for Reconfiguration... | Since the limited power capacity, finite ine... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12929 | 12930 | Looking at Outfit to Parse Clothing | This paper extends fully-convolutional neura... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12930 | 12931 | Mermin-Wagner physics, (H,T) phase diagram, an... | Ba$_8$CoNb$_6$O$_{24}$ presents a system who... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12931 | 12932 | Most Complex Non-Returning Regular Languages | A regular language $L$ is non-returning if i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12932 | 12933 | ArtGAN: Artwork Synthesis with Conditional Cat... | This paper proposes an extension to the Gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12933 | 12934 | Polynomial bound for the nilpotency index of f... | Working over an infinite field of positive c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12934 | 12935 | CFAAR: Control Flow Alteration to Assist Repair | We present CFAAR, a program repair assistanc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12935 | 12936 | Cross-Sentence N-ary Relation Extraction with ... | Past work in relation extraction has focused... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12936 | 12937 | Community Interaction and Conflict on the Web | Users organize themselves into communities o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12937 | 12938 | Recurrence network measures for hypothesis tes... | Recurrence networks and the associated stati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12938 | 12939 | Diffraction-limited plenoptic imaging with cor... | Traditional optical imaging faces an unavoid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12939 | 12940 | Binary Classification with Karmic, Threshold-Q... | Complex performance measures, beyond the pop... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12940 | 12941 | Learning from Noisy Label Distributions | In this paper, we consider a novel machine l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12941 | 12942 | Commissioning of FLAG: A phased array feed for... | Phased Array Feed (PAF) technology is the ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12942 | 12943 | Arithmetic representations of fundamental grou... | Let $X$ be a normal algebraic variety over a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12943 | 12944 | Optimization over Degree Sequences | We introduce and study the problem of optimi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12944 | 12945 | Interferometric Monitoring of Gamma-ray Bright... | We present the results of very long baseline... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12945 | 12946 | Parabolic equations with natural growth approx... | In this paper we study several aspects relat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12946 | 12947 | Excitonic gap generation in thin-film topologi... | In this work, we analyze the excitonic gap g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12947 | 12948 | Constructive Preference Elicitation over Hybri... | Preference elicitation is the task of sugges... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12948 | 12949 | Ginzburg-Landau equations on Riemann surfaces ... | We study the Ginzburg-Landau equations on Ri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12949 | 12950 | On the Hamming Auto- and Cross-correlation Fun... | In this paper, a new class of frequency hopp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12950 | 12951 | Scikit-Multiflow: A Multi-output Streaming Fra... | Scikit-multiflow is a multi-output/multi-lab... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12951 | 12952 | Deep Learning on Operational Facility Data Rel... | Distributed computing platforms provide a ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12952 | 12953 | The Rational Sectional Category of Certain Uni... | We prove that the sectional category of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12953 | 12954 | Characterising exo-ringsystems around fast-rot... | Planetary rings produce a distinct shape dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12954 | 12955 | Learning a Generative Model of Cancer Metastasis | We introduce a Unified Disentanglement Netwo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12955 | 12956 | Joint User Selection and Energy Minimization f... | This paper provides a unified framework to d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12956 | 12957 | On Sidorenko's conjecture for determinants and... | We study a class of determinant inequalities... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12957 | 12958 | Identifying Irregular Power Usage by Turning P... | Power grids are critical infrastructure asse... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12958 | 12959 | A model of reward-modulated motor learning wit... | Many recent studies of the motor system are ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12959 | 12960 | A de Sitter limit analysis for dark energy and... | The effective field theory of dark energy an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12960 | 12961 | Empirical Analysis on Comparing the Performanc... | Process-Aware Information Systems (PAIS) is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12961 | 12962 | Cross-modal Deep Metric Learning with Multi-ta... | DNN-based cross-modal retrieval has become a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12962 | 12963 | $W$-entropy formulas on super Ricci flows and ... | In this survey paper, we give an overview of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12963 | 12964 | Cancellable elements of the lattice of semigro... | We completely determine all commutative semi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12964 | 12965 | Know-Evolve: Deep Temporal Reasoning for Dynam... | The availability of large scale event data w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12965 | 12966 | Mechanisms of dimensionality reduction and dec... | Deep neural networks are widely used in vari... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12966 | 12967 | Detecting Strong Ties Using Network Motifs | Detecting strong ties among users in social ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 12967 | 12968 | Streaming Weak Submodularity: Interpreting Neu... | In many machine learning applications, it is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12968 | 12969 | Staging superstructures in high-$T_c$ Sr/O co-... | We present high energy X-ray diffraction stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12969 | 12970 | Interface magnetism and electronic structure: ... | We have studied the structural, electronic a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12970 | 12971 | Bloch-type spaces and extended Cesàro operator... | Let $\mathbb{B}$ be the unit ball of a compl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12971 | 12972 | Alchemist: An Apache Spark <=> MPI Interface | The Apache Spark framework for distributed c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12972 | 12973 | Compositional (In)Finite Abstractions for Larg... | This paper is concerned with a compositional... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12973 | 12974 | Infinitely generated symbolic Rees algebras ov... | For the polynomial ring over an arbitrary fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12974 | 12975 | Latent Constraints: Learning to Generate Condi... | Deep generative neural networks have proven ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12975 | 12976 | Characterization of Zinc oxide & Aluminum Ferr... | Zinc oxide and Aluminum Ferrite were prepare... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12976 | 12977 | Poisson Structures and Potentials | We introduce a notion of weakly log-canonica... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12977 | 12978 | The closure of ideals of $\boldsymbol{\ell^1(Σ... | If $X$ is a compact Hausdorff space and $\si... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12978 | 12979 | An alternative quadratic formula | The classical quadratic formula and some of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12979 | 12980 | Sound event detection using weakly-labeled sem... | In this paper, we present a gated convolutio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12980 | 12981 | Inflationary $α$-attractor cosmology: A global... | We study flat FLRW $\alpha$-attractor $\math... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12981 | 12982 | Symmetric Convex Sets with Minimal Gaussian Su... | Let $\Omega\subset\mathbb{R}^{n+1}$ have min... | 1 | 0 | 1 | 0 | 0 | 0 |
| 12982 | 12983 | Advancements in Continuum Approximation Models... | Continuum Approximation (CA) is an efficient... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12983 | 12984 | On a free boundary problem and minimal surfaces | From minimal surfaces such as Simons' cone a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12984 | 12985 | Storing and retrieving long-term memories: coo... | We first review traditional approaches to me... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12985 | 12986 | An algorithm for removing sensitive informatio... | Predictive modeling is increasingly being em... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12986 | 12987 | A Question Answering Approach to Emotion Cause... | Emotion cause extraction aims to identify th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12987 | 12988 | Convolutional Graph Auto-encoder: A Deep Gener... | Machine Learning on graph-structured data is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12988 | 12989 | Quasisymmetrically co-Hopfian Sierpiński Space... | A metric space $X$ is quasisymmetrically co-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12989 | 12990 | Localization properties and high-fidelity stat... | We investigate a tight-binding electronic ch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12990 | 12991 | On consistency of optimal pricing algorithms i... | We study revenue optimization learning algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12991 | 12992 | City-wide Analysis of Electronic Health Record... | The occurrence of drug-drug-interactions (DD... | 1 | 0 | 0 | 1 | 1 | 0 |
| 12992 | 12993 | A remark on the disorienting of species due to... | In this article we study the stabilizing of ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 12993 | 12994 | Fourier optimization and prime gaps | We investigate some extremal problems in Fou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 12994 | 12995 | An Interpretable Knowledge Transfer Model for ... | Knowledge bases are important resources for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12995 | 12996 | Vecchia approximations of Gaussian-process pre... | Gaussian processes (GPs) are highly flexible... | 0 | 0 | 0 | 1 | 0 | 0 |
| 12996 | 12997 | Long-Term Sequential Prediction Using Expert A... | For the prediction with experts' advice sett... | 1 | 0 | 0 | 1 | 0 | 0 |
| 12997 | 12998 | AMBER: Adaptive Multi-Batch Experience Replay ... | In this paper, a new adaptive multi-batch ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 12998 | 12999 | Magnetic states of MnP: muon-spin rotation stu... | Muon-spin rotation data collected at ambient... | 0 | 1 | 0 | 0 | 0 | 0 |
| 12999 | 13000 | The Hyper Suprime-Cam Software Pipeline | In this paper, we describe the optical imagi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13000 | 13001 | Plasma-based wakefield accelerators as sources... | We estimate the average flux density of mini... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13001 | 13002 | The Large D Limit of Planar Diagrams | We show that in $\text{O}(D)$ invariant matr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13002 | 13003 | Trajectory Tracking Control of a Flexible Spin... | The Underactuated Lightweight Tensegrity Rob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13003 | 13004 | Noncoherent Analog Network Coding using LDPC-c... | Analog network coding (ANC) is a throughput ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13004 | 13005 | Feature selection in weakly coherent matrices | A problem of paramount importance in both pu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13005 | 13006 | Learning to Detect and Mitigate Cross-layer At... | Security threats such as jamming and route m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13006 | 13007 | MHD Turbulence in spin-down flows of liquid me... | Intense spin-down flows allow one to reach h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13007 | 13008 | Lifelong Multi-Agent Path Finding for Online P... | The multi-agent path-finding (MAPF) problem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13008 | 13009 | Examples of finite dimensional algebras which ... | We construct a matrix algebra $\Lambda(A,B)$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13009 | 13010 | Learning retrosynthetic planning through self-... | The problem of retrosynthetic planning can b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13010 | 13011 | Real-space analysis of scanning tunneling micr... | A sparse modeling approach is proposed for a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13011 | 13012 | Scattered light intensity measurements of plas... | Polydimethylsiloxane (PDMS) films possess di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13012 | 13013 | A hierarchical Bayesian model for predicting e... | Identifying undocumented or potential future... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13013 | 13014 | Progressive and Multi-Path Holistically Nested... | Pathological lung segmentation (PLS) is an i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13014 | 13015 | On the Helium fingers in the intracluster medium | In this paper we investigate the convection ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13015 | 13016 | Absolute frequency determination of molecular ... | We present absolute frequency measurement of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13016 | 13017 | Inference-Based Similarity Search in Randomize... | Similarity search is essential to many impor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13017 | 13018 | Sublinear elliptic problems under radiality. H... | Let $\L $ be the Laplace operator on $\R ^d$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13018 | 13019 | Bayesian Uncertainty Directed Trial Designs | Most Bayesian response-adaptive designs unba... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13019 | 13020 | Wasserstein Learning of Deep Generative Point ... | Point processes are becoming very popular in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13020 | 13021 | Interior Structures and Tidal Heating in the T... | With seven planets, the TRAPPIST-1 system ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13021 | 13022 | A Driver-in-the Loop Fuel Economic Control Str... | In this paper, we focus on developing driver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13022 | 13023 | A General and Adaptive Robust Loss Function | We present a generalization of the Cauchy/Lo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13023 | 13024 | Asymptotically Efficient Estimation of Smooth ... | Let $X$ be a centered Gaussian random variab... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13024 | 13025 | Evolution of magnetic and dielectric propertie... | We report the evolution of structural, magne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13025 | 13026 | Regular Intersecting Families | We call a family of sets intersecting, if an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13026 | 13027 | Stochastic Maximum Likelihood Optimization via... | This work explores maximum likelihood optimi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13027 | 13028 | Magnetic resonance of rubidium atoms passing t... | We measured the magnetic resonance of rubidi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13028 | 13029 | Fast multi-output relevance vector regression | This paper aims to decrease the time complex... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13029 | 13030 | Computing LPMLN Using ASP and MLN Solvers | LPMLN is a recent addition to probabilistic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13030 | 13031 | Explainable AI: Beware of Inmates Running the ... | In his seminal book `The Inmates are Running... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13031 | 13032 | Building Emotional Machines: Recognizing Image... | An image is a very effective tool for convey... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13032 | 13033 | Soft Rough Graphs | Soft set theory and rough set theory are mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13033 | 13034 | PPMF: A Patient-based Predictive Modeling Fram... | To date, developing a good model for early i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13034 | 13035 | Zeros of real random polynomials spanned by OPUC | Let \( \{\varphi_i\}_{i=0}^\infty \) be a se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13035 | 13036 | Indirect observation of molecular disassociati... | The molecular dynamics of solid benzene are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13036 | 13037 | Green's function-based control-oriented modeli... | In this paper, we propose a novel approach t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13037 | 13038 | Hilbert Bases and Lecture Hall Partitions | In the interest of finding the minimum addit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13038 | 13039 | CLUBB-SILHS: A parameterization of subgrid var... | This document provides a detailed overview o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13039 | 13040 | Relative Entropy in CFT | By using Araki's relative entropy, Lieb's co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13040 | 13041 | Approximate Supermodularity Bounds for Experim... | This work provides performance guarantees fo... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13041 | 13042 | A new precision measurement of the α-decay hal... | A laboratory measurement of the $\alpha$-dec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13042 | 13043 | Online Inverse Reinforcement Learning via Bell... | This paper develops an online inverse reinfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13043 | 13044 | SchNet: A continuous-filter convolutional neur... | Deep learning has the potential to revolutio... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13044 | 13045 | Generalized magnetic mirrors | We propose generalized magnetic mirrors that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13045 | 13046 | Cryogenic readout for multiple VUV4 Multi-Pixe... | We present the performances and characteriza... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13046 | 13047 | A Scalable Deep Neural Network Architecture fo... | One of the key technologies for future large... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13047 | 13048 | A latent spatial factor approach for synthesiz... | Background: Opioid misuse is a major public ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13048 | 13049 | The Cost of Transportation : Spatial Analysis ... | The geography of fuel prices has many variou... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13049 | 13050 | Optimal Multi-Object Segmentation with Novel G... | Shape priors have been widely utilized in me... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13050 | 13051 | Discovery of water at high spectral resolution... | We report the detection of water absorption ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13051 | 13052 | A strengthened inequality of Alon-Babai-Suzuki... | Let $K=\{k_1,k_2,\ldots,k_r\}$ and $L=\{l_1,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13052 | 13053 | Traditional and Heavy-Tailed Self Regularizati... | Random Matrix Theory (RMT) is applied to ana... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13053 | 13054 | Interfacial Mechanical Behaviors in Carbon Nan... | Interface widely exists in carbon nanotube (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13054 | 13055 | Learning a Latent Space of Multitrack Measures | Discovering and exploring the underlying str... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13055 | 13056 | Multimodal Affect Analysis for Product Feedbac... | Consumers often react expressively to produc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13056 | 13057 | Distributed Learning for Cooperative Inference | We study the problem of cooperative inferenc... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13057 | 13058 | Selection of training populations (and other s... | Optimal subset selection is an important tas... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13058 | 13059 | CERES in Propositional Proof Schemata | Cut-elimination is one of the most famous pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13059 | 13060 | A Schur decomposition reveals the richness of ... | An improved understanding of turbulence is e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13060 | 13061 | Parametrizing filters of a CNN with a GAN | It is commonly agreed that the use of releva... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13061 | 13062 | Monolayer FeSe on SrTiO$_3$ | Epitaxial engineering of solid-state heteroi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13062 | 13063 | A Fast and Scalable Joint Estimator for Learni... | Estimating multiple sparse Gaussian Graphica... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13063 | 13064 | Quantum Spin Liquids Unveil the Genuine Mott S... | The Widom line identifies the locus in the p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13064 | 13065 | Parameter and State Estimation in Queues and R... | This is an annotated bibliography on estimat... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13065 | 13066 | Towards a Social Virtual Reality Learning Envi... | Virtual Learning Environments (VLEs) are spa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13066 | 13067 | L2 Regularization versus Batch and Weight Norm... | Batch Normalization is a commonly used trick... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13067 | 13068 | Bitwise Operations of Cellular Automaton on Gr... | Cellular Automata (CA) theory is a discrete ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13068 | 13069 | Deep Convolutional Framelets: A General Deep L... | Recently, deep learning approaches with vari... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13069 | 13070 | Enhanced bacterial swimming speeds in macromol... | The locomotion of swimming bacteria in simpl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13070 | 13071 | An Algebraic Treatment of Recursion | I review the three principal methods to assi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13071 | 13072 | On Approximation for Fractional Stochastic Par... | This paper gives the exact solution in terms... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13072 | 13073 | Learning Structural Node Embeddings Via Diffus... | Nodes residing in different parts of a graph... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13073 | 13074 | Excitonic mass gap in uniaxially strained grap... | We study the conditions for spontaneously ge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13074 | 13075 | On spectral properties of high-dimensional spa... | Spatial-sign covariance matrix (SSCM) is an ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13075 | 13076 | Decoupled Potential Integral Equations for Ele... | Recent work on developing novel integral equ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13076 | 13077 | High-field transport properties of a P-doped B... | High temperature (high-Tc) superconductors l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13077 | 13078 | Construction of and efficient sampling from th... | Simplicial complexes are now a popular alter... | 0 | 1 | 1 | 1 | 0 | 0 |
| 13078 | 13079 | Local and 2-local derivations and automorphism... | The present paper is devoted to local and 2-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13079 | 13080 | RodFIter: Attitude Reconstruction from Inertia... | Rigid motion computation or estimation is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13080 | 13081 | Influence Networks in International Relations | Measuring influence and determining what dri... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13081 | 13082 | Incorporating Feedback into Tree-based Anomaly... | Anomaly detectors are often used to produce ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13082 | 13083 | Towards An Adaptive Compliant Aerial Manipulat... | As roles for unmanned aerial vehicles (UAV) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13083 | 13084 | On the number of inequivalent Gabidulin codes | Maximum rank-distance (MRD) codes are extrem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13084 | 13085 | A Connection Between Mixing and Kac's Chaos | The Boltzmann equation is an integro-differe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13085 | 13086 | The aCORN Backscatter-Suppressed Beta Spectrom... | Backscatter of electrons from a beta spectro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13086 | 13087 | Deterministic Browser | Timing attacks have been a continuous threat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13087 | 13088 | Can Transfer Entropy Infer Causality in Neuron... | Finding the causes to observed effects and e... | 1 | 0 | 0 | 0 | 1 | 0 |
| 13088 | 13089 | Solvability of the Stokes Immersed Boundary Pr... | We study coupled motion of a 1-D closed elas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13089 | 13090 | Nonlinear Field Space Cosmology | We consider the FRW cosmological model in wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13090 | 13091 | Futuristic Classification with Dynamic Referen... | Classification is one of the widely used ana... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13091 | 13092 | On the normal centrosymmetric Nonnegative inve... | We give sufficient conditions of the nonnega... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13092 | 13093 | Spectral Dynamics of Learning Restricted Boltz... | The Restricted Boltzmann Machine (RBM), an i... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13093 | 13094 | Local energy decay for Lipschitz wavespeeds | We prove a logarithmic local energy decay ra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13094 | 13095 | Linear stability and stability of Lazarsfeld-M... | Let $C$ be a smooth irreducible projective c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13095 | 13096 | Bayesian Optimization Using Domain Knowledge o... | Controllers in robotics often consist of exp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13096 | 13097 | Comparison of multi-task convolutional neural ... | Toxicity analysis and prediction are of para... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13097 | 13098 | SIFM: A network architecture for seamless flow... | This paper deals with cellular (e.g. LTE) ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13098 | 13099 | Graph sampling with determinantal processes | We present a new random sampling strategy fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13099 | 13100 | Grundy dominating sequences and zero forcing sets | In a graph $G$ a sequence $v_1,v_2,\dots,v_m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13100 | 13101 | Comments on `High-dimensional simultaneous inf... | We provide comments on the article "High-dim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13101 | 13102 | Robust Bayesian Model Selection for Variable C... | Variable clustering is important for explana... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13102 | 13103 | On the universality of MOG weak field approxim... | In its weak field limit, Scalar-tensor-vecto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13103 | 13104 | Much Faster Algorithms for Matrix Scaling | We develop several efficient algorithms for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13104 | 13105 | Cooperative "folding transition" in the sequen... | In the protein sequence space, natural prote... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13105 | 13106 | Thermal Molecular Focusing: Tunable Cross Effe... | The control of solute fluxes through either ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13106 | 13107 | Shallow water modeling of rolling pad instabil... | Magnetohydrodynamically induced interface in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13107 | 13108 | Near-Optimal Clustering in the $k$-machine model | The clustering problem, in its many variants... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13108 | 13109 | Solving (most) of a set of quadratic equalitie... | We develop procedures, based on minimization... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13109 | 13110 | Edge-Based Recognition of Novel Objects for Ro... | In this paper, we investigate the problem of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13110 | 13111 | Surface Normals in the Wild | We study the problem of single-image depth e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13111 | 13112 | Piecewise excluding geodesic languages | The complexity of a geodesic language has co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13112 | 13113 | Deep Learning with Domain Adaptation for Accel... | Purpose: The radial k-space trajectory is a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13113 | 13114 | Automation in Human-Machine Networks: How Incr... | Efficient human-machine networks require pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13114 | 13115 | Comment on "On the nature of magnetic stripes ... | Dynamics reduces the orthorhombicity of magn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13115 | 13116 | Logically Isolated, Actually Unpredictable? Me... | Ideally, by enabling multi-tenancy, network ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13116 | 13117 | Analysis of a nonlinear importance sampling sc... | The Bayesian estimation of the unknown param... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13117 | 13118 | On Axiomatizability of the Multiplicative Theo... | The multiplicative theory of a set of number... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13118 | 13119 | On Bivariate Discrete Weibull Distribution | Recently, Lee and Cha (2015, `On two general... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13119 | 13120 | Parabolic induction in characteristic p | Let G be the group of rational points of a r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13120 | 13121 | Linear polygraphs applied to categorification | We introduce two applications of polygraphs ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13121 | 13122 | Viable tensor-to-scalar ratio in a symmetric m... | Matter bounces refer to scenarios wherein th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13122 | 13123 | Approximate Ripple Carry and Carry Lookahead A... | Approximate ripple carry adders (RCAs) and c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13123 | 13124 | On the Robustness and Asymptotic Properties fo... | The normality assumption on data set is very... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13124 | 13125 | Solving internal covariate shift in deep learn... | This work proposes a novel solution to the p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13125 | 13126 | Correlating the nanostructure of Al-oxide with... | This work is concerned with Al/Al-oxide(AlO$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13126 | 13127 | Senior Project Management System: Requirements... | Senior project is a typical essential course... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13127 | 13128 | Simulation of Matrix Product State on a Quantu... | The study of tensor network theory is an imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13128 | 13129 | Deep Generative Models with Learnable Knowledg... | The broad set of deep generative models (DGM... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13129 | 13130 | A Proximity-Aware Hierarchical Clustering of F... | In this paper, we propose an unsupervised fa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13130 | 13131 | Acoustic emission source localization in thin ... | This paper presents a new acoustic emission ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13131 | 13132 | Asymptotically Optimal Multi-Paving | Anderson's paving conjecture, now known to h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13132 | 13133 | Meeting the Challenges of Modeling Astrophysic... | We describe the AMReX suite of astrophysics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13133 | 13134 | Eliminating the unit constant in the Lambek ca... | We present a translation of the Lambek calcu... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13134 | 13135 | Robust Distributed Planar Formation Control fo... | We present a distributed formation control s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13135 | 13136 | Dual Based DSP Bidding Strategy and its Applic... | In recent years, RTB(Real Time Bidding) beco... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13136 | 13137 | Residual Gated Graph ConvNets | Graph-structured data such as social network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13137 | 13138 | User-driven mobile robot storyboarding: Learni... | This paper describes a novel storyboarding s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13138 | 13139 | Habitability of Exoplanetary Systems | The aim of my dissertation is to investigate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13139 | 13140 | The HST Large Program on Omega Centauri. I. Mu... | As part of a large investigation with Hubble... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13140 | 13141 | On Natural Language Generation of Formal Argum... | In this paper we provide a first analysis of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13141 | 13142 | Supervised Learning Based Algorithm Selection ... | Many recent deep learning platforms rely on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13142 | 13143 | Extracting Hierarchies of Search Tasks & Subta... | A significant amount of search queries origi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13143 | 13144 | The unpolarized Shafarevich Conjecture for K3 ... | We prove the unpolarized Shafarevich conject... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13144 | 13145 | Unbounded product-form Petri nets | Computing steady-state distributions in infi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13145 | 13146 | QLBS: Q-Learner in the Black-Scholes(-Merton) ... | This paper presents a discrete-time option p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13146 | 13147 | End-to-end Networks for Supervised Single-chan... | The performance of single channel source sep... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13147 | 13148 | A note on searching sorted unbalanced three-di... | We examine the problem of searching sequenti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13148 | 13149 | Isomorphism classes of four dimensional nilpot... | In this paper we classify the isomorphism cl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13149 | 13150 | Contemporary facets of business successes amon... | The current article unveils and analyzes som... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13150 | 13151 | Ensemble of Part Detectors for Simultaneous Cl... | Part-based representation has been proven to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13151 | 13152 | Graph Model Selection via Random Walks | In this paper, we present a novel approach b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13152 | 13153 | On irrationality measure of Thue-Morse constant | We provide a non-trivial measure of irration... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13153 | 13154 | Adiabatic approach for natural gas pipeline co... | We consider slowly evolving, i.e. ADIABATIC,... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13154 | 13155 | Clustering and Labelling Auction Fraud Data | Although shill bidding is a common auction f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13155 | 13156 | Investigation of channel model for weakly coup... | We investigate the evolution of decorrelatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13156 | 13157 | Palindromic Subsequences in Finite Words | In 1999 Lyngs{\o} and Pedersen proposed a co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13157 | 13158 | Risk quantification for the thresholding rule ... | In this paper we study the asymptotic proper... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13158 | 13159 | Some recent results on the Dirichlet problem f... | A short account of recent existence and mult... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13159 | 13160 | A convex penalty for switching control of part... | A convex penalty for promoting switching con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13160 | 13161 | Workload Analysis of Blue Waters | Blue Waters is a Petascale-level supercomput... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13161 | 13162 | Model-Independent Analytic Nonlinear Blind Sou... | Consider a time series of measurements of th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13162 | 13163 | Seven Lessons from Manyfield Inflation in Rand... | We study inflation in models with many inter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13163 | 13164 | Steering Social Activity: A Stochastic Optimal... | User engagement in online social networking ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13164 | 13165 | Adaptive Clustering Using Kernel Density Estim... | We investigate statistical properties of a c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13165 | 13166 | Realization of functions on the symmetrized bi... | We prove a realization formula and a model f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13166 | 13167 | Ground state properties of 3d metals from self... | Self consistent GW approach (scGW) has been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13167 | 13168 | Survival Trees for Interval-Censored Survival ... | Interval-censored data, in which the event t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13168 | 13169 | Bayesian LSTMs in medicine | The medical field stands to see significant ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13169 | 13170 | Motion Planning for a UAV with a Straight or K... | This paper develops and compares two motion ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13170 | 13171 | Star formation driven galactic winds in UGC 10043 | We study the galactic wind in the edge-on sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13171 | 13172 | Drive and measurement electrode patterns for e... | Objective: To establish the performance of s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13172 | 13173 | Remarks on Liouville Type Theorems for Steady-... | Liouville type theorems for the stationary N... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13173 | 13174 | The Homogeneous Broadcast Problem in Narrow an... | Let $P$ be a set of nodes in a wireless netw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13174 | 13175 | Extreme CO Isotopic Abundances in the ULIRG IR... | We present ALMA $^{12}$CO (J=1-0, 3-2 and 6-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13175 | 13176 | Computing Nearby Non-trivial Smith Forms | We consider the problem of computing the nea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13176 | 13177 | Quasinonexpansive Iterations on the Affine Hul... | Fixed point iterations play a central role i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13177 | 13178 | Decentralized Optimal Control for Connected Au... | In prior work, we addressed the problem of o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13178 | 13179 | The Rational Distance Problem for Equilateral ... | Let (P) denote the problem of existence of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13179 | 13180 | Compact Hausdorff MV-algebras: Structure, Dual... | It is proved that the category $\mathbb{EM}$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13180 | 13181 | Nonvanishing theorems for twisted L-functions ... | We prove the nonvanishing of the twisted cen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13181 | 13182 | Force-induced elastic matrix-mediated interact... | We consider an elastic composite material co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13182 | 13183 | One-way quantum computing in superconducting c... | We propose a method for the implementation o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13183 | 13184 | Smooth solution to higher dimensional complex ... | Let $X$ be a compact connected strongly pseu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13184 | 13185 | Parameterized Approximation Schemes for Steine... | We study the Steiner Tree problem, in which ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13185 | 13186 | Nerve impulse propagation and wavelet theory | A luminous stimulus which penetrates in a re... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13186 | 13187 | Generation of unipolar half-cycle pulse via un... | We present a significantly different reflect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13187 | 13188 | The Implicit Bias of Gradient Descent on Separ... | We examine gradient descent on unregularized... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13188 | 13189 | Floquet prethermalization in the resonantly dr... | We demonstrate the existence of long-lived p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13189 | 13190 | Continuous vibronic symmetries in Jahn-Teller ... | We develop a systematic study of Jahn-Teller... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13190 | 13191 | Augmented Lagrangian Functions for Cone Constr... | In the article we present a general theory o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13191 | 13192 | Spin $q$-Whittaker polynomials | We introduce and study a one-parameter gener... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13192 | 13193 | Lagrangians of hypergraphs: The Frankl-Füredi ... | Frankl and Füredi conjectured in 1989 that t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13193 | 13194 | Adversarial Attacks and Defences Competition | To accelerate research on adversarial exampl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13194 | 13195 | Community structure of copper supply networks ... | Complex networks analyses of many physical, ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13195 | 13196 | Clustering for Different Scales of Measurement... | This paper describes a method for clustering... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13196 | 13197 | Eigenvalue Dynamics of a PT-symmetric Sturm-Li... | The goal of the paper is to investigate the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13197 | 13198 | Automaton Semigroups and Groups: on the Undeci... | In this paper, we study algorithmic problems... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13198 | 13199 | Terrestrial effects of moderately nearby super... | Recent data indicate one or more moderately ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13199 | 13200 | A Variational Inequality Perspective on Genera... | Generative adversarial networks (GANs) form ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13200 | 13201 | Integrating electricity markets: Impacts of in... | This paper analyzes the market impacts of ex... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13201 | 13202 | Impact of Continuous Integration on Code Reviews | Peer code review and continuous integration ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13202 | 13203 | New Algorithms for Unordered Tree Inclusion | The tree inclusion problem is, given two nod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13203 | 13204 | Learning to Price with Reference Effects | As a firm varies the price of a product, con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13204 | 13205 | Inverse Reinforce Learning with Nonparametric ... | Inverse Reinforcement Learning (IRL) is the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13205 | 13206 | $z^\circ$-ideals in intermediate rings of orde... | A proper ideal $I$ in a commutative ring wit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13206 | 13207 | Mosquito Detection with Neural Networks: The B... | Many real-world time-series analysis problem... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13207 | 13208 | The inseparability of sampling and time and it... | The two major approaches to studying macroev... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13208 | 13209 | The imprints of bars on the vertical stellar p... | This is the second paper of a series aimed t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13209 | 13210 | A structure-preserving split finite element di... | We introduce a new finite element (FE) discr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13210 | 13211 | Quantum quench dynamics | Quench dynamics is an active area of study e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13211 | 13212 | R&D On Beam Injection and Bunching Schemes In ... | Fermilab is committed to upgrade its acceler... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13212 | 13213 | Deep Structured Generative Models | Deep generative models have shown promising ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13213 | 13214 | Machine Learning Techniques for Stellar Light ... | We apply machine learning techniques in an a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13214 | 13215 | Frequency measurement of the clock transition ... | We report frequency measurement of the clock... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13215 | 13216 | Sentence-level dialects identification in the ... | Identifying the different varieties of the s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13216 | 13217 | Measuring abstract reasoning in neural networks | Whether neural networks can learn abstract r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13217 | 13218 | On fractional powers of Bessel operators | This paper was published in the special issu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13218 | 13219 | Small Telescope Exoplanet Transit Surveys: XO | The XO project aims at detecting transiting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13219 | 13220 | Divide-and-Conquer Reinforcement Learning | Standard model-free deep reinforcement learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13220 | 13221 | Whipping of electrified visco-capillary jets i... | An electrified visco-capillary jet shows dif... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13221 | 13222 | On Optimizing Feedback Interval for Temporally... | A receiver with perfect channel state inform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13222 | 13223 | RADNET: Radiologist Level Accuracy using Deep ... | We describe a deep learning approach for aut... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13223 | 13224 | Median statistics estimates of Hubble and Newt... | Robustness of any statistics depends upon th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13224 | 13225 | Re-parameterizing and reducing families of nor... | We present a new proof of results of Kurdyka... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13225 | 13226 | Urban Scene Segmentation with Laser-Constraine... | Robots typically possess sensors of differen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13226 | 13227 | The GAPS Programme with HARPS-N at TNG. XIII. ... | In the framework of the GAPS project, we are... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13227 | 13228 | Probabilistic Program Equivalence for NetKAT | We tackle the problem of deciding whether tw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13228 | 13229 | Spatially Adaptive Colocalization Analysis in ... | Colocalization analysis aims to study comple... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13229 | 13230 | On consistent vertex nomination schemes | Given a vertex of interest in a network $G_1... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13230 | 13231 | Converse passivity theorems | Passivity is an imperative concept and a wid... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13231 | 13232 | Neural Networks retrieving Boolean patterns in... | Restricted Boltzmann Machines are key tools ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13232 | 13233 | Link colorings and the Goeritz matrix | We discuss the connection between colorings ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13233 | 13234 | Left-invariant Grauert tubes on SU(2) | Let M be a real analytic Riemannian manifold... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13234 | 13235 | Ricci flow on cone surfaces and a three-dimens... | The main objective of this thesis is the stu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13235 | 13236 | Do metric fluctuations affect the Higgs dynami... | We show that the dynamics of the Higgs field... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13236 | 13237 | Quantum Origami: Transversal Gates for Quantum... | In topology, a torus remains invariant under... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13237 | 13238 | A Decentralized Framework for Real-Time Energy... | The proliferation of small-scale renewable g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13238 | 13239 | White Matter Network Architecture Guides Direc... | Electrical brain stimulation is currently be... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13239 | 13240 | Community detection in networks via nonlinear ... | Revealing a community structure in a network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13240 | 13241 | Scale-invariant unconstrained online learning | We consider a variant of online convex optim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13241 | 13242 | Tuning Pairing Amplitude and Spin-Triplet Text... | We investigate the nature of the superconduc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13242 | 13243 | Thermal conductivity changes across a structur... | By means of first-principles calculations, w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13243 | 13244 | Enemy At the Gateways: A Game Theoretic Approa... | A core technique used by popular proxy-based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13244 | 13245 | Mod-$p$ isogeny classes on Shimura varieties w... | We study the special fiber of the integral m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13245 | 13246 | Bayesian Optimization with Gradients | Bayesian optimization has been successful at... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13246 | 13247 | How to cut a cake with a gram matrix | In this article we study the problem of fair... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13247 | 13248 | Magnetic MIMO Signal Processing and Optimizati... | In magnetic resonant coupling (MRC) enabled ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13248 | 13249 | Bouncy Hybrid Sampler as a Unifying Device | This work introduces a class of rejection-fr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13249 | 13250 | Lifshitz interaction can promote ice growth at... | At air-water interfaces, the Lifshitz intera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13250 | 13251 | Reverse iterative volume sampling for linear r... | We study the following basic machine learnin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13251 | 13252 | Learning from Complementary Labels | Collecting labeled data is costly and thus a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13252 | 13253 | Dusty winds in active galactic nuclei: reconci... | This letter presents a revised radiative tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13253 | 13254 | Continuity of Utility Maximization under Weak ... | In this paper we find sufficient conditions ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13254 | 13255 | Introducing the anatomy of disciplinary discer... | Education is increasingly being framed by a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13255 | 13256 | Well-posedness and dispersive decay of small d... | This article represents a first step toward ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13256 | 13257 | A vehicle-to-infrastructure communication base... | We present in this paper a new algorithm for... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13257 | 13258 | Some Theorems on Optimality of a Single Observ... | We consider the problem of finding a proper ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13258 | 13259 | Reliability and applicability of magnetic forc... | We investigated the reliability and applicab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13259 | 13260 | Verifying Probabilistic Timed Automata Against... | Probabilistic timed automata (PTAs) are time... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13260 | 13261 | On the number of integer polynomials with mult... | In this paper, we give some counting results... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13261 | 13262 | New irreducible tensor product modules for the... | In this paper, we obtain a class of Virasoro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13262 | 13263 | Polarization dynamics in a photon BEC | It has previously been shown that a dye-fill... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13263 | 13264 | Combining symmetry breaking and restoration wi... | Background: Ab initio many-body methods whos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13264 | 13265 | Nonlocal Cauchy problems for wave equations an... | In this paper, the existence, the uniqueness... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13265 | 13266 | A two-phase gradient method for quadratic prog... | We propose a gradient-based method for quadr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13266 | 13267 | Euler characteristic and Akashi series for Sel... | Let $A$ be an abelian variety defined over a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13267 | 13268 | The effect of boundary conditions on mixing of... | We study Swendsen--Wang dynamics for the cri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13268 | 13269 | Number of thermodynamic states in the three-di... | The question of the number of thermodynamic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13269 | 13270 | Mechanics of disordered auxetic metamaterials | Auxetic materials are of great engineering i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13270 | 13271 | Coherent Oscillations of Driven rf SQUID Metam... | Through experiments and numerical simulation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13271 | 13272 | Localizing virtual structure sheaves by cosect... | We construct a cosection localized virtual s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13272 | 13273 | Regularized Greedy Column Subset Selection | The Column Subset Selection Problem provides... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13273 | 13274 | The Cartan Algorithm in Five Dimensions | In this paper we introduce an algorithm to d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13274 | 13275 | Uniform convergence for the incompressible lim... | We study a model introduced by Perthame and ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13275 | 13276 | Clustering in Hilbert space of a quantum optim... | The solution space of many classical optimiz... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13276 | 13277 | Political Discourse on Social Media: Echo Cham... | Echo chambers, i.e., situations where one is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13277 | 13278 | Resonance enhancement of two photon absorption... | Applying a many mode Floquet formalism for m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13278 | 13279 | Unveiling the AGN in IC 883: discovery of a pa... | IC883 is a luminous infrared galaxy (LIRG) c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13279 | 13280 | Counting triangles, tunable clustering and the... | Random key graphs were introduced to study v... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13280 | 13281 | Convergence Rates of Variational Posterior Dis... | We study convergence rates of variational po... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13281 | 13282 | V773 Cas, QS Aql, and BR Ind: Eclipsing Binari... | Eclipsing binaries remain crucial objects fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13282 | 13283 | Variance bounding of delayed-acceptance kernels | A delayed-acceptance version of a Metropolis... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13283 | 13284 | Positive Herz-Schur multipliers and approximat... | For a $C^*$-algebra $A$ and a set $X$ we giv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13284 | 13285 | Bias-Variance Tradeoff of Graph Laplacian Regu... | This paper presents a bias-variance tradeoff... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13285 | 13286 | Dual Discriminator Generative Adversarial Nets | We propose in this paper a novel approach to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13286 | 13287 | A Compressive Sensing Approach to Community De... | The community detection problem for graphs a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13287 | 13288 | Uncertainty quantification for radio interfero... | Uncertainty quantification is a critical mis... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13288 | 13289 | Fairer and more accurate, but for whom? | Complex statistical machine learning models ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13289 | 13290 | Multiresolution Tensor Decomposition for Multi... | This article is motivated by soccer position... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13290 | 13291 | Fast-slow asymptotic for semi-analytical ignit... | We study the problem of initiation of excita... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13291 | 13292 | What drives galactic magnetism? | We aim to use statistical analysis of a larg... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13292 | 13293 | Regular Separability of One Counter Automata | The regular separability problem asks, for t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13293 | 13294 | Fast Incremental SVDD Learning Algorithm with ... | Support vector data description (SVDD) is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13294 | 13295 | Comparing distributions by multiple testing ac... | When comparing two distributions, it is ofte... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13295 | 13296 | Magnetic droplet nucleation with homochiral Ne... | We investigate the effect of the Dzyaloshins... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13296 | 13297 | Cost-complexity pruning of random forests | Random forests perform bootstrap-aggregation... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13297 | 13298 | Chemical abundances of fast-rotating massive s... | Aims: Recent observations have challenged ou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13298 | 13299 | Morphology and Motility of Cells on Soft Subst... | Recent experiments suggest that the interpla... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13299 | 13300 | A domain-specific language and matrix-free ste... | We introduce PVSC-DTM (Parallel Vectorized S... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13300 | 13301 | A cross-correlation-based estimate of the gala... | We extend existing methods for using cross-c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13301 | 13302 | A Novel Partitioning Method for Accelerating t... | We propose a novel block-row partitioning me... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13302 | 13303 | Visualized Insights into the Optimization Land... | Many image processing tasks involve image-to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13303 | 13304 | Exact upper and lower bounds on the misclassif... | Exact lower and upper bounds on the best pos... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13304 | 13305 | BB-Graph: A Subgraph Isomorphism Algorithm for... | The big graph database model provides strong... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13305 | 13306 | Analytic solutions of the Madelung equation | We present analytic self-similar solutions f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13306 | 13307 | Unsupervised learning of phase transitions: fr... | We employ unsupervised machine learning tech... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13307 | 13308 | A novel online scheduling protocol for energy-... | Design of energy-efficient access networks h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13308 | 13309 | Machines and Algorithms | I discuss the evolution of computer architec... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13309 | 13310 | Large Margin Learning in Set to Set Similarity... | Person re-identification (Re-ID) aims at mat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13310 | 13311 | Scheduling Constraint Based Abstraction Refine... | Bounded model checking is among the most eff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13311 | 13312 | The braid group for a quiver with superpotential | We survey and compare various generalization... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13312 | 13313 | The infinitesimal characters of discrete serie... | Let $Z=G/H$ be the homogeneous space of a re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13313 | 13314 | Coincidence point results involving a generali... | The purpose of this work is to introduce a g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13314 | 13315 | A Simulated Cyberattack on Twitter: Assessing ... | State-sponsored "bad actors" increasingly we... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13315 | 13316 | Asteroid mass estimation using Markov-chain Mo... | Estimates for asteroid masses are based on t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13316 | 13317 | Asymptotic Properties of the Maximum Likelihoo... | Markov regime switching models have been wid... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13317 | 13318 | Fleet management for autonomous vehicles: Onli... | The VIPAFLEET project consists in developing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13318 | 13319 | Bayesian Model Selection for Misspecified Mode... | While the Bayesian Information Criterion (BI... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13319 | 13320 | Near-optimal sample complexity for convex tens... | We analyze low rank tensor completion (TC) u... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13320 | 13321 | Conditional Lower Bounds for Space/Time Tradeoffs | In recent years much effort has been concent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13321 | 13322 | Full Quantification of Left Ventricle via Deep... | Cardiac left ventricle (LV) quantification i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13322 | 13323 | On sparsity and power-law properties of graphs... | This paper investigates properties of the cl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13323 | 13324 | Information transmission on hybrid networks | Many real-world communication networks often... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13324 | 13325 | Generative Adversarial Trainer: Defense to Adv... | We propose a novel technique to make neural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13325 | 13326 | Bad Primes in Computational Algebraic Geometry | Computations over the rational numbers often... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13326 | 13327 | Multi-Task Feature Learning for Knowledge Grap... | Collaborative filtering often suffers from s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13327 | 13328 | On Consistency of Graph-based Semi-supervised ... | Graph-based semi-supervised learning is one ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13328 | 13329 | Modeling Label Ambiguity for Neural List-Wise ... | List-wise learning to rank methods are consi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13329 | 13330 | Whitehead torsion of inertial h-cobordisms | We study the Whitehead torsions of inertial ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13330 | 13331 | Propagation from Deceptive News Sources: Who S... | As people rely on social media as their prim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13331 | 13332 | Self-protected nanoscale thermometry based on ... | Quantum sensors with solid state electron sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13332 | 13333 | Robot Composite Learning and the Nunchaku Flip... | Advanced motor skills are essential for robo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13333 | 13334 | Querying Best Paths in Graph Databases | Querying graph databases has recently receiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13334 | 13335 | Communication Complexity of Correlated Equilib... | We show a communication complexity lower bou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13335 | 13336 | On the computability of graph Turing machines | We consider graph Turing machines, a model o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13336 | 13337 | SCRank: Spammer and Celebrity Ranking in Direc... | Many online social networks allow directed e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13337 | 13338 | Taylor series and twisting-index invariants of... | About six years ago, semitoric systems on 4-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13338 | 13339 | Optimal DoF region of the K-User MISO BC with ... | We consider the $K$-User Multiple-Input-Sing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13339 | 13340 | Active learning of constitutive relation from ... | We simulate complex fluids by means of an on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13340 | 13341 | Collective search with finite perception: tran... | Motile organisms often use finite spatial pe... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13341 | 13342 | The first moment of cusp form L-functions in w... | We study the asymptotic behaviour of the twi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13342 | 13343 | Analyzing Boltzmann Samplers for Bose-Einstein... | Boltzmann sampling is commonly used to unifo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13343 | 13344 | On Invariant Random Subgroups of Block-Diagona... | We classify the ergodic invariant random sub... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13344 | 13345 | Theoretical Analysis of Sparse Subspace Cluste... | Sparse Subspace Clustering (SSC) is a popula... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13345 | 13346 | On certain geometric properties in Banach spac... | We consider a certain type of geometric prop... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13346 | 13347 | Social Media Analysis based on Semanticity of ... | Languages shared by people differ in differe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13347 | 13348 | Chiral Topological Superconductors Enhanced by... | We study the phase diagram and edge states o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13348 | 13349 | An Algebraic Glimpse at Bunched Implications a... | We overview the logic of Bunched Implication... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13349 | 13350 | The adapted hyper-Kähler structure on the crow... | Let $\,\Xi\,$ be the crown domain associated... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13350 | 13351 | Exact traveling wave solutions of 1D model of ... | In this paper we consider the continuous mat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13351 | 13352 | On purity theorem of Lusztig's perverse sheaves | Let $Q$ be a finite quiver without loops and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13352 | 13353 | Abstract Interpretation using a Language of Sy... | The traditional abstract domain framework fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13353 | 13354 | The Integral Transform of N.I.Akhiezer | We study the integral transform which appear... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13354 | 13355 | Quantitative CBA: Small and Comprehensible Ass... | Quantitative CBA is a postprocessing algorit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13355 | 13356 | Quermassintegral preserving curvature flow in ... | We consider the quermassintegral preserving ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13356 | 13357 | Cloaking for a quasi-linear elliptic partial d... | In this article we consider cloaking for a q... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13357 | 13358 | Good Arm Identification via Bandit Feedback | We consider a novel stochastic multi-armed b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13358 | 13359 | Learning compressed representations of blood s... | Clinical measurements collected over time ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13359 | 13360 | Fuzzy Galois connections on fuzzy sets | In fairly elementary terms this paper presen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13360 | 13361 | QWIRE Practice: Formal Verification of Quantum... | We describe an embedding of the QWIRE quantu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13361 | 13362 | The cost of fairness in classification | We study the problem of learning classifiers... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13362 | 13363 | The algebraic structure of cut Feynman integra... | We study the algebraic and analytic structur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13363 | 13364 | Implementing universal nonadiabatic holonomic ... | Geometric phases are well known to be noise-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13364 | 13365 | Fine cophasing of segmented aperture telescope... | Segmented aperture telescopes require an ali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13365 | 13366 | Why Pay More When You Can Pay Less: A Joint Le... | We consider the problem of active feature ac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13366 | 13367 | The Hasse Norm Principle For Biquadratic Exten... | We give an asymptotic formula for the number... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13367 | 13368 | Static vs Adaptive Strategies for Optimal Exec... | We consider an optimal execution problem in ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13368 | 13369 | New descriptions of the weighted Reed-Muller c... | We give a description of the weighted Reed-M... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13369 | 13370 | Criteria for the Absence and Existence of Boun... | In the junction $\Omega$ of several semi-inf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13370 | 13371 | Stochastic Feedback Control of Systems with Un... | This paper studies the stochastic optimal co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13371 | 13372 | Micrometer-Sized Water Ice Particles for Plane... | Models and observations suggest that ice-par... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13372 | 13373 | The splashback radius of halos from particle d... | The splashback radius $R_{\rm sp}$, the apoc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13373 | 13374 | Empirical Evaluation of Parallel Training Algo... | Deep learning models (DLMs) are state-of-the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13374 | 13375 | Distributed Impedance Control of Latency-Prone... | Robotic systems are increasingly relying on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13375 | 13376 | Simulation Methods for Stochastic Storage Prob... | We consider solution of stochastic storage p... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13376 | 13377 | Flashes of Hidden Worlds at Colliders | (This is a general physics level overview ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13377 | 13378 | Espresso: Brewing Java For More Non-Volatility... | Fast, byte-addressable non-volatile memory (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13378 | 13379 | Multimodal Machine Learning: A Survey and Taxo... | Our experience of the world is multimodal - ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13379 | 13380 | The Motivic Cofiber of $τ$ | Consider the Tate twist $\tau \in H^{0,1}(S^... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13380 | 13381 | EEG machine learning with Higuchi fractal dime... | Reliable diagnosis of depressive disorder is... | 0 | 0 | 0 | 1 | 1 | 0 |
| 13381 | 13382 | On Microtargeting Socially Divisive Ads: A Cas... | Targeted advertising is meant to improve the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13382 | 13383 | On Helmholtz free energy for finite abstract s... | We prove a Gauss-Bonnet formula X(G) = sum_x... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13383 | 13384 | Global Patterns of Synchronization in Human Co... | Social media are transforming global communi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13384 | 13385 | On the predictability of infectious disease ou... | Infectious disease outbreaks recapitulate bi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13385 | 13386 | Multi-Player Bandits Revisited | Multi-player Multi-Armed Bandits (MAB) have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13386 | 13387 | Model Averaging for Generalized Linear Model w... | In this paper, we consider the estimation of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13387 | 13388 | Demonstration of the length stability requirem... | Light-shining-through-a-wall experiments rep... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13388 | 13389 | Shrub-depth: Capturing Height of Dense Graphs | The recent increase of interest in the graph... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13389 | 13390 | Detecting Statistical Interactions from Neural... | Interpreting neural networks is a crucial an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13390 | 13391 | Making intersections safer with I2V communication | Intersections are hazardous places. Threats ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13391 | 13392 | Convolutional Sparse Representations with Grad... | While convolutional sparse representations e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13392 | 13393 | On the origin of the crescent-shaped distribut... | MMS observations recently confirmed that cre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13393 | 13394 | Projected support points: a new method for hig... | In an era where big and high-dimensional dat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13394 | 13395 | AutonoVi: Autonomous Vehicle Planning with Dyn... | We present AutonoVi:, a novel algorithm for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13395 | 13396 | On SGD's Failure in Practice: Characterizing a... | Stochastic Gradient Descent (SGD) is widely ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13396 | 13397 | Composite Rational Functions and Arithmetic Pr... | In this paper we deal with composite rationa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13397 | 13398 | The Geometry of Concurrent Interaction: Handli... | We introduce a geometry of interaction model... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13398 | 13399 | A High Space Density of Luminous Lyman Alpha E... | We present the results of a systematic searc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13399 | 13400 | SYZ transforms for immersed Lagrangian multi-s... | In this paper, we study the geometry of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13400 | 13401 | Topological Representation of the Transit Sets... | $k$-point crossover operators and their reco... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13401 | 13402 | Human-Robot Collaboration: From Psychology to ... | With the advances in robotic technology, res... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13402 | 13403 | Enhancing TCP End-to-End Performance in Millim... | Recently, millimeter-wave (mmWave) communica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13403 | 13404 | Adaptive recurrence quantum entanglement disti... | Quantum entanglement serves as a valuable re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13404 | 13405 | Optimised surface-electrode ion-trap junctions... | We discuss the design and optimisation of tw... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13405 | 13406 | A simple anisotropic three-dimensional quantum... | We present a three-dimensional cubic lattice... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13406 | 13407 | Onsets and Frames: Dual-Objective Piano Transc... | We advance the state of the art in polyphoni... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13407 | 13408 | Modified mean curvature flow of entire locally... | In a previous joint work of Xiao and the sec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13408 | 13409 | Calibration of atomic trajectories in a large-... | We propose and demonstrate a method for cali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13409 | 13410 | Self-adjoint and skew-symmetric extensions of ... | We study the Laplacian in a smooth bounded d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13410 | 13411 | Experimental observation of fractional topolog... | Geometrical and topological phases play a fu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13411 | 13412 | Homotopy groups of generic leaves of logarithm... | We study the homotopy groups of generic leav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13412 | 13413 | On van Kampen-Flores, Conway-Gordon-Sachs and ... | We exhibit relations between van Kampen-Flor... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13413 | 13414 | Superzeta functions, regularized products, and... | Let $\Lambda = \{\lambda_{k}\}$ denote a seq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13414 | 13415 | Fine Selmer Groups and Isogeny Invariance | We investigate fine Selmer groups for ellipt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13415 | 13416 | Persistence paths and signature features in to... | We introduce a new feature map for barcodes ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13416 | 13417 | New Integral representations for the Fox-Wrigh... | Our aim in this paper is to derive several n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13417 | 13418 | Ultra-Fast Reactive Transport Simulations When... | During reactive transport modeling, the comp... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13418 | 13419 | Pseudo-edge unfoldings of convex polyhedra | A pseudo-edge graph of a convex polyhedron K... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13419 | 13420 | Learning Structured Text Representations | In this paper, we focus on learning structur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13420 | 13421 | Semi-Parametric Empirical Best Prediction for ... | The Italian National Institute for Statistic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13421 | 13422 | The asymptotic coarse-graining formulation of ... | The inertialess fluid-structure interactions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13422 | 13423 | Performance of two-dimensional tidal turbine a... | Encouraged by recent studies on the performa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13423 | 13424 | Elicitability and its Application in Risk Mana... | Elicitability is a property of $\mathbb{R}^k... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13424 | 13425 | Diffusion of particles with short-range intera... | A system of interacting Brownian particles s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13425 | 13426 | Birman-Murakami-Wenzl type algebras for arbitr... | In this paper we first present a Birman-Mura... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13426 | 13427 | Protein Classification using Machine Learning ... | In recent era prediction of enzyme class fro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13427 | 13428 | The Emergence of Consensus: A Primer | The origin of population-scale coordination ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13428 | 13429 | ProSLAM: Graph SLAM from a Programmer's Perspe... | In this paper we present ProSLAM, a lightwei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13429 | 13430 | Right Amenability And Growth Of Finitely Right... | We introduce right generating sets, Cayley g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13430 | 13431 | Convex Hull of the Quadratic Branch AC Power F... | A branch flow model (BFM) is used to formula... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13431 | 13432 | Multi-Relevance Transfer Learning | Transfer learning aims to faciliate learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13432 | 13433 | When confidence and competence collide: Effect... | Group discussions are a way for individuals ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13433 | 13434 | NIP formulas and Baire 1 definability | In this short note, using results of Bourgai... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13434 | 13435 | Lee-Carter method for forecasting mortality fo... | In this article, we have modeled mortality r... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13435 | 13436 | Kernel Recursive ABC: Point Estimation with In... | We propose a novel approach to parameter est... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13436 | 13437 | More declarative tabling in Prolog using multi... | Several Prolog implementations include a fac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13437 | 13438 | Emergent topology and dynamical quantum phase ... | We introduce the notion of a dynamical topol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13438 | 13439 | A pictorial introduction to differential geome... | In this article we present pictorially the f... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13439 | 13440 | Regularization by noise in (2x 2) hyperbolic s... | In this paper we study a non strictly system... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13440 | 13441 | Large deviations of a tracer in the symmetric ... | The one-dimensional symmetric exclusion proc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13441 | 13442 | Unitary Representations with non-zero Dirac co... | This paper classifies the equivalence classe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13442 | 13443 | Revisiting Lie integrability by quadratures fr... | After a short review of the classical Lie th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13443 | 13444 | Intersubband polarons in oxides | Intersubband (ISB) polarons result from the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13444 | 13445 | Control Variates for Stochastic Gradient MCMC | It is well known that Markov chain Monte Car... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13445 | 13446 | Augmented Reality for Depth Cues in Monocular ... | One of the major challenges in Minimally Inv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13446 | 13447 | General-purpose Tagging of Freesound Audio wit... | This paper describes Task 2 of the DCASE 201... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13447 | 13448 | Semantical Equivalence of the Control Flow Gra... | The program dependence graph (PDG) represent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13448 | 13449 | On the smallest non-trivial quotients of mappi... | We prove that the smallest non-trivial quoti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13449 | 13450 | A Gronwall inequality for a general Caputo fra... | In this paper we present a new type of fract... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13450 | 13451 | First-principles insights into ultrashort lase... | In this research, we employ accurate time-de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13451 | 13452 | Borel class and Cartan involution | In this note we prove that the Borel class o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13452 | 13453 | Network Dimensions in the Getty Provenance Index | In this article we make a case for a systema... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13453 | 13454 | Maximum-order Complexity and Correlation Measures | We estimate the maximum-order complexity of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13454 | 13455 | On Sampling Strategies for Neural Network-base... | Recent advances in neural networks have insp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13455 | 13456 | Non-integrable dynamics of matter-wave soliton... | We study interactions between bright matter-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13456 | 13457 | Geometric theories of patch and Lawson topologies | We give geometric characterisations of patch... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13457 | 13458 | Active galactic nuclei in the era of the Imagi... | In about four years, the National Aeronautic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13458 | 13459 | Exact completion and constructive theories of ... | In the present paper we use the theory of ex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13459 | 13460 | Proceedings 5th Workshop on Horn Clauses for V... | Many Program Verification and Synthesis prob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13460 | 13461 | Conditional Neural Processes | Deep neural networks excel at function appro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13461 | 13462 | ORBIT: Ordering Based Information Transfer Acr... | Many earth science applications require data... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13462 | 13463 | The Importance of Constraint Smoothness for Pa... | Psychiatric neuroscience is increasingly awa... | 0 | 0 | 0 | 1 | 1 | 0 |
| 13463 | 13464 | Kinetic Effects in Dynamic Wetting | The maximum speed at which a liquid can wet ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13464 | 13465 | The spread of low-credibility content by socia... | The massive spread of digital misinformation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13465 | 13466 | Beltrami vector fields with an icosahedral sym... | A vector field is called a Beltrami vector f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13466 | 13467 | A model for Faraday pilot waves over variable ... | Couder and Fort discovered that droplets wal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13467 | 13468 | Regular Separability of Well Structured Transi... | We investigate the languages recognized by w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13468 | 13469 | Dynamical Stochastic Higher Spin Vertex Models | We introduce a new family of integrable stoc... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13469 | 13470 | Risk-Averse Matchings over Uncertain Graph Dat... | A large number of applications such as query... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13470 | 13471 | Higher Order Context Transformations | The context transformation and generalized c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13471 | 13472 | DeepAPT: Nation-State APT Attribution Using En... | In recent years numerous advanced malware, a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13472 | 13473 | Cathode signal in a TPC directional detector: ... | Low-pressure gaseous TPCs are well suited de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13473 | 13474 | Fast Reconstruction of High-qubit Quantum Stat... | Due to the exponential complexity of the res... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13474 | 13475 | Inferring network connectivity from event timi... | Reconstructing network connectivity from the... | 0 | 0 | 0 | 1 | 1 | 0 |
| 13475 | 13476 | FADE: Fast and Asymptotically efficient Distri... | Consider a set of agents that wish to estima... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13476 | 13477 | TextRank Based Search Term Identification for ... | During maintenance, software developers deal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13477 | 13478 | Natural Time Analysis of Seismicity in Califor... | Upon employing the analysis in a new time do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13478 | 13479 | Atomistic study of hardening mechanism in Al-C... | Nanostructures have the immense potential to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13479 | 13480 | Maximum redshift of gravitational wave merger ... | Future generation of gravitational wave dete... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13480 | 13481 | The altmetric performance of publications auth... | The present work seeks to analyse the altmet... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13481 | 13482 | The Impact of Information Dissemination on Vac... | The impact of information dissemination on e... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13482 | 13483 | Why Interpretability in Machine Learning? An A... | As artificial intelligence is increasingly a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13483 | 13484 | Online Estimation and Adaptive Control for a C... | This paper presents sufficient conditions fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13484 | 13485 | The Kinematics of the Permitted C II $λ$ 6578 ... | We present spectroscopic observations of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13485 | 13486 | From parabolic-trough to metasurface-concentrator | Metasurfaces are promising tools towards nov... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13486 | 13487 | Correspondence Theorem between Holomorphic Dis... | We prove that the open Gromov-Witten invaria... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13487 | 13488 | A review and comparative study on functional t... | This paper reviews the main estimation and p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13488 | 13489 | Surface depression with double-angle geometry ... | When rough grains in standard packing condit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13489 | 13490 | Answer Set Programming for Non-Stationary Mark... | Non-stationary domains, where unforeseen cha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13490 | 13491 | Space-Bounded OTMs and REG$^{\infty}$ | An important theorem in classical complexity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13491 | 13492 | Linear-time approximation schemes for planar m... | We present the first polynomial-time approxi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13492 | 13493 | Towards Wi-Fi AP-Assisted Content Prefetching ... | The emergence of smart Wi-Fi APs (Access Poi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13493 | 13494 | Schematic Polymorphism in the Abella Proof Ass... | The Abella interactive theorem prover has pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13494 | 13495 | Representations of weakly multiplicative arith... | An arithmetic matroid is weakly multiplicati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13495 | 13496 | Memory Efficient Max Flow for Multi-label Subm... | Multi-label submodular Markov Random Fields ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13496 | 13497 | Double Covers of Cartan Modular Curves | We present a strategy to obtain explicit equ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13497 | 13498 | A Simple Analysis for Exp-concave Empirical Mi... | In this paper, we present a simple analysis ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13498 | 13499 | Generation of surface plasmon-polaritons by ed... | By using numerical and analytical methods, w... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13499 | 13500 | PowerAI DDL | As deep neural networks become more complex ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13500 | 13501 | A truncated $\mathcal{V}$-fractional derivativ... | Using the six parameters truncated Mittag-Le... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13501 | 13502 | Statistical Analysis on Bangla Newspaper Data ... | Trending topic of newspapers is an indicator... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13502 | 13503 | Effects of global gas flows on type I migration | Magnetically-driven disk winds would alter t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13503 | 13504 | Warp: a method for neural network interpretabi... | We show a proof of principle for warping, a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13504 | 13505 | Tilings of convex sets by mutually incongruent... | We show that every tiling of a convex set in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13505 | 13506 | The decomposition of 0-Hecke modules associate... | Recently Tewari and van Willigenburg constru... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13506 | 13507 | Bayesian Uncertainty Quantification and Inform... | Calculation of phase diagrams is one of the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13507 | 13508 | Modern Data Formats for Big Bioinformatics Dat... | Next Generation Sequencing (NGS) technology ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13508 | 13509 | Nearest-Neighbor Based Non-Parametric Probabil... | The present contribution offers a simple met... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13509 | 13510 | A thermodynamic parallel of the Braess road-ne... | We provide here a thermodynamic analog of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13510 | 13511 | Weighted gevrey class regularity of euler equa... | In this paper we study the weighted Gevrey c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13511 | 13512 | Temporal connectivity in finite networks with ... | Soft Random Geometric Graphs (SRGGs) have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13512 | 13513 | Matching Media Contents with User Profiles by ... | The media industry is increasingly personali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13513 | 13514 | Separability by Piecewise Testable Languages i... | Piecewise testable languages form the first ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13514 | 13515 | Past, Present, Future: A Computational Investi... | We present SuperPivot, an analysis method fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13515 | 13516 | A Stochastic Control Approach to Managed Futur... | We study a stochastic control approach to ma... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13516 | 13517 | Attention-Set based Metric Learning for Video ... | Face recognition has made great progress wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13517 | 13518 | Variable Annealing Length and Parallelism in S... | In this paper, we propose: (a) a restart sch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13518 | 13519 | Low-Shapiro hydrostatic reconstruction techniq... | The purpose of this work is to construct a s... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13519 | 13520 | Anisotropic two-gap superconductivity and the ... | Ambient-pressure-grown LaO$_{0.5}$F$_{0.5}$B... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13520 | 13521 | Discrete Invariants of Generically Inconsisten... | Let $ \mathcal{A}_1, \ldots, \mathcal{A}_k $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13521 | 13522 | Enabling near real-time remote search for fast... | We present a systematic evaluation of JPEG20... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13522 | 13523 | Learning with Training Wheels: Speeding up Tra... | Deep Reinforcement Learning (DRL) has been a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13523 | 13524 | The Partition Rank of a Tensor and $k$-Right C... | Following the breakthrough of Croot, Lev, an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13524 | 13525 | Tunable Optoelectronic Properties of Triply-Bo... | In this paper we present a detailed computat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13525 | 13526 | Higher zigzag algebras | Given any Koszul algebra of finite global di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13526 | 13527 | Motivic modular forms from equivariant stable ... | In this paper, we produce a cellular motivic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13527 | 13528 | Topology and experimental distinguishability | In this work we introduce the idea that the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13528 | 13529 | Edge fracture in complex fluids | We study theoretically the edge fracture ins... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13529 | 13530 | Testing statistical Isotropy in Cosmic Microwa... | We apply our symmetry based Power tensor tec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13530 | 13531 | Generalised Lyapunov Functions and Functionall... | This paper investigates the dependence of fu... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13531 | 13532 | Local optima of the Sherrington-Kirkpatrick Ha... | We study local optima of the Hamiltonian of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13532 | 13533 | Joining Extractions of Regular Expressions | Regular expressions with capture variables, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13533 | 13534 | Learning Generalized Reactive Policies using D... | We present a new approach to learning for pl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13534 | 13535 | Symplectic Coarse-Grained Dynamics: Chalkboard... | In the usual approaches to mechanics (classi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13535 | 13536 | Characteristic functions as bounded multiplier... | We show that characteristic functions of dom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13536 | 13537 | Pathwise Least Angle Regression and a Signific... | Least angle regression (LARS) by Efron et al... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13537 | 13538 | 2MTF VI. Measuring the velocity power spectrum | We present measurements of the velocity powe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13538 | 13539 | Gradient weighted norm inequalities for very w... | In this paper, we prove the Lorentz space $L... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13539 | 13540 | Local incompressibility estimates for the Laug... | We prove sharp density upper bounds on optim... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13540 | 13541 | Learning Non-local Image Diffusion for Image D... | Image diffusion plays a fundamental role for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13541 | 13542 | Deep vs. Diverse Architectures for Classificat... | This study compares various superlearner and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13542 | 13543 | Means Moments and Newton's Inequalities | It is shown that Newton's inequalities and t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13543 | 13544 | Automatic Exploration of Machine Learning Expe... | Understanding the influence of hyperparamete... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13544 | 13545 | Generalized Expectation Consistent Signal Reco... | In this paper, we propose a generalized expe... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13545 | 13546 | Proactive Eavesdropping in Relaying Systems | This paper investigates the performance of a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13546 | 13547 | Efficient Principal Subspace Projection of Str... | Big data problems frequently require process... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13547 | 13548 | Resolving API Mentions in Informal Documents | Developer forums contain opinions and inform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13548 | 13549 | Quantifying tidal stream disruption in a simul... | Simulations of tidal streams show that close... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13549 | 13550 | The dehydration of water worlds via atmospheri... | We present a three-species multi-fluid MHD m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13550 | 13551 | Replicability Analysis for Natural Language Pr... | With the ever-growing amounts of textual dat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13551 | 13552 | Reflections on Cyberethics Education for Mille... | Software is a key component of solutions for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13552 | 13553 | The effect of an offset polar cap dipolar magn... | We performed geometric pulsar light curve mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13553 | 13554 | Survey on Models and Techniques for Root-Cause... | Automation and computer intelligence to supp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13554 | 13555 | Test Prioritization in Continuous Integration ... | Two heuristics namely diversity-based (DBTP)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13555 | 13556 | Weighted integral Hankel operators with contin... | Using the Kato-Rosenblum theorem, we describ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13556 | 13557 | Local properties of Riesz minimal energy confi... | We investigate separation properties of $N$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13557 | 13558 | Cascaded Segmentation-Detection Networks for W... | We introduce an algorithm for word-level tex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13558 | 13559 | Hilbert $C^*$-modules over $Σ^*$-algebras II: ... | In previous work, we defined and studied $\S... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13559 | 13560 | Topological degeneracy and pairing in a one-di... | We revisit the low energy physics of one dim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13560 | 13561 | Rejecting inadmissible rules in reduced normal... | Several methods for checking admissibility o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13561 | 13562 | An Executable Sequential Specification for Spa... | Spark is a new promising platform for scalab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13562 | 13563 | Obstructions to a small hyperbolicity in Helly... | It is known that for every graph $G$ there e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13563 | 13564 | Calculation of time resolution of the J-PET to... | In this paper we estimate the time resolutio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13564 | 13565 | Writer Independent Offline Signature Recogniti... | The area of Handwritten Signature Verificati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13565 | 13566 | Automated Directed Fairness Testing | Fairness is a critical trait in decision mak... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13566 | 13567 | Intel MPX Explained: An Empirical Study of Int... | Memory-safety violations are a prevalent cau... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13567 | 13568 | Generating Long-term Trajectories Using Deep H... | We study the problem of modeling spatiotempo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13568 | 13569 | The usefulness of Poynting's theorem in magnet... | We rewrite Poynting's theorem, already used ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13569 | 13570 | The {\it victory} project v1.0: an efficient p... | {\it Victory}, i.e. \underline{vi}enna \unde... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13570 | 13571 | An In Vitro Vascularized Tumor Platform for Mo... | Tumor stromal interactions have been shown t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13571 | 13572 | Testing for Principal Component Directions und... | We consider the problem of testing, on the b... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13572 | 13573 | Locally-adaptive Bayesian nonparametric infere... | Phylodynamics is an area of population genet... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13573 | 13574 | Out of sight out of mind: Perceived physical d... | Social and affective relations may shape emp... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13574 | 13575 | Dynamic Difficulty Adjustment on MOBA Games | This paper addresses the dynamic difficulty ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13575 | 13576 | On iteration of Cox rings | We characterize all varieties with a torus a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13576 | 13577 | Stability Conditions and Lagrangian Cobordisms | In this paper we study the interplay between... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13577 | 13578 | Sentiment Analysis of Citations Using Word2vec | Citation sentiment analysis is an important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13578 | 13579 | Hybrid Clustering based on Content and Connect... | We present a hybrid method for latent inform... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13579 | 13580 | Embedding dimension and codimension of tensor ... | Let k be a field. This paper investigates th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13580 | 13581 | The Cosmic Axion Spin Precession Experiment (C... | The Cosmic Axion Spin Precession Experiment ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13581 | 13582 | On eccentricity version of Laplacian energy of... | The energy of a graph G is equal to the sum ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13582 | 13583 | LARNN: Linear Attention Recurrent Neural Network | The Linear Attention Recurrent Neural Networ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13583 | 13584 | Improved nonparametric estimation of the drift... | In this paper, we consider the robust adapti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13584 | 13585 | Energy-efficient Hybrid CMOS-NEMS LIF Neuron C... | Designing analog sub-threshold neuromorphic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13585 | 13586 | Quasar Rain: the Broad Emission Line Region as... | The origin of the broad emission line region... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13586 | 13587 | Consistent polynomial-time unseeded graph matc... | We propose a consistent polynomial-time meth... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13587 | 13588 | Photoinduced filling of near nodal gap in Bi$_... | We report time and angle resolved spectrosco... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13588 | 13589 | Globally convergent Jacobi-type algorithms for... | In this paper, we consider a family of Jacob... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13589 | 13590 | Representing the Deligne-Hinich-Getzler $\inft... | The goal of the present paper is to introduc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13590 | 13591 | Sentence-level quality estimation by predictin... | This submission investigates alternative mac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13591 | 13592 | Machine Assisted Analysis of Vowel Length Cont... | Growing digital archives and improving algor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13592 | 13593 | Precision of Evaluation Methods in White Light... | In this paper we promote a method for the ev... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13593 | 13594 | Non-wetting drops at liquid interfaces: From l... | We consider the flotation of deformable, non... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13594 | 13595 | Kinetics of the Crystalline Nuclei Growth in G... | In this work, we study the crystalline nucle... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13595 | 13596 | Electron Cloud Trapping In Recycler Combined F... | Electron cloud can lead to a fast instabilit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13596 | 13597 | Causal Inference Under Network Interference: A... | No man is an island, as individuals interact... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13597 | 13598 | Polynomial configurations in sets of positive ... | Let $F(x)=(f_1(x), \dots, f_m(x))$ be such t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13598 | 13599 | Deterministic Genericity for Polynomial Ideals | We consider several notions of genericity ap... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13599 | 13600 | Precise Pointing of Cubesat Telescopes: Compar... | CubeSats are emerging as low-cost tools to p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13600 | 13601 | Cyclicity in weighted $\ell^p$ spaces | We study the cyclicity in weighted $\ell^p(\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13601 | 13602 | State-Space Identification of Unmanned Helicop... | In order to achieve a good level of autonomy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13602 | 13603 | Latent Molecular Optimization for Targeted The... | We devise an approach for targeted molecular... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13603 | 13604 | SlimNets: An Exploration of Deep Model Compres... | Deep neural networks have achieved increasin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13604 | 13605 | An alternative axiomization of $N$-pseudospaces | We give a new axiomatization of the N-pseudo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13605 | 13606 | Symmetry breaking in linear multipole traps | Radiofrequency multipole traps have been use... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13606 | 13607 | Deep Spatio-temporal Manifold Network for Acti... | Visual data such as videos are often sampled... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13607 | 13608 | Gas dynamics in strong centrifugal fields | Dynamics of waves generated by scopes in gas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13608 | 13609 | Robust Stackelberg controllability for the Nav... | In this paper we deal with a robust Stackelb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13609 | 13610 | Reduced-Order Modeling through Machine Learnin... | In this paper, five different approaches for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13610 | 13611 | A ferroelectric quantum phase transition insid... | SrTiO$_{3}$, a quantum paraelectric, becomes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13611 | 13612 | First Detection of Equatorial Dark Dust Lane i... | In the earliest (so-called "Class 0") phase ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13612 | 13613 | General dynamical properties of cosmological m... | We consider cosmological dynamics in the the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13613 | 13614 | Extensions of interpolation between the arithm... | In this paper, we present some extensions of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13614 | 13615 | Machine Translation in Indian Languages: Chall... | English to Indian language machine translati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13615 | 13616 | Retrieving the quantitative chemical informati... | The quantitative composition of metal alloy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13616 | 13617 | Decomposition Strategies for Constructive Pref... | We tackle the problem of constructive prefer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13617 | 13618 | Vibrational surface EELS probes confined Fuchs... | Recently, two reports have demonstrated the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13618 | 13619 | The Dependence of the Mass-Metallicity Relatio... | We examine the relation between gas-phase ox... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13619 | 13620 | Proof of Riemann hypothesis, Generalized Riema... | We prove Riemann hypothesis, Generalized Rie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13620 | 13621 | A second order primal-dual method for nonsmoot... | We develop a second order primal-dual method... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13621 | 13622 | PDD Graph: Bridging Electronic Medical Records... | Electronic medical records contain multi-for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13622 | 13623 | A new algorithm for fast generalized DFTs | We give an new arithmetic algorithm to compu... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13623 | 13624 | Critical magnetic fields in a superconductor c... | We study a superconductor that is coupled to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13624 | 13625 | The bubble algebras at roots of unity | We introduce multi-colour partition algebras... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13625 | 13626 | Self-Repairing Energy Materials: Sine Qua Non ... | Materials are central to our way of life and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13626 | 13627 | Design and performance of dual-polarization lu... | Lumped-element kinetic inductance detectors ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13627 | 13628 | An overview of knot Floer homology | Knot Floer homology is an invariant for knot... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13628 | 13629 | Mathematical model of immune response to hepat... | A new detailed mathematical model for dynami... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13629 | 13630 | Controlling Stray Electric Fields on an Atom C... | Experiments handling Rydberg atoms near surf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13630 | 13631 | Unseen Progenitors of Luminous High-z Quasars ... | Quasars at high redshift provide direct info... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13631 | 13632 | Decoding the spectroscopic features and timesc... | Acid solutions exhibit a variety of complex ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13632 | 13633 | MuseGAN: Multi-track Sequential Generative Adv... | Generating music has a few notable differenc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13633 | 13634 | Geometric Analysis of Synchronization in Neuro... | We study synaptically coupled neuronal netwo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13634 | 13635 | Model predictive trajectory optimization and t... | Motion planning for autonomous vehicles requ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13635 | 13636 | A Toolbox For Property Checking From Simulatio... | We present a tool that primarily supports th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13636 | 13637 | Machine Learning of Linear Differential Equati... | This work leverages recent advances in proba... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13637 | 13638 | YouTube-8M Video Understanding Challenge Appro... | This paper introduces the YouTube-8M Video U... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13638 | 13639 | Temporal Pattern Discovery for Accurate Sepsis... | Sepsis is a condition caused by the body's o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13639 | 13640 | On the use of the energy probability distribut... | This contribution is devoted to cover some t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13640 | 13641 | Visibility-based Power Spectrum Estimation for... | We present a visibility based estimator name... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13641 | 13642 | Archiving Software Surrogates on the Web for F... | Software has long been established as an ess... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13642 | 13643 | Exact Formulas for the Generalized Sum-of-Divi... | We prove new exact formulas for the generali... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13643 | 13644 | On addition theorems related to elliptic integ... | This paper provides some explicit formulas r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13644 | 13645 | Manuscripts in Time and Space: Experiments in ... | Witnesses of medieval literary texts, preser... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13645 | 13646 | Vertical Bifacial Solar Farms: Physics, Design... | There have been sustained interest in bifaci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13646 | 13647 | Maximally Correlated Principal Component Analysis | In the era of big data, reducing data dimens... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13647 | 13648 | $\mathcal{G}$-SGD: Optimizing ReLU Neural Netw... | It is well known that neural networks with r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13648 | 13649 | Fantastic deductive systems in probability the... | The aim of this paper is to introduce the no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13649 | 13650 | Bayesian Learning of Consumer Preferences for ... | In coming years residential consumers will f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13650 | 13651 | Beyond the Hazard Rate: More Perturbation Algo... | Recent work on follow the perturbed leader (... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13651 | 13652 | Calculation of the bulk modulus of mixed ionic... | The ammonium halides present an interesting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13652 | 13653 | Hyers-Ulam stability of elliptic Möbius differ... | The linear fractional map $ f(z) = \frac{az+... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13653 | 13654 | Diffeological, Frölicher, and Differential Spaces | Differential calculus on Euclidean spaces ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13654 | 13655 | Elementary abelian subgroups in some special p... | Let $P$ be a finite $p$-group and $p$ be an ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13655 | 13656 | Learning Plannable Representations with Causal... | In recent years, deep generative models have... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13656 | 13657 | SGD Learns the Conjugate Kernel Class of the N... | We show that the standard stochastic gradien... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13657 | 13658 | Towards information optimal simulation of part... | Most simulation schemes for partial differen... | 0 | 1 | 0 | 1 | 0 | 0 |
| 13658 | 13659 | Verifying Quantum Programs: From Quipper to QPMC | In this paper we present a translation from ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13659 | 13660 | Topological semimetal state and field-induced ... | We report the experimental realization of Di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13660 | 13661 | Joint Prediction of Depths, Normals and Surfac... | Understanding the 3D structure of a scene is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13661 | 13662 | Motif and Hypergraph Correlation Clustering | Motivated by applications in social and biol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13662 | 13663 | Adversarial Imitation via Variational Inverse ... | We consider a problem of learning the reward... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13663 | 13664 | Intrinsically motivated reinforcement learning... | For a natural social human-robot interaction... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13664 | 13665 | Beyond Backprop: Online Alternating Minimizati... | We propose a novel online alternating minimi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13665 | 13666 | Minimax Game-Theoretic Approach to Multiscale ... | Sensing in complex systems requires large-sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13666 | 13667 | Topology of irrationally indifferent attractors | We study the attractors of a class of holomo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13667 | 13668 | Crystalline Soda Can Metamaterial exhibiting G... | Graphene, a honeycomb lattice of carbon atom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13668 | 13669 | Modeling Retinal Ganglion Cell Population Acti... | The retina is a complex nervous system which... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13669 | 13670 | Stochastic partial differential fluid equation... | In {\em{Holm}, Proc. Roy. Soc. A 471 (2015)}... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13670 | 13671 | A general framework for solving convex optimiz... | In this paper, we consider solving a class o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13671 | 13672 | Testing isotropy in the Two Micron All-Sky red... | We use information entropy to test the isotr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13672 | 13673 | VEGAS: A VST Early-type GAlaxy Survey. II. Pho... | Observations of diffuse starlight in the out... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13673 | 13674 | Homological dimension formulas for trivial ext... | Let $A= \Lambda \oplus C$ be a trivial exten... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13674 | 13675 | Spread of entanglement in a Sachdev-Ye-Kitaev ... | We study the spread of Rényi entropy between... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13675 | 13676 | The weak order on integer posets | We explore lattice structures on integer bin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13676 | 13677 | Most Ligand-Based Classification Benchmarks Re... | Undetected overfitting can occur when there ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13677 | 13678 | Inverse dispersion method for calculation of c... | We suggest an inverse dispersion method for ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13678 | 13679 | MmWave vehicle-to-infrastructure communication... | Vehicle-to-infrastructure (V2I) communicatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13679 | 13680 | Resolvent estimates on asymptotically cylindri... | Manifolds with infinite cylindrical ends hav... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13680 | 13681 | On absolutely normal and continued fraction no... | We give a construction of a real number that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13681 | 13682 | Combinatorial properties of the G-degree | A strong interaction is known to exist betwe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13682 | 13683 | Quasi-random Agents for Image Transition and A... | Quasi-random walks show similar features as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13683 | 13684 | Deep Speaker Verification: Do We Need End to End? | End-to-end learning treats the entire system... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13684 | 13685 | Neural Models for Documents with Metadata | Most real-world document collections involve... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13685 | 13686 | Single Image Super-resolution via a Lightweigh... | Recent years have witnessed great success of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13686 | 13687 | Variations of BPS structure and a large rank l... | We study a class of flat bundles, of finite ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13687 | 13688 | Strong correlations between the exponent $α$ a... | Appealing to the 1902 Gibbs' formalism for c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13688 | 13689 | Smooth backfitting of proportional hazards -- ... | Smooth backfitting has proven to have a numb... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13689 | 13690 | Trajectory Tracking Using Motion Primitives fo... | Locomotion at low Reynolds numbers is a topi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13690 | 13691 | Data Analysis in Multimedia Quality Assessment... | Assessment of multimedia quality relies heav... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13691 | 13692 | Removing Isolated Zeroes by Homotopy | Suppose that the inverse image of the zero v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13692 | 13693 | Continuous cocycle superrigidity for coinduced... | We prove that certain coinduced actions for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13693 | 13694 | Brownian ratchets: How stronger thermal noise ... | We study diffusion properties of an inertial... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13694 | 13695 | Wadge Degrees of $ω$-Languages of Petri Nets | We prove that $\omega$-languages of (non-det... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13695 | 13696 | Is there agreement on the prestige of scholarl... | Despite having an important role supporting ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13696 | 13697 | Zero-Shot Recognition using Dual Visual-Semant... | Zero-shot recognition aims to accurately rec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13697 | 13698 | Spoken Language Biomarkers for Detecting Cogni... | In this study we developed an automated syst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13698 | 13699 | Performance Analysis of Low-Density Parity-Che... | The theoretical analysis of detection and de... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13699 | 13700 | Novel market approach for locally balancing re... | Future electricity distribution grids will h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13700 | 13701 | Atomic and electronic structures of stable lin... | In this work, we report X-ray photoelectron ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13701 | 13702 | The unsaturated flow in porous media with dyna... | In this paper we consider a degenerate pseud... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13702 | 13703 | Dissociation of one-dimensional matter-wave br... | We use the ab initio Bethe Ansatz dynamics t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13703 | 13704 | Human Eye Visual Hyperacuity: A New Paradigm f... | The human eye appears to be using a low numb... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13704 | 13705 | Structured Matrix Estimation and Completion | We study the problem of matrix estimation an... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13705 | 13706 | Performance evaluation of PSD for silicon ECAL | We are developing position sensitive silicon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13706 | 13707 | Online Improper Learning with an Approximation... | We revisit the question of reducing online l... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13707 | 13708 | TC^0 circuits for algorithmic problems in nilp... | Recently, Macdonald et. al. showed that many... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13708 | 13709 | Alperin-McKay natural correspondences in solva... | Let $G$ be a finite solvable or symmetric gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13709 | 13710 | Reversible temperature exchange upon thermal c... | According to a well-known principle of therm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13710 | 13711 | On consequences of measurements of turbulent L... | Almost all parameterizations of turbulence i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13711 | 13712 | Complex Networks Analysis for Software Archite... | Recent advancements in complex network analy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13712 | 13713 | The Impact of Local Geometry and Batch Size on... | In several experimental reports on nonconvex... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13713 | 13714 | Cosmology and the Origin of the Universe: Hist... | From a modern perspective cosmology is a his... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13714 | 13715 | Semisimple and separable algebras in multi-fus... | We give a classification of semisimple and s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13715 | 13716 | Ensemble dependence of fluctuations and the ca... | We study the equivalence of microcanonical a... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13716 | 13717 | Algorithms for Positive Semidefinite Factoriza... | This paper considers the problem of positive... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13717 | 13718 | Remarks about Synthetic Upper Ricci Bounds for... | We discuss various characterizations of synt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13718 | 13719 | Structured Deep Hashing with Convolutional Neu... | Given a pedestrian image as a query, the pur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13719 | 13720 | Stable and Controllable Neural Texture Synthes... | Recently, methods have been proposed that pe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13720 | 13721 | Dynamical and Topological Aspects of Consensus... | The present work analyses a particular scena... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13721 | 13722 | Measurement of authorship by publications: a n... | Administrators in all academic organizations... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13722 | 13723 | Ordering Garside groups | We introduce a condition on Garside groups t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13723 | 13724 | Self-Taught Support Vector Machine | In this paper, a new approach for classifica... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13724 | 13725 | Continuum of classical-field ensembles from ca... | The canonical and grand-canonical ensembles ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13725 | 13726 | Extending Partial Representations of Unit Circ... | The partial representation extension problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13726 | 13727 | Lipschitz continuity of quasiconformal mapping... | The main aim of this paper is to study the L... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13727 | 13728 | On Estimation of Conditional Modes Using Multi... | We propose an estimation method for the cond... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13728 | 13729 | Kondo destruction in a quantum paramagnet with... | We report results of isothermal magnetotrans... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13729 | 13730 | Deep supervised learning using local errors | Error backpropagation is a highly effective ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13730 | 13731 | Theoretical and Computational Guarantees of Me... | The mean field variational Bayes method is b... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13731 | 13732 | The Chandra Deep Field South as a test case fo... | The era of the next generation of giant tele... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13732 | 13733 | Probabilistic Causal Analysis of Social Influence | Mastering the dynamics of social influence r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13733 | 13734 | Advanced reduced-order models for moisture dif... | It is of great concern to produce numericall... | 1 | 1 | 1 | 0 | 0 | 0 |
| 13734 | 13735 | Gapless quantum spin chains: multiple dynamics... | We study gapless quantum spin chains with sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13735 | 13736 | Real-time public transport service-level monit... | A new area in which passive WiFi analytics h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13736 | 13737 | Finding Network Motifs in Large Graphs using C... | We introduce a new method for finding networ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13737 | 13738 | A Bag-of-Words Equivalent Recurrent Neural Net... | The traditional bag-of-words approach has fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13738 | 13739 | Limit on graviton mass from galaxy cluster Abe... | To date, the only limit on graviton mass usi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13739 | 13740 | Enhancing the Regularization Effect of Weight ... | Artificial neural networks (ANNs) may not be... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13740 | 13741 | The Augustin Center and The Sphere Packing Bou... | For any channel with a convex constraint set... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13741 | 13742 | SuperMinHash - A New Minwise Hashing Algorithm... | This paper presents a new algorithm for calc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13742 | 13743 | On catastrophic forgetting and mode collapse i... | Generative Adversarial Networks (GAN) are on... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13743 | 13744 | Metamodel Construction for Sensitivity Analysis | We propose to estimate a metamodel and the s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13744 | 13745 | Dynamics of the brain extracellular matrix gov... | Neuronal and glial cells release diverse pro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13745 | 13746 | AutoPerf: A Generalized Zero-Positive Learning... | We present AutoPerf, a generalized software ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13746 | 13747 | Building a bridge between Classical and Quantu... | The way Quantum Mechanics (QM) is introduced... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13747 | 13748 | Size-Independent Sample Complexity of Neural N... | We study the sample complexity of learning n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13748 | 13749 | Copula Variational Bayes inference via informa... | Variational Bayes (VB), also known as indepe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13749 | 13750 | Effect of increasing disorder on domains of th... | We have studied a two dimensional lattice mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13750 | 13751 | A dynamic network model with persistent links ... | We propose a dynamic network model where two... | 1 | 0 | 0 | 1 | 0 | 1 |
| 13751 | 13752 | Predicting stock market movements using networ... | A stock market is considered as one of the h... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13752 | 13753 | Bi-monotonic independence for pairs of algebras | In this article, the notion of bi-monotonic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13753 | 13754 | Evidence of Significant Energy Input in the La... | We present observations of the occulted acti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13754 | 13755 | Gender Bias in Sharenting: Both Men and Women ... | Gender inequality starts before birth. Paren... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13755 | 13756 | Spatial disease mapping using Directed Acyclic... | Hierarchical models for regionally aggregate... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13756 | 13757 | Bag-of-Words Method Applied to Accelerometer M... | Accelerometer measurements are the prime typ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13757 | 13758 | Investigation of the commensurate magnetic str... | We investigated the magnetic structure of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13758 | 13759 | Constant-Time Predictive Distributions for Gau... | One of the most compelling features of Gauss... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13759 | 13760 | Analysis of Thompson Sampling for Gaussian Pro... | We consider the global optimization of a fun... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13760 | 13761 | Dependency Graph Approach for Multiprocessor R... | Over the years, many multiprocessor locking ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13761 | 13762 | On topological cyclic homology | Topological cyclic homology is a refinement ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13762 | 13763 | Local Partition in Rich Graphs | Local graph partitioning is a key graph mini... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13763 | 13764 | A Transient Queueing Analysis under Time-varyi... | Understanding the detailed queueing behavior... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13764 | 13765 | SalientDSO: Bringing Attention to Direct Spars... | Although cluttered indoor scenes have a lot ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13765 | 13766 | Asynchronous Decentralized Parallel Stochastic... | Most commonly used distributed machine learn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13766 | 13767 | Seamless Resources Sharing in Wearable Network... | The prevalence of smart wearable devices is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13767 | 13768 | Combining Model-Free Q-Ensembles and Model-Bas... | Q-Ensembles are a model-free approach where ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13768 | 13769 | Creating a Cybersecurity Concept Inventory: A ... | We report on the status of our Cybersecurity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13769 | 13770 | Critical Learning Periods in Deep Neural Networks | Critical periods are phases in the early dev... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13770 | 13771 | Whole-Body Nonlinear Model Predictive Control ... | In this work we present a whole-body Nonline... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13771 | 13772 | An informative path planning framework for UAV... | Unmanned aerial vehicles (UAVs) represent a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13772 | 13773 | Machine Learning on Sequential Data Using a Re... | Recurrent Neural Networks (RNN) are a type o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13773 | 13774 | Feynman-Kac equation for anomalous processes w... | Functionals of a stochastic process Y(t) mod... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13774 | 13775 | An Online Ride-Sharing Path Planning Strategy ... | As efficient traffic-management platforms, p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13775 | 13776 | Ask the Right Questions: Active Question Refor... | We frame Question Answering (QA) as a Reinfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13776 | 13777 | Time consistency for scalar multivariate risk ... | In this paper we present results on dynamic ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13777 | 13778 | A Continuous Beam Steering Slotted Waveguide A... | The design, simulation and measurement of a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13778 | 13779 | Developing an edge computing platform for real... | The Internet of Mobile Things encompasses st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13779 | 13780 | Space Telescope and Optical Reverberation Mapp... | During the Space Telescope and Optical Rever... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13780 | 13781 | Design of a Multi-Modal End-Effector and Grasp... | We present the grasping system and design ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13781 | 13782 | Coping with Construals in Broad-Coverage Seman... | We consider the semantics of prepositions, r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13782 | 13783 | A Framework for Generalizing Graph-based Repre... | Random walks are at the heart of many existi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13783 | 13784 | A Neural Network Architecture Combining Gated ... | Gated Recurrent Unit (GRU) is a recently-dev... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13784 | 13785 | Spelling Correction as a Foreign Language | In this paper, we reformulated the spell cor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13785 | 13786 | Intrinsic p-type W-based transition metal dich... | Two-dimensional (2D) transition metal dichal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13786 | 13787 | Synchronisation of Partial Multi-Matchings via... | In this work we study permutation synchronis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13787 | 13788 | Associated varieties and Higgs branches (a sur... | Associated varieties of vertex algebras are ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13788 | 13789 | Optimization Design of Decentralized Control f... | A new method is developed to deal with the p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13789 | 13790 | SAM: Semantic Attribute Modulation for Languag... | This paper presents a Semantic Attribute Mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13790 | 13791 | A Flexible Procedure for Mixture Proportion Es... | Positive--unlabeled (PU) learning considers ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13791 | 13792 | The Application of SNiPER to the JUNO Simulation | JUNO is a multipurpose neutrino experiment w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13792 | 13793 | A Modified Sigma-Pi-Sigma Neural Network with ... | Sigma-Pi-Sigma neural networks (SPSNNs) as a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13793 | 13794 | Proceedings of the 2017 AdKDD & TargetAd Workshop | Proceedings of the 2017 AdKDD and TargetAd W... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13794 | 13795 | On the R-superlinear convergence of the KKT re... | Due to the possible lack of primal-dual-type... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13795 | 13796 | It's Like Python But: Towards Supporting Trans... | Expertise in programming traditionally assum... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13796 | 13797 | How do Mixture Density RNNs Predict the Future? | Gaining a better understanding of how and wh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13797 | 13798 | Robust Recovery of Missing Data in Electricity... | The advanced operation of future electricity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13798 | 13799 | Numerical analysis of a nonlinear free-energy ... | We propose a nonlinear Discrete Duality Fini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13799 | 13800 | A momentum conserving $N$-body scheme with ind... | $N$-body simulations study the dynamics of $... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13800 | 13801 | Accurate Real Time Localization Tracking in A ... | Deep learning has started to revolutionize s... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13801 | 13802 | Metropolis Sampling | Monte Carlo (MC) sampling methods are widely... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13802 | 13803 | Approximate Structure Construction Using Large... | In this paper we describe a novel local algo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13803 | 13804 | Search for Food of Birds, Fish and Insects | This book chapter introduces to the problem ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13804 | 13805 | Poverty Prediction with Public Landsat 7 Satel... | Obtaining detailed and reliable data about l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13805 | 13806 | Implicit Regularization in Matrix Factorization | We study implicit regularization when optimi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13806 | 13807 | A general theory of singular values with appli... | We study the Pareto frontier for two competi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13807 | 13808 | A Hybrid Deep Learning Architecture for Privac... | Deep Neural Networks are increasingly being ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13808 | 13809 | Exploiting Apache Spark platform for CMS compu... | The CERN IT provides a set of Hadoop cluster... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13809 | 13810 | Scalable Co-Optimization of Morphology and Con... | Evolution sculpts both the body plans and ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13810 | 13811 | Normalizing the Taylor expansion of non-determ... | It has been known since Ehrhard and Regnier'... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13811 | 13812 | Quantifying telescope phase discontinuities ex... | We propose and apply two methods to estimate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13812 | 13813 | Adaptive Multilevel Monte Carlo Approximation ... | We analyse a multilevel Monte Carlo method f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13813 | 13814 | Constraints on the pre-impact orbits of Solar ... | We provide a fast method for computing const... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13814 | 13815 | Dark matter in the Reticulum II dSph: a radio ... | We present a deep radio search in the Reticu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13815 | 13816 | Relevant change points in high dimensional tim... | This paper investigates the problem of detec... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13816 | 13817 | Disentangling in Variational Autoencoders with... | Learning representations that disentangle th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13817 | 13818 | Calibrated Boosting-Forest | Excellent ranking power along with well cali... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13818 | 13819 | Phase Diagram of $α$-RuCl$_3$ in an in-plane M... | The low-temperature magnetic phases in the l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13819 | 13820 | Post hoc inference via joint family-wise error... | We introduce a general methodology for post ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13820 | 13821 | Jamming Resistant Receivers for Massive MIMO | We design jamming resistant receivers to enh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13821 | 13822 | Thickening and sickening the SYK model | We discuss higher dimensional generalization... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13822 | 13823 | Hidden chiral symmetries in BDI multichannel K... | Realistic implementations of the Kitaev chai... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13823 | 13824 | Charge Berezinskii-Kosterlitz-Thouless transit... | A half-century after the discovery of the su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13824 | 13825 | Seed-Driven Geo-Social Data Extraction - Full ... | Geo-social data has been an attractive sourc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13825 | 13826 | Bayesian random-effects meta-analysis using th... | The random-effects or normal-normal hierarch... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13826 | 13827 | Dirichlet Mixture Model based VQ Performance P... | In this paper, we continue our previous work... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13827 | 13828 | Query K-means Clustering and the Double Dixie ... | We consider the problem of approximate $K$-m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13828 | 13829 | On the spectrum of directed uniform and non-un... | Here, we suggest a method to represent gener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13829 | 13830 | Inference for partial correlation when data ar... | We introduce uncertainty regions to perform ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13830 | 13831 | Interstitial Content Detection | Interstitial content is online content which... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13831 | 13832 | Perfect spike detection via time reversal | Spiking neuronal networks are usually simula... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13832 | 13833 | A response to: "NIST experts urge caution in u... | A press release from the National Institute ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13833 | 13834 | Safe Model-based Reinforcement Learning with S... | Reinforcement learning is a powerful paradig... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13834 | 13835 | Refining Trace Abstraction using Abstract Inte... | The CEGAR loop in software model checking no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13835 | 13836 | A partial inverse problem for the Sturm-Liouvi... | The Sturm-Liouville operator with singular p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13836 | 13837 | BPjs --- a framework for modeling reactive sys... | We describe some progress towards a new comm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13837 | 13838 | Design of Quantum Circuits for Galois Field Sq... | This work presents an algorithm to generate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13838 | 13839 | Nearest-Neighbor Sample Compression: Efficienc... | We examine the Bayes-consistency of a recent... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13839 | 13840 | AdaGrad stepsizes: Sharp convergence over nonc... | Adaptive gradient methods such as AdaGrad an... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13840 | 13841 | On polynomially integrable convex bodies | An infinitely smooth convex body in $\mathbb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13841 | 13842 | Percentile Policies for Tracking of Markovian ... | Motivated by wide-ranging applications such ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13842 | 13843 | On Information Transfer Based Characterization... | In this paper, we present a novel approach t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13843 | 13844 | Using Session Types for Reasoning About Bounde... | The classes of depth-bounded and name-bounde... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13844 | 13845 | Combinatorial Secretary Problems with Ordinal ... | The secretary problem is a classic model for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13845 | 13846 | Modeling the Formation of Social Conventions i... | In order to understand the formation of soci... | 0 | 0 | 0 | 1 | 1 | 0 |
| 13846 | 13847 | A class of C*-algebraic locally compact quantu... | In this series of papers, we develop the the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13847 | 13848 | Symmetry-enforced quantum spin Hall insulators... | We prove a Lieb-Schultz-Mattis theorem for t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13848 | 13849 | Stabilized microwave-frequency transfer using ... | We present a stabilized microwave-frequency ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13849 | 13850 | Spectral sets for numerical range | We define and study a numerical-range analog... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13850 | 13851 | Learning of Gaussian Processes in Distributed ... | It is of fundamental importance to find algo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13851 | 13852 | Deep Learning: A Critical Appraisal | Although deep learning has historical roots ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13852 | 13853 | Semi-Supervised Recurrent Neural Network for A... | Social media is an useful platform to share ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13853 | 13854 | A Deep Neural Architecture for Sentence-level ... | This paper introduces a novel deep learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13854 | 13855 | A Tree-based Approach for Detecting Redundant ... | Net Asset Value (NAV) calculation and valida... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13855 | 13856 | Dynamics of the nonlinear Klein-Gordon equatio... | The nonlinear Klein-Gordon (NLKG) equation o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13856 | 13857 | Surface plasmons in superintense laser-solid i... | We review studies of superintense laser inte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13857 | 13858 | Jacquard: A Large Scale Dataset for Robotic Gr... | Grasping skill is a major ability that a wid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13858 | 13859 | Hochschild cohomology of some quantum complete... | We compute the Hochschild cohomology ring of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13859 | 13860 | Stock Market Visualization | We provide complete source code for a front-... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13860 | 13861 | Sharp estimates for solutions of mean field eq... | The pioneering work of Brezis-Merle [7], Li-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13861 | 13862 | Probabilistic Forwarding of Coded Packets on N... | We consider a scenario of broadcasting infor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13862 | 13863 | Quantifiers on languages and codensity monads | This paper contributes to the techniques of ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13863 | 13864 | Conservative Exploration using Interleaving | In many practical problems, a learning agent... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13864 | 13865 | Power Allocation for Full-Duplex Relay Selecti... | This paper investigates power control and re... | 1 | 0 | 1 | 1 | 0 | 0 |
| 13865 | 13866 | Carina: Interactive Million-Node Graph Visuali... | We are working on a scalable, interactive vi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13866 | 13867 | Domination between different products and fini... | In this note we determine all possible domin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13867 | 13868 | Discriminant of the ordinary transversal singu... | Consider a space X with the singular locus, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13868 | 13869 | Possible spin excitation structure in monolaye... | Based on recent high-resolution angle-resolv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13869 | 13870 | Transient behavior of the solutions to the sec... | The renormalization method based on the Newt... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13870 | 13871 | Bias in Bios: A Case Study of Semantic Represe... | We present a large-scale study of gender bia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13871 | 13872 | SphereFace: Deep Hypersphere Embedding for Fac... | This paper addresses deep face recognition (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13872 | 13873 | Speed-of-light pulses in the massless nonlinea... | We consider the massless nonlinear Dirac (NL... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13873 | 13874 | A Hybrid Feasibility Constraints-Guided Search... | The two-dimensional non-oriented bin packing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13874 | 13875 | The earliest phases of high-mass star formatio... | To constrain models of high-mass star format... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13875 | 13876 | Robust consistent a posteriori error majorants... | Efficiency of the error control of numerical... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13876 | 13877 | Extended opportunity cost model to find near e... | This paper finds near equilibrium prices for... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13877 | 13878 | Kernel Two-Sample Hypothesis Testing Using Ker... | The two-sample hypothesis testing problem is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13878 | 13879 | An Efficient Approach for Removing Look-ahead ... | The least square Monte Carlo (LSM) algorithm... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13879 | 13880 | Accurately and Efficiently Interpreting Human-... | Humans can ground natural language commands ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13880 | 13881 | Nonlocal Venttsel' diffusion in fractal-type d... | We study a nonlocal Venttsel' problem in a n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13881 | 13882 | Magnon Spin-Momentum Locking: Various Spin Vor... | We generalize the concept of the spin-moment... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13882 | 13883 | Analytic evaluation of some three- and four- e... | The method of evaluation outlined in a previ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13883 | 13884 | GIANT: Globally Improved Approximate Newton Me... | For distributed computing environment, we co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13884 | 13885 | Stability and performance analysis of linear p... | It is known that input-output approaches bas... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13885 | 13886 | Joint Inference of User Community and Interest... | Online social media have become an integral ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13886 | 13887 | A mode theory for the electoweak interaction a... | A theory is proposed, in which the basic ele... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13887 | 13888 | Guided Machine Learning for power grid segment... | The segmentation of large scale power grids ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13888 | 13889 | 121,123Sb NQR as a microscopic probe in Te dop... | $^{121,123}Sb$ nuclear quadrupole resonance ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13889 | 13890 | The Merging Path Plot: adaptive fusing of k-gr... | There are many statistical tests that verify... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13890 | 13891 | Constraint on cosmological parameters by Hubbl... | In this paper, we present a new method of me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13891 | 13892 | Semidefinite tests for latent causal structures | Testing whether a probability distribution i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13892 | 13893 | From atomistic model to the Peierls-Nabarro mo... | The Peierls-Nabarro (PN) model for dislocati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13893 | 13894 | A family of monogenic $S_4$ quartic fields ari... | We consider partial torsion fields (fields g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13894 | 13895 | Aggregation and Resource Scheduling in Machine... | Data aggregation is a promising approach to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13895 | 13896 | Setting Players' Behaviors in World of Warcraf... | Digital games are one of the major and most ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13896 | 13897 | Boundary Hamiltonian theory for gapped topolog... | In this letter, we report our systematic con... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13897 | 13898 | Euler characteristics of cominuscule quantum K... | We prove an identity relating the product of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13898 | 13899 | Dialogue Act Sequence Labeling using Hierarchi... | Dialogue Act recognition associate dialogue ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13899 | 13900 | Noise Stability is computable and low dimensional | Questions of noise stability play an importa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13900 | 13901 | Differentially Private ANOVA Testing | Modern society generates an incredible amoun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13901 | 13902 | The $E$-cohomological Conley Index, Cup-Length... | We give a new proof of the strong Arnold con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13902 | 13903 | Compiling Diderot: From Tensor Calculus to C | Diderot is a parallel domain-specific langua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13903 | 13904 | Semi-Supervised and Active Few-Shot Learning w... | We consider the problem of semi-supervised f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13904 | 13905 | Inhomogeneous exponential jump model | We introduce and study the inhomogeneous exp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13905 | 13906 | Evidence accumulation in a Laplace domain deci... | Evidence accumulation models of simple decis... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13906 | 13907 | Improved Energy Pooling Efficiency Through Inh... | The radiative lifetime of molecules or atoms... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13907 | 13908 | A unified, mechanistic framework for developme... | The two most fundamental processes describin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13908 | 13909 | Coinfection in a stochastic model for bacterio... | A system modeling bacteriophage treatments w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13909 | 13910 | Field dependence of non-reciprocal magnons in ... | Spin waves in chiral magnetic materials are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13910 | 13911 | On the Simpson index for the Moran process wit... | Moran or Wright-Fisher processes are probabl... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13911 | 13912 | Small animal whole body imaging with metamater... | Preclinical magnetic resonance imaging often... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13912 | 13913 | Entropic Trace Estimates for Log Determinants | The scalable calculation of matrix determina... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13913 | 13914 | A Mixture of Matrix Variate Bilinear Factor An... | Over the years data has become increasingly ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13914 | 13915 | The application of the competency-based approa... | This review paper fits in the context of the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13915 | 13916 | Prediction and Generation of Binary Markov Pro... | Understanding the generative mechanism of a ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 13916 | 13917 | Topological orders of strongly interacting par... | We investigate the self-organization of stro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13917 | 13918 | Virtual unknotting numbers of certain virtual ... | The virtual unknotting number of a virtual k... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13918 | 13919 | Computing the Lambert W function in arbitrary-... | We describe an algorithm to evaluate all the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13919 | 13920 | An Architecture for Embedded Systems Supportin... | The rise in life expectancy is one of the gr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13920 | 13921 | Hunting Rabbits on the Hypercube | We explore the Hunters and Rabbits game on t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13921 | 13922 | Mixed Effect Dirichlet-Tree Multinomial for Lo... | Quantifying the relation between gut microbi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13922 | 13923 | Approximating Throughput and Packet Decoding D... | In this paper, we study a wireless packet br... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13923 | 13924 | Search for electromagnetic super-preshowers us... | Any considerations on propagation of particl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13924 | 13925 | Gromov-Hausdorff limit of Wasserstein spaces o... | We consider a point cloud $X_n := \{ x_1, \d... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13925 | 13926 | Minimal axiomatic frameworks for definable hyp... | We modify the definable ultrapower construct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13926 | 13927 | A Tight Excess Risk Bound via a Unified PAC-Ba... | We present a novel notion of complexity that... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13927 | 13928 | A Naive Algorithm for Feedback Vertex Set | Given a graph on $n$ vertices and an integer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13928 | 13929 | Query Complexity of Clustering with Side Infor... | Suppose, we are given a set of $n$ elements ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13929 | 13930 | On Prediction Properties of Kriging: Uniform E... | Kriging based on Gaussian random fields is w... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13930 | 13931 | Robust Submodular Maximization: A Non-Uniform ... | We study the problem of maximizing a monoton... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13931 | 13932 | Value Directed Exploration in Multi-Armed Band... | Multi-armed bandits are a quintessential mac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13932 | 13933 | Adaptive Mantel Test for AssociationTesting in... | Mantel's test (MT) for association is conduc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13933 | 13934 | Approximation of Functions over Manifolds: A M... | We present an algorithm for approximating a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13934 | 13935 | Delay sober up drunkers: Control of diffusion ... | Time delay in general leads to instability i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13935 | 13936 | Gravitational Wave signatures of inflationary ... | Primordial Black Holes (PBH) could be the co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13936 | 13937 | Linear Parsing Expression Grammars | PEGs were formalized by Ford in 2004, and ha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13937 | 13938 | Pre-Synaptic Pool Modification (PSPM): A Super... | A central question in neuroscience is how to... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13938 | 13939 | The Bright and Dark Sides of High-Redshift sta... | We present rest-frame optical spectra from t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13939 | 13940 | Edge Estimation with Independent Set Oracles | We study the task of estimating the number o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13940 | 13941 | Threshold-activated transport stabilizes chaot... | We explore Random Scale-Free networks of pop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13941 | 13942 | Bounding and Counting Linear Regions of Deep N... | We investigate the complexity of deep neural... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13942 | 13943 | The reactive-telegraph equation and a related ... | We study the long-range, long-time behavior ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13943 | 13944 | Finiteness theorems for K3 surfaces and abelia... | We study abelian varieties and K3 surfaces w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13944 | 13945 | Rheology of inelastic hard spheres at finite d... | Considering a granular fluid of inelastic sm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13945 | 13946 | The Flash ADC system and PMT waveform reconstr... | To better understand the energy response of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13946 | 13947 | Quasitoric totally normally split representati... | The present paper generalises the results of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13947 | 13948 | Interpretable Feature Recommendation for Signa... | This paper presents an automated approach fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13948 | 13949 | Learning One-hidden-layer ReLU Networks via Gr... | We study the problem of learning one-hidden-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13949 | 13950 | Exclusion of GNSS NLOS Receptions Caused by Dy... | Absolute positioning is an essential factor ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13950 | 13951 | Energy Distribution in Intrinsically Coupled S... | Intrinsically nonlinear coupled systems pres... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13951 | 13952 | Cayley deformations of compact complex surfaces | In this article, we consider Cayley deformat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13952 | 13953 | Ensemble Inhibition and Excitation in the Huma... | The pairwise maximum entropy model, also kno... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13953 | 13954 | Generalized Self-Concordant Functions: A Recip... | We study the smooth structure of convex func... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13954 | 13955 | On Joint Functional Calculus For Ritt Operators | In this paper, we study joint functional cal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13955 | 13956 | Controlling plasmon modes and damping in buckl... | Full ranges of both hybrid plasmon-mode disp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13956 | 13957 | A high-order nonconservative approach for hype... | It is well known, thanks to Lax-Wendroff the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13957 | 13958 | Improving Resilience of Autonomous Moving Plat... | Environmental changes, failures, collisions ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13958 | 13959 | Power series expansions for the planar monomer... | We compute the free energy of the planar mon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13959 | 13960 | Neural Networks Compression for Language Modeling | In this paper, we consider several compressi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13960 | 13961 | Relativistic effects in the non-resonant two-p... | Relativistic effects in the non-resonant two... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13961 | 13962 | Local Okounkov bodies and limits in prime char... | This article is concerned with the asymptoti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13962 | 13963 | Two-Dimensional Systolic Complexes Satisfy Pro... | We show that 2-dimensional systolic complexe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13963 | 13964 | Application of the Computer Capacity to the An... | The notion of computer capacity was proposed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13964 | 13965 | On absolutely normal numbers and their discrep... | We construct the base $2$ expansion of an ab... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13965 | 13966 | Multispectral computational ghost imaging with... | Computational ghost imaging is a robust and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13966 | 13967 | Combined MEG and fMRI Exponential Random Graph... | Estimated connectomes by the means of neuroi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13967 | 13968 | An updated Type II supernova Hubble diagram | We present photometry and spectroscopy of ni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13968 | 13969 | Digital Identity: The Effect of Trust and Repu... | The Sharing Economy (SE) is a growing ecosys... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13969 | 13970 | Can Deep Clinical Models Handle Real-World Dom... | The hypothesis that computational models can... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13970 | 13971 | Fabrication of grain boundary junctions using ... | We report on the growth of NdFeAs(O,F) thin ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13971 | 13972 | Panchromatic Hubble Andromeda Treasury XVIII. ... | We measure the mass function for a sample of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13972 | 13973 | Cohomology and overconvergence for representat... | We show that the Galois cohomology groups of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13973 | 13974 | Global algorithms for maximal eigenpair | This paper is a continuation of \ct{cmf16} w... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13974 | 13975 | Entanglement and entropy production in coupled... | We investigate the time evolution of the ent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13975 | 13976 | Sparse Poisson Regression with Penalized Weigh... | We proposed a new penalized method in this p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 13976 | 13977 | Bubble size statistics during reionization fro... | The upcoming SKA1-Low radio interferometer w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13977 | 13978 | Robust Stochastic Configuration Networks with ... | Neural networks have been widely used as pre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13978 | 13979 | Density of the spectrum of Jacobi matrices wit... | We consider Jacobi matrices $J$ whose parame... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13979 | 13980 | Modeling of a self-sustaining ignition in a so... | In the present work we analyze some necessar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13980 | 13981 | Election Bias: Comparing Polls and Twitter in ... | While the polls have been the most trusted s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13981 | 13982 | Versality of the relative Fukaya category | Seidel introduced the notion of a Fukaya cat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13982 | 13983 | Hot Phonon and Carrier Relaxation in Si(100) D... | The thermalization of hot carriers and phono... | 0 | 1 | 0 | 0 | 0 | 0 |
| 13983 | 13984 | Counting Quasi-Idempotent Irreducible Integral... | Given any polynomial $p$ in $C[X]$, we show ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13984 | 13985 | On sound-based interpretation of neonatal EEG | Significant training is required to visually... | 0 | 0 | 0 | 1 | 1 | 0 |
| 13985 | 13986 | OAuthGuard: Protecting User Security and Priva... | Millions of users routinely use Google to lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13986 | 13987 | Aspiration dynamics generate robust prediction... | Evolutionary game dynamics in structured pop... | 0 | 0 | 0 | 0 | 1 | 0 |
| 13987 | 13988 | Memory Efficient Experience Replay for Streami... | In supervised machine learning, an agent is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13988 | 13989 | New integrable semi-discretizations of the cou... | We have undertaken an algorithmic search for... | 0 | 1 | 1 | 0 | 0 | 0 |
| 13989 | 13990 | Provable Alternating Gradient Descent for Non-... | Non-negative matrix factorization is a basic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13990 | 13991 | Bayesian mean-variance analysis: Optimal portf... | The paper solves the problem of optimal port... | 0 | 0 | 0 | 0 | 0 | 1 |
| 13991 | 13992 | Selective inference after likelihood- or test-... | Statistical inference after model selection ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 13992 | 13993 | Sampling and Reconstruction of Graph Signals v... | We study the problem of sampling a bandlimit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 13993 | 13994 | DLTK: State of the Art Reference Implementatio... | We present DLTK, a toolkit providing baselin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13994 | 13995 | A homotopy theory of Nakaoka twin cotorsion pairs | We show that the Verdier quotients can be re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13995 | 13996 | Categorical relations between Langlands dual q... | We prove that the Grothendieck rings of cate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13996 | 13997 | Strategic Dynamic Pricing with Network Effects | We study the optimal pricing strategy of a m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 13997 | 13998 | Semisimple Leibniz algebras and their derivati... | The present paper is devoted to the descript... | 0 | 0 | 1 | 0 | 0 | 0 |
| 13998 | 13999 | Vandermonde Matrices with Nodes in the Unit Di... | We derive bounds on the extremal singular va... | 1 | 0 | 1 | 0 | 0 | 0 |
| 13999 | 14000 | High-buckled R3 stanene with topologically non... | Stanene has been predicted to be a two-dimen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14000 | 14001 | Informed Sub-Sampling MCMC: Approximate Bayesi... | This paper introduces a framework for speedi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14001 | 14002 | Mathematical Analysis of Anthropogenic Signatu... | Distributions of anthropogenic signatures (i... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14002 | 14003 | Efficient Regret Minimization in Non-Convex Games | We consider regret minimization in repeated ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14003 | 14004 | Spectral Methods for Immunization of Large Net... | Given a network of nodes, minimizing the spr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14004 | 14005 | Long-time existence of nonlinear inhomogeneous... | In this paper, we consider the nonlinear inh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14005 | 14006 | Deep Convolutional Denoising of Low-Light Images | Poisson distribution is used for modeling no... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14006 | 14007 | Towards a fractal cohomology: Spectra of Polya... | Emil Artin defined a zeta function for algeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14007 | 14008 | F-index of graphs based on four operations rel... | The forgotten topological index or F-index o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14008 | 14009 | Deleting vertices to graphs of bounded genus | We show that a problem of deleting a minimum... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14009 | 14010 | Axion dark matter search using the storage rin... | We propose using the storage ring EDM method... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14010 | 14011 | Time crystal platform: from quasi-crystal stru... | Time crystals are quantum many-body systems ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14011 | 14012 | Fast and accurate classification of echocardio... | Echocardiography is essential to modern card... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14012 | 14013 | Anomaly Detection in Multivariate Non-stationa... | Anomaly detection in database management sys... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14013 | 14014 | On the complexity of non-orientable Seifert fi... | In this paper we deal with Seifert fibre spa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14014 | 14015 | MIMO-UFMC Transceiver Schemes for Millimeter W... | The UFMC modulation is among the most consid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14015 | 14016 | Modeling human intuitions about liquid flow wi... | Humans can easily describe, imagine, and, cr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14016 | 14017 | Comment on "Spin-Orbit Coupling Induced Gap in... | Recently a paper of Klimovskikh et al. was p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14017 | 14018 | Stochastic Non-convex Ordinal Embedding with S... | Learning representation from relative simila... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14018 | 14019 | The Mass-Metallicity Relation revisited with C... | We present an updated version of the mass--m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14019 | 14020 | (p,q)-webs of DIM representations, 5d N=1 inst... | Instanton partition functions of $\mathcal{N... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14020 | 14021 | Self-Motion of the 3-PPPS Parallel Robot with ... | This paper presents the kinematic analysis o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14021 | 14022 | Scaling-Up Reasoning and Advanced Analytics on... | BigDatalog is an extension of Datalog that a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14022 | 14023 | ALMA Observations of the Gravitational Lens SDP.9 | We present long-baseline ALMA observations o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14023 | 14024 | The Noether numbers and the Davenport constant... | The computation of the Noether numbers of al... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14024 | 14025 | Multistability and coexisting soliton combs in... | We are reporting that the Lugiato-Lefever eq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14025 | 14026 | Numerical assessment of the percolation thresh... | Models of percolation processes on networks ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14026 | 14027 | Planar graphs as L-intersection or L-contact g... | The L-intersection graphs are the graphs tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14027 | 14028 | An EPTAS for Scheduling on Unrelated Machines ... | In the classical problem of scheduling on un... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14028 | 14029 | An extensive impurity-scattering study on the ... | Determination of the pairing symmetry in mon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14029 | 14030 | Fast Depth Imaging Denoising with the Temporal... | This paper proposes a novel method to filter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14030 | 14031 | From Propositional Logic to Plausible Reasonin... | We consider the question of extending propos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14031 | 14032 | Discovering objects and their relations from e... | Our world can be succinctly and compactly de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14032 | 14033 | Hall effect spintronics for gas detection | We present the concept of magnetic gas detec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14033 | 14034 | An evolutionary strategy for DeltaE - E identi... | In this article we present an automatic meth... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14034 | 14035 | Contrastive Training for Models of Information... | This paper proposes a model of information c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14035 | 14036 | The Structure of the Broad-Line Region In Acti... | We present inferences on the geometry and ki... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14036 | 14037 | A Unified Framework for Long Range and Cold St... | Providing long-range forecasts is a fundamen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14037 | 14038 | A Multi-Ringed, Modestly-Inclined Protoplaneta... | AA Tau is the archetype for a class of stars... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14038 | 14039 | Verifying the Medical Specialty from User Prof... | The paper describes the verifying methods of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14039 | 14040 | Stress-Based Navigation for Microscopic Robots... | Objects moving in fluids experience patterns... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14040 | 14041 | The $(-β)$-shift and associated Zeta Function | Given a real number $ \beta > 1$, we study t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14041 | 14042 | Configurational forces in electronic structure... | We derive the expressions for configurationa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14042 | 14043 | Utilizing Bluetooth and Adaptive Signal Contro... | Real-time safety analysis has become a hot r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14043 | 14044 | A Nernst current from the conformal anomaly in... | We show that a conformal anomaly in Weyl/Dir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14044 | 14045 | Employing both Gender and Emotion Cues to Enha... | Speaker recognition performance in emotional... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14045 | 14046 | Thermal Pressure in Diffuse H2 Gas Measured by... | UV absorption studies with FUSE have observe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14046 | 14047 | A Dictionary Approach to Identifying Transient... | As radio telescopes become more sensitive, t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14047 | 14048 | Eternal inflation and the quantum birth of cos... | We consider the eternal inflation scenario o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14048 | 14049 | Exact time dependence of causal correlations a... | We present the first exact calculations of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14049 | 14050 | Discrete-time construction of nonequilibrium p... | Rigorous nonequilibrium actions for the many... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14050 | 14051 | Estimation of Component Reliability in Coheren... | The first step in statistical reliability st... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14051 | 14052 | Cell-Probe Lower Bounds from Online Communicat... | In this work, we introduce an online model f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14052 | 14053 | On Machine Learning and Structure for Mobile R... | Due to recent advances - compute, data, mode... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14053 | 14054 | On the degree of incompleteness of an incomple... | In order to find a way of measuring the degr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14054 | 14055 | Sparsity information and regularization in the... | The horseshoe prior has proven to be a notew... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14055 | 14056 | Learning an internal representation of the end... | Current machine learning techniques proposed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14056 | 14057 | Correlation plots of the Siberian radioheliograph | The Siberian Solar Radio Telescope is now be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14057 | 14058 | Anomalous Thermal Expansion, Negative Linear C... | We present temperature dependent inelastic n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14058 | 14059 | Comparing Computing Platforms for Deep Learnin... | The goal of this study is to test two differ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14059 | 14060 | DLBI: Deep learning guided Bayesian inference ... | Super-resolution fluorescence microscopy, wi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14060 | 14061 | A Universal Ordinary Differential Equation | An astonishing fact was established by Lee A... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14061 | 14062 | Sun/Moon photometer for the Cherenkov Telescop... | Determination of the energy and flux of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14062 | 14063 | A Connectome Based Hexagonal Lattice Convoluti... | What can we learn from a connectome? We cons... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14063 | 14064 | Improved Kernels and Algorithms for Claw and D... | In the {claw, diamond}-free edge deletion pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14064 | 14065 | Distributed Edge Caching Scheme Considering th... | Caching popular contents at the edge of cell... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14065 | 14066 | Orbital Graphs | We introduce orbital graphs and discuss some... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14066 | 14067 | On the existence of harmonic $\mathbf{Z}_2$ sp... | We prove the existence of singular harmonic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14067 | 14068 | Penalty-based spatial smoothing and outlier de... | Childhood obesity is associated with increas... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14068 | 14069 | Some simple rules for estimating reproduction ... | The basic reproduction number ($R_0$) is a t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14069 | 14070 | Self-Assembled Monolayer Piezoelectrics: Elect... | We demonstrate that an applied electric fiel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14070 | 14071 | Matrix divisors on Riemann surfaces and Lax op... | Matrix divisors are introduced in the work b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14071 | 14072 | Observation of pseudogap in MgB2 | Pseudogap phase in superconductors continues... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14072 | 14073 | Critical fields and fluctuations determined fr... | Through a direct comparison of specific heat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14073 | 14074 | Determining the vortex tilt relative to a supe... | It is of interest to determine the exit angl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14074 | 14075 | Onset of nonlinear structures due to eigenmode... | A general methodology is proposed to differe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14075 | 14076 | Self-consistent semi-analytic models of the fi... | We have developed a semi-analytic framework ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14076 | 14077 | SoK: Taxonomy and Challenges of Out-of-Band Si... | Research on how hardware imperfections impac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14077 | 14078 | Identifying Harm Events in Clinical Care throu... | Preventable medical errors are estimated to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14078 | 14079 | Deep Self-Paced Learning for Person Re-Identif... | Person re-identification (Re-ID) usually suf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14079 | 14080 | Moments and Cumulants of The Two-Stage Mann-Wh... | This paper illustrates how to calculate the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14080 | 14081 | OGLE Cepheids and RR Lyrae Stars in the Milky Way | We present new large samples of Galactic Cep... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14081 | 14082 | Closed-form approximations in derivatives pric... | Kristensen and Mele (2011) developed a new a... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14082 | 14083 | On the magnitude function of domains in Euclid... | We study Leinster's notion of magnitude for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14083 | 14084 | Minimum edge cuts of distance-regular and stro... | In this paper, we show that the edge connect... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14084 | 14085 | Quality Enhancement by Weighted Rank Aggregati... | Expertise of annotators has a major role in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14085 | 14086 | Heterogeneous elastic plates with in-plane mod... | We rigorously derive a Kirchhoff plate theor... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14086 | 14087 | An educational distributed Cosmic Ray detector... | The advent of microcontrollers with enough C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14087 | 14088 | Irreducible characters with bounded root Artin... | In this work, we prove that the growth of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14088 | 14089 | Mapping Web Pages by Internet Protocol (IP) ad... | Internet Protocol (IP) addresses are frequen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14089 | 14090 | A generalisation of Kani-Rosen decomposition t... | In this short paper we generalise a theorem ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14090 | 14091 | Optimal group testing designs for estimating p... | We construct optimal designs for group testi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14091 | 14092 | Charge transfer driven emergent phenomena in o... | Complex oxides exhibit many intriguing pheno... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14092 | 14093 | Duality of Graphical Models and Tensor Networks | In this article we show the duality between ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 14093 | 14094 | A further generalization of the Emden-Fowler e... | A generalization of the Emden-Fowler equatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14094 | 14095 | Data Interpolations in Deep Generative Models ... | Exploiting the deep generative model's remar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14095 | 14096 | Effect of Surfaces on Amyloid Fibril Formation | Using atomic force microscopy (AFM) we inves... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14096 | 14097 | Lie Transform Based Polynomial Neural Networks... | In the article, we discuss the architecture ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14097 | 14098 | Large deformations of the Tracy-Widom distribu... | We analyze the left-tail asymptotics of defo... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14098 | 14099 | Too Trivial To Test? An Inverse View on Defect... | Background. Test resources are usually limit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14099 | 14100 | Dynamical phase transitions in sampling comple... | We make the case for studying the complexity... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14100 | 14101 | Local asymptotic equivalence of pure quantum s... | Quantum technology is increasingly relying o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14101 | 14102 | Training DNNs with Hybrid Block Floating Point | The wide adoption of DNNs has given birth to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14102 | 14103 | Unified Spectral Clustering with Optimal Graph | Spectral clustering has found extensive use ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14103 | 14104 | The Effect of Mixing on the Observed Metallici... | Measurements of high-velocity clouds' metall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14104 | 14105 | Semi-Supervised Generation with Cluster-aware ... | Deep generative models trained with large am... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14105 | 14106 | A PAC-Bayesian Approach to Spectrally-Normaliz... | We present a generalization bound for feedfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14106 | 14107 | Tidal viscosity of Enceladus | In the preceding paper (Efroimsky 2017), we ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14107 | 14108 | MOROCO: The Moldavian and Romanian Dialectal C... | In this work, we introduce the MOldavian and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14108 | 14109 | Linearized Einstein's field equations | From the Einstein field equations, in a weak... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14109 | 14110 | Treelogy: A Novel Tree Classifier Utilizing De... | We propose a novel tree classification syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14110 | 14111 | Simulation and stability analysis of oblique s... | We investigate flow instability created by a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14111 | 14112 | Notes on rate equations in nonlinear continuum... | The paper gives an introduction to rate equa... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14112 | 14113 | Streaming PCA and Subspace Tracking: The Missi... | For many modern applications in science and ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14113 | 14114 | Do altmetrics correlate with the quality of pa... | In this study, we address the question wheth... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14114 | 14115 | Introduction to the declination function for g... | The declination is a quantitative method for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14115 | 14116 | TFDASH: A Fairness, Stability, and Efficiency ... | Dynamic adaptive streaming over HTTP (DASH) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14116 | 14117 | Predicting language diversity with complex net... | Evolution and propagation of the world's lan... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14117 | 14118 | The paradox of Vito Volterra's predator-prey m... | This article is dedicated to the late Giorgi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14118 | 14119 | Distributive Minimization Comprehensions and t... | A categorical point of view about minimizati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14119 | 14120 | On the differentiability of hairs for Zorich maps | Devaney and Krych showed that for the expone... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14120 | 14121 | On the Real-time Vehicle Placement Problem | Motivated by ride-sharing platforms' efforts... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14121 | 14122 | Energy Harvesting Communication Using Finite-C... | Modern systems will increasingly rely on ene... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14122 | 14123 | A Novel Algorithm for Optimal Electricity Pric... | The evolution of smart microgrid and its dem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14123 | 14124 | A Reinforcement Learning Approach to Jointly A... | Our premise is that autonomous vehicles must... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14124 | 14125 | Differentially Private High Dimensional Sparse... | In this paper, we study the problem of estim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14125 | 14126 | Stochastic Functional Gradient Path Planning i... | Planning safe paths is a major building bloc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14126 | 14127 | MM2RTB: Bringing Multimedia Metrics to Real-Ti... | In display advertising, users' online ad exp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14127 | 14128 | Generic coexistence of Fermi arcs and Dirac co... | The hallmark of Weyl semimetals is the exist... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14128 | 14129 | Superfluid Field response to Edge dislocation ... | We study the dynamic response of a superflui... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14129 | 14130 | Koopman Operator Spectrum and Data Analysis | We examine spectral operator-theoretic prope... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14130 | 14131 | Exploiting Physical Dynamics to Detect Actuato... | Mobile robots are cyber-physical systems whe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14131 | 14132 | Unsupervised Neural Machine Translation | In spite of the recent success of neural mac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14132 | 14133 | Geometric Methods for Robust Data Analysis in ... | Machine learning and data analysis now finds... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14133 | 14134 | Modules Over the Ring of Ponderation functions... | In this paper we introduce new modules over ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14134 | 14135 | Strict monotonicity of principal eigenvalues o... | This paper studies the eigenvalue problem on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14135 | 14136 | Best Practices for Applying Deep Learning to N... | This report is targeted to groups who are su... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14136 | 14137 | Precision Interfaces | Building interactive tools to support data a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14137 | 14138 | Gaussian Approximation of a Risk Model with St... | We consider a classical risk process with ar... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14138 | 14139 | Data Modelling for the Evaluation of Virtualiz... | To conduct a more realistic evaluation on Vi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14139 | 14140 | Understanding Negations in Information Process... | Information systems experience an ever-growi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14140 | 14141 | A study of sliding motion of a solid body on a... | Recent studies show interest in materials wi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14141 | 14142 | Fisher information matrix of binary time series | A common approach to analyzing categorical c... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14142 | 14143 | A Fourier analytic approach to inhomogeneous D... | In this paper, we study inhomogeneous Diopha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14143 | 14144 | Screening in perturbative approaches to LSS | A specific value for the cosmological consta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14144 | 14145 | Thin films with precisely engineered nanostruc... | Synthesis of rationally designed nanostructu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14145 | 14146 | End-to-End Network Delay Guarantees for Real-T... | We propose a novel framework that reduces th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14146 | 14147 | Efficient cold outflows driven by cosmic rays ... | We present semi-analytical models of galacti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14147 | 14148 | On the Effectiveness of Discretizing Quantitat... | Learning algorithms that learn linear models... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14148 | 14149 | Kustaanheimo-Stiefel transformation with an ar... | Kustaanheimo-Stiefel (KS) transformation dep... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14149 | 14150 | A dynamic game approach to distributionally ro... | This paper presents a new safety specificati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14150 | 14151 | Entity Linking for Queries by Searching Wikipe... | We present a simple yet effective approach f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14151 | 14152 | Towards personalized human AI interaction - ad... | Reinforcement Learning AI commonly uses rewa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14152 | 14153 | Relational recurrent neural networks | Memory-based neural networks model temporal ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14153 | 14154 | A Scalable Discrete-Time Survival Model for Ne... | There is currently great interest in applyin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14154 | 14155 | A driven-dissipative spin chain model based on... | An infinite chain of driven-dissipative cond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14155 | 14156 | Projected Primal-Dual Gradient Flow of Augment... | In this paper, a projected primal-dual gradi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14156 | 14157 | A Short Note on Almost Sure Convergence of Bay... | Although there is a significant literature o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14157 | 14158 | Rainbow matchings in properly-coloured multigr... | Aharoni and Berger conjectured that in any b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14158 | 14159 | Recursive computation of the invariant distrib... | This paper provides a general and abstract a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14159 | 14160 | Secondary resonances and the boundary of effec... | One of the most interesting features in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14160 | 14161 | Qualitative Measurements of Policy Discrepancy... | The deep Q-network (DQN) and return-based re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14161 | 14162 | Probabilistic Constraints on the Mass and Comp... | Recent studies regarding the habitability, o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14162 | 14163 | Explicit Salem sets, Fourier restriction, and ... | We exhibit the first explicit examples of Sa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14163 | 14164 | Tunneling of the hard-core model on finite tri... | We consider the hard-core model on finite tr... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14164 | 14165 | Spectral State Compression of Markov Processes | Model reduction of the Markov process is a b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14165 | 14166 | Multi-band characterization of the hot Jupiter... | We have carried out a campaign to characteri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14166 | 14167 | Non-Fermi liquid at the FFLO quantum critical ... | When a 2D superconductor is subjected to a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14167 | 14168 | Unsupervised Ensemble Regression | Consider a regression problem where there is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14168 | 14169 | Accurate approximation of the distributions of... | Although Poisson-Voronoi diagrams have inter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14169 | 14170 | Flux-Stabilized Majorana Zero Modes in Coupled... | One promising avenue to study one-dimensiona... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14170 | 14171 | Nonlinear Kalman Filtering for Censored Observ... | The use of Kalman filtering, as well as its ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14171 | 14172 | Advances in Atomic Resolution In Situ Environm... | Advances in atomic resolution in situ enviro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14172 | 14173 | An improved high order finite difference metho... | This paper presents an extension of a recent... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14173 | 14174 | Refined estimates for simple blow-ups of the s... | In their work on a sharp compactness theorem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14174 | 14175 | The discrete logarithm problem over prime fiel... | In this brief note we connect the discrete l... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14175 | 14176 | DGCNN: Disordered Graph Convolutional Neural N... | Convolutional neural networks (CNNs) can be ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14176 | 14177 | Profile Estimation for Partial Functional Part... | This paper studies a \textit{partial functio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14177 | 14178 | Optimal $k$-Coverage Charging Problem | Wireless rechargeable sensor networks, consi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14178 | 14179 | Facebook's gender divide | Online social media are information resource... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14179 | 14180 | Knowing the past improves cooperation in the f... | Cooperation is the cornerstone of human evol... | 1 | 0 | 0 | 0 | 1 | 0 |
| 14180 | 14181 | BMO estimate of lacunary Fourier series on non... | We show that the classical equivalence betwe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14181 | 14182 | Multi-objective training of Generative Adversa... | Recent literature has demonstrated promising... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14182 | 14183 | Application of Surface Coil for Nuclear Magnet... | We conduct a comprehensive set of tests of p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14183 | 14184 | A universal coarse K-theory | In this paper, we construct an equivariant c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14184 | 14185 | Parameters of Three Selected Model Galactic Po... | This paper is a continuation of our recent p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14185 | 14186 | Giant Thermal Conductivity Enhancement in Mult... | Multilayer MoS2 possesses highly anisotropic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14186 | 14187 | Interrogation of spline surfaces with applicat... | A novel surface interrogation technique is p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14187 | 14188 | On recursive computation of coprime factorizat... | We propose general computational procedures ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14188 | 14189 | On Dark Matter Interactions with the Standard ... | We study electroweak scale Dark Matter (DM) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14189 | 14190 | Spin diffusion from an inhomogeneous quench in... | Generalised hydrodynamics predicts universal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14190 | 14191 | Morphological Simplification of Archaeological... | We propose to employ scale spaces of mathema... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14191 | 14192 | A note on a separating system of rational inva... | The paper deals with a construction of a sep... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14192 | 14193 | A Modality-Adaptive Method for Segmenting Brai... | In this paper we present a method for simult... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14193 | 14194 | Protein Pattern Formation | Protein pattern formation is essential for t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14194 | 14195 | What do we need to build explainable AI system... | Artificial intelligence (AI) generally and m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14195 | 14196 | Targeted matrix completion | Matrix completion is a problem that arises i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14196 | 14197 | Coresets for Dependency Networks | Many applications infer the structure of a p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14197 | 14198 | Relative stability of a ferroelectric state in... | The influence of the B-site ion substitution... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14198 | 14199 | Data-driven modelling and validation of aircra... | This paper presents an exhaustive study on t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14199 | 14200 | Exact evolution equation for the effective pot... | We derive a new exact evolution equation for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14200 | 14201 | Properties of Quasi-Assouad dimension | It is shown that for controlled Moran constr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14201 | 14202 | PFAx: Predictable Feature Analysis to Perform ... | Predictable Feature Analysis (PFA) (Richthof... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14202 | 14203 | Multiplex decomposition of non-Markovian dynam... | Elements composing complex systems usually i... | 0 | 1 | 0 | 1 | 0 | 0 |
| 14203 | 14204 | Model of knowledge transfer within an organisa... | Many studies show that the acquisition of kn... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14204 | 14205 | Efficient Propagation of Uncertainties in Manu... | Uncertainty propagation of large scale discr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14205 | 14206 | Semi-automated Signal Surveying Using Smartpho... | Location fingerprinting locates devices base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14206 | 14207 | On the n-th row of the graded Betti table of a... | We prove an explicit formula for the first n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14207 | 14208 | Topological conjugacy of topological Markov sh... | We will characterize topologically conjugate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14208 | 14209 | StealthDB: a Scalable Encrypted Database with ... | Encrypted database systems provide a great m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14209 | 14210 | On the conformal duality between constant mean... | The main aim of this survey paper is to gath... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14210 | 14211 | Making Sense of Vision and Touch: Self-Supervi... | Contact-rich manipulation tasks in unstructu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14211 | 14212 | Positive solutions for nonlinear problems invo... | Let $\Omega:=\left( a,b\right) \subset\mathb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14212 | 14213 | Vortex lattices in binary Bose-Einstein conden... | We study the structure and stability of vort... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14213 | 14214 | Regression estimator for the tail index | Estimating the tail index parameter is one o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14214 | 14215 | Active modulation of electromagnetically induc... | Metamaterial analogues of electromagneticall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14215 | 14216 | The continuity equation with cusp singularities | In this paper we study a special case of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14216 | 14217 | Simplicial Structures for Higher Order Hochsch... | For $d\geq1$, we study the simplicial struct... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14217 | 14218 | Destination-Directed Trajectory Modeling and P... | In some problems there is information about ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14218 | 14219 | Monadic Second Order Logic with Measure and Ca... | We investigate the extension of Monadic Seco... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14219 | 14220 | Two-point correlation in wall turbulence accor... | For the constant-stress layer of wall turbul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14220 | 14221 | Variational problems with long-range interaction | We consider a class of variational problems ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14221 | 14222 | On Breast Cancer Detection: An Application of ... | This paper presents a comparison of six mach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14222 | 14223 | Loss Landscapes of Regularized Linear Autoenco... | Autoencoders are a deep learning model for r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14223 | 14224 | Enduring Lagrangian coherence of a Loop Curren... | Ocean flows are routinely inferred from low-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14224 | 14225 | Nonparametric inference for continuous-time ev... | A flexible approach for modeling both dynami... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14225 | 14226 | Optimal Pricing-Based Edge Computing Resource ... | As the core issue of blockchain, the mining ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14226 | 14227 | Automorphic vector bundles with global section... | A general conjecture is stated on the cone o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14227 | 14228 | Composition and decomposition of GANs | In this work, we propose a composition/decom... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14228 | 14229 | Quasiconformal mappings and Hölder continuity | We establish that every $K$-quasiconformal m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14229 | 14230 | Boundedness of averaging operators on geometri... | We prove that averaging operators are unifor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14230 | 14231 | Efficient Low-Order Approximation of First-Pas... | We consider the problem of computing first-p... | 0 | 1 | 0 | 1 | 0 | 0 |
| 14231 | 14232 | Delayed avalanches in Multi-Pixel Photon Counters | Hamamatsu Photonics introduced a new generat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14232 | 14233 | Dynamic Deep Neural Networks: Optimizing Accur... | We introduce Dynamic Deep Neural Networks (D... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14233 | 14234 | Linear-Cost Covariance Functions for Gaussian ... | Gaussian random fields (GRF) are a fundament... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14234 | 14235 | Models of fault-tolerant distributed computati... | The computability power of a distributed com... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14235 | 14236 | Erratum: Higher Order Elicitability and Osband... | This note corrects conditions in Proposition... | 0 | 0 | 1 | 1 | 0 | 1 |
| 14236 | 14237 | Staging Human-computer Dialogs: An Application... | We demonstrate an application of the Futamur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14237 | 14238 | Enhancing synchronization in chaotic oscillato... | We report enhancing of complete synchronizat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14238 | 14239 | Compressed Sensing with Deep Image Prior and L... | We propose a novel method for compressed sen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14239 | 14240 | Beamforming and Power Splitting Designs for AN... | In this paper, an energy harvesting scheme f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14240 | 14241 | Spectral Properties of Tensor Products of Chan... | We investigate spectral properties of the te... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14241 | 14242 | Integral Chow motives of threefolds with $K$-m... | We prove that if a smooth projective algebra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14242 | 14243 | Efficient Recurrent Neural Networks using Stru... | Recurrent Neural Networks (RNNs) are becomin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14243 | 14244 | Neural Architecture Search: A Survey | Deep Learning has enabled remarkable progres... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14244 | 14245 | High Efficiency Power Side-Channel Attack Immu... | With the advancement of technology in the la... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14245 | 14246 | Real-time monitoring of the structure of ultra... | In this work thin magnetite films were depos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14246 | 14247 | Harnessing Flexible and Reliable Demand Respon... | Demand response (DR) is a cost-effective and... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14247 | 14248 | GraphGAN: Graph Representation Learning with G... | The goal of graph representation learning is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14248 | 14249 | Accelerating Stochastic Gradient Descent For L... | There is widespread sentiment that it is not... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14249 | 14250 | Topological Kondo insulators in one dimension:... | We study, by means of the density-matrix ren... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14250 | 14251 | A novel improved fuzzy support vector machine ... | Application of fuzzy support vector machine ... | 0 | 0 | 0 | 1 | 0 | 1 |
| 14251 | 14252 | Deformed Heisenberg Algebra with a minimal len... | We review the essentials of the formalism of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14252 | 14253 | Protonation induced high-Tc phases in iron-bas... | Chemical substitution during growth is a wel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14253 | 14254 | Spectral Estimation of Plasma Fluctuations I: ... | The relative root mean squared errors (RMSE)... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14254 | 14255 | Angles between curves in metric measure spaces | The goal of the paper is to study the angle ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14255 | 14256 | A Hybrid Multiscale Model for Cancer Invasion ... | The ability to locally degrade the extracell... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14256 | 14257 | Differential quadrature method for space-fract... | In mathematical physics, the space-fractiona... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14257 | 14258 | Positivstellensatzë for noncommutative rationa... | We derive some Positivstellensatzë for nonco... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14258 | 14259 | Cohesion-based Online Actor-Critic Reinforceme... | In the wake of the vast population of smart ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14259 | 14260 | The minus order and range additivity | We study the minus order on the algebra of b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14260 | 14261 | Rigidity-induced scale invariance in polymer e... | While the dynamics of a fully flexible polym... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14261 | 14262 | A Cloud-based Service for Real-Time Performanc... | We have created a cloud-based service that a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14262 | 14263 | On hyperballeans of bounded geometry | A ballean (or coarse structure) is a set end... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14263 | 14264 | Bayesian model selection consistency and oracl... | In this article, we investigate large sample... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14264 | 14265 | ChimpCheck: Property-Based Randomized Test Gen... | We consider the problem of generating releva... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14265 | 14266 | Mathematical analysis of pulsatile flow, vorte... | The dynamics along the particle trajectories... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14266 | 14267 | Resilient Feedback Controller Design For Linea... | In this paper, a resilient controller is des... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14267 | 14268 | Integrability of dispersionless Hirota type eq... | We prove that integrability of a dispersionl... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14268 | 14269 | Optimal stopping via reinforced regression | In this note we propose a new approach towar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14269 | 14270 | Least informative distributions in Maximum q-l... | We use the Maximum $q$-log-likelihood estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14270 | 14271 | Visual analytics for loan guarantee network ri... | Groups of enterprises guarantee each other a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14271 | 14272 | Pronunciation recognition of English phonemes ... | The Vocal Joystick Vowel Corpus, by Washingt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14272 | 14273 | Vulnerability to pandemics in a rapidly urbani... | We examine salient trends of influenza pande... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14273 | 14274 | Theoretical aspects of microscale acoustofluidics | Henrik Bruus is professor of lab-chip system... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14274 | 14275 | Context Generation from Formal Specifications ... | Analysis tools like abstract interpreters, s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14275 | 14276 | Gradient Descent with Random Initialization: F... | This paper considers the problem of solving ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14276 | 14277 | Unifying and Generalizing Methods for Removing... | Unwanted variation, including hidden confoun... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14277 | 14278 | Quantum-Accurate Molecular Dynamics Potential ... | The purpose of this short contribution is to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14278 | 14279 | An empirical evaluation of alternative methods... | Bandt and Pompe introduced Permutation Entro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14279 | 14280 | MIMIC-CXR: A large publicly available database... | Chest radiography is an extremely powerful i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14280 | 14281 | Convolutional Neural Networks for Page Segment... | This paper presents a Convolutional Neural N... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14281 | 14282 | Localized Quantitative Criteria for Equidistri... | Let $(x_n)_{n=1}^{\infty}$ be a sequence on ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14282 | 14283 | Disturbance propagation, inertia location and ... | Conventional generators in power grids are s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14283 | 14284 | Investigating the Characteristics of One-Sided... | One-sided matching mechanisms are fundamenta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14284 | 14285 | MIDI-VAE: Modeling Dynamics and Instrumentatio... | We introduce MIDI-VAE, a neural network mode... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14285 | 14286 | A General Deep Learning Framework for Structur... | In this work, we present Gumbel Graph Networ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14286 | 14287 | Disorder robustness and protection of Majorana... | Majorana bound states (MBS) are well-establi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14287 | 14288 | Characterisation of novel prototypes of monoli... | An upgrade of the ATLAS experiment for the H... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14288 | 14289 | End-to-end DNN Based Speaker Recognition Inspi... | Recently several end-to-end speaker verifica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14289 | 14290 | Motivic infinite loop spaces | We prove a recognition principle for motivic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14290 | 14291 | Dimer correlation amplitudes and dimer excitat... | Correlation functions of dimer operators, th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14291 | 14292 | Spectrum Access In Cognitive Radio Using A Two... | With the advent of the 5th generation of wir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14292 | 14293 | Charge transport through a single molecule of ... | Fullerenes have attracted interest for their... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14293 | 14294 | Blind Spots for Direct Detection with Simplifi... | Using the existing simplified model framewor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14294 | 14295 | Experiments of posture estimation on vehicles ... | In this paper, we study methods to estimate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14295 | 14296 | Matrix Completion Based Localization in the In... | In order to make a proper reaction to the co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14296 | 14297 | Hypersurfaces with nonnegative Ricci curvature... | Based on properties of n-subharmonic functio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14297 | 14298 | Achieving the time of $1$-NN, but the accuracy... | We propose a simple approach which, given di... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14298 | 14299 | A note on unitizations of generalized effect a... | There is a forgetful functor from the catego... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14299 | 14300 | Real and Complex Integrals on Spheres and Balls | We evaluate integrals of certain polynomials... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14300 | 14301 | Spin dynamics of FeGa$_{3-x}$Ge$_x$ studied by... | The intermetallic semiconductor FeGa$_{3}$ a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14301 | 14302 | Topology and edge modes in quantum critical ch... | We show that topology can protect exponentia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14302 | 14303 | Incompressible fillings of manifolds | We find boundaries of Borel-Serre compactifi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14303 | 14304 | Multichannel Attention Network for Analyzing V... | Public speaking is an important aspect of hu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14304 | 14305 | The Łojasiewicz Exponent via The Valuative Ham... | Let $k$ be an algebraically closed field of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14305 | 14306 | Science and its significant other: Representin... | Bibliometrics offers a particular representa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14306 | 14307 | Referenceless Quality Estimation for Natural L... | Traditional automatic evaluation measures fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14307 | 14308 | Regularisation of Neural Networks by Enforcing... | We investigate the effect of explicitly enfo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14308 | 14309 | HiNet: Hierarchical Classification with Neural... | Traditionally, classifying large hierarchica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14309 | 14310 | Multiscale permutation entropy analysis of las... | We have experimentally quantified the tempor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14310 | 14311 | Improving OpenCL Performance by Specializing C... | Automatic compiler phase selection/ordering ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14311 | 14312 | Shot noise and biased tracers: a new look at t... | Shot noise is an important ingredient to any... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14312 | 14313 | On the maximal directional Hilbert transform i... | We establish the sharp growth rate, in terms... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14313 | 14314 | MOLIERE: Automatic Biomedical Hypothesis Gener... | Hypothesis generation is becoming a crucial ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14314 | 14315 | Lower bounds for several online variants of bi... | We consider several previously studied onlin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14315 | 14316 | Query-limited Black-box Attacks to Classifiers | We study black-box attacks on machine learni... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14316 | 14317 | Efficient Kinematic Planning for Mobile Manipu... | This work addresses the problem of kinematic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14317 | 14318 | Measuring Integrated Information: Comparison o... | Integrated Information Theory (IIT) is a pro... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14318 | 14319 | Volumes of $\mathrm{SL}_n\mathbb{C}$-represent... | Let $M$ be a compact oriented three-manifold... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14319 | 14320 | Learning in Variational Autoencoders with Kull... | In this paper we propose two novel bounds fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14320 | 14321 | Design and demonstration of an acoustic right-... | In this paper, we design, fabricate and expe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14321 | 14322 | FBG-Based Position Estimation of Highly Deform... | Conventional shape sensing techniques using ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14322 | 14323 | Small-signal Stability Analysis and Performanc... | Distributed control, as a potential solution... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14323 | 14324 | Agent Failures in All-Pay Auctions | All-pay auctions, a common mechanism for var... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14324 | 14325 | Practical volume computation of structured con... | We examine volume computation of general-dim... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14325 | 14326 | Charting the replica symmetric phase | Diluted mean-field models are spin systems w... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14326 | 14327 | Adaptive Clustering through Semidefinite Progr... | We analyze the clustering problem through a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14327 | 14328 | Improving pairwise comparison models using Emp... | Comparison data arises in many important con... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14328 | 14329 | Single Element Nonlinear Chimney Model | We generalize the chimney model by introduci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14329 | 14330 | VOEvent Standard for Fast Radio Bursts | Fast radio bursts are a new class of transie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14330 | 14331 | Fine-tuning deep CNN models on specific MS COC... | Fine-tuning of a deep convolutional neural n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14331 | 14332 | On the Throughput of Channels that Wear Out | This work investigates the fundamental limit... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14332 | 14333 | Reply to Marchildon: absorption and non-unitar... | I rebut some erroneous statements and attemp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14333 | 14334 | Interaction-induced transition in the quantum ... | We demonstrate that a weakly disordered meta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14334 | 14335 | Epidemiological impact of waning immunization ... | This is an epidemiological SIRV model based ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14335 | 14336 | Waves of seed propagation induced by delayed a... | We study a model of seed dispersal that cons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14336 | 14337 | Sobolev GAN | We propose a new Integral Probability Metric... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14337 | 14338 | Understanding Human Motion and Gestures for Un... | In this paper, we present a number of robust... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14338 | 14339 | One-loop binding corrections to the electron $... | We calculate the one-loop electron self-ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14339 | 14340 | Periodic solutions of Euler-Lagrange equations... | In this paper we consider the problem of fin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14340 | 14341 | Dehn functions of subgroups of right-angled Ar... | We show that for each positive integer $k$ t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14341 | 14342 | Recovering Sparse Nonnegative Signals via Non-... | Many real world practical problems can be fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14342 | 14343 | Estimating Local Interactions Among Many Agent... | In various economic environments, people obs... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14343 | 14344 | Multimodal speech synthesis architecture for u... | This paper proposes a new architecture for s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14344 | 14345 | Analytical history | The purpose of this note is to explain what ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14345 | 14346 | Control Synthesis for Multi-Agent Systems unde... | This paper presents a framework for automati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14346 | 14347 | Eulerian and Lagrangian solutions to the conti... | In the first part of this paper we establish... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14347 | 14348 | Star formation, supernovae, iron, and alpha: c... | Recent versions of the observed cosmic star-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14348 | 14349 | ALFABURST: A commensal search for Fast Radio B... | ALFABURST has been searching for Fast Radio ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14349 | 14350 | Mechanical properties and thermal conductivity... | Graphitic carbon nitride nanosheets are amon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14350 | 14351 | Green's Functions of Partial Differential Equa... | In this paper we develop a way of obtaining ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14351 | 14352 | Zero-Modified Poisson-Lindley distribution wit... | The main object of this article is to presen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14352 | 14353 | Phase-Retrieval as a Regularization Problem | It was recently shown that the phase retriev... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14353 | 14354 | Comparing simulations and test data of a radia... | The VIS instrument on board the Euclid missi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14354 | 14355 | A generalization of crossing families | For a set of points in the plane, a \emph{cr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14355 | 14356 | Uncovering Offshore Financial Centers: Conduit... | Multinational corporations use highly comple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14356 | 14357 | Predicting radio emission from the newborn hot... | Magnetised exoplanets are expected to emit a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14357 | 14358 | Redshift determination through weighted phase ... | We present a new algorithm having a time com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14358 | 14359 | Nonautonomous Dynamics of Acute Cell Injury | Clinically-relevant forms of acute cell inju... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14359 | 14360 | Cavity-enhanced photoionization of an ultracol... | A two-step photoionization strategy of an ul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14360 | 14361 | Fusion rule algebras related to a pair of comp... | The purpose of the present paper is to inves... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14361 | 14362 | Matricial Canonical Moments and Parametrizatio... | In this paper we study moment sequences of m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14362 | 14363 | Embedding Deep Networks into Visual Explanations | In this paper, we propose a novel explanatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14363 | 14364 | Information Diffusion in Social Networks: Frie... | Dynamic models and statistical inference for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14364 | 14365 | Really should we pruning after model be totall... | Pre-training of models in pruning algorithms... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14365 | 14366 | Adversarial Networks for the Detection of Aggr... | Semantic segmentation constitutes an integra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14366 | 14367 | A class of singular integrals associated with ... | The main purpose of this paper is to study m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14367 | 14368 | Surge-like oscillations above sunspot light br... | High-resolution observations of the solar ch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14368 | 14369 | A new Composition-Diamond lemma for dialgebras | Let $Di\langle X\rangle$ be the free dialgeb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14369 | 14370 | A Remote Interface for Live Interaction with O... | Discrete event simulators, such as OMNeT++, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14370 | 14371 | Dynamic time warping distance for message prop... | Social messages classification is a research... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14371 | 14372 | Proceedings of the 3rd International Workshop ... | The 3rd International Workshop on Overlay Ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14372 | 14373 | Simultaneous Modeling of Multiple Complication... | Type 2 diabetes mellitus (T2DM) is a chronic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14373 | 14374 | On a topology property for moduli space of Kap... | In this article, we study the Kapustin-Witte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14374 | 14375 | Neural Semantic Parsing over Multiple Knowledg... | A fundamental challenge in developing semant... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14375 | 14376 | Self-Committee Approach for Image Restoration ... | There have been many discriminative learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14376 | 14377 | Quantifying Differential Privacy in Continuous... | Differential Privacy (DP) has received incre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14377 | 14378 | A Sufficient Condition for Nilpotency of the N... | Let $G$ be a finite group with the property ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14378 | 14379 | Monte Carlo Estimation of the Density of the S... | We study an unbiased estimator for the densi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14379 | 14380 | Transferable neural networks for enhanced samp... | Variational auto-encoder frameworks have dem... | 0 | 0 | 0 | 1 | 1 | 0 |
| 14380 | 14381 | Collisional stripping of planetary crusts | Geochemical studies of planetary accretion a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14381 | 14382 | N-GCN: Multi-scale Graph Convolution for Semi-... | Graph Convolutional Networks (GCNs) have sho... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14382 | 14383 | Sparse Kneser graphs are Hamiltonian | For integers $k\geq 1$ and $n\geq 2k+1$, the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14383 | 14384 | Fixed points of morphisms among binary general... | We introduce a class of fixed points of prim... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14384 | 14385 | Dimension of the space of conics on Fano hyper... | R. Beheshti showed that, for a smooth Fano h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14385 | 14386 | Automorphisms of Partially Commutative Groups ... | The structure of a certain subgroup $S$ of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14386 | 14387 | Testing Global Constraints | Every Constraint Programming (CP) solver exp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14387 | 14388 | Restricted Boltzmann Machines: Introduction an... | The restricted Boltzmann machine is a networ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14388 | 14389 | Learning and Visualizing Localized Geometric F... | 3D Convolutional Neural Networks (3D-CNN) ha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14389 | 14390 | Note on regions containing eigenvalues of a ma... | By excluding some regions, in which each eig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14390 | 14391 | Abstract Family-based Model Checking using Mod... | Variational systems allow effective building... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14391 | 14392 | Nonparametric Shape-restricted Regression | We consider the problem of nonparametric reg... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14392 | 14393 | Emergence of Invariance and Disentanglement in... | Using established principles from Statistics... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14393 | 14394 | Fracton topological order via coupled layers | In this work, we develop a coupled layer con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14394 | 14395 | Local Asymptotic Normality of Infinite-Dimensi... | We study local asymptotic normality of M-est... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14395 | 14396 | Polarization exchange of optical eigenmode pai... | The polarization exchange effect in a twiste... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14396 | 14397 | Galaxy Protoclusters as Drivers of Cosmic Star... | Present-day clusters are massive halos conta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14397 | 14398 | Universality and scaling laws in the cascading... | Cascading failures may lead to dramatic coll... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14398 | 14399 | Vector-valued Jack Polynomials and Wavefunctio... | The Hamiltonian of the quantum Calogero-Suth... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14399 | 14400 | Wirtinger systems of generators of knot groups | We define the {\it Wirtinger number} of a li... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14400 | 14401 | Labeled Memory Networks for Online Model Adapt... | Augmenting a neural network with memory that... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14401 | 14402 | Perturbative approach to weakly driven many-pa... | We develop a Liouville perturbation theory f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14402 | 14403 | Smart Mining for Deep Metric Learning | To solve deep metric learning problems and p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14403 | 14404 | Quantum phase transitions of a generalized com... | We consider a class of one-dimensional compa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14404 | 14405 | A blowup algebra of hyperplane arrangements | It is shown that the Orlik-Terao algebra is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14405 | 14406 | Object Region Mining with Adversarial Erasing:... | We investigate a principle way to progressiv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14406 | 14407 | Streaming Binary Sketching based on Subspace T... | In this paper, we address the problem of lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14407 | 14408 | Improving hot-spot pressure for ignition in hi... | A novel capsule target design to improve the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14408 | 14409 | Cell-to-cell variation sets a tissue-rheology-... | When a single cell senses a chemical gradien... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14409 | 14410 | Languages of Play: Towards semantic foundation... | Formal models of games help us account for a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14410 | 14411 | Hybrid Normed Ideal Perturbations of n-tuples ... | In hybrid normed ideal perturbations of $n$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14411 | 14412 | Global behaviour of radially symmetric solutio... | This paper is concerned with radially symmet... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14412 | 14413 | On the Total Forcing Number of a Graph | Let $G$ be a simple and finite graph without... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14413 | 14414 | Brief Notes on Hard Takeoff, Value Alignment, ... | I make some basic observations about hard ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14414 | 14415 | Convolutional Neural Networks In Classifying C... | DNA Methylation has been the most extensivel... | 0 | 0 | 0 | 1 | 1 | 0 |
| 14415 | 14416 | Persistent Monitoring of Dynamically Changing ... | We consider the problem of planning a closed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14416 | 14417 | Almost sharp nonlinear scattering in one-dimen... | We study decay of small solutions of the Bor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14417 | 14418 | Life efficiency does not always increase with ... | There does not exist a general positive corr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14418 | 14419 | Molecular simulations of entangled defect stru... | We investigate the defect structures forming... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14419 | 14420 | Quasi Maximum-Likelihood Estimation of Dynamic... | This paper establishes the almost sure conve... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14420 | 14421 | Disunited Nations? A Multiplex Network Approac... | This paper contributes to an emerging litera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14421 | 14422 | Magnetic phase diagram of the iron pnictides i... | We investigate the impact of spin anisotropi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14422 | 14423 | Algorithms and Bounds for Very Strong Rainbow ... | A well-studied coloring problem is to assign... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14423 | 14424 | Quantile function expansion using regularly va... | We present a simple result that allows us to... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14424 | 14425 | Identification of Key Proteins Involved in Axo... | Axon guidance is a crucial process for growt... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14425 | 14426 | Last-Iterate Convergence: Zero-Sum Games and C... | Motivated by applications in Game Theory, Op... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14426 | 14427 | The Lifetimes of Phases in High-Mass Star-Form... | High-mass stars form within star clusters fr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14427 | 14428 | Null controllability of a population dynamics ... | In this paper, we deal with the null control... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14428 | 14429 | ICLR Reproducibility Challenge Report (Padam :... | This work is a part of ICLR Reproducibility ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14429 | 14430 | Robust Bayes-Like Estimation: Rho-Bayes estima... | We consider the problem of estimating the jo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14430 | 14431 | Nonlinear demixed component analysis for neura... | Here I introduce an extension to demixed pri... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14431 | 14432 | Stability of semi-wavefronts for delayed react... | This paper deals with the asymptotic behavio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14432 | 14433 | An End-to-End Approach to Natural Language Obj... | We propose an end-to-end approach to the nat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14433 | 14434 | Using Rule-Based Labels for Weak Supervised Le... | With access to large datasets, deep neural n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14434 | 14435 | Intelligent Sensor Based Bayesian Neural Netwo... | The objective of this paper is to develop an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14435 | 14436 | The infinite Fibonacci groups and relative asp... | We prove that the generalised Fibonacci grou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14436 | 14437 | Representations of Polynomial Rota-Baxter Alge... | A Rota--Baxter operator is an algebraic abst... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14437 | 14438 | The extended ROSAT-ESO Flux-Limited X-ray Gala... | The mass function of galaxy clusters is a se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14438 | 14439 | An Optimized Pattern Recognition Algorithm for... | With the advent of large-scale heterogeneous... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14439 | 14440 | Uniform asymptotics as a stationary point appr... | We obtain the rigorous uniform asymptotics o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14440 | 14441 | An SDP-Based Algorithm for Linear-Sized Spectr... | For any undirected and weighted graph $G=(V,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14441 | 14442 | Self-Adjusting Threshold Mechanism for Pixel D... | Readout chips of hybrid pixel detectors use ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14442 | 14443 | Rotational inertia interface in a dynamic latt... | The paper presents a novel analysis of a tra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14443 | 14444 | Low-frequency wide band-gap elastic/acoustic m... | The terms "acoustic/elastic meta-materials" ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14444 | 14445 | Inertia-Constrained Pixel-by-Pixel Nonnegative... | Blind source separation is a common processi... | 1 | 1 | 0 | 1 | 0 | 0 |
| 14445 | 14446 | Warped Product Pointwise Semi-slant Submanifol... | Recently, B.-Y. Chen and O. J. Garay studied... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14446 | 14447 | Bayesian Semi-supervised Learning with Graph G... | We propose a data-efficient Gaussian process... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14447 | 14448 | Knowledge Engineering for Hybrid Deductive Dat... | Modern knowledge base systems frequently nee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14448 | 14449 | Satisfiability Bounds for ω-regular Properties... | We derive an algorithm to compute satisfiabi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14449 | 14450 | On the relaxed mean-field stochastic control p... | This paper is concerned with optimal control... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14450 | 14451 | A New Point-set Registration Algorithm for Fin... | A novel minutia-based fingerprint matching a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14451 | 14452 | A Faster Solution to Smale's 17th Problem I: R... | Suppose $F:=(f_1,\ldots,f_n)$ is a system of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14452 | 14453 | Making compression algorithms for Unicode text | The majority of online content is written in... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14453 | 14454 | Adaptive Exact Learning of Decision Trees from... | In this paper we study the adaptive learnabi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14454 | 14455 | Image denoising by median filter in wavelet do... | The details of an image with noise may be re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14455 | 14456 | Restoration of Images with Wavefront Aberrations | This contribution deals with image restorati... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14456 | 14457 | Controlling the shape of membrane protein poly... | Membrane proteins and lipids can self-assemb... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14457 | 14458 | Realizing uniformly recurrent subgroups | We show that every uniformly recurrent subgr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14458 | 14459 | A New Approximation Guarantee for Monotone Sub... | In monotone submodular function maximization... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14459 | 14460 | Electrode Reactions in Slowly Relaxing Media | Standard models of reaction kinetics in cond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14460 | 14461 | End-to-end 3D face reconstruction with deep ne... | Monocular 3D facial shape reconstruction fro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14461 | 14462 | Entanglement of photons in their dual wave-par... | Wave-particle duality is the most fundamenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14462 | 14463 | On Tensor Train Rank Minimization: Statistical... | Tensor train (TT) decomposition provides a s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14463 | 14464 | Threshold fluctuations in a superconducting cu... | We calculate the energy of threshold fluctua... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14464 | 14465 | Transient phenomena in a three-layer waveguide... | Excitation of waves in a three-layer acousti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14465 | 14466 | Introducing symplectic billiards | In this article we introduce a simple dynami... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14466 | 14467 | Banchoff's sphere and branched covers over the... | A filling Dehn surface in a $3$-manifold $M$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14467 | 14468 | The Impact of Social Curiosity on Information ... | Most information spreading models consider t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14468 | 14469 | Decomposition of mean-field Gibbs distribution... | We show that under a low complexity conditio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14469 | 14470 | Analytic Discs and Uniform Algebras on Real-An... | Under very general conditions it is shown th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14470 | 14471 | Novel solid state vacuum quartz encapsulated g... | We report an easy and versatile route for th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14471 | 14472 | Twistors from Killing Spinors alias Radiation ... | This paper is intended to be a further step ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14472 | 14473 | Table Space Designs For Implicit and Explicit ... | One of the main advantages of Prolog is its ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14473 | 14474 | Evidence for triplet superconductivity near an... | Superconductivity was recently observed in C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14474 | 14475 | Singlet ground state in the spin-$1/2$ weakly ... | We present the synthesis and a detailed inve... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14475 | 14476 | Deep learning bank distress from news and nume... | In this paper we focus our attention on the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14476 | 14477 | Theoretical studies of superconductivity in do... | We investigate superconductivity that may ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14477 | 14478 | On low for speed oracles | Relativizing computations of Turing machines... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14478 | 14479 | $\mbox{Rb}_{2}\mbox{Ti}_2\mbox{O}_{5-δ}$: A su... | Electrical conductivity and high dielectric ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14479 | 14480 | LinNet: Probabilistic Lineup Evaluation Throug... | Which of your team's possible lineups has th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14480 | 14481 | Observational Equivalence in System Estimation... | Observability of complex systems/networks is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14481 | 14482 | Incremental Adversarial Domain Adaptation for ... | Continuous appearance shifts such as changes... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14482 | 14483 | SAND: An automated VLBI imaging and analysing ... | We present our implementation of an automate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14483 | 14484 | Quench-induced entanglement and relaxation dyn... | We investigate the time evolution towards th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14484 | 14485 | Coded Caching Schemes with Low Rate and Subpac... | Coded caching scheme, which is an effective ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14485 | 14486 | Multitask diffusion adaptation over networks w... | Online learning with streaming data in a dis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14486 | 14487 | Strong perpendicular magnetic anisotropy energ... | We report on the perpendicular magnetic anis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14487 | 14488 | Covering Groups of Nonconnected Topological Gr... | We investigate the universal cover of a topo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14488 | 14489 | Polarization properties of turbulent synchrotr... | Synchrotron emitting bubbles arise when the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14489 | 14490 | Efimov Effect in the Dirac Semi-metals | Efimov effect refers to quantum states with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14490 | 14491 | Logic Lectures: Gödel's Basic Logic Course at ... | An edited version is given of the text of Gö... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14491 | 14492 | Field dependent neutron diffraction study in N... | In this paper, we present temperature and fi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14492 | 14493 | Optimistic lower bounds for convex regularized... | Minimax lower bounds are pessimistic in natu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14493 | 14494 | Continual Lifelong Learning with Neural Networ... | Humans and animals have the ability to conti... | 0 | 0 | 0 | 1 | 1 | 0 |
| 14494 | 14495 | Potential kernel, hitting probabilities and di... | Z^d-extensions of probability-preserving dyn... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14495 | 14496 | On the economics of electrical storage for var... | The use of renewable energy sources is a maj... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14496 | 14497 | Deep Learning in Customer Churn Prediction: Un... | As companies increase their efforts in retai... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14497 | 14498 | Predicting and Discovering True Muonium | The recent observation of discrepancies in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14498 | 14499 | Prediction of half-metallic properties in TlCr... | Half-metallic properties of TlCrS2, TlCrSe2 ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14499 | 14500 | Giant interfacial perpendicular magnetic aniso... | We study interfacial magnetocrystalline anis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14500 | 14501 | Stable Self-Assembled Atomic-Switch Networks f... | Nature inspired neuromorphic architectures a... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14501 | 14502 | On the arithmetic of simple singularities of t... | An ADE Dynkin diagram gives rise to a family... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14502 | 14503 | Centralized Network Utility Maximization over ... | We study a network utility maximization (NUM... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14503 | 14504 | Bottom-up Object Detection by Grouping Extreme... | With the advent of deep learning, object det... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14504 | 14505 | The Different Shapes of the LIS Energy Spectra... | This paper examines the cosmic ray He and C ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14505 | 14506 | A Nonconvex Splitting Method for Symmetric Non... | Symmetric nonnegative matrix factorization (... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14506 | 14507 | Galactic Dark Matter Halos and Globular Cluste... | The total mass M_GCS in the globular cluster... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14507 | 14508 | Database of Parliamentary Speeches in Ireland,... | We present a database of parliamentary debat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14508 | 14509 | Reduced Modeling of Unknown Trajectories | This paper deals with model order reduction ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14509 | 14510 | Pump-Enhanced Continuous-Wave Magnetometry usi... | Ensembles of nitrogen-vacancy centers in dia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14510 | 14511 | Topological Spin Liquid with Symmetry-Protecte... | Topological spin liquids are robust quantum ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14511 | 14512 | SMT Queries Decomposition and Caching in Semi-... | In semi-symbolic (control-explicit data-symb... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14512 | 14513 | Homotopy dimer algebras and cyclic contractions | Dimer algebras arise from a particular type ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14513 | 14514 | On the trace problem for Triebel--Lizorkin spa... | The subject is traces of Sobolev spaces with... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14514 | 14515 | Breaking the curse of dimensionality in regres... | Models with many signals, high-dimensional m... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14515 | 14516 | DVAE++: Discrete Variational Autoencoders with... | Training of discrete latent variable models ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14516 | 14517 | Bet-hedging against demographic fluctuations | Biological organisms have to cope with stoch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14517 | 14518 | ISeeU: Visually interpretable deep learning fo... | To improve the performance of Intensive Care... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14518 | 14519 | Low-complexity Approaches for MIMO Capacity wi... | This paper proposes two low-complexity itera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14519 | 14520 | The VISTA ZYJHKs Photometric System: Calibrati... | In this paper we describe the routine photom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14520 | 14521 | Spin-filtering in superconducting junction wit... | We report on the electronic transport and th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14521 | 14522 | Intersection of conjugate solvable subgroups i... | It is shown that for a solvable subgroup $G$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14522 | 14523 | Improving inference of the dynamic biological ... | Gene expression (GE) data capture valuable c... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14523 | 14524 | Optimal Weighting for Exam Composition | A problem faced by many instructors is that ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14524 | 14525 | Generalized orderless pooling performs implici... | Most recent CNN architectures use average po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14525 | 14526 | The Gaia-ESO Survey: Exploring the complex nat... | Abridged: We used the fourth internal data r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14526 | 14527 | On the Complexity of Robust Stable Marriage | Robust Stable Marriage (RSM) is a variant of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14527 | 14528 | Vacuum Friction | We know that in empty space there is no pref... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14528 | 14529 | Intelligent Personal Assistant with Knowledge ... | An Intelligent Personal Agent (IPA) is an ag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14529 | 14530 | Private Data System Enabling Self-Sovereign St... | With the increased use of Internet, governme... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14530 | 14531 | A Curious Family of Binomial Determinants That... | We evaluate a curious determinant, first men... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14531 | 14532 | Community Structure Characterization | This entry discusses the problem of describi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14532 | 14533 | Design of Deep Neural Networks as Add-on Block... | This paper introduces deep neural networks (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14533 | 14534 | Application of data science techniques to dise... | We apply three data science techniques, Nonn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14534 | 14535 | Strong convergence rates of modified truncated... | Motivated by truncated EM method introduced ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14535 | 14536 | Some aspects of holomorphic mappings: a survey | This expository paper is concerned with the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14536 | 14537 | Local Linear Constraint based Optimization Mod... | Dual spectral computed tomography (DSCT) can... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14537 | 14538 | Efficient Online Timed Pattern Matching by Aut... | The timed pattern matching problem is an act... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14538 | 14539 | APO Time Resolved Color Photometry of Highly-E... | We report on $g$, $r$ and $i$ band observati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14539 | 14540 | Variable selection in discriminant analysis fo... | We propose a method for variable selection i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14540 | 14541 | AdaGAN: Boosting Generative Models | Generative Adversarial Networks (GAN) (Goodf... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14541 | 14542 | A Classification-Based Study of Covariate Shif... | A basic, and still largely unanswered, quest... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14542 | 14543 | Sequence-to-Sequence Models Can Directly Trans... | We present a recurrent encoder-decoder deep ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14543 | 14544 | Ensemble Methods for Personalized E-Commerce S... | Personalized search has been a hot research ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14544 | 14545 | Comparison of Sobol' sequences in financial ap... | Sobol' sequences are widely used for quasi-M... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14545 | 14546 | A wavelet integral collocation method for nonl... | A high order wavelet integral collocation me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14546 | 14547 | Recommendations of the LHC Dark Matter Working... | Weakly-coupled TeV-scale particles may media... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14547 | 14548 | Generalization of the concepts of seniority nu... | We present generalized versions of the conce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14548 | 14549 | Rise of the HaCRS: Augmenting Autonomous Cyber... | As the size and complexity of software syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14549 | 14550 | Block-Diagonal and LT Codes for Distributed Co... | We propose two coded schemes for the distrib... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14550 | 14551 | Gevrey estimates for one dimensional parabolic... | We study the Gevrey character of a natural p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14551 | 14552 | Improving Factor-Based Quantitative Investing ... | On a periodic basis, publicly traded compani... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14552 | 14553 | Magnetic Flux Tailoring through Lenz Lenses in... | A new pathway to nuclear magnetic resonance ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14553 | 14554 | Spatial risk measures induced by powers of max... | A meticulous assessment of the risk of extre... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14554 | 14555 | Fluctuations in 1D stochastic homogenization o... | This paper deals with the homogenization pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14555 | 14556 | Runge-Kutta-Gegenbauer methods for advection-d... | In this paper, Runge-Kutta-Gegenbauer (RKG) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14556 | 14557 | Tensor network method for reversible classical... | We develop a tensor network technique that c... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14557 | 14558 | Model Predictions for Time-Resolved Transport ... | Recent advances in ultrafast measurement in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14558 | 14559 | A Multimodal Corpus of Expert Gaze and Behavio... | Phonetic segmentation is the process of spli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14559 | 14560 | Gradient Estimators for Implicit Models | Implicit models, which allow for the generat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14560 | 14561 | Token Economics in Energy Systems: Concept, Fu... | Traditional centralized energy systems have ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14561 | 14562 | ACtuAL: Actor-Critic Under Adversarial Learning | Generative Adversarial Networks (GANs) are a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14562 | 14563 | Influence des mécanismes dissociés de ludifica... | The introduction of serious games as pedagog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14563 | 14564 | On the Fine-grained Complexity of One-Dimensio... | In this paper, we investigate the complexity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14564 | 14565 | Topological quantum paramagnet in a quantum sp... | It has recently been found that bosonic exci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14565 | 14566 | Magic wavelengths of Ca$^{+}$ ion for linearly... | The dynamic dipole polarizabilities of the l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14566 | 14567 | Network Slicing for 5G with SDN/NFV: Concepts,... | The fifth generation of mobile communication... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14567 | 14568 | Design of $n$- and $p$-type oxide thermoelectr... | We investigate the structural, electronic, t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14568 | 14569 | Localized heat perturbation in harmonic 1D cry... | In this work exact solutions for the equatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14569 | 14570 | Modeling Semantic Expectation: Using Script Kn... | Recent research in psycholinguistics has pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14570 | 14571 | Constraints on kinematic parameters at $z\ne0$ | The standard cosmographic approach consists ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14571 | 14572 | Joint Syntacto-Discourse Parsing and the Synta... | Discourse parsing has long been treated as a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14572 | 14573 | Combinatorial Multi-armed Bandit with Probabil... | In this paper, we study the combinatorial mu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14573 | 14574 | Generative Adversarial Residual Pairwise Netwo... | Deep neural networks achieve unprecedented p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14574 | 14575 | Evaporation of dilute droplets in a turbulent ... | Droplet evaporation in turbulent sprays invo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14575 | 14576 | A priori Hölder and Lipschitz regularity for g... | Let $(\mathbb{X} , d, \mu )$ be a proper met... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14576 | 14577 | Simultaneous tracking of spin angle and amplit... | We show how simultaneous, back-action evadin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14577 | 14578 | Charge exchange in galaxy clusters | Though theoretically expected, the charge ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14578 | 14579 | A Grazing Gaussian Beam | We consider Friedlander's wave equation in t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14579 | 14580 | Reconfigurable Manipulator Simulation for Robo... | This paper represents a systematic way for g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14580 | 14581 | Group actions and a multi-parameter Falconer d... | In this paper we study the following multi-p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14581 | 14582 | Interacting fermions on the half-line: boundar... | Recent years witnessed an extensive developm... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14582 | 14583 | Online and Distributed Robust Regressions unde... | In today's era of big data, robust least-squ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14583 | 14584 | Global well-posedness for the Schrödinger map ... | In this paper we prove a global result for t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14584 | 14585 | Stable explicit schemes for simulation of nonl... | Implicit schemes have been extensively used ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14585 | 14586 | Congruence lattices of finite diagram monoids | We give a complete description of the congru... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14586 | 14587 | Weighted blowup correspondence of orbifold Gro... | Let $\sf X$ be a symplectic orbifold groupoi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14587 | 14588 | Constraints on Quenching of $z\lesssim2$ Massi... | We use $>$9400 $\log(m/M_{\odot})>10$ quiesc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14588 | 14589 | Improving LBP and its variants using anisotrop... | The main purpose of this paper is to propose... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14589 | 14590 | Dimension-free PAC-Bayesian bounds for matrice... | This paper is focused on dimension-free PAC-... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14590 | 14591 | Configuration Spaces and Robot Motion Planning... | The paper surveys topological problems relev... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14591 | 14592 | Effect Summaries for Thread-Modular Analysis | We propose a novel guess-and-check principle... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14592 | 14593 | Theory of Correlated Pairs of Electrons Oscill... | The formation of Correlated Electron Pairs O... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14593 | 14594 | Feldman-Katok pseudometric and the GIKN constr... | The GIKN construction was introduced by Goro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14594 | 14595 | Hamiltonian Monte-Carlo for Orthogonal Matrices | We consider the problem of sampling from pos... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14595 | 14596 | Rapid Mixing Swendsen-Wang Sampler for Stochas... | The Gibbs sampler is a particularly popular ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14596 | 14597 | Towards effective research recommender systems... | In this paper, we argue why and how the inte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14597 | 14598 | Existence and a priori estimates of solutions ... | This article sets forth results on the exist... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14598 | 14599 | On the sectional curvature along central confi... | In this paper we characterize planar central... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14599 | 14600 | Interferometric confirmation of "water fountai... | Water fountain stars (WFs) are evolved objec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14600 | 14601 | Parametric Inference for Discretely Observed S... | Subordinate diffusions are constructed by ti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14601 | 14602 | Adversarially Regularized Graph Autoencoder fo... | Graph embedding is an effective method to re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14602 | 14603 | Cheap Orthogonal Constraints in Neural Network... | We introduce a novel approach to perform fir... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14603 | 14604 | Training Big Random Forests with Little Resources | Without access to large compute clusters, bu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14604 | 14605 | Epitaxy of Advanced Nanowire Quantum Devices | Semiconductor nanowires provide an ideal pla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14605 | 14606 | Toward universality in degree 2 of the Kricker... | In the setting of finite type invariants for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14606 | 14607 | Automatic segmentation of MR brain images with... | Automatic segmentation in MR brain images is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14607 | 14608 | Integrable Structure of Multispecies Zero Rang... | We present a brief review on integrability o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14608 | 14609 | A shared latent space matrix factorisation met... | Clinical trial registries can be used to mon... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14609 | 14610 | Spectra of Magnetic Operators on the Diamond L... | We adapt the well-known spectral decimation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14610 | 14611 | Arrow calculus for welded and classical links | We develop a calculus for diagrams of knotte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14611 | 14612 | Determinacy of Schmidt's Game and Other Inters... | Schmidt's game, and other similar intersecti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14612 | 14613 | Scalable Kernel K-Means Clustering with Nystro... | Kernel $k$-means clustering can correctly id... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14613 | 14614 | Discovering Playing Patterns: Time Series Clus... | The classification of time series data is a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14614 | 14615 | On the bound states of magnetic Laplacians on ... | This paper is mainly inspired by the conject... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14615 | 14616 | Finite-Time Distributed Linear Equation Solver... | This paper proposes distributed algorithms f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14616 | 14617 | High Throughput Probabilistic Shaping with Pro... | Product distribution matching (PDM) is propo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14617 | 14618 | Minimax Estimation of Large Precision Matrices... | Last decade witnesses significant methodolog... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14618 | 14619 | Machine learning in protein engineering | Machine learning-guided protein engineering ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14619 | 14620 | Advanced Steel Microstructural Classification ... | The inner structure of a material is called ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14620 | 14621 | Categorizing Hirsch Index Variants | Utilizing the Hirsch index h and some of its... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14621 | 14622 | Why a Population Genetics Framework is Inappro... | Although Darwinian models are rampant in the... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14622 | 14623 | Is together better? Examining scientific colla... | Collaborations are an integral part of scien... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14623 | 14624 | A Lichnerowicz estimate for the spectral gap o... | For a second order operator on a compact man... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14624 | 14625 | Quasiclassical theory of spin dynamics in supe... | We develop a theory based on the formalism o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14625 | 14626 | The RBO Dataset of Articulated Objects and Int... | We present a dataset with models of 14 artic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14626 | 14627 | Training Generative Adversarial Networks via P... | We relate the minimax game of generative adv... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14627 | 14628 | A Detailed Observational Analysis of V1324 Sco... | It has recently been discovered that some, i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14628 | 14629 | The California-Kepler Survey. III. A Gap in th... | The size of a planet is an observable proper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14629 | 14630 | Large sets avoiding linear patterns | We prove that for any dimension function $h$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14630 | 14631 | Faster Algorithms for Weighted Recursive State... | Pushdown systems (PDSs) and recursive state ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14631 | 14632 | Local Density Approximation for Almost-Bosonic... | We discuss the average-field approximation f... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14632 | 14633 | Chemical dynamics between wells across a time-... | In chemical or physical reaction dynamics, i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14633 | 14634 | Dust-trapping vortices and a potentially plane... | The radial drift problem constitutes one of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14634 | 14635 | Weak and smooth solutions for a fractional Yam... | As a counterpart of the classical Yamabe pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14635 | 14636 | Lipschitz Properties for Deep Convolutional Ne... | In this paper we discuss the stability prope... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14636 | 14637 | Quadrature Compound: An approximating family o... | Compound distributions allow construction of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14637 | 14638 | Centrality in Modular Networks | Identifying influential nodes in a network i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14638 | 14639 | Yield Trajectory Tracking for Hyperbolic Age-S... | For population systems modeled by age-struct... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14639 | 14640 | A sixteen-relator presentation of an infinite ... | We provide an explicit presentation of an in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14640 | 14641 | Fast and accurate Bayesian model criticism and... | Bayesian hierarchical models are increasingl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14641 | 14642 | Optimizing deep video representation to match ... | The comparison of observed brain activity wi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14642 | 14643 | Non-Abelian Fermionization and Fractional Quan... | There has been a recent surge of interest in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14643 | 14644 | Periodic solutions and regularization of a Kep... | We consider a Kepler problem in dimension tw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14644 | 14645 | Ultra-wide-band slow light in photonic crystal... | Slow light propagation in structured materia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14645 | 14646 | Sketch Layer Separation in Multi-Spectral Hist... | High-resolution imaging has delivered new pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14646 | 14647 | Comment on "Spatial optical solitons in highly... | In a recent paper [A. Alberucci, C. Jisha, N... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14647 | 14648 | Local Descriptor for Robust Place Recognition ... | Place recognition is a challenging problem i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14648 | 14649 | Assessing the performance of self-consistent h... | In this paper we assess the predictive power... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14649 | 14650 | Local Synchronization of Sampled-Data Systems ... | We present a smooth distributed nonlinear co... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14650 | 14651 | On the orbits that generate the X-shape in the... | The Milky Way bulge shows a box/peanut or X-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14651 | 14652 | How Peer Effects Influence Energy Consumption | This paper analyzes the impact of peer effec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14652 | 14653 | Physical Origins of Gas Motions in Galaxy Clus... | The Hitomi X-ray satellite has provided the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14653 | 14654 | Variational Approaches for Auto-Encoding Gener... | Auto-encoding generative adversarial network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14654 | 14655 | Verification of the anecdote about Edwin Hubbl... | Edwin Powel Hubble is regarded as one of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14655 | 14656 | LSTM Fully Convolutional Networks for Time Ser... | Fully convolutional neural networks (FCN) ha... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14656 | 14657 | Flat $F$-manifolds, Miura invariants and integ... | We extend some of the results proved for sca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14657 | 14658 | Analysis and Design of Cost-Effective, High-Th... | This paper introduces a new approach to cost... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14658 | 14659 | TensorFlow Distributions | The TensorFlow Distributions library impleme... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14659 | 14660 | A generalised Davydov-Scott model for polarons... | We present a one-parameter family of mathema... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14660 | 14661 | Wide Binaries in Tycho-{\it Gaia}: Search Meth... | We mine the Tycho-{\it Gaia} astrometric sol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14661 | 14662 | Classification on Large Networks: A Quantitati... | When each data point is a large graph, graph... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14662 | 14663 | Predicting Future Machine Failure from Machine... | Accurately predicting machine failures in ad... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14663 | 14664 | Design and Optimisation of the FlyFast Front-e... | Collective Adaptive Systems (CAS) consist of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14664 | 14665 | Distributed rank-1 dictionary learning: Toward... | The use of functional brain imaging for rese... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14665 | 14666 | HARPO: 1.7 - 74 MeV gamma-ray beam validation ... | A presentation at the SciNeGHE conference of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14666 | 14667 | One-to-one composant mappings of $[0,\infty)$ ... | Knaster continua and solenoids are well-know... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14667 | 14668 | Valued fields, Metastable groups | We introduce a class of theories called meta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14668 | 14669 | Radio Galaxy Zoo: Cosmological Alignment of Ra... | We study the mutual alignment of radio sourc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14669 | 14670 | Non-iterative Label Propagation in Optimal Lea... | Graph based semi-supervised learning (GSSL) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14670 | 14671 | PeerHunter: Detecting Peer-to-Peer Botnets thr... | Peer-to-peer (P2P) botnets have become one o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14671 | 14672 | An X-ray/SDSS sample (II): outflowing gas plas... | Galaxy-scale outflows are nowadays observed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14672 | 14673 | ZOO: Zeroth Order Optimization based Black-box... | Deep neural networks (DNNs) are one of the m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14673 | 14674 | Existence of Noise Induced Order, a Computer A... | We prove, by a computer aided proof, the exi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14674 | 14675 | Residual Unfairness in Fair Machine Learning f... | Recent work in fairness in machine learning ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14675 | 14676 | Egocentric Vision-based Future Vehicle Localiz... | Predicting the future location of vehicles i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14676 | 14677 | Metriplectic formalism: friction and much more | The metriplectic formalism couples Poisson b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14677 | 14678 | Hierarchical Video Understanding | We introduce a hierarchical architecture for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14678 | 14679 | When Hashes Met Wedges: A Distributed Algorith... | Finding similar user pairs is a fundamental ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14679 | 14680 | Hysteretic vortex matching effects in high-$T_... | Square arrays of sub-micrometer columnar def... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14680 | 14681 | Spatial Factor Models for High-Dimensional and... | Gathering information about forest variables... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14681 | 14682 | Detecting Adversarial Image Examples in Deep N... | Recently, many studies have demonstrated dee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14682 | 14683 | Crowdsourcing for Beyond Polarity Sentiment An... | Sentiment analysis aims to uncover emotions ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14683 | 14684 | Sketched Ridge Regression: Optimization Perspe... | We address the statistical and optimization ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14684 | 14685 | Ballistic magnon heat conduction and possible ... | We report on the observation of magnon therm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14685 | 14686 | On Alzer's inequality | Extensions and generalizations of Alzer's in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14686 | 14687 | Oncilla robot: a versatile open-source quadrup... | We present Oncilla robot, a novel mobile, qu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14687 | 14688 | A generative model for sparse, evolving digraphs | Generating graphs that are similar to real o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14688 | 14689 | Penalized Interaction Estimation for Ultrahigh... | Quadratic regression goes beyond the linear ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14689 | 14690 | 4D limit of melting crystal model and its inte... | This paper addresses the problems of quantum... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14690 | 14691 | On constraints and dividing in ternary homogen... | Let M be ternary, homogeneous and simple. We... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14691 | 14692 | Changes in lipid membranes may trigger amyloid... | Amyloid beta peptides (A\b{eta}), implicated... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14692 | 14693 | Transcendency Degree One Function Fields Over ... | Let $\mathbb{K}$ be the algebraic closure of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14693 | 14694 | The phase transitions between $Z_n\times Z_n$ ... | The study of continuous phase transitions tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14694 | 14695 | Universal Reinforcement Learning Algorithms: S... | Many state-of-the-art reinforcement learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14695 | 14696 | Cell Identity Codes: Understanding Cell Identi... | Understanding cell identity is an important ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 14696 | 14697 | Full replica symmetry breaking in p-spin-glass... | It is shown that continuously changing the e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14697 | 14698 | Formation and condensation of excitonic bound ... | The density-matrix-renormalization-group (DM... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14698 | 14699 | Tunable Emergent Heterostructures in a Prototy... | At the interface between two distinct materi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14699 | 14700 | Weak Label Supervision for Monaural Source Sep... | Deep learning models are very effective in s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14700 | 14701 | Mixed Bohr radius in several variables | Let $K(B_{\ell_p^n},B_{\ell_q^n}) $ be the $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14701 | 14702 | Adversarial Examples: Attacks and Defenses for... | With rapid progress and significant successe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14702 | 14703 | Auto-Keras: Efficient Neural Architecture Sear... | Neural architecture search (NAS) has been pr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14703 | 14704 | Distributed Representation of Subgraphs | Network embeddings have become very popular ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14704 | 14705 | The right tool for the right question --- beyo... | There are two major questions that neuroimag... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14705 | 14706 | Recognising Axionic Dark Matter by Compton and... | Light Axionic Dark Matter, motivated by stri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14706 | 14707 | Core of communities in bipartite networks | We use the information present in a bipartit... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14707 | 14708 | Low-Rank Hidden State Embeddings for Viterbi S... | In textual information extraction and other ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14708 | 14709 | Zeroth-Order Online Alternating Direction Meth... | In this paper, we design and analyze a new z... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14709 | 14710 | Stationary solutions for stochastic damped Nav... | We consider the stochastic damped Navier-Sto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14710 | 14711 | On compact packings of the plane with circles ... | A compact circle-packing $P$ of the Euclidea... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14711 | 14712 | Next Basket Prediction using Recurring Sequent... | Nowadays, a hot challenge for supermarket ch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14712 | 14713 | Solving nonlinear circuits with pulsed excitat... | In this paper the concept of Multirate Parti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14713 | 14714 | Optimal modification of the LRT for the equali... | This paper considers the optimal modificatio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14714 | 14715 | Feature uncertainty bounding schemes for large... | We consider the binary classification proble... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14715 | 14716 | Impact of carrier localization on recombinatio... | We examine the effect of carrier localizatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14716 | 14717 | A Digital Neuromorphic Architecture Efficientl... | Information in neural networks is represente... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14717 | 14718 | Volume of representations and mapping degree | Given a connected real Lie group and a contr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14718 | 14719 | Transiting Planets with LSST III: Detection Ra... | The Large Synoptic Survey Telescope (LSST) w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14719 | 14720 | Summing coincidence in rare event gamma-ray me... | A Monte Carlo method based on the GEANT4 too... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14720 | 14721 | Free constructions and coproducts of d-frames | A general theory of presentations for d-fram... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14721 | 14722 | Trace Expressiveness of Timed and Probabilisti... | Automata expressiveness is an essential feat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14722 | 14723 | Open data, open review and open dialogue in ma... | Nowadays, protecting trust in social science... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14723 | 14724 | The isoperimetric problem in the 2-dimensional... | This paper is a continuation of the second a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14724 | 14725 | Estimating Buildings' Parameters over Time Inc... | Modeling buildings' heat dynamics is a compl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14725 | 14726 | Decentralized Connectivity-Preserving Deployme... | We present a decentralized and scalable appr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14726 | 14727 | Bell's Inequality and Entanglement in Qubits | We propose an alternative evaluation of quan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14727 | 14728 | Stochastic Conjugate Gradient Algorithm with V... | Conjugate gradient (CG) methods are a class ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14728 | 14729 | Weak in the NEES?: Auto-tuning Kalman Filters ... | Kalman filters are routinely used for many d... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14729 | 14730 | Ultra-wide plasmonic tuning of semiconductor m... | Fully reconfigurable metasurfaces would enab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14730 | 14731 | A Method for Analysis of Patient Speech in Dia... | We present an approach to automatic detectio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14731 | 14732 | Resilient Transmission Grid Design: AC Relaxat... | As illustrated in recent years (Superstorm S... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14732 | 14733 | VSE++: Improving Visual-Semantic Embeddings wi... | We present a new technique for learning visu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14733 | 14734 | The cooling-off effect of price limits in the ... | In this paper, we investigate the cooling-of... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14734 | 14735 | When Anderson localization makes quantum parti... | We unveil a novel and unexpected manifestati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14735 | 14736 | On the origin of super-diffusive behavior in a... | Experiments and simulations have established... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14736 | 14737 | Statistical analysis of the first passage path... | The transition mechanism of jump processes b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14737 | 14738 | The SLUGGS Survey: Dark matter fractions at la... | We use globular cluster kinematics data, pri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14738 | 14739 | Wave packet dynamics of Bogoliubov quasipartic... | We study the dynamics of the Bogoliubov wave... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14739 | 14740 | The search for superheavy elements: Historical... | The heaviest of the transuranic elements kno... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14740 | 14741 | MuLoG, or How to apply Gaussian denoisers to m... | Speckle reduction is a longstanding topic in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14741 | 14742 | Radon Transform for Sheaves | We define the Radon transform functor for sh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14742 | 14743 | A type theory for synthetic $\infty$-categories | We propose foundations for a synthetic theor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14743 | 14744 | Strongly Hierarchical Factorization Machines a... | High-order parametric models that include te... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14744 | 14745 | On the relationship of Mathematics to the real... | In this article, I discuss the relationship ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14745 | 14746 | $\mathsf{LLF}_{\cal P}$: a logical framework f... | We extend the constructive dependent type th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14746 | 14747 | Laplace equation for the Dirac, Euler and the ... | In this article, we give the explicit soluti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14747 | 14748 | Quantifying the Reality Gap in Robotic Manipul... | We quantify the accuracy of various simulato... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14748 | 14749 | On the character degrees of a Sylow $p$-subgro... | Let $q$ be a power of a prime $p$ and let $U... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14749 | 14750 | Zero-Delay Rate Distortion via Filtering for V... | We deal with zero-delay source coding of a v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14750 | 14751 | Damping of gravitational waves by matter | We develop a unified description, via the Bo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14751 | 14752 | Calibrations for minimal networks in a coverin... | In this paper we define a notion of calibrat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14752 | 14753 | Universal 3D Wearable Fingerprint Targets: Adv... | We present the design and manufacturing of h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14753 | 14754 | The Velocity of the Propagating Wave for Spati... | We consider the dynamics of message passing ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 14754 | 14755 | Voevodsky's conjecture for cubic fourfolds and... | In the first part of this paper we will prov... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14755 | 14756 | Projection-Free Bandit Convex Optimization | In this paper, we propose the first computat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14756 | 14757 | The Recommendation System to SNS Community for... | We have already developed the recommendation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14757 | 14758 | Constructive Stabilization and Pole Placement ... | A seminal result in decentralized control is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14758 | 14759 | Hyperpolarizability and operational magic wave... | Optical clocks benefit from tight atomic con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14759 | 14760 | A Unified Approach to Configuration-based Dyna... | A special type of rotary-wing Unmanned Aeria... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14760 | 14761 | Improving Vision-based Self-positioning in Int... | Traffic congestion is a widespread problem. ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14761 | 14762 | BPS Algebras, Genus Zero, and the Heterotic Mo... | In this note, we expand on some technical is... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14762 | 14763 | Exploiting Nontrivial Connectivity for Automat... | Nontrivial connectivity has allowed the trai... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14763 | 14764 | A unified treatment of multiple testing with p... | There is a significant literature on methods... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14764 | 14765 | The flip Markov chain for connected regular gr... | Mahlmann and Schindelhauer (2005) defined a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14765 | 14766 | FPGA-based ORB Feature Extraction for Real-Tim... | Simultaneous Localization And Mapping (SLAM)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14766 | 14767 | On the Transformation of Latent Space in Autoe... | Noting the importance of the latent variable... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14767 | 14768 | Log-Convexity of Weighted Area Integral Means ... | In the present work weighted area integral m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14768 | 14769 | From Nodal Chain Semimetal To Weyl Semimetal i... | Based on first-principles calculations and e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14769 | 14770 | Protein and hydration-water dynamics are decou... | Water plays a major role in bio-systems, gre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14770 | 14771 | Lakshmibai-Seshadri paths for hyperbolic Kac-M... | Let $\mathfrak{g}$ be a hyperbolic Kac-Moody... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14771 | 14772 | Beyond Worst-case: A Probabilistic Analysis of... | Affine policies (or control) are widely used... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14772 | 14773 | Hausdorff operators on modulation and Wiener a... | We give the sharp conditions for boundedness... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14773 | 14774 | From Deep to Shallow: Transformations of Deep ... | In this paper, we introduce transformations ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14774 | 14775 | Second-order Convolutional Neural Networks | Convolutional Neural Networks (CNNs) have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14775 | 14776 | On the quasi-sure superhedging duality with fr... | We prove the superhedging duality for a disc... | 0 | 0 | 0 | 0 | 0 | 1 |
| 14776 | 14777 | The Gaia-ESO Survey: low-alpha element stars i... | We take advantage of the Gaia-ESO Survey iDR... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14777 | 14778 | On Kedlaya type inequalities for weighted means | In 2016 we proved that for every symmetric, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14778 | 14779 | Mesh-free Semi-Lagrangian Methods for Transpor... | We present three new semi-Lagrangian methods... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14779 | 14780 | Spatial Models with the Integrated Nested Lapl... | The Integrated Nested Laplace Approximation ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14780 | 14781 | Prediction-Constrained Topic Models for Antide... | Supervisory signals can help topic models di... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14781 | 14782 | Casimir-Polder force fluctuations as spatial p... | We study the spatial fluctuations of the Cas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14782 | 14783 | A Unifying View of Explicit and Implicit Featu... | Non-linear kernel methods can be approximate... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14783 | 14784 | Predicting Adolescent Suicide Attempts with Ne... | Though suicide is a major public health prob... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14784 | 14785 | Designing RNA Secondary Structures is Hard | An RNA sequence is a word over an alphabet o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14785 | 14786 | Towards Understanding the Impact of Human Mobi... | Motivated by recent findings that human mobi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14786 | 14787 | Normality and Related Properties of Forcing Al... | We present a sufficient condition for irredu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14787 | 14788 | Training Triplet Networks with GAN | Triplet networks are widely used models that... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14788 | 14789 | Recovering Pairwise Interactions Using Neural ... | Recovering pairwise interactions, i.e. pairs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14789 | 14790 | Boundary Algebraic Bethe Ansatz for a nineteen... | The boundary algebraic Bethe Ansatz for a su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14790 | 14791 | Optimal cost for strengthening or destroying a... | Strengthening or destroying a network is a v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14791 | 14792 | Direct Optimization through $\arg \max$ for Di... | Reparameterization of variational auto-encod... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14792 | 14793 | Orbit classification in the Hill problem: I. T... | The case of the classical Hill problem is nu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14793 | 14794 | Bio-Inspired Local Information-Based Control f... | This paper addresses a task allocation probl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14794 | 14795 | Simultaneous Confidence Band for Partially Lin... | In this paper, we construct the simultaneous... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14795 | 14796 | Tent--Shaped Surface Morphologies of Silicon: ... | Nano--metal/semiconductor junction dependent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14796 | 14797 | Attention networks for image-to-text | The paper approaches the problem of image-to... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14797 | 14798 | A Monocular Vision System for Playing Soccer i... | Humanoid soccer robots perceive their enviro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14798 | 14799 | Low-shot learning with large-scale diffusion | This paper considers the problem of inferrin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14799 | 14800 | Instrumentation and its Interaction with the S... | The Fermilab Muon Campus will host the Muon ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14800 | 14801 | On the wave propagation analysis and supratran... | In this research, we investigate the nonline... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14801 | 14802 | Advances in Variational Inference | Many modern unsupervised or semi-supervised ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14802 | 14803 | Security Against Impersonation Attacks in Dist... | In a multi-agent system, transitioning from ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14803 | 14804 | Large-Batch Training for LSTM and Beyond | Large-batch training approaches have enabled... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14804 | 14805 | One-shot and few-shot learning of word embeddings | Standard deep learning systems require thous... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14805 | 14806 | Exactly Robust Kernel Principal Component Anal... | We propose a novel method called robust kern... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14806 | 14807 | Moderate deviation analysis for classical comm... | We analyse families of codes for classical d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14807 | 14808 | Frequency Principle: Fourier Analysis Sheds Li... | We study the training process of Deep Neural... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14808 | 14809 | Efficient, Safe, and Probably Approximately Co... | In this paper we explore the theoretical bou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14809 | 14810 | Uniform cohomological expansion of uniformly q... | Let $f\colon M \to M$ be a uniformly quasire... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14810 | 14811 | The logic of pseudo-uninorms and their residua | Our method of density elimination is general... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14811 | 14812 | Computation of Green's functions through algeb... | In this article we use linear algebra to imp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14812 | 14813 | Methods for finding leader--follower equilibri... | The concept of leader--follower (or Stackelb... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14813 | 14814 | Pressure Induced Superconductivity in the New ... | It is widely perceived that the correlation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14814 | 14815 | Universal Adversarial Perturbations Against Se... | While deep learning is remarkably successful... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14815 | 14816 | Marginal sequential Monte Carlo for doubly int... | Bayesian inference for models that have an i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14816 | 14817 | The impact of neutral impurity concentration o... | The impact of neutral impurity scattering of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14817 | 14818 | Calabi-Yau hypersurfaces and SU-bordism | Batyrev constructed a family of Calabi-Yau h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14818 | 14819 | Distribution-Based Categorization of Classifie... | Transfer Learning (TL) aims to transfer know... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14819 | 14820 | Alexander invariants of periodic virtual knots | We show that every periodic virtual knot can... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14820 | 14821 | Near-linear time approximation algorithms for ... | Computing optimal transport distances such a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14821 | 14822 | Mathematical model of gender bias and homophil... | Women have become better represented in busi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14822 | 14823 | Monotonicity of non-pluripolar products and co... | We establish the monotonicity property for t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14823 | 14824 | Fast and high-quality tetrahedral mesh generat... | Creating tetrahedral meshes with anatomicall... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14824 | 14825 | Curriculum Dropout | Dropout is a very effective way of regulariz... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14825 | 14826 | Self-dual and logarithmic representations of t... | This paper is a continuation of arXiv:1405.1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14826 | 14827 | Distance weighted discrimination of face image... | We illustrate the advantages of distance wei... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14827 | 14828 | Partition-based Unscented Kalman Filter for Re... | Accurate state estimation of large-scale lit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14828 | 14829 | Towards Principled Methods for Training Genera... | The goal of this paper is not to introduce a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14829 | 14830 | Co-Clustering for Multitask Learning | This paper presents a new multitask learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14830 | 14831 | Avoiding Communication in Proximal Methods for... | The fast iterative soft thresholding algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14831 | 14832 | Stochastic Development Regression on Non-Linea... | We introduce a regression model for data on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14832 | 14833 | Prediction of Kidney Function from Biopsy Imag... | A Convolutional Neural Network was used to p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14833 | 14834 | Weighing neutrinos in dynamical dark energy mo... | We briefly review the recent results of cons... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14834 | 14835 | Can supersymmetry emerge at a quantum critical... | Supersymmetry plays an important role in sup... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14835 | 14836 | Five-parameter potential box with inverse squa... | Using the Tridiagonal Representation Approac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14836 | 14837 | Succinctness in subsystems of the spatial mu-c... | In this paper we systematically explore ques... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14837 | 14838 | Evidence for electronically-driven ferroelectr... | By applying measurements of the dielectric c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14838 | 14839 | Testing FLUKA on neutron activation of Si and ... | Samples of two characteristic semiconductor ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14839 | 14840 | Probabilistic Search for Structured Data via P... | Databases are widespread, yet extracting rel... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14840 | 14841 | Superposition of p-superharmonic functions | The Dominative $p$-Laplace Operator is intro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14841 | 14842 | Ramsey properties and extending partial automo... | We show that every free amalgamation class o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14842 | 14843 | Estimation of the shape of the density contour... | Elliptically contoured distributions general... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14843 | 14844 | Aggregated Pairwise Classification of Statisti... | The classification of shapes is of great int... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14844 | 14845 | The MUSE-Wide survey: Detection of a clusterin... | We present a clustering analysis of a sample... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14845 | 14846 | On Polymorphic Sessions and Functions: A Tale ... | This work exploits the logical foundation of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14846 | 14847 | Effects of initial spatial phase in radiative ... | We study radiative neutrino pair emission in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14847 | 14848 | Finite-sample risk bounds for maximum likeliho... | The MDL two-part coding $ \textit{index of r... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14848 | 14849 | Integrated Modeling of Second Phase Precipitat... | The current work combines the Cluster Dynami... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14849 | 14850 | Emergent topological superconductivity at nema... | One dimensional hybrid systems play an impor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14850 | 14851 | Linear and nonlinear market correlations: char... | Pearson correlation and mutual information b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14851 | 14852 | An explicit projective bimodule resolution of ... | We construct an explicit projective bimodule... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14852 | 14853 | Error Analysis and Improving the Accuracy of W... | Modern deep neural networks (DNNs) spend a l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14853 | 14854 | Active Learning amidst Logical Knowledge | Structured prediction is ubiquitous in appli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14854 | 14855 | On the Limiting Stokes' Wave of Extreme Height... | As mentioned by Schwartz (1974) and Cokelet ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14855 | 14856 | Pressure impact on the stability and distortio... | The effects of high pressure on the crystal ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14856 | 14857 | The system of cloud oriented learning tools as... | The aim of this research is to design and im... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14857 | 14858 | Chemical abundances of two extragalactic young... | We use integrated-light spectroscopic observ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14858 | 14859 | Clingo goes Linear Constraints over Reals and ... | The recent series 5 of the ASP system clingo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14859 | 14860 | Dynamic Uplink/Downlink Resource Management in... | Flexible duplex is proposed to adapt to the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14860 | 14861 | Carleman estimates for forward and backward st... | In this paper, we establish the Carleman est... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14861 | 14862 | Reply to comment on `Poynting flux in the neig... | Doubts have been expressed in a comment (Eur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14862 | 14863 | Delegated Causality of Complex Systems | A notion of delegated causality is introduce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14863 | 14864 | Resonating Valence Bond Theory of Superconduct... | Resonating valence bond (RVB) theory of high... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14864 | 14865 | Efficient and accurate numerical schemes for a... | In this paper, we consider numerical approxi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14865 | 14866 | Brownian Motion of a Classical Particle in Qua... | The Klein-Kramers equation, governing the Br... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14866 | 14867 | Hierarchical Policy Search via Return-Weighted... | Learning an optimal policy from a multi-moda... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14867 | 14868 | Two-dimensional Fourier transformations and Mo... | Several Fourier transformations of functions... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14868 | 14869 | Optimal Allocation of Static Var Compensator v... | Shunt FACTS devices, such as, a Static Var C... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14869 | 14870 | Polarity tuning of spin-orbit-induced spin spl... | The established spin splitting in monolayer ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14870 | 14871 | Some parametrized dynamic priority policies fo... | Completeness of a dynamic priority schedulin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14871 | 14872 | Vector bundles over classifying spaces of p-lo... | In this paper we obtain a description of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14872 | 14873 | Identification of a complete YPT1 Rab GTPase s... | Colletotrichum represent a genus of fungal s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14873 | 14874 | Multiplicative Structure in the Stable Splitti... | The space of based loops in $SL_n(\mathbb{C}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14874 | 14875 | Strange duality on rational surfaces II: highe... | We study Le Potier's strange duality conject... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14875 | 14876 | Graph learning under sparsity priors | Graph signals offer a very generic and natur... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14876 | 14877 | Improving Trajectory Optimization using a Road... | We present an evaluation of several represen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14877 | 14878 | Smooth and Efficient Policy Exploration for Ro... | Many policy search algorithms have been prop... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14878 | 14879 | Social Innovation and the Evolution of Creativ... | The ideas that we forge creatively as indivi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14879 | 14880 | Interaction between magnetic moments and itine... | Elucidating the interaction between magnetic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14880 | 14881 | Il Fattore di Sylvester | Sylvester factor, an essential part of the a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14881 | 14882 | Bright and Gap Solitons in Membrane-Type Acous... | We study analytically and numerically envelo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14882 | 14883 | Local reservoir model for choice-based learning | Decision making based on behavioral and neur... | 0 | 0 | 0 | 1 | 1 | 0 |
| 14883 | 14884 | Weil-Petersson geometry on the space of Bridge... | Inspired by mirror symmetry, we investigate ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14884 | 14885 | Analysis of a Sputtered Si Surface for Ar Sput... | For sputter depth profiling often sample ero... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14885 | 14886 | Extracting spectroscopic molecular parameters ... | Using a quantum wave packet simulation inclu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14886 | 14887 | A Generative Model for Score Normalization in ... | We propose a theoretical framework for think... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14887 | 14888 | Deep Networks tag the location of bird vocalis... | This work focuses on reliable detection and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14888 | 14889 | To Wait or Not to Wait: Two-way Functional Haz... | Telephone call centers offer a convenient co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14889 | 14890 | Bayesian Gaussian models for interpolating lar... | Areal level spatial data are often large, sp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14890 | 14891 | Report on TBAS 2012: Workshop on Task-Based an... | The ECIR half-day workshop on Task-Based and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14891 | 14892 | Reliability of the measured velocity anisotrop... | Determining the velocity distribution of hal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14892 | 14893 | $H$-compactness of elliptic operators on weigh... | In this paper we study the asymptotic behavi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14893 | 14894 | $b$-symbol distance distribution of repeated-r... | Symbol-pair codes, introduced by Cassuto and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14894 | 14895 | Knowledge Fusion via Embeddings from Text, Kno... | We present a baseline approach for cross-mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14895 | 14896 | Observation of spin superfluidity: YIG magneti... | From topology of the order parameter of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14896 | 14897 | Tuning of Interlayer Coupling in Large-Area Gr... | Van der Waals (vdW) heterostructures are rec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14897 | 14898 | Learning to Multi-Task by Active Sampling | One of the long-standing challenges in Artif... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14898 | 14899 | Sufficient Conditions for Idealised Models to ... | We prove, under two sufficient conditions, t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14899 | 14900 | Long term availability of raw experimental dat... | Experimental data availability is a cornerst... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14900 | 14901 | MRA - Proof of Concept of a Multilingual Repor... | MRA (Multilingual Report Annotator) is a web... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14901 | 14902 | Contagions in Social Networks: Effects of Mono... | We consider SIS contagion processes over net... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14902 | 14903 | Derivation of a multilayer approach to model s... | We propose a multi-layer approach to simulat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14903 | 14904 | Continued fractions and conformal mappings for... | Here we construct the conformal mappings wit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14904 | 14905 | Stochastic Activation Pruning for Robust Adver... | Neural networks are known to be vulnerable t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14905 | 14906 | Canonical bases of modules over one dimensiona... | Let K be a field and denote by K[t], the pol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14906 | 14907 | Detecting Adversarial Samples from Artifacts | Deep neural networks (DNNs) are powerful non... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14907 | 14908 | Bots sustain and inflate striking opposition i... | Societies are complex systems which tend to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14908 | 14909 | Approximation of full-boundary data from parti... | Measurements on a subset of the boundary are... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14909 | 14910 | A Random Block-Coordinate Douglas-Rachford Spl... | In this paper, we propose a new optimization... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14910 | 14911 | Corrective Re-gridding Techniques for Non-Unif... | Time domain terahertz spectroscopy typically... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14911 | 14912 | Optimistic Robust Optimization With Applicatio... | Robust Optimization has traditionally taken ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14912 | 14913 | High Dimensional Time Series Generators | Multidimensional time series are sequences o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14913 | 14914 | An isoperimetric inequality for Laplace eigenv... | We show that for any positive integer k, the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14914 | 14915 | Numerical solutions of an unsteady 2-D incompr... | In this paper, we have proposed a modified M... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14915 | 14916 | A Dynamic Programming Solution to Bounded Deji... | We propose a dynamic programming solution to... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14916 | 14917 | Delayed pull-in transitions in overdamped MEMS... | We consider the dynamics of overdamped MEMS ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14917 | 14918 | How ConvNets model Non-linear Transformations | In this paper, we theoretically address thre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14918 | 14919 | Volcano transition in a solvable model of osci... | In 1992 a puzzling transition was discovered... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14919 | 14920 | Recent advances and open questions on the susy... | We review different constructions of the sup... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14920 | 14921 | Toda maps, cocycles, and canonical systems | I present a discussion of the hierarchy of T... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14921 | 14922 | The Gibbs paradox, the Landauer principle and ... | It is well known that, in the context of Gen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14922 | 14923 | PlumX As a Potential Tool to Assess the Macros... | The main purpose of this macro-study is to s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14923 | 14924 | Action Robust Reinforcement Learning and Appli... | A policy is said to be robust if it maximize... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14924 | 14925 | A characterization of finite vector bundles on... | A vector bundle E on a projective variety X ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14925 | 14926 | APSYNSIM: An Interactive Tool To Learn Interfe... | The APerture SYNthesis SIMulator is a simple... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14926 | 14927 | The dimensionless dissipation rate and the Kol... | An expression for the dimensionless dissipat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14927 | 14928 | Consistent estimation of the spectrum of trace... | Markov chain Monte Carlo is widely used in a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14928 | 14929 | Balancing Selection Pressures, Multiple Object... | Previous research using evolutionary computa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14929 | 14930 | High-throughput nanofluidic device for one-dim... | Ensemble averaging experiments may conceal m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14930 | 14931 | Coupled Graphs and Tensor Factorization for Re... | Joint analysis of data from multiple informa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14931 | 14932 | A computer algebra system for R: Macaulay2 and... | Algebraic methods have a long history in sta... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14932 | 14933 | Transversal magnetoresistance and Shubnikov-de... | We explore theoretically the magnetoresistan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14933 | 14934 | In Search of Lost (Mixing) Time: Adaptive Mark... | The availability of data sets with large num... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14934 | 14935 | Network growth models: A behavioural basis for... | Several growth models have been proposed in ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14935 | 14936 | On Convergence Property of Implicit Self-paced... | Self-paced learning (SPL) is a new methodolo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14936 | 14937 | Graphene quantum dots prevent alpha-synucleino... | While the emerging evidence indicates that t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14937 | 14938 | Liu-Nagel phase diagrams in infinite dimension | We study Harmonic Soft Spheres as a model of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14938 | 14939 | Networks of planar Hamiltonian systems | We introduce diffusively coupled networks wh... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14939 | 14940 | Robust Tracking Using Region Proposal Networks | Recent advances in visual tracking showed th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14940 | 14941 | Recovering sparse graphs | We construct a fixed parameter algorithm par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14941 | 14942 | Remark on arithmetic topology | We formalize the arithmetic topology, i.e. a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14942 | 14943 | Stable Architectures for Deep Neural Networks | Deep neural networks have become invaluable ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14943 | 14944 | Geometry and Arithmetic of Crystallographic Sp... | We introduce the notion of a "crystallograph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14944 | 14945 | On the global convergence of the Jacobi method... | The paper analyzes special cyclic Jacobi met... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14945 | 14946 | Counting Motifs with Graph Sampling | Applied researchers often construct a networ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14946 | 14947 | Optimizing noise level for perturbing geo-loca... | With the tremendous increase in the number o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14947 | 14948 | Hochschild Cohomology and Deformation Quantiza... | For an affine toric variety $\mathrm{Spec}(A... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14948 | 14949 | Adversarial Examples for Semantic Image Segmen... | Machine learning methods in general and Deep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14949 | 14950 | Graphical virtual links and a polynomial of si... | For a signed cyclic graph G, we can construc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14950 | 14951 | Exploring the Single-Particle Mobility Edge in... | A single-particle mobility edge (SPME) marks... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14951 | 14952 | Integral field observations of the blue compac... | (Abridged) Low-luminosity, gas-rich blue com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14952 | 14953 | A Framework for Automated Cellular Network Tun... | Tuning cellular network performance against ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14953 | 14954 | A Survey of Augmented Reality Navigation | Navigation has been a popular area of resear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14954 | 14955 | Strong Landau-quantization effects in high-mag... | We investigate the onset of superconductivit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14955 | 14956 | On boundary extension of mappings in metric sp... | We study the boundary behavior of the so-cal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14956 | 14957 | Temporally Evolving Community Detection and Pr... | In this work, we consider the problem of com... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14957 | 14958 | A Robust Utility Learning Framework via Invers... | In many smart infrastructure applications fl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14958 | 14959 | Evaluating stochastic seeding strategies in ne... | When trying to maximize the adoption of a be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14959 | 14960 | Flux noise in a superconducting transmission line | We study a superconducting transmission line... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14960 | 14961 | Relativistic Newtonian Dynamics for Objects an... | Relativistic Newtonian Dynamics (RND) was in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14961 | 14962 | Spatio-Temporal Structured Sparse Regression w... | This paper introduces a new sparse spatio-te... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14962 | 14963 | Answer Set Solving with Bounded Treewidth Revi... | Parameterized algorithms are a way to solve ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14963 | 14964 | Community structure: A comparative evaluation ... | Discovering community structure in complex n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14964 | 14965 | Classification of isoparametric submanifolds a... | In this paper, we assume that all isoparamet... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14965 | 14966 | Training Group Orthogonal Neural Networks with... | Learning rich and diverse representations is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14966 | 14967 | Antiunitary representations and modular theory | Antiunitary representations of Lie groups ta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14967 | 14968 | ARTENOLIS: Automated Reproducibility and Testi... | Motivation:\nAutomatically testing changes t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14968 | 14969 | Droplet states in quantum XXZ spin systems on ... | We study XXZ spin systems on general graphs.... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14969 | 14970 | Meta-learners for Estimating Heterogeneous Tre... | There is growing interest in estimating and ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14970 | 14971 | Counting triangles formula for the first Chern... | We consider the problem of the combinatorial... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14971 | 14972 | Probing homogeneity with standard candles | We show that standard candles can provide so... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14972 | 14973 | Fabrication tolerant chalcogenide mid-infrared... | Understanding exoplanet formation and findin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14973 | 14974 | Accurate Bayesian Data Classification without ... | We extend the standard Bayesian multivariate... | 1 | 0 | 1 | 1 | 0 | 0 |
| 14974 | 14975 | Offline Biases in Online Platforms: a Study of... | How diverse are sharing economy platforms? A... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14975 | 14976 | Parameter Estimation for Thurstone Choice Models | We consider the estimation accuracy of indiv... | 0 | 0 | 1 | 1 | 0 | 0 |
| 14976 | 14977 | Quantitative modeling and analysis of bifurcat... | Modeling and parameter estimation for neuron... | 0 | 1 | 1 | 0 | 0 | 0 |
| 14977 | 14978 | Uniqueness and radial symmetry of minimizers f... | In this paper we prove the uniqueness and ra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14978 | 14979 | Improved Accounting for Differentially Private... | We consider the problem of differential priv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 14979 | 14980 | Scattertext: a Browser-Based Tool for Visualiz... | Scattertext is an open source tool for visua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14980 | 14981 | Tight contact structures on Seifert surface co... | We consider complements of standard Seifert ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14981 | 14982 | Modular invariant representations of the $\mat... | We compute the modular transformation formul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14982 | 14983 | The CODALEMA/EXTASIS experiment: Contributions... | Contributions of the CODALEMA/EXTASIS experi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14983 | 14984 | Distributed Kernel K-Means for Large Scale Clu... | Clustering samples according to an effective... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14984 | 14985 | The Origin of Solar Filament Plasma Inferred f... | Solar filaments/prominences are one of the m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14985 | 14986 | Distributed Stochastic Optimization via Adapti... | Stochastic convex optimization algorithms ar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 14986 | 14987 | Bilipschitz Equivalence of Trees and Hyperboli... | We combine conditions found in [Wh] with res... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14987 | 14988 | On the contribution of thermal excitation to t... | Direct impact excitation by precipitating el... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14988 | 14989 | Dose finding for new vaccines: the role for im... | Current methods to optimize vaccine dose are... | 0 | 0 | 0 | 0 | 1 | 0 |
| 14989 | 14990 | On Learning Mixtures of Well-Separated Gaussians | We consider the problem of efficiently learn... | 1 | 0 | 1 | 0 | 0 | 0 |
| 14990 | 14991 | Sylvester's Problem and Mock Heegner Points | We prove that if $p \equiv 4,7 \pmod{9}$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 14991 | 14992 | Community Detection in the Network of German P... | Many social networks exhibit some underlying... | 1 | 1 | 0 | 0 | 0 | 0 |
| 14992 | 14993 | Coupon Advertising in Online Social Systems: A... | Online social systems have become important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14993 | 14994 | Statistical study of auroral omega bands | The presence of very few statistical studies... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14994 | 14995 | Efficient Lightweight Encryption Algorithm for... | The future generation networks: Internet of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14995 | 14996 | Inter-site pair superconductivity: origins and... | The challenge of understanding high-temperat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14996 | 14997 | Non-standard FDTD implementation of the Schröd... | In this work, we apply the Cole's non-standa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14997 | 14998 | The magnetic and electronic properties of Oxys... | Magnetic oxyselenides have been the topic of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 14998 | 14999 | Localizing the Object Contact through Matching... | This paper presents a novel framework for in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 14999 | 15000 | Scattering Cross Section in a Cylindrical anis... | To design a uniaxial anisotropic metamateria... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15000 | 15001 | Stability analysis of a system coupled to a he... | As a first approach to the study of systems ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15001 | 15002 | Corral Framework: Trustworthy and Fully Functi... | Data processing pipelines represent an impor... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15002 | 15003 | Radial orbit instability in systems of highly ... | Stationary stellar systems with radially elo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15003 | 15004 | Short-range wakefields generated in the blowou... | In the past, calculation of wakefields gener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15004 | 15005 | Scaled Nuclear Norm Minimization for Low-Rank ... | Minimizing the nuclear norm of a matrix has ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15005 | 15006 | Stability and Transparency Analysis of a Bilat... | This paper presents a novel approach for sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15006 | 15007 | Quantum eigenstate tomography with qubit tunne... | Measurement of the energy eigenvalues (spect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15007 | 15008 | Binary hermitian forms and optimal embeddings | Fix a quadratic order over the ring of integ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15008 | 15009 | An Improved Training Procedure for Neural Auto... | Neural autoregressive models are explicit de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15009 | 15010 | A Stochastic Formulation of the Resolution of ... | A stochastic orbital approach to the resolut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15010 | 15011 | Automatic Mapping of NES Games with Mappy | Game maps are useful for human players, gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15011 | 15012 | Proportional Closeness Estimation of Probabili... | The paper is focused on the problem of estim... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15012 | 15013 | Utility of General and Specific Word Embedding... | Conventional text classification models make... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15013 | 15014 | The AKARI IRC asteroid flux catalogue: updated... | The AKARI IRC All-sky survey provided more t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15014 | 15015 | Finite sample Bernstein - von Mises theorems f... | We demonstrate that a prior influence on the... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15015 | 15016 | Low-temperature behavior of the multicomponent... | We consider the multicomponent Widom-Rowliso... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15016 | 15017 | Stream Graphs and Link Streams for the Modelin... | Graph theory provides a language for studyin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15017 | 15018 | Supermetric Search | Metric search is concerned with the efficien... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15018 | 15019 | Liouville-type theorems with finite Morse inde... | In this paper we study solutions, possibly u... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15019 | 15020 | Performance Impact of Base Station Antenna Hei... | In this paper, we present a new and signific... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15020 | 15021 | An information-theoretic approach for selectin... | The question of selecting the "best" amongst... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15021 | 15022 | A watershed-based algorithm to segment and cla... | Imaging assays of cellular function, especia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15022 | 15023 | On the restricted Chebyshev-Boubaker polynomials | Using the language of Riordan arrays, we stu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15023 | 15024 | Band filling control of the Dzyaloshinskii-Mor... | We observe and explain theoretically a drama... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15024 | 15025 | Reducing Estimation Risk in Mean-Variance Port... | In portfolio analysis, the traditional appro... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15025 | 15026 | CutFEM topology optimization of 3D laminar inc... | This paper studies the characteristics and a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15026 | 15027 | Network topology of neural systems supporting ... | Many neural systems display avalanche behavi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15027 | 15028 | Comparison of ontology alignment systems acros... | Ontology alignment is widely-used to find th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15028 | 15029 | Polarizability Extraction for Waveguide-Fed Me... | We consider the design and modeling of metas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15029 | 15030 | Connection Scan Algorithm | We introduce the Connection Scan Algorithm (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15030 | 15031 | A Proof of Orthogonal Double Machine Learning ... | We consider two stage estimation with a non-... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15031 | 15032 | Quantile Treatment Effects in Difference in Di... | This paper shows that the Conditional Quanti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15032 | 15033 | Coppersmith's lattices and "focus groups": an ... | We present a principled technique for reduci... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15033 | 15034 | Gas vs. solid phase deuterated chemistry: HDCO... | The formation of deuterated molecules is fav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15034 | 15035 | Improved stability of optimal traffic paths | Models involving branched structures are emp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15035 | 15036 | Neural Code Comprehension: A Learnable Represe... | With the recent success of embeddings in nat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15036 | 15037 | Electron conduction in solid state via time va... | In this paper, we study electron wavepacket ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15037 | 15038 | On blowup of co-rotational wave maps in odd sp... | We consider co-rotational wave maps from the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15038 | 15039 | The Young Substellar Companion ROXs 12 B: Near... | ROXs 12 (2MASS J16262803-2526477) is a young... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15039 | 15040 | Connecting dissipation and phase slips in a Jo... | We study the emergence of dissipation in an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15040 | 15041 | Satellite conjunction analysis and the false c... | Satellite conjunction analysis is the assess... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15041 | 15042 | A formula goes to court: Partisan gerrymanderi... | Recently, a proposal has been advanced to de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15042 | 15043 | Quantitative aspects of linear and affine clos... | Affine $\lambda$-terms are $\lambda$-terms i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15043 | 15044 | Drug response prediction by ensemble learning ... | Chemotherapeutic response of cancer cells to... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15044 | 15045 | Eigenvalue approximation of sums of Hermitian ... | We propose a technique for calculating and u... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15045 | 15046 | Some Ultraspheroidal Monogenic Clifford Gegenb... | In the present paper, new classes of wavelet... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15046 | 15047 | Gait learning for soft microrobots controlled ... | Soft microrobots based on photoresponsive ma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15047 | 15048 | Evolution of Nagaoka phase with kinetic energy... | We investigate, using the density matrix ren... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15048 | 15049 | Blocking Transferability of Adversarial Exampl... | Advances in Machine Learning (ML) have led t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15049 | 15050 | Analytic continuation of Wolynes theory into t... | The Wolynes theory of electronically nonadia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15050 | 15051 | JDFTx: software for joint density-functional t... | Density-functional theory (DFT) has revoluti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15051 | 15052 | Experimental realization of purely excitonic l... | Since the seminal observation of room-temper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15052 | 15053 | Selective probing of hidden spin-polarized sta... | Spin- and angle-resolved photoemission spect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15053 | 15054 | Classification without labels: Learning from m... | Modern machine learning techniques can be us... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15054 | 15055 | Semantic Annotation for Microblog Topics Using... | Trending topics in microblogs such as Twitte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15055 | 15056 | Twin-beam real-time position estimation of mic... | Various optical methods for measuring positi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15056 | 15057 | Asymmetric metallicity patterns in the stellar... | We explore the correlations between velocity... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15057 | 15058 | End-to-End Attention based Text-Dependent Spea... | A new type of End-to-End system for text-dep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15058 | 15059 | Automated Discovery of Process Models from Eve... | Process mining allows analysts to exploit lo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15059 | 15060 | Criteria for strict monotonicity of the mixed ... | Let $P_1,\dots, P_n$ and $Q_1,\dots, Q_n$ be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15060 | 15061 | Colorings with Fractional Defect | Consider a coloring of a graph such that eac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15061 | 15062 | The new concepts of measurement error's regula... | In several literatures, the authors give a n... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15062 | 15063 | The cavity approach for Steiner trees packing ... | The Belief Propagation approximation, or cav... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15063 | 15064 | Observational Learning by Reinforcement Learning | Observational learning is a type of learning... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15064 | 15065 | P4-compatible High-level Synthesis of Low Late... | Packet parsing is a key step in SDN-aware de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15065 | 15066 | Uniruledness of Strata of Holomorphic Differen... | We address the question concerning the birat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15066 | 15067 | Conservation laws, vertex corrections, and scr... | We present a microscopic theory for the Rama... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15067 | 15068 | The distribution of symmetry of a naturally re... | We show that the distribution of symmetry of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15068 | 15069 | Odd-integer quantum Hall states and giant spin... | We fabricate high-mobility p-type few-layer ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15069 | 15070 | Efficient Probabilistic Performance Bounds for... | In the field of reinforcement learning there... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15070 | 15071 | Face Identification and Clustering | In this thesis, we study two problems based ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15071 | 15072 | Properties of Hydrogen Bonds in the Protic Ion... | Comparative molecular dynamics simulations o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15072 | 15073 | On Abruptly-Changing and Slowly-Varying Multia... | We study the non-stationary stochastic multi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15073 | 15074 | Validation of small Kepler transiting planet c... | A main goal of NASA's Kepler Mission is to e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15074 | 15075 | CP-decomposition with Tensor Power Method for ... | Convolutional Neural Networks (CNNs) has sho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15075 | 15076 | Stoic Ethics for Artificial Agents | We present a position paper advocating the n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15076 | 15077 | From quarks to nucleons in dark matter direct ... | We provide expressions for the nonperturbati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15077 | 15078 | Sharpened Strichartz estimates and bilinear re... | We develop refined Strichartz estimates at $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15078 | 15079 | A fast and stable test to check if a weakly di... | We present a test for determining if a subst... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15079 | 15080 | Task-Oriented Query Reformulation with Reinfor... | Search engines play an important role in our... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15080 | 15081 | Inverse scattering transform for the nonlocal ... | The reverse space-time (RST) Sine-Gordon, Si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15081 | 15082 | Relieving the frustration through Mn$^{3+}$ su... | We present a study on the impact of Mn$^{3+}... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15082 | 15083 | Inference on Auctions with Weak Assumptions on... | Given a sample of bids from independent auct... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15083 | 15084 | Introduction to OXPath | Contemporary web pages with increasingly sop... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15084 | 15085 | Image Registration for the Alignment of Digiti... | In this work, we conducted a survey on diffe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15085 | 15086 | Jointly Attentive Spatial-Temporal Pooling Net... | Person Re-Identification (person re-id) is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15086 | 15087 | Inertia, positive definiteness and $\ell_p$ no... | Let $S=\{x_1,x_2,\dots,x_n\}$ be a set of di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15087 | 15088 | Low-Latency Millimeter-Wave Communications: Tr... | This paper investigates two strategies to re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15088 | 15089 | The structure of multiplicative tilings of the... | Suppose $\Omega, A \subseteq \RR\setminus\Se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15089 | 15090 | Supporting Crowd-Powered Science in Economics:... | Modern investigation in economics and in oth... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15090 | 15091 | The effect of temperature on generic stable pe... | In this work, we have characterized changes ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15091 | 15092 | The $u^n$-invariant and the Symbol Length of $... | Given a field $F$ of $\operatorname{char}(F)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15092 | 15093 | An Affective Robot Companion for Assisting the... | Being able to recognize emotions in human us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15093 | 15094 | Rao-Blackwellization to give Improved Estimate... | Sufficient statistics are derived for the po... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15094 | 15095 | Bernstein Polynomial Model for Nonparametric M... | In this paper, we study the Bernstein polyno... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15095 | 15096 | Small-space encoding LCE data structure with c... | The \emph{longest common extension} (\emph{L... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15096 | 15097 | Machine learning application in the life time ... | Materials design and development typically t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15097 | 15098 | A Unified Framework for Stochastic Matrix Fact... | We propose a unified framework to speed up t... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15098 | 15099 | Short Term Power Demand Prediction Using Stoch... | Power prediction demand is vital in power sy... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15099 | 15100 | Learning Qualitatively Diverse and Interpretab... | There has been growing interest in developin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15100 | 15101 | Propagation of self-localised Q-ball solitons ... | In relativistic quantum field theories, comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15101 | 15102 | Improving the staggered grid Lagrangian hydrod... | In this work, we make two improvements on th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15102 | 15103 | Reinforcement Learning-based Thermal Comfort C... | Vehicle climate control systems aim to keep ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15103 | 15104 | A functional model for the Fourier--Plancherel... | The truncated Fourier operator $\mathscr{F}_... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15104 | 15105 | Mapping $n$ grid points onto a square forces a... | We prove that the regular $n\times n$ square... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15105 | 15106 | An FPT algorithm for planar multicuts with sou... | Given a list of k source-sink pairs in an ed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15106 | 15107 | Calibration with Bias-Corrected Temperature Sc... | Label shift refers to the phenomenon where t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15107 | 15108 | Propagation Networks for Model-Based Control U... | There has been an increasing interest in lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15108 | 15109 | High-redshift galaxies and black holes in the ... | The first billion years of the Universe is a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15109 | 15110 | Soft Label Memorization-Generalization for Nat... | Often when multiple labels are obtained for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15110 | 15111 | Floquet Topological Magnons | We introduce the concept of Floquet topologi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15111 | 15112 | Wasserstein Soft Label Propagation on Hypergra... | Inspired by recent interests of developing m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15112 | 15113 | Psychological and Personality Profiles of Poli... | Global recruitment into radical Islamic move... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15113 | 15114 | Techniques for Interpretable Machine Learning | Interpretable machine learning tackles the i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15114 | 15115 | New Models and Methods for Formation and Analy... | This doctoral work focuses on three main pro... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15115 | 15116 | Identifying networks with common organizationa... | Many complex systems can be represented as n... | 1 | 1 | 0 | 1 | 0 | 0 |
| 15116 | 15117 | Image-based Proof of Work Algorithm for the In... | A new variation of blockchain proof of work ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15117 | 15118 | Multi-Lane Perception Using Feature Fusion Bas... | An extensive, precise and robust recognition... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15118 | 15119 | Stability analysis and stabilization of LPV sy... | Linear Parameter-Varying (LPV) systems with ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15119 | 15120 | Identity Testing and Interpolation from High P... | We consider the problem of identity testing ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15120 | 15121 | A bird's eye view on the flat and conic band w... | We present a thorough tight-binding analysis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15121 | 15122 | Replacement AutoEncoder: A Privacy-Preserving ... | An increasing number of sensors on mobile, I... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15122 | 15123 | Application of the Mixed Time-averaging Semicl... | The recently introduced mixed time-averaging... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15123 | 15124 | Bounds on layer potentials with rough inputs f... | In this paper we establish square-function e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15124 | 15125 | From support $τ$-tilting posets to algebras | The aim of this paper is to study a poset is... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15125 | 15126 | Measuring the reionization 21 cm fluctuations ... | One of the main challenges in probing the re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15126 | 15127 | Sensing-Constrained LQG Control | Linear-Quadratic-Gaussian (LQG) control is c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15127 | 15128 | Deep Residual Learning for Instrument Segmenta... | Detection, tracking, and pose estimation of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15128 | 15129 | Computing Constrained Approximate Equilibria i... | This paper is about computing constrained ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15129 | 15130 | Evolution in Groups: A deeper look at synaptic... | A promising paradigm for achieving highly ef... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15130 | 15131 | Polynomial Time and Sample Complexity for Non-... | The problem of Non-Gaussian Component Analys... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15131 | 15132 | ARABIS: an Asynchronous Acoustic Indoor Positi... | Acoustic ranging based indoor positioning so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15132 | 15133 | Realistic Evaluation of Deep Semi-Supervised L... | Semi-supervised learning (SSL) provides a po... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15133 | 15134 | Recovering piecewise constant refractive indic... | We are concerned with the inverse scattering... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15134 | 15135 | On Bezout Inequalities for non-homogeneous Pol... | We introduce a "workable" notion of degree f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15135 | 15136 | Joint Mixability of Elliptical Distributions a... | In this paper, we further develop the theory... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15136 | 15137 | Secure uniform random number extraction via in... | To guarantee the security of uniform random ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15137 | 15138 | Mobile Encryption Gateway (MEG) for Email Encr... | Email cryptography applications often suffer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15138 | 15139 | Nematic Skyrmions in Odd-Parity Superconductors | We study topological excitations in two-comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15139 | 15140 | Concentration and consistency results for cano... | Statistical inference for exponential-family... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15140 | 15141 | Bayesian Network Learning via Topological Order | We propose a mixed integer programming (MIP)... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15141 | 15142 | The nature of the giant exomoon candidate Kepl... | The recent announcement of a Neptune-sized e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15142 | 15143 | Generative Adversarial Privacy | We present a data-driven framework called ge... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15143 | 15144 | Hierarchical Modeling of Seed Variety Yields a... | Eradicating hunger and malnutrition is a key... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15144 | 15145 | A Clinical and Finite Elements Study of Stress... | Stress Urinary Incontinence (SUI) or urine l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15145 | 15146 | The n-term Approximation of Periodic Generaliz... | In this paper, we study the compressibility ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15146 | 15147 | Sliced rotated sphere packing designs | Space-filling designs are popular choices fo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15147 | 15148 | On the Convergence of Weighted AdaGrad with Mo... | Adaptive stochastic gradient descent methods... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15148 | 15149 | Cyclic Dominance in the Spatial Coevolutionary... | This paper studies scenarios of cyclic domin... | 1 | 1 | 1 | 0 | 0 | 0 |
| 15149 | 15150 | Analysis of universal adversarial perturbations | Deep networks have recently been shown to be... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15150 | 15151 | Unsupervised and Semi-supervised Anomaly Detec... | We investigate anomaly detection in an unsup... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15151 | 15152 | Wearable Health Monitoring Using Capacitive Vo... | Rapid miniaturization and cost reduction of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15152 | 15153 | Electromagnetically Induced Transparency (EIT)... | We investigate the effect of band-limited wh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15153 | 15154 | SINR Outage Evaluation in Cellular Networks: S... | Signal-to-noise-plus-interference ratio (SIN... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15154 | 15155 | Smart grid modeling and simulation - Comparing... | One of the most important tools for the deve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15155 | 15156 | A Large-Scale CNN Ensemble for Medication Safe... | Revealing Adverse Drug Reactions (ADR) is an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15156 | 15157 | Solutions to twisted word equations and equati... | It is well-known that the problem to solve e... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15157 | 15158 | DeepTransport: Learning Spatial-Temporal Depen... | Predicting traffic conditions has been recen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15158 | 15159 | On Statistical Optimality of Variational Bayes | The article addresses a long-standing open p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15159 | 15160 | The Teichmüller Stack | This paper is a comprehensive introduction t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15160 | 15161 | On the Impact of Micro-Packages: An Empirical ... | The rise of user-contributed Open Source Sof... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15161 | 15162 | Location and Orientation Optimisation for Spat... | The design of sparse spatially stretched tri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15162 | 15163 | Hausdorff dimension of limsup sets of random r... | The almost sure Hausdorff dimension of the l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15163 | 15164 | Thermal Characterization of Microscale Heat Co... | As power electronics shrinks down to sub-mic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15164 | 15165 | A summation formula for triples of quadratic s... | Let $V_1,V_2,V_3$ be a triple of even dimens... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15165 | 15166 | Designing Strassen's algorithm | In 1969, Strassen shocked the world by showi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15166 | 15167 | A Software-equivalent SNN Hardware using RRAM-... | Spiking Neural Network (SNN) naturally inspi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15167 | 15168 | Max flow vitality in general and $st$-planar g... | The \emph{vitality} of an arc/node of a grap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15168 | 15169 | Between Homomorphic Signal Processing and Deep... | This paper presents a new approach in unders... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15169 | 15170 | Negative membrane capacitance of outer hair ce... | The ability of the mammalian ear in processi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15170 | 15171 | Resonant inelastic x-ray scattering operators ... | We derive general expressions for resonant i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15171 | 15172 | Hamiltonian Path in Split Graphs- a Dichotomy | In this paper, we investigate Hamiltonian pa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15172 | 15173 | Design Patterns for Fusion-Based Object Retrieval | We address the task of ranking objects (such... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15173 | 15174 | Early Routability Assessment in VLSI Floorplan... | Multiple design iterations are inevitable in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15174 | 15175 | Inverse Ising problem in continuous time: A la... | We consider the inverse Ising problem, i.e. ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15175 | 15176 | Analysis of the flux growth rate in emerging a... | We studied the emergence process of 42 activ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15176 | 15177 | Porosity and Differentiability of Lipschitz Ma... | Let $f$ be a Lipschitz map from a subset $A$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15177 | 15178 | A Structured Learning Approach with Neural Con... | Sleep plays a vital role in human health, bo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15178 | 15179 | Dominant dimension and tilting modules | We study which algebras have tilting modules... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15179 | 15180 | Fast and Accurate 3D Medical Image Segmentatio... | Deep neural network models used for medical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15180 | 15181 | Direct Optical Visualization of Water Transpor... | Gaining a detailed understanding of water tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15181 | 15182 | Hyperbolicity cones and imaginary projections | Recently, the authors and de Wolff introduce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15182 | 15183 | Fairness-aware Classification: Criterion, Conv... | Fairness-aware classification is receiving i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15183 | 15184 | Optimal Rates for Community Estimation in the ... | Community identification in a network is an ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15184 | 15185 | On Sound Relative Error Bounds for Floating-Po... | State-of-the-art static analysis tools for v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15185 | 15186 | Light yield determination in large sodium iodi... | Application of NaI(Tl) detectors in the sear... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15186 | 15187 | A Systematic Approach to Numerical Dispersion ... | The finite-difference time-domain (FDTD) met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15187 | 15188 | On Synchronous, Asynchronous, and Randomized B... | This work considers a stochastic Nash game i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15188 | 15189 | On the insertion of n-powers | In algebraic terms, the insertion of $n$-pow... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15189 | 15190 | The TUS detector of extreme energy cosmic rays... | The origin and nature of extreme energy cosm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15190 | 15191 | New ellipsometric approach for determining sma... | We propose a precise ellipsometric method fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15191 | 15192 | Maximizing the Mutual Information of Multi-Ant... | Single-user multiple-input / multiple-output... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15192 | 15193 | Multistationarity and Bistability for Fewnomia... | Bistability and multistationarity are proper... | 1 | 0 | 0 | 0 | 1 | 0 |
| 15193 | 15194 | Erratum: Link prediction in drug-target intera... | Background: In silico drug-target interactio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15194 | 15195 | Variable Selection for Highly Correlated Predi... | Penalty-based variable selection methods are... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15195 | 15196 | Scraping and Preprocessing Commercial Auction ... | In the last three decades, we have seen a si... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15196 | 15197 | Batch Size Influence on Performance of Graphic... | The impact of the maximally possible batch s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15197 | 15198 | Minimax Euclidean Separation Rates for Testing... | We consider composite-composite testing prob... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15198 | 15199 | Simple Policy Evaluation for Data-Rich Iterati... | A data-based policy for iterative control ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15199 | 15200 | Proper quadrics in the Euclidean $n$-space | In this paper we investigate the metric prop... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15200 | 15201 | Mapping of the dark exciton landscape in trans... | Transition metal dichalcogenides (TMDs) exhi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15201 | 15202 | Active set algorithms for estimating shape-con... | We review and modify the active set algorith... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15202 | 15203 | Asymptotic orthogonalization of subalgebras in... | Let $M$ be a II$_1$ factor with a von Neuman... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15203 | 15204 | Neural Control Variates for Variance Reduction | In statistics and machine learning, approxim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15204 | 15205 | On tidal energy in Newtonian two-body motion | In this work, which is based on an essential... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15205 | 15206 | Markov-Modulated Linear Regression | Classical linear regression is considered fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15206 | 15207 | Compactness of the resolvent for the Witten La... | In this paper we consider the Witten Laplaci... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15207 | 15208 | On the Azuma inequality in spaces of subgaussi... | For $p > 1$ let a function $\varphi_p(x) = x... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15208 | 15209 | Realization of the Axial Next-Nearest-Neighbor... | Here we report small-angle neutron scatterin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15209 | 15210 | Long-time asymptotics for the derivative nonli... | We derive asymptotic formulas for the soluti... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15210 | 15211 | Non-Semisimple Extended Topological Quantum Fi... | We develop the general theory for the constr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15211 | 15212 | Community Aware Random Walk for Network Embedding | Social network analysis provides meaningful ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15212 | 15213 | A combined photometric and kinematic recipe fo... | Understanding the nature of bulges in disc g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15213 | 15214 | Fast construction of efficient composite likel... | Growth in both size and complexity of modern... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15214 | 15215 | State-selective influence of the Breit interac... | We report a measurement of $KLL$ dielectroni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15215 | 15216 | Anti-spoofing Methods for Automatic SpeakerVer... | Growing interest in automatic speaker verifi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15216 | 15217 | Face Deidentification with Generative Deep Neu... | Face deidentification is an active topic amo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15217 | 15218 | Towards a theory of word order. Comment on "De... | Comment on "Dependency distance: a new persp... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15218 | 15219 | Optimal Frequency Ranges for Sub-Microsecond P... | Precision pulsar timing requires optimizatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15219 | 15220 | Submodular Mini-Batch Training in Generative M... | This article was withdrawn because (1) it wa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15220 | 15221 | Local Gaussian Processes for Efficient Fine-Gr... | Traffic speed is a key indicator for the eff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15221 | 15222 | Vertex algebras associated with hypertoric var... | We construct a family of vertex algebras ass... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15222 | 15223 | Bit-Vector Model Counting using Statistical Es... | Approximate model counting for bit-vector SM... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15223 | 15224 | Stochastic Reformulations of Linear Systems: A... | We develop a family of reformulations of an ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15224 | 15225 | Isotropic-Nematic Phase Transitions in Gravita... | We examine dense self-gravitating stellar sy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15225 | 15226 | Topological Semimetals carrying Arbitrary Hopf... | We propose a new type of Hopf semimetals ind... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15226 | 15227 | Online Learning with Abstention | We present an extensive study of the key pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15227 | 15228 | Stabilization of self-mode-locked quantum dash... | We report experimental studies of the influe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15228 | 15229 | Sensitivity Analysis for Mirror-Stratifiable C... | This paper provides a set of sensitivity ana... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15229 | 15230 | Coupling Story to Visualization: Using Textual... | Online writers and journalism media are incr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15230 | 15231 | Automatic Prediction of Discourse Connectives | Accurate prediction of suitable discourse co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15231 | 15232 | Learning to Adapt in Dynamic, Real-World Envir... | Although reinforcement learning methods can ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15232 | 15233 | A Novel Receiver Design with Joint Coherent an... | In this paper, we propose a novel splitting ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15233 | 15234 | Comment on the Equality Condition for the I-MM... | The paper establishes the equality condition... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15234 | 15235 | Feature discovery and visualization of robot m... | The gap between our ability to collect inter... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15235 | 15236 | Multiplicative models for frequency data, esti... | This paper is about models for a vector of p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15236 | 15237 | An Efficient Keyless Fragmentation Algorithm f... | The family of Information Dispersal Algorith... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15237 | 15238 | Schramm--Loewner-evolution-type growth process... | A group theoretical formulation of Schramm--... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15238 | 15239 | Explicit Commutativity Conditions for Second-o... | Although the explicit commutativitiy conditi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15239 | 15240 | Energy Acceptance of the St. George Recoil Sep... | Radiative alpha-capture, ($\alpha,\gamma$), ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15240 | 15241 | Topological and Algebraic Characterizations of... | We recall first Gallai-simplicial complex $\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15241 | 15242 | Fairness risk measures | Ensuring that classifiers are non-discrimina... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15242 | 15243 | On-line tracing of XACML-based policy coverage... | Currently, eXtensible Access Control Markup ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15243 | 15244 | The square lattice Ising model on the rectangl... | Based on the results published recently [J. ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15244 | 15245 | Using MRI Cell Tracking to Monitor Immune Cell... | Purpose: MRI cell tracking can be used to mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15245 | 15246 | Entropic Spectral Learning in Large Scale Netw... | We present a novel algorithm for learning th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15246 | 15247 | On Green's proof of infinitesimal Torelli theo... | We prove an equivalence between the infinite... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15247 | 15248 | Gentle heating by mixing in cooling flow clusters | We analyze three-dimensional hydrodynamical ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15248 | 15249 | Cutting-off Redundant Repeating Generations fo... | This paper tackles the reduction of redundan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15249 | 15250 | Some exercises with the Lasso and its compatib... | We consider the Lasso for a noiseless experi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15250 | 15251 | Leveraging Sensory Data in Estimating Transfor... | Transformer lifetime assessments plays a vit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15251 | 15252 | Spatial Projection of Multiple Climate Variabl... | Future projection of climate is typically ob... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15252 | 15253 | Two-dimensional plasmons in the random impedan... | Random impedance networks are widely used as... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15253 | 15254 | K-edge subtraction vs. A-space processing for ... | Purpose: To compare two methods that use x-r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15254 | 15255 | Recall Traces: Backtracking Models for Efficie... | In many environments only a tiny subset of a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15255 | 15256 | Path-integral formalism for stochastic resetti... | We study the dynamics of overdamped Brownian... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15256 | 15257 | A strongly convergent numerical scheme from En... | The Ensemble Kalman methodology in an invers... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15257 | 15258 | Attenuation correction for brain PET imaging u... | Positron Emission Tomography (PET) is a func... | 0 | 1 | 0 | 1 | 0 | 0 |
| 15258 | 15259 | Resolving Local Electrochemistry at the Nanosc... | Electrochemistry is the underlying mechanism... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15259 | 15260 | Genuine equivariant operads | We build new algebraic structures, which we ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15260 | 15261 | A linear-time algorithm for the maximum-area i... | Given the n vertices of a convex polygon in ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15261 | 15262 | Estimation of the infinitesimal generator by s... | For the analysis of molecular processes, the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15262 | 15263 | Korea Microlensing Telescope Network Microlens... | We present microlensing events in the 2015 K... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15263 | 15264 | Caveat Emptor, Computational Social Science: L... | As researchers use computational methods to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15264 | 15265 | Skeleton-Based Action Recognition Using Spatio... | Skeleton-based human action recognition has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15265 | 15266 | Interpolation and Extrapolation of Toeplitz Ma... | In this work, we propose a novel method for ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15266 | 15267 | Performance of time delay estimation in a cogn... | A cognitive radar adapts the transmit wavefo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15267 | 15268 | RAIL: Risk-Averse Imitation Learning | Imitation learning algorithms learn viable p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15268 | 15269 | Nucleation and growth of hierarchical martensi... | Shape memory alloys often show a complex hie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15269 | 15270 | Towards Sparse Hierarchical Graph Classifiers | Recent advances in representation learning o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15270 | 15271 | Strengths and Weaknesses of Deep Learning Mode... | Deep convolutional neural networks (CNNs) ba... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15271 | 15272 | BayesVP: a Bayesian Voigt profile fitting package | We introduce a Bayesian approach for modelin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15272 | 15273 | Efficient Algorithms for Non-convex Isotonic R... | We consider the minimization of submodular f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15273 | 15274 | The effects of oxygen in spinel oxide Li1+xTi2... | The evolution from superconducting LiTi2O4-d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15274 | 15275 | Qualitative uncertainty principle for Gabor tr... | Classes of locally compact groups having qua... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15275 | 15276 | Strategyproof Mechanisms for Additively Separa... | Additively separable hedonic games and fract... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15276 | 15277 | The Conditional Analogy GAN: Swapping Fashion ... | We present a novel method to solve image ana... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15277 | 15278 | Inverse antiplane problem on $n$ uniformly str... | The inverse problem of antiplane elasticity ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15278 | 15279 | Categorical Structures on Bundle Gerbes and Hi... | We present a construction of a 2-Hilbert spa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15279 | 15280 | The Monkeytyping Solution to the YouTube-8M Vi... | This article describes the final solution of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15280 | 15281 | Brain EEG Time Series Selection: A Novel Graph... | Brain Electroencephalography (EEG) classific... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15281 | 15282 | Modelling dependency completion in sentence co... | We present a case-study demonstrating the us... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15282 | 15283 | Performance analysis of local ensemble Kalman ... | Ensemble Kalman filter (EnKF) is an importan... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15283 | 15284 | The homology class of a Poisson transversal | This note is devoted to the study of the hom... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15284 | 15285 | Discrete Time Dynamic Programming with Recursi... | This paper provides an alternative approach ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15285 | 15286 | Anisotropic triangulations via discrete Rieman... | The construction of anisotropic triangulatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15286 | 15287 | Heteroskedastic PCA: Algorithm, Optimality, an... | Principal component analysis (PCA) and singu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15287 | 15288 | A Manifesto for Web Science @ 10 | Twenty-seven years ago, one of the biggest s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15288 | 15289 | LAMOST Spectroscopic Survey of the Galactic An... | We present the second release of value-added... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15289 | 15290 | Counterfactual Fairness | Machine learning can impact people with lega... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15290 | 15291 | A Frame Tracking Model for Memory-Enhanced Dia... | Recently, resources and tasks were proposed ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15291 | 15292 | How to place an obstacle having a dihedral sym... | A generic model for the shape optimization p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15292 | 15293 | The mapping class groups of reducible Heegaard... | The manifold which admits a genus-$2$ reduci... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15293 | 15294 | Linguistic Relativity and Programming Languages | The use of programming languages can wax and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15294 | 15295 | Double-sided probing by map of Asplund's dista... | We establish the link between Mathematical M... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15295 | 15296 | Regression approaches for Approximate Bayesian... | This book chapter introduces regression appr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15296 | 15297 | Feature learning in feature-sample networks us... | Data and knowledge representation are fundam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15297 | 15298 | Analog control with two Artificial Axons | The artificial axon is a recently introduced... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15298 | 15299 | Designing a cost-time-quality-efficient grindi... | In this paper a multi-objective mathematical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15299 | 15300 | Treewidth distance on phylogenetic trees | In this article we study the treewidth of th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15300 | 15301 | What is the definition of two meromorphic func... | Two meromorphic functions $f(z)$ and $g(z)$ ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15301 | 15302 | Nb3Sn wire shape and cross sectional area inho... | During Rutherford cable production the wires... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15302 | 15303 | Towards Accurate Modelling of Galaxy Clusterin... | Interpreting the small-scale clustering of g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15303 | 15304 | Graphene nanoplatelets induced tailoring in ph... | The synthesis, physical, photocatalytic, and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15304 | 15305 | Lower Bounds for Searching Robots, some Faulty | Suppose we are sending out $k$ robots from $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15305 | 15306 | An efficient relativistic density-matrix renor... | We present an implementation of the relativi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15306 | 15307 | Cyclic Hypergraph Degree Sequences | The problem of efficiently characterizing de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15307 | 15308 | First and Second Order Methods for Online Conv... | Convolutional sparse representations are a f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15308 | 15309 | DPCA: Dimensionality Reduction for Discriminat... | Principal component analysis (PCA) has well-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15309 | 15310 | Modeling Magnetic Anisotropy of Single Chain M... | Single molecule magnets (SMMs) with single-i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15310 | 15311 | Compressive optical interferometry | Compressive sensing (CS) combines data acqui... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15311 | 15312 | Automated labeling of bugs and tickets using a... | We explore solutions for automated labeling ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15312 | 15313 | Robot gains Social Intelligence through Multim... | For robots to coexist with humans in a socia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15313 | 15314 | Preprint Déjà Vu: an FAQ | I give a brief overview of arXiv history, an... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15314 | 15315 | Implications of hydrodynamical simulations for... | In recent years, realistic hydrodynamical si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15315 | 15316 | Stable Charged Antiparallel Domain Walls in Hy... | Charge-neutral 180$^\circ$ domain walls that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15316 | 15317 | Healing Data Loss Problems in Android Apps | Android apps should be designed to cope with... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15317 | 15318 | Emergent SU(N) symmetry in disordered SO(N) sp... | Strongly disordered spin chains invariant un... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15318 | 15319 | Imaging structural transitions in organometall... | The use of opto-thermal molecular energy sto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15319 | 15320 | Spontaneous antiferromagnetic order and strain... | Using hybrid exchange-correlation functional... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15320 | 15321 | Big Data Technology Accelerate Genomics Precis... | During genomics life science research, the d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15321 | 15322 | Dirichlet-to-Neumann or Poincaré-Steklov opera... | In the framework of the Laplacian transport,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15322 | 15323 | Grammar Variational Autoencoder | Deep generative models have been wildly succ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15323 | 15324 | Optimal Bayesian Minimax Rates for Unconstrain... | We obtain the optimal Bayesian minimax rate ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15324 | 15325 | Retirement spending and biological age | We solve a lifecycle model in which the cons... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15325 | 15326 | Quantum X Waves with Orbital Angular Momentum ... | We present a complete and consistent quantum... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15326 | 15327 | Role of Skin Friction Drag during Flow-Induced... | We investigate drag reduction due to the flo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15327 | 15328 | Generalization Error Bounds with Probabilistic... | The success of deep learning has led to a ri... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15328 | 15329 | Distributed algorithm for empty vehicles manag... | In this paper, an original heuristic algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15329 | 15330 | Controllability of the 1D Schrödinger equation... | We derive in a direct way the exact controll... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15330 | 15331 | ICT Green Governance: new generation model bas... | The strategy of sustainable development in t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15331 | 15332 | Speaker Selective Beamformer with Keyword Mask... | This paper addresses the problem of automati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15332 | 15333 | Proof of an entropy conjecture of Leighton and... | We prove the following conjecture of Leighto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15333 | 15334 | What drives transient behaviour in complex sys... | We study transient behaviour in the dynamics... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15334 | 15335 | Complexity of strong approximation on the sphere | By assuming some widely-believed arithmetic ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15335 | 15336 | Correlation between Foam-Bubble Size and Drag ... | Recently proposed model of foam impact on th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15336 | 15337 | On the Structure of Superconducting Order Para... | This paper discusses the synthesis, characte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15337 | 15338 | Rigorous statistical analysis of HTTPS reachab... | The use of secure connections using HTTPS as... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15338 | 15339 | Exploiting Negative Curvature in Deterministic... | This paper addresses the question of whether... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15339 | 15340 | Outer automorphism groups of right-angled Coxe... | We generalise the notion of a separating int... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15340 | 15341 | Retrieving Instantaneous Field of View and Geo... | The Limb-imaging Ionospheric and Thermospher... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15341 | 15342 | Better than counting: Density profiles from fo... | Calculating one-body density profiles in equ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15342 | 15343 | Integrating self-efficacy into a gamified appr... | Security exploits can include cyber threats ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15343 | 15344 | Quantum dynamics of bosons in a two-ring ladde... | We study the quantum dynamics of the Bose-Hu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15344 | 15345 | A New Convolutional Network-in-Network Structu... | The inception network has been shown to prov... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15345 | 15346 | Rapid rotators revisited: absolute dimensions ... | We analyse Kepler light-curves of the exopla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15346 | 15347 | Learning Linear Dynamical Systems via Spectral... | We present an efficient and practical algori... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15347 | 15348 | Time pressure and honesty in a deception game | Previous experiments have found mixed result... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15348 | 15349 | A deep learning approach to real-time parking ... | A deep learning model is proposed for predic... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15349 | 15350 | Time series experiments and causal estimands: ... | We define causal estimands for experiments o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15350 | 15351 | Sparse phase retrieval of one-dimensional sign... | In this paper, we show that sparse signals f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15351 | 15352 | Atomic and electronic structure of a copper/gr... | We report the results of X-ray spectroscopy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15352 | 15353 | Modeling and Control of Humanoid Robots in Dyn... | Forthcoming applications concerning humanoid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15353 | 15354 | Forward-Backward Selection with Early Dropping | Forward-backward selection is one of the mos... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15354 | 15355 | Ultracold bosonic scattering dynamics off a re... | We explore the impact of dimensionality on t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15355 | 15356 | On Lebesgue Integral Quadrature | A new type of quadrature is developed. The G... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15356 | 15357 | Protection Number in Plane Trees | The protection number of a plane tree is the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15357 | 15358 | Improved bounds for restricted families of pro... | For $e \in S^{2}$, the unit sphere in $\math... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15358 | 15359 | Differential galois theory and mechanics | The classical Galois theory deals with certa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15359 | 15360 | Note on "Average resistance of toroidal graphs... | In our recent paper W.S. Rossi, P. Frasca an... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15360 | 15361 | A Survey of Runtime Monitoring Instrumentation... | Runtime Monitoring is a lightweight and dyna... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15361 | 15362 | Interpretable Counting for Visual Question Ans... | Questions that require counting a variety of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15362 | 15363 | How consistent is my model with the data? Info... | The choice of model class is fundamental in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15363 | 15364 | Stable recovery of deep linear networks under ... | We study a deep linear network expressed und... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15364 | 15365 | Revisiting Parametricity: Inductives and Unifo... | Reynold's parametricity theory captures the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15365 | 15366 | Characterizing Minimal Semantics-preserving Sl... | A program schema defines a class of programs... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15366 | 15367 | Exposing Twitter Users to Contrarian News | Polarized topics often spark discussion and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15367 | 15368 | Value-Decomposition Networks For Cooperative M... | We study the problem of cooperative multi-ag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15368 | 15369 | Application of a Shallow Neural Network to Sho... | Machine learning is increasingly prevalent i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15369 | 15370 | A characterization of round spheres in space f... | Let $\mathbb Q^{n+1}_c$ be the complete simp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15370 | 15371 | Oxygen - Dislocation interaction in zirconium ... | Plasticity in zirconium alloys is mainly con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15371 | 15372 | Generating Spatial Spectrum with Metasurfaces | Fourier optics, the principle of using Fouri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15372 | 15373 | Modal clustering asymptotics with applications... | Density-based clustering relies on the idea ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15373 | 15374 | Neural Networks for Beginners. A fast implemen... | This report provides an introduction to some... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15374 | 15375 | Spectral determination of semi-regular polygons | Let us say that an $n$-sided polygon is semi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15375 | 15376 | Accuracy and validity of posterior distributio... | The class of Cressie-Read empirical likeliho... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15376 | 15377 | A Quillen's Theorem A for strict $\infty$-cate... | The aim of this paper is to prove a generali... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15377 | 15378 | Assessing Excited State Energy Gaps with Time-... | A set of density functionals coming from dif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15378 | 15379 | Description of the evolution of inhomogeneitie... | We use a direct numerical integration of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15379 | 15380 | Fast generation of isotropic Gaussian random f... | The efficient simulation of isotropic Gaussi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15380 | 15381 | Initial-boundary value problem to 2D Boussines... | This paper is concerned with the initial-bou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15381 | 15382 | Profile of a coherent vortex in two-dimensiona... | We examine the velocity profile of coherent ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15382 | 15383 | Computation of life expectancy from incomplete... | Estimating the human longevity and computing... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15383 | 15384 | Residual Squeeze VGG16 | Deep learning has given way to a new era of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15384 | 15385 | Generic partiality for $\frac{3}{2}$-institutions | $\frac{3}{2}$-institutions have been introdu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15385 | 15386 | Independently Controllable Factors | It has been postulated that a good represent... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15386 | 15387 | Determination and biological application of a ... | A boundary value problem, which could repres... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15387 | 15388 | Setting Boundaries with Memory: Generation of ... | When a d-dimensional quantum system is subje... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15388 | 15389 | Collaborative Nested Sampling: Big Data vs. co... | The data torrent unleashed by current and up... | 0 | 1 | 0 | 1 | 0 | 0 |
| 15389 | 15390 | Latent Room-Temperature T$_c$ in Cuprate Super... | The ancient phrase, "All roads lead to Rome"... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15390 | 15391 | Characterization of minimizers of an anisotrop... | In this paper we study an anisotropic varian... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15391 | 15392 | Partial regularity of weak solutions and life-... | In this paper we first study partial regular... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15392 | 15393 | Distributed control of vehicle strings under f... | This paper studies an optimal control proble... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15393 | 15394 | Random Feature-based Online Multi-kernel Learn... | Kernel-based methods exhibit well-documented... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15394 | 15395 | Faster Convergence & Generalization in DNNs | Deep neural networks have gained tremendous ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15395 | 15396 | Regular Sequences from Determinantal Conditions | In this paper we construct some regular sequ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15396 | 15397 | Nonlinear Zeeman effect, line shapes and optic... | We perform Zeeman spectroscopy on a Rydberg ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15397 | 15398 | On gradient regularizers for MMD GANs | We propose a principled method for gradient-... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15398 | 15399 | Backprop with Approximate Activations for Memo... | Larger and deeper neural network architectur... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15399 | 15400 | Testing SPARUS II AUV, an open platform for in... | This paper describes the experience of prepa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15400 | 15401 | The Urban Last Mile Problem: Autonomous Drone ... | Drone delivery has been a hot topic in the i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15401 | 15402 | Extragalactic VLBI surveys in the MeerKAT era | The past decade has seen significant advance... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15402 | 15403 | Equicontinuity, orbit closures and invariant c... | Let $X$ be a locally compact zero-dimensiona... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15403 | 15404 | The Ramsey property for Banach spaces, Choquet... | We show that the Gurarij space $\mathbb{G}$ ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15404 | 15405 | Evasion Attacks against Machine Learning at Te... | In security-sensitive applications, the succ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15405 | 15406 | Evaluation of Lightweight Block Ciphers in Har... | The conventional cryptography solutions are ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15406 | 15407 | The Sample Complexity of Online One-Class Coll... | We consider the online one-class collaborati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15407 | 15408 | Coherent long-distance displacement of individ... | Controlling nanocircuits at the single elect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15408 | 15409 | Transparency and Explanation in Deep Reinforce... | Autonomous AI systems will be entering human... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15409 | 15410 | Refactoring Software Packages via Community De... | As the complexity and size of software proje... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15410 | 15411 | Mechanism Design in Social Networks | This paper studies an auction design problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15411 | 15412 | Prototype Matching Networks for Large-Scale Mu... | One of the fundamental tasks in understandin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15412 | 15413 | Quantum Multicriticality near the Dirac-Semime... | We compute the effects of generic short-rang... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15413 | 15414 | Wider frequency domain for negative refraction... | The refraction index of the quantized lossy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15414 | 15415 | Model Averaging and its Use in Economics | The method of model averaging has become an ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15415 | 15416 | Dropout Feature Ranking for Deep Learning Models | Deep neural networks (DNNs) achieve state-of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15416 | 15417 | Per-instance Differential Privacy | We consider a refinement of differential pri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15417 | 15418 | Dual quadratic differentials and entire minima... | We define holomorphic quadratic differential... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15418 | 15419 | Adaptive Modular Exponentiation Methods v.s. P... | In this paper we use Python to implement two... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15419 | 15420 | Bayesian radiocarbon modelling for beginners | Due to freely available, tailored software, ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15420 | 15421 | Suspended Load Path Tracking Control Using a T... | This work addresses the problem of path trac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15421 | 15422 | Decay Estimates and Strichartz Estimates of Fo... | We study time decay estimates of the fourth-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15422 | 15423 | On the Uniqueness of FROG Methods | The problem of recovering a signal from its ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15423 | 15424 | Riesz sequences and generalized arithmetic pro... | The purpose of this note is to verify that t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15424 | 15425 | Positive Scalar Curvature and Minimal Hypersur... | In this paper we develop methods to extend t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15425 | 15426 | Moving Beyond Sub-Gaussianity in High-Dimensio... | Concentration inequalities form an essential... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15426 | 15427 | The additive groups of $\mathbb{Z}$ and $\math... | We consider the four structures $(\mathbb{Z}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15427 | 15428 | Particle-hole symmetry of charge excitation sp... | The Kotliar and Ruckenstein slave-boson repr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15428 | 15429 | OLÉ: Orthogonal Low-rank Embedding, A Plug and... | Deep neural networks trained using a softmax... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15429 | 15430 | Decidability problems in automaton semigroups | We consider decidability problems in self-si... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15430 | 15431 | Migration of a Carbon Adatom on a Charged Sing... | We find that negative charges on an armchair... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15431 | 15432 | Function Norms and Regularization in Deep Netw... | Deep neural networks (DNNs) have become incr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15432 | 15433 | Efficiently Clustering Very Large Attributed G... | Attributed graphs model real networks by enr... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15433 | 15434 | Thermochemistry and vertical mixing in the tro... | Thermochemical models have been used in the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15434 | 15435 | Attentive cross-modal paratope prediction | Antibodies are a critical part of the immune... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15435 | 15436 | Tomonaga-Luttinger spin liquid in the spin-1/2... | K$_3$Cu$_3$AlO$_2$(SO$_4$)$_4$ is a highly o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15436 | 15437 | Weak Convergence of Stationary Empirical Proce... | We offer an umbrella type result which exten... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15437 | 15438 | Syntax Error Recovery in Parsing Expression Gr... | Parsing Expression Grammars (PEGs) are a for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15438 | 15439 | Collaborative Pressure Ulcer Prevention: An Au... | This paper describes the Pressure Ulcers Onl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15439 | 15440 | Brain networks reveal the effects of antipsych... | The study of brain networks, including deriv... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15440 | 15441 | New approach to Minkowski fractional inequalit... | In this paper, we obtain new results related... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15441 | 15442 | Segmentation of nearly isotropic overlapped tr... | The major challenges of automatic track coun... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15442 | 15443 | A Bayesian Hyperprior Approach for Joint Image... | Recently, impressive denoising results have ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15443 | 15444 | Development and evaluation of a deep learning ... | Structure based ligand discovery is one of t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15444 | 15445 | The Bayesian update: variational formulations ... | The Bayesian update can be viewed as a varia... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15445 | 15446 | Magnetic diode at $T$ = 300 K | We report the finding of unidirectional elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15446 | 15447 | Efficient mixture model for clustering of spar... | In this paper we propose a mixture model, Sp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15447 | 15448 | Normalized Total Gradient: A New Measure for M... | Image registration is a fundamental issue in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15448 | 15449 | Graphical-model based estimation and inference... | Many privacy mechanisms reveal high-level in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15449 | 15450 | Hierarchical Kriging for multi-fidelity aero-s... | In the present work, we consider multi-fidel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15450 | 15451 | Unifying PAC and Regret: Uniform PAC Bounds fo... | Statistical performance bounds for reinforce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15451 | 15452 | Alternative Semantic Representations for Zero-... | A proper semantic representation for encodin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15452 | 15453 | Being Corrupt Requires Being Clever, But Detec... | We consider a variation of the problem of co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15453 | 15454 | Computing the homology of basic semialgebraic ... | We describe and analyze an algorithm for com... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15454 | 15455 | Deterministic and Randomized Diffusion based I... | In this paper, we propose a distributed iter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15455 | 15456 | Iterated doubles of the Joker and their realis... | Let $\mathcal{A}(1)^*$ be the subHopf algebr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15456 | 15457 | On subtrees of the representation tree in rati... | Every rational number p/q defines a rational... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15457 | 15458 | A Practical Method for Solving Contextual Band... | Many efficient algorithms with strong theore... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15458 | 15459 | Trainable back-propagated functional transfer ... | Connections between nodes of fully connected... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15459 | 15460 | Multiple Exciton Generation in Chiral Carbon N... | We use Boltzmann transport equation (BE) to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15460 | 15461 | Turaev-Viro invariants, colored Jones polynomi... | We obtain a formula for the Turaev-Viro inva... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15461 | 15462 | Credit card fraud detection through parencliti... | The detection of frauds in credit card trans... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15462 | 15463 | On the Consistency of Graph-based Bayesian Lea... | A popular approach to semi-supervised learni... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15463 | 15464 | Bayesian Optimization for Parameter Tuning of ... | When applying Machine Learning techniques to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15464 | 15465 | A differential model for growing sandpiles on ... | We consider a system of differential equatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15465 | 15466 | DCT-like Transform for Image Compression Requi... | A low-complexity 8-point orthogonal approxim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15466 | 15467 | On realizability of sign patterns by real poly... | The classical Descartes' rule of signs limit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15467 | 15468 | HAlign-II: efficient ultra-large multiple sequ... | Multiple sequence alignment (MSA) plays a ke... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15468 | 15469 | Search for Evergreens in Science: A Functional... | Evergreens in science are papers that displa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15469 | 15470 | Tied Hidden Factors in Neural Networks for End... | In this paper we propose a method to model s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15470 | 15471 | An Optimal Control Formulation of Pulse-Based ... | In many applications, and in systems/synthet... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15471 | 15472 | A Converse to Banach's Fixed Point Theorem and... | Banach's fixed point theorem for contraction... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15472 | 15473 | Improved Discrete RRT for Coordinated Multi-ro... | This paper addresses the problem of coordina... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15473 | 15474 | A note on the stratification by automorphisms ... | In this note, we give a so-called representa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15474 | 15475 | Relativistic verifiable delegation of quantum ... | The importance of being able to verify quant... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15475 | 15476 | Finiteness of étale fundamental groups by redu... | We introduce a spreading out technique to de... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15476 | 15477 | Morphological Error Detection in 3D Segmentations | Deep learning algorithms for connectomics re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15477 | 15478 | Structural Feature Selection for Event Logs | We consider the problem of classifying busin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15478 | 15479 | Counting $G$-Extensions by Discriminant | The problem of analyzing the number of numbe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15479 | 15480 | Robust and Efficient Transfer Learning with Hi... | We introduce a new formulation of the Hidden... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15480 | 15481 | Lattice Gaussian Sampling by Markov Chain Mont... | Sampling from the lattice Gaussian distribut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15481 | 15482 | $S$-Leaping: An adaptive, accelerated stochast... | We propose the $S$-leaping algorithm for the... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15482 | 15483 | Diclofenac sodium ion exchange resin complex l... | The goal of the present study is to develop ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15483 | 15484 | Method of precision increase by averaging with... | If several independent algorithms for a comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15484 | 15485 | On-line Building Energy Optimization using Dee... | Unprecedented high volumes of data are becom... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15485 | 15486 | A KL-LUCB Bandit Algorithm for Large-Scale Cro... | This paper focuses on best-arm identificatio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15486 | 15487 | Refractive index tomography with structured il... | This work introduces a novel reinterpretatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15487 | 15488 | Foreign English Accent Adjustment by Learning ... | State-of-the-art automatic speech recognitio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15488 | 15489 | The geometry of hypothesis testing over convex... | We consider a compound testing problem withi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15489 | 15490 | Permutation methods for factor analysis and PCA | Researchers often have datasets measuring fe... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15490 | 15491 | Adapting the CVA model to Leland's framework | We consider the framework proposed by Burgar... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15491 | 15492 | Blue Sky Ideas in Artificial Intelligence Educ... | The 7th Symposium on Educational Advances in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15492 | 15493 | Network Analysis of Particles and Grains | The arrangements of particles and forces in ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15493 | 15494 | Perfect Sequences and Arrays over the Unit Qua... | We introduce several new constructions for p... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15494 | 15495 | Schwarzian conditions for linear differential ... | We show that non-linear Schwarzian different... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15495 | 15496 | Robust Bayesian Filtering and Smoothing Using ... | State estimation in heavy-tailed process and... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15496 | 15497 | Multi-pass configuration for Improved Squeezed... | We study a squeezed vacuum field generated i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15497 | 15498 | Improved Computation of Involutive Bases | In this paper, we describe improved algorith... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15498 | 15499 | Dynamic Stochastic Approximation for Multi-sta... | In this paper, we consider multi-stage stoch... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15499 | 15500 | Stability Analysis of Piecewise Affine Systems... | Constrained model predictive control (MPC) i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15500 | 15501 | Addressing Item-Cold Start Problem in Recommen... | Traditional recommendation systems rely on p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15501 | 15502 | End-to-End Monaural Multi-speaker ASR System w... | Recently, end-to-end models have become a po... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15502 | 15503 | Characterization of Calabi--Yau variations of ... | Sheng and Zuo's characteristic forms are inv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15503 | 15504 | Spectral Theory of Infinite Quantum Graphs | We investigate quantum graphs with infinitel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15504 | 15505 | A comment on "A test of general relativity usi... | Recently, Ciufolini et al. reported on a tes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15505 | 15506 | SWIFT Detection of a 65-Day X-ray Period from ... | NGC 7793 P13 is an ultraluminous X-ray sourc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15506 | 15507 | Pushing Configuration-Interaction to the Limit... | A new large-scale parallel multiconfiguratio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15507 | 15508 | Outer Regions of the Milky Way | With the start of the Gaia era, the time has... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15508 | 15509 | Multi-Objective Learning and Mask-Based Post-P... | We propose a multi-objective framework to le... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15509 | 15510 | Latent variable approach to diarization of aud... | Diarization of audio recordings from ad-hoc ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15510 | 15511 | A multiple attribute model resolves a conflict... | A model of incentive salience as a function ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15511 | 15512 | Perturbation theory approaches to Anderson and... | These are lecture notes based on three lectu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15512 | 15513 | A measurement of the z = 0 UV background from ... | We report the detection of extended Halpha e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15513 | 15514 | The landscape of the spiked tensor model | We consider the problem of estimating a larg... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15514 | 15515 | System Identification of a Multi-timescale Ada... | In this paper, the parameter estimation prob... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15515 | 15516 | Free deterministic equivalent Z-scores of comp... | We introduce a new method to qualify the goo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15516 | 15517 | Numerical algorithms for mean exit time and es... | For non-Gaussian stochastic dynamical system... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15517 | 15518 | Canonical Models and the Complexity of Modal T... | We study modal team logic MTL, the team-sema... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15518 | 15519 | CoT: Cooperative Training for Generative Model... | We propose Cooperative Training (CoT) for tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15519 | 15520 | Iterated function systems consisting of phi-ma... | We associate to each iterated function syste... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15520 | 15521 | Decay Rates of the Solutions to the Thermoelas... | In this paper, we study the energy decay for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15521 | 15522 | Baryogenesis at a Lepton-Number-Breaking Phase... | We study a scenario in which the baryon asym... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15522 | 15523 | Contact resistance between two REBCO tapes und... | No-insulation (NI) REBCO magnets have many a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15523 | 15524 | Stochastic Backward Euler: An Implicit Gradien... | In this paper, we propose an implicit gradie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15524 | 15525 | The Frobenius number for sequences of triangul... | We compute the Frobenius number for sequence... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15525 | 15526 | Information-entropic analysis of Korteweg--de ... | Solitary waves propagation of baryonic densi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15526 | 15527 | The photon identification loophole in EPRB exp... | Recent Einstein-Podolsky-Rosen-Bohm experime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15527 | 15528 | Tilings of the plane with unit area triangles ... | There exist tilings of the plane with pairwi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15528 | 15529 | The cauchy problem for radially symmetric homo... | In this paper, we study the Cauchy problem f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15529 | 15530 | Network Dissection: Quantifying Interpretabili... | We propose a general framework called Networ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15530 | 15531 | Systole inequalities for arithmetic locally sy... | In this paper we study the systole growth of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15531 | 15532 | Featured Weighted Automata | A featured transition system is a transition... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15532 | 15533 | Schrödinger model and Stratonovich-Weyl corres... | We introduce a Schrödinger model for the uni... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15533 | 15534 | Estimation in emerging epidemics: biases and r... | When analysing new emerging infectious disea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15534 | 15535 | Long-Term Evolution of Genetic Programming Pop... | We evolve binary mux-6 trees for up to 10000... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15535 | 15536 | A Multi-Scale Analysis of 27,000 Urban Street ... | OpenStreetMap offers a valuable source of wo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15536 | 15537 | Towards Detection of Exoplanetary Rings Via Tr... | Detection of a planetary ring of exoplanets ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15537 | 15538 | SiMon: Simulation Monitor for Computational As... | Scientific discovery via numerical simulatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15538 | 15539 | Asymptotic and bootstrap tests for the dimensi... | Dimension reduction is often a preliminary s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15539 | 15540 | Pseudoconcavity of flag domains: The method of... | A flag domain of a real from $G_0$ of a comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15540 | 15541 | Rule Formats for Nominal Process Calculi | The nominal transition systems (NTSs) of Par... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15541 | 15542 | Tilings with noncongruent triangles | We solve a problem of R. Nandakumar by provi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15542 | 15543 | Phase limitations of Zames-Falb multipliers | Phase limitations of both continuous-time an... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15543 | 15544 | Fragmentation of vertically stratified gaseous... | We investigate, using 3D hydrodynamic simula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15544 | 15545 | Learning Local Receptive Fields and their Weig... | We propose a simple and generic layer formul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15545 | 15546 | Galaxies with Shells in the Illustris Simulati... | Stellar shells are low surface brightness ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15546 | 15547 | Runtime Verification of Temporal Properties ov... | We present a monitoring approach for verifyi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15547 | 15548 | Deep Learning for Electromyographic Hand Gestu... | In recent years, deep learning algorithms ha... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15548 | 15549 | Adaptive Non-uniform Compressive Sampling for ... | In this paper, adaptive non-uniform compress... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15549 | 15550 | Enabling Reasoning with LegalRuleML | In order to automate verification process, r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15550 | 15551 | Combinatorial distance geometry in normed spaces | We survey problems and results from combinat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15551 | 15552 | When is Network Lasso Accurate: The Vector Case | A recently proposed learning algorithm for m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15552 | 15553 | Surrogate Aided Unsupervised Recovery of Spars... | We consider the recovery of regression coeff... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15553 | 15554 | Superior lattice thermal conductance of single... | By way of the nonequilibrium Green's functio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15554 | 15555 | The liar paradox is a real problem | The liar paradox is widely seen as not a ser... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15555 | 15556 | High-dimensional ABC | This Chapter, "High-dimensional ABC", is to ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15556 | 15557 | Automating Release of Deep Link APIs for Andro... | Unlike the Web where each web page has a glo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15557 | 15558 | Refractive index measurements of single, spher... | In this chapter, we introduce digital hologr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15558 | 15559 | Tuple-oriented Compression for Large-scale Min... | Data compression is a popular technique for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15559 | 15560 | Program Language Translation Using a Grammar-D... | The task of translating between programming ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15560 | 15561 | In-Place Initializable Arrays | Initializing all elements of an array to a s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15561 | 15562 | A Simple Exponential Family Framework for Zero... | We present a simple generative framework for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15562 | 15563 | Modeling Hormesis Using a Non-Monotonic Copula... | This paper presents a probabilistic method f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15563 | 15564 | Joint Task Offloading and Resource Allocation ... | Mobile-Edge Computing (MEC) is an emerging p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15564 | 15565 | The Sum Over Topological Sectors and $θ$ in th... | We discuss the three spacetime dimensional $... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15565 | 15566 | Continued Kinematic and Photometric Investigat... | We observed 15 of the solar-type binaries wi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15566 | 15567 | A Note on Multiparty Communication Complexity ... | For integers $n$ and $k$, the density Hales-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15567 | 15568 | First Results from Using Game Refinement Measu... | This paper explores the entertainment experi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15568 | 15569 | Structured Local Optima in Sparse Blind Deconv... | Blind deconvolution is a ubiquitous problem ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15569 | 15570 | The empirical Christoffel function with applic... | We illustrate the potential applications in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15570 | 15571 | Around power law for PageRank components in Bu... | In the paper we investigate power law for Pa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15571 | 15572 | Cash-settled options for wholesale electricity... | Wholesale electricity market designs in prac... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15572 | 15573 | Power in High-Dimensional Testing Problems | Fan et al. (2015) recently introduced a rema... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15573 | 15574 | Deep Learning for Precipitation Nowcasting: A ... | With the goal of making high-resolution fore... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15574 | 15575 | PAWS: A Tool for the Analysis of Weighted Systems | PAWS is a tool to analyse the behaviour of w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15575 | 15576 | Quantum-optical spectroscopy for plasma electr... | Measurements of plasma electric fields are e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15576 | 15577 | ROSA: R Optimizations with Static Analysis | R is a popular language and programming envi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15577 | 15578 | Human Perception of Performance | Humans are routinely asked to evaluate the p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15578 | 15579 | Practical Distance Functions for Path-Planning... | Path planning is an important problem in rob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15579 | 15580 | FPGA-Based CNN Inference Accelerator Synthesiz... | A deep-learning inference accelerator is syn... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15580 | 15581 | The set of forces that ideal trusses, or wire ... | The problem of determining those multiplets ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15581 | 15582 | A Thematic Study of Requirements Modeling and ... | Over the last decade, researchers and engine... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15582 | 15583 | On predictive density estimation with addition... | Based on independently distributed $X_1 \sim... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15583 | 15584 | Optimizing Channel Selection for Seizure Detec... | Interpretation of electroencephalogram (EEG)... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15584 | 15585 | Bases of standard modules for affine Lie algeb... | Feigin-Stoyanovsky's type subspaces for affi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15585 | 15586 | Connectivity-Driven Brain Parcellation via Con... | We present two related methods for deriving ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15586 | 15587 | Baryon acoustic oscillations from the complete... | We present a measurement of baryon acoustic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15587 | 15588 | Gamma-ray and Optical Oscillations of 0716+714... | We examine the 2008-2016 $\gamma$-ray and op... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15588 | 15589 | Antibonding Ground state of Adatom Molecules i... | The ground state of the diatomic molecules i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15589 | 15590 | Baby MIND: A magnetized segmented neutrino det... | T2K (Tokai-to-Kamioka) is a long-baseline ne... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15590 | 15591 | Applications of noncommutative deformations | For a general class of contractions of a var... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15591 | 15592 | Photometric and radial-velocity time-series of... | We present the first simultaneous photometri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15592 | 15593 | Particlelike scattering states in a microwave ... | We realize scattering states in a lossy and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15593 | 15594 | Market Self-Learning of Signals, Impact and Op... | We present a simple model of a non-equilibri... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15594 | 15595 | Current-driven skyrmion dynamics in disordered... | A theoretical study of the current-driven dy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15595 | 15596 | On the Rigidity of Riemannian-Penrose Inequali... | In this paper we prove a rigidity result for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15596 | 15597 | An Algebra Model for the Higher Order Sum Rules | We introduce an algebra model to study highe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15597 | 15598 | On maxispaces of nonparametric tests | For the problems of nonparametric hypothesis... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15598 | 15599 | Learning Unsupervised Learning Rules | A major goal of unsupervised learning is to ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15599 | 15600 | Conformal Nanocarbon Coating of Alumina Nanocr... | A conformal coating technique with nanocarbo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15600 | 15601 | Characterizing spectral continuity in SDSS u'g... | Context. The 4th release of the SDSS Moving ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15601 | 15602 | Transverse-spin correlations of the random tra... | The critical behavior of the random transver... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15602 | 15603 | Multivariate stable distributions and their ap... | In this paper we extend the known methodolog... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15603 | 15604 | Beautiful and damned. Combined effect of conte... | User participation in online communities is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15604 | 15605 | SySeVR: A Framework for Using Deep Learning to... | The detection of software vulnerabilities (o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15605 | 15606 | Differentially Private Learning of Undirected ... | We investigate the problem of learning discr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15606 | 15607 | Phase unwinding, or invariant subspace decompo... | We consider orthogonal decompositions of inv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15607 | 15608 | SalProp: Salient object proposals via aggregat... | In this paper, we propose a novel object pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15608 | 15609 | Quantum gap and spin-wave excitations in the K... | We study the effects of quantum fluctuations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15609 | 15610 | Sparse Gaussian ICA | Independent component analysis (ICA) is a co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15610 | 15611 | Supervisor Synthesis of POMDP based on Automat... | As a general and thus popular model for auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15611 | 15612 | A Pseudo Knockoff Filter for Correlated Features | In 2015, Barber and Candes introduced a new ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15612 | 15613 | $μ$-constant monodromy groups and Torelli resu... | This paper is a sequel to [He11] and [GH17].... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15613 | 15614 | SoaAlloc: Accelerating Single-Method Multiple-... | We propose SoaAlloc, a dynamic object alloca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15614 | 15615 | Probabilistic risk bounds for the characteriza... | The radiological characterization of contami... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15615 | 15616 | Automatic Backward Differentiation for America... | In this note we derive the backward (automat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15616 | 15617 | The Belgian repository of fundamental atomic d... | Fundamental atomic parameters, such as oscil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15617 | 15618 | High-Precision Calculations in Strongly Couple... | Hamiltonian Truncation (a.k.a. Truncated Spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15618 | 15619 | State Distribution-aware Sampling for Deep Q-l... | A critical and challenging problem in reinfo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15619 | 15620 | Energy Trading between microgrids Individual C... | High penetration of renewable energy source ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15620 | 15621 | Learning Kolmogorov Models for Binary Random V... | We summarize our recent findings, where we p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15621 | 15622 | Möbius topological superconductivity in UPt$_3$ | Intensive studies for more than three decade... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15622 | 15623 | Sparse Identification and Estimation of High-D... | The Vector AutoRegressive Moving Average (VA... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15623 | 15624 | Information Retrieval and Criticality in Parit... | By investigating information flow between a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15624 | 15625 | A practical guide and software for analysing p... | Most popular strategies to capture subjectiv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15625 | 15626 | Web-Based Implementation of Travelling Salespe... | The world is connected through the Internet.... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15626 | 15627 | Random Spatial Networks: Small Worlds without ... | Random network models play a prominent role ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15627 | 15628 | The evolution of magnetic hot massive stars: I... | Large-scale dipolar surface magnetic fields ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15628 | 15629 | The finite gap method and the analytic descrip... | The focusing NLS equation is the simplest un... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15629 | 15630 | First Discoveries of z>6 Quasars with the DECa... | We present the first discoveries from a surv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15630 | 15631 | On unique continuation for solutions of the Sc... | We prove that if a solution of the time-depe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15631 | 15632 | Particle-hole Asymmetry in the Cuprate Pseudog... | One of the most puzzling features of high-te... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15632 | 15633 | Numerically modeling Brownian thermal noise in... | Thermal noise is expected to be one of the n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15633 | 15634 | Net2Vec: Quantifying and Explaining how Concep... | In an effort to understand the meaning of th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15634 | 15635 | Can the removal of molecular cloud envelopes b... | We investigate how star formation efficiency... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15635 | 15636 | Joint Rate and Resource Allocation in Hybrid D... | In hybrid digital-analog (HDA) systems, reso... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15636 | 15637 | Relaxation to a Phase-locked Equilibrium State... | We present an experimental study on the non-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15637 | 15638 | A Hybrid Model for Role-related User Classific... | To aid a variety of research studies, we pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15638 | 15639 | SecureBoost: A Lossless Federated Learning Fra... | The protection of user privacy is an importa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15639 | 15640 | Selective reflection from Rb layer with thickn... | We have studied the peculiarities of selecti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15640 | 15641 | The Complexity of Abstract Machines | The lambda-calculus is a peculiar computatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15641 | 15642 | Recent progress in the Zimmer program | This paper can be viewed as a sequel to the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15642 | 15643 | Restricted Causal Inference Algorithm | This paper proposes a new algorithm for reco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15643 | 15644 | Fiber plucking by molecular motors yields larg... | The mechanical properties of the cell depend... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15644 | 15645 | Demographics of News Sharing in the U.S. Twitt... | The widespread adoption and dissemination of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15645 | 15646 | Dynamics and fragmentation mechanism of (CH3-C... | The interaction of (CH3-C5H4)Pt(CH3)3\n((met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15646 | 15647 | On the robustness of the H$β$ Lick index as a ... | We examine the H$\beta$ Lick index in a samp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15647 | 15648 | Finite-size effects in a stochastic Kuramoto m... | We present a collective coordinate approach ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15648 | 15649 | The normal distribution is freely selfdecompos... | The class of selfdecomposable distributions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15649 | 15650 | Simplex Queues for Hot-Data Download | In cloud storage systems, hot data is usuall... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15650 | 15651 | Voting power of political parties in the Senat... | The binomial system is an electoral system u... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15651 | 15652 | A uniform stability principle for dual lattices | We prove a highly uniform stability or "almo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15652 | 15653 | pandapower - an Open Source Python Tool for Co... | pandapower is a Python based, BSD-licensed p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15653 | 15654 | Temporal oscillations of light transmission th... | We consider light-induced binding and motion... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15654 | 15655 | Berry-Esséen bounds for parameter estimation o... | We study rates of convergence in central lim... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15655 | 15656 | Anomaly Detection via Minimum Likelihood Gener... | Anomaly detection aims to detect abnormal ev... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15656 | 15657 | Supercurrent as a Probe for Topological Superc... | A magnetic adatom chain, proximity coupled t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15657 | 15658 | Experimental statistics of veering triangulations | Certain fibered hyperbolic 3-manifolds admit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15658 | 15659 | Concept Drift and Anomaly Detection in Graph S... | Graph representations offer powerful and int... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15659 | 15660 | Lat-Net: Compressing Lattice Boltzmann Flow Si... | Computational Fluid Dynamics (CFD) is a huge... | 0 | 1 | 0 | 1 | 0 | 0 |
| 15660 | 15661 | Second-Order Optimization for Non-Convex Machi... | While first-order optimization methods such ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15661 | 15662 | Computational Approaches for Stochastic Shorte... | We consider the stochastic shortest path (SS... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15662 | 15663 | One-dimensional in-plane edge domain walls in ... | We study existence and properties of one-dim... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15663 | 15664 | Nontrivial Turmites are Turing-universal | A Turmit is a Turing machine that works over... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15664 | 15665 | Dandelion: Redesigning the Bitcoin Network for... | Bitcoin and other cryptocurrencies have surg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15665 | 15666 | A characterisation of Lie algebras amongst ant... | Let $\mathbb{K}$ be an infinite field. We pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15666 | 15667 | Characteristics of a magneto-optical trap of m... | We present the properties of a magneto-optic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15667 | 15668 | Reconstructing a Lattice Equation: a Non-Auton... | In this paper we construct a non-autonomous ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15668 | 15669 | Adversarial Training Versus Weight Decay | Performance-critical machine learning models... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15669 | 15670 | Ray tracing method for stereo image synthesis ... | This paper presents a realization of the app... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15670 | 15671 | Numerical investigation of gapped edge states ... | Fractional quantum Hall-superconductor heter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15671 | 15672 | Multimodal Observation and Interpretation of S... | In this paper we present the first results o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15672 | 15673 | Theoretical limitations of Encoder-Decoder GAN... | Encoder-decoder GANs architectures (e.g., Bi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15673 | 15674 | Ground state sign-changing solutions for a cla... | In this paper, we are concerned with the exi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15674 | 15675 | Monads on higher monoidal categories | We study the action of monads on categories ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15675 | 15676 | A Review of Augmented Reality Applications for... | Evacuation is one of the main disaster manag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15676 | 15677 | Topology in time-reversal symmetric crystals | The discovery of topological insulators has ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15677 | 15678 | Deep Convolutional Neural Network Inference wi... | Deep convolutional neural network (CNN) infe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15678 | 15679 | Voids in the Cosmic Web as a probe of dark energy | The formation of large voids in the Cosmic W... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15679 | 15680 | Templated ligation can create a hypercycle rep... | The stability of sequence replication was cr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15680 | 15681 | Variational characterization of H^p | In this paper we obtain the variational char... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15681 | 15682 | Towards Deep Learning Models Resistant to Adve... | Recent work has demonstrated that neural net... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15682 | 15683 | Internal delensing of Planck CMB temperature a... | We present a first internal delensing of CMB... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15683 | 15684 | Renaissance: Self-Stabilizing Distributed SDN ... | By introducing programmability, automated ve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15684 | 15685 | Robust and Scalable Power System State Estimat... | In today's cyber-enabled smart grids, high p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15685 | 15686 | A new algorithm for constraint satisfaction pr... | In this article, we provide a new algorithm ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15686 | 15687 | Testing of General Relativity with Geodetic VLBI | The geodetic VLBI technique is capable of me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15687 | 15688 | An unbiased estimator for the ellipticity from... | An unbiased estimator for the ellipticity of... | 0 | 1 | 1 | 1 | 0 | 0 |
| 15688 | 15689 | Spectral estimation of the percolation transit... | There have been several spectral bounds for ... | 1 | 1 | 0 | 1 | 0 | 0 |
| 15689 | 15690 | Collapsibility to a subcomplex of a given dime... | In this paper we extend the works of Tancer ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15690 | 15691 | Run, skeleton, run: skeletal model in a physic... | In this paper, we present our approach to so... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15691 | 15692 | Affect Estimation in 3D Space Using Multi-Task... | Acquisition of labeled training samples for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15692 | 15693 | Sparse Markov Decision Processes with Causal S... | In this paper, a sparse Markov decision proc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15693 | 15694 | Mid-infrared Spectroscopic Observations of the... | The dust-forming nova V2676 Oph is unique in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15694 | 15695 | An invitation to 2D TQFT and quantization of H... | This article consists of two parts. In Part ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15695 | 15696 | An Ensemble Classification Algorithm Based on ... | Data stream mining problem has caused widely... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15696 | 15697 | Competition between disorder and interaction e... | We investigate the low-energy scaling behavi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15697 | 15698 | Mixing properties and central limit theorem fo... | Positively (resp. negatively) associated poi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15698 | 15699 | Computational landscape of user behavior on so... | With the increasing abundance of 'digital fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15699 | 15700 | Simulating optical coherence tomography for ob... | We present a finite difference time domain (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15700 | 15701 | On Achievable Rates of AWGN Energy-Harvesting ... | This paper investigates the achievable rates... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15701 | 15702 | Probabilistic Projection of Subnational Total ... | We consider the problem of probabilistic pro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15702 | 15703 | Optimising the topological information of the ... | Persistent homology typically studies the ev... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15703 | 15704 | Transmission XMCD-PEEM imaging of an engineere... | Using focused electron-beam-induced depositi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15704 | 15705 | A Deep Neural Network Surrogate for High-Dimen... | Developing efficient numerical algorithms fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15705 | 15706 | Fluid photonic crystal from colloidal quantum ... | We study optical forces acting upon semicond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15706 | 15707 | Subject Selection on a Riemannian Manifold for... | Inter-subject variability between individual... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15707 | 15708 | On a Surprising Oversight by John S. Bell in t... | Bell inequalities are usually derived by ass... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15708 | 15709 | On the higher derivatives of the inverse tange... | In this paper, we find explicit formulas for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15709 | 15710 | Science with e-ASTROGAM (A space mission for M... | e-ASTROGAM (enhanced ASTROGAM) is a breakthr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15710 | 15711 | $J_1$-$J_2$ square lattice antiferromagnetism ... | We report magnetic and thermodynamic propert... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15711 | 15712 | Eventness: Object Detection on Spectrograms fo... | In this paper, we introduce the concept of E... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15712 | 15713 | Bayesian Scale Estimation for Monocular SLAM B... | This work proposes a new, online algorithm f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15713 | 15714 | A Linear-time Algorithm for Orthogonal Watchma... | Given an orthogonal polygon $ P $ with $ n $... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15714 | 15715 | A note on surjectivity of piecewise affine map... | A standard theorem in nonsmooth analysis sta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15715 | 15716 | Intrinsic Gaussian processes on complex constr... | We propose a class of intrinsic Gaussian pro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15716 | 15717 | Adaptive Interference Removal for Un-coordinat... | Most existing approaches to co-existing comm... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15717 | 15718 | Learning Credible Models | In many settings, it is important that a mod... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15718 | 15719 | The common patterns of abundance: the log seri... | In a language corpus, the probability that a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15719 | 15720 | Modular meta-learning | Many prediction problems, such as those that... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15720 | 15721 | Universal experimental test for the role of fr... | We propose a universal experiment to measure... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15721 | 15722 | Gauss-Bonnet for matrix conformally rescaled D... | We derive an explicit formula for the scalar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15722 | 15723 | Multi-Pose Face Recognition Using Hybrid Face ... | This paper presents a multi-pose face recogn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15723 | 15724 | Freed-Moore K-theory | The twisted equivariant K-theory given by Fr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15724 | 15725 | Dirac dispersion and non-trivial Berry's phase... | We report observations of magnetoresistance,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15725 | 15726 | Fréchet Analysis Of Variance For Random Objects | Fréchet mean and variance provide a way of o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15726 | 15727 | Backward Simulation of Stochastic Process usin... | The "backward simulation" of a stochastic pr... | 0 | 1 | 0 | 1 | 0 | 0 |
| 15727 | 15728 | Spectral Inference Networks: Unifying Spectral... | We present Spectral Inference Networks, a fr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15728 | 15729 | Heavy tailed spatial autocorrelation models | Appropriate models for spatially autocorrela... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15729 | 15730 | Only Bayes should learn a manifold (on the est... | We investigate learning of the differential ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15730 | 15731 | Predictive modelling of training loads and inj... | To investigate whether training load monitor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15731 | 15732 | Level structure of deeply bound levels of the ... | We spectroscopically investigate the hyperfi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15732 | 15733 | The mod 2 cohomology of the infinite families ... | We describe a Hopf ring structure on the dir... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15733 | 15734 | Geometry-Based Optimization of One-Way Quantum... | In one-way quantum computation (1WQC) model,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15734 | 15735 | Categorical entropy for Fourier-Mukai transfor... | In this note, we shall compute the categoric... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15735 | 15736 | Machine Learning Approach to RF Transmitter Id... | With the development and widespread use of w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15736 | 15737 | Analyzing Chaos in Higher Order Disordered Qua... | In the study of subdiffusive wave-packet spr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15737 | 15738 | UV/EUV High-Throughput Spectroscopic Telescope... | The origin of the activity in the solar coro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15738 | 15739 | Investigating Collaboration Within Online Comm... | Online creative communities have been able t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15739 | 15740 | Safe Non-blocking Synchronization in Ada 202x | The mutual-exclusion property of locks stand... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15740 | 15741 | Rotational Unit of Memory | The concepts of unitary evolution matrices a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15741 | 15742 | A Bayesian Approach for Inferring Local Causal... | Gene regulatory networks play a crucial role... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15742 | 15743 | $η$-metric structures | In this paper, we discuss recent results abo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15743 | 15744 | Statistical Analysis of Precipitation Events | In the present paper we demonstrate the resu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15744 | 15745 | Reinforced Cross-Modal Matching and Self-Super... | Vision-language navigation (VLN) is the task... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15745 | 15746 | Proton Beam Intensity Upgrades for the Neutrin... | Fermilab is committed to upgrading its accel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15746 | 15747 | On indecomposable $τ$-rigid modules over clust... | For a given cluster-tilted algebra $A$ of ta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15747 | 15748 | Tensors Come of Age: Why the AI Revolution wil... | This article discusses how the automation of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15748 | 15749 | Discriminative conditional restricted Boltzman... | Conventional methods of estimating latent be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15749 | 15750 | LLASSO: A linear unified LASSO for multicollin... | We propose a rescaled LASSO, by premultipyin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15750 | 15751 | Filamentary fragmentation in a turbulent medium | We present the results of smoothed particle ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15751 | 15752 | Uncovering the role of flow rate in redox-acti... | Redox flow batteries (RFBs) are potential so... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15752 | 15753 | The magnetocaloric effect from the point of vi... | In this work we have analyzed the magnetocal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15753 | 15754 | Reheating, thermalization and non-thermal grav... | In the framework of MSSM inflation, matter a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15754 | 15755 | Emotion Controlled Spectrum Mobility Scheme fo... | Blind spots are one of the causes of road ac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15755 | 15756 | Rota-Baxter modules toward derived functors | In this paper we study Rota-Baxter modules w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15756 | 15757 | Video Pandemics: Worldwide Viral Spreading of ... | Viral videos can reach global penetration tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15757 | 15758 | Orthogonal foliations on riemannian manifolds | In this work, we find an equation that relat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15758 | 15759 | Mapping Objects to Persistent Predicates | The Logic Programming through Prolog has bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15759 | 15760 | Efficient modified Jacobi-Bernstein basis tran... | In the paper, we show that the transformatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15760 | 15761 | Cospectral mates for the union of some classes... | Let $n\geq k\geq 2$ be two integers and $S$ ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15761 | 15762 | Electromagnetic properties of terbium gallium ... | Electromagnetic properties of single crystal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15762 | 15763 | The abundance of compact quiescent galaxies si... | We set out to quantify the number density of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15763 | 15764 | Combining Probabilistic Load Forecasts | Probabilistic load forecasts provide compreh... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15764 | 15765 | Stability and instability of the sub-extremal ... | We show non-linear stability and instability... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15765 | 15766 | Using JAGS for Bayesian Cognitive Diagnosis Mo... | In this article, the JAGS software program i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15766 | 15767 | Deep Convolutional Framelet Denosing for Low-D... | Model based iterative reconstruction (MBIR) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15767 | 15768 | Static Analysis of Deterministic Negotiations | Negotiation diagrams are a model of concurre... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15768 | 15769 | Wild character varieties, meromorphic Hitchin ... | The theory of Hitchin systems is something l... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15769 | 15770 | A mathematical characterization of confidence ... | Confidence is a fundamental concept in stati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15770 | 15771 | Optimal Control Problems with Symmetry Breakin... | We investigate symmetry reduction of optimal... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15771 | 15772 | Multiplying a Gaussian Matrix by a Gaussian Ve... | We provide a new and simple characterization... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15772 | 15773 | NEON+: Accelerated Gradient Methods for Extrac... | Accelerated gradient (AG) methods are breakt... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15773 | 15774 | Optimal Energy Distribution with Energy Packet... | We use Energy Packet Network paradigms to in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15774 | 15775 | A refined version of Grothendieck's anabelian ... | In this paper we prove a refined version of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15775 | 15776 | A discussion about LNG Experiment: Irreversibl... | In a recent paper M. Lopez-Suarez, I. Neri, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15776 | 15777 | On $(σ,δ)$-skew McCoy modules | Let $(\sigma,\delta)$ be a quasi derivation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15777 | 15778 | Bivariate Exponentiated Generalized Linear Exp... | The aim of this paper, is to define a bivari... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15778 | 15779 | Soft-proton exchange on Magnesium-oxide-doped ... | Despite its attractive features, Congruent-m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15779 | 15780 | Optimized Cost per Click in Taobao Display Adv... | Taobao, as the largest online retail platfor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15780 | 15781 | Recursive constructions and their maximum like... | We consider recursive decoding techniques fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15781 | 15782 | Development of a 32-channel ASIC for an X-ray ... | We report on the design and performance of a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15782 | 15783 | Impact of Detour-Aware Policies on Maximizing ... | This paper provides efficient solutions to m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15783 | 15784 | Optimal lower exponent for the higher gradient... | We study the higher gradient integrability o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15784 | 15785 | On the existence of young embedded clusters at... | Careful analyses of photometric and star cou... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15785 | 15786 | The risk of contagion spreading and its optima... | The global crisis of 2008 provoked a heighte... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15786 | 15787 | A Learning-to-Infer Method for Real-Time Power... | Identifying arbitrary topologies of power ne... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15787 | 15788 | Convergence analysis of belief propagation for... | Gaussian belief propagation (BP) has been wi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15788 | 15789 | Banach-Alaoglu theorem for Hilbert $H^*$-module | We provided an analogue Banach-Alaoglu theor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15789 | 15790 | An Overflow Free Fixed-point Eigenvalue Decomp... | We consider the problem of enabling robust r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15790 | 15791 | Incentivized Advertising: Treatment Effect and... | Incentivized advertising is a new ad format ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15791 | 15792 | Prospects for indirect MeV Dark Matter detecti... | The self-annihilation of dark matter particl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15792 | 15793 | Special cases of the orbifold version of Zvonk... | We prove the orbifold version of Zvonkine's ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15793 | 15794 | From homogeneous metric spaces to Lie groups | We study connected, locally compact metric s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15794 | 15795 | Growth of Sobolev norms for abstract linear Sc... | We prove an abstract theorem giving a $\lang... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15795 | 15796 | Trust-Based Collaborative Filtering: Tackling ... | User-based Collaborative Filtering (CF) is o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15796 | 15797 | Experimental parametric study of the self-cohe... | Direct imaging of exoplanets requires the de... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15797 | 15798 | A Comparison of Parallel Graph Processing Impl... | The rapidly growing number of large network ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15798 | 15799 | A note on optimization with Morse polynomials | In this paper we prove that the gradient ide... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15799 | 15800 | Compression of Deep Neural Networks for Image ... | Image instance retrieval is the problem of r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15800 | 15801 | Finite temperature disordered bosons in two di... | We study phase transitions in a two dimensio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15801 | 15802 | Morphology and properties evolution upon ring-... | In this work, the study of thermal conductiv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15802 | 15803 | Financial density forecasts: A comprehensive c... | We investigate the forecasting ability of th... | 0 | 0 | 0 | 1 | 0 | 1 |
| 15803 | 15804 | Deep Room Recognition Using Inaudible Echos | Recent years have seen the increasing need o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15804 | 15805 | Linguistic Diversities of Demographic Groups i... | The massive popularity of online social medi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15805 | 15806 | And That's A Fact: Distinguishing Factual and ... | We investigate the characteristics of factua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15806 | 15807 | A conservative sharp-interface method for comp... | In this paper we develop a conservative shar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15807 | 15808 | Complexity of products: the effect of data reg... | Among several developments, the field of Eco... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15808 | 15809 | A review on applications of two-dimensional ma... | Two-dimensional (2D) materials, such as grap... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15809 | 15810 | A variety of elastic anomalies in orbital-acti... | We perform ultrasound velocity measurements ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15810 | 15811 | Anomaly Detection using One-Class Neural Networks | We propose a one-class neural network (OC-NN... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15811 | 15812 | Low Cost, Open-Source Testbed to Enable Full-S... | An open-source vehicle testbed to enable the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15812 | 15813 | Sub-sampled Cubic Regularization for Non-conve... | We consider the minimization of non-convex f... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15813 | 15814 | Emergence of Seismic Metamaterials: Current St... | Following the advent of electromagnetic meta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15814 | 15815 | Case studies in network community detection | Community structure describes the organizati... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15815 | 15816 | Multi-particle instability in a spin-imbalance... | Weak attractive interactions in a spin-imbal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15816 | 15817 | Weighted boundedness of maximal functions and ... | The aim of this paper is to study two-weight... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15817 | 15818 | A Framework for Algorithm Stability | We say that an algorithm is stable if small ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15818 | 15819 | A Survey of Question Answering for Math and Sc... | Turing test was long considered the measure ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15819 | 15820 | Thermal and structural properties of iron at h... | We investigate the basic thermal, mechanical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15820 | 15821 | Interacting Fields and Flows: Magnetic Hot Jup... | We present Magnetohydrodynamic (MHD) simulat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15821 | 15822 | From which world is your graph? | Discovering statistical structure from links... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15822 | 15823 | Topological and Hodge L-Classes of Singular Co... | The signature of closed oriented manifolds i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15823 | 15824 | Identities for the shifted harmonic numbers an... | We develop new closed form representations o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15824 | 15825 | Mechanism of light energy transport in the avi... | We studied intermediate filaments (IFs) in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15825 | 15826 | The Molecular Structures of Local Arm and Pers... | Using the Purple Mountain Observatory Deling... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15826 | 15827 | The Theory is Predictive, but is it Complete? ... | When we test a theory using data, it is comm... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15827 | 15828 | Clustering with Statistical Error Control | This paper presents a clustering approach th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15828 | 15829 | DNA Base Pair Mismatches Induce Structural Cha... | Double-stranded DNA may contain mismatched b... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15829 | 15830 | Average sampling and average splines on combin... | In the setting of a weighted combinatorial f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15830 | 15831 | Hilbert isometries and maximal deviation prese... | In this paper we characterize the surjective... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15831 | 15832 | Visual Entailment: A Novel Task for Fine-Grain... | Existing visual reasoning datasets such as V... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15832 | 15833 | On relations between weak and strong type ineq... | In this article we characterize all possible... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15833 | 15834 | Random Caching Based Cooperative Transmission ... | Base station cooperation in heterogeneous wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15834 | 15835 | Electronic characteristics of ultrathin SrRuO$... | SrRuO$_3$ (SRO) films are known to exhibit i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15835 | 15836 | Solution properties of a 3D stochastic Euler f... | We prove local well-posedness in regular spa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15836 | 15837 | Existence of locally maximally entangled quant... | We study a question which has natural interp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15837 | 15838 | Convergence of the Expectation-Maximization Al... | In this paper, we propose a dynamical system... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15838 | 15839 | A Non-monotone Alternating Updating Method for... | In this paper we consider a general matrix f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15839 | 15840 | Fast Rates of ERM and Stochastic Approximation... | Error bound conditions (EBC) are properties ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15840 | 15841 | Combining the $k$-CNF and XOR Phase-Transitions | The runtime performance of modern SAT solver... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15841 | 15842 | Advertising and Brand Attitudes: Evidence from... | Little is known about how different types of... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15842 | 15843 | NMR studies of the topological insulator Bi2Te3 | Te NMR studies were carried out for the bism... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15843 | 15844 | The Gibbons-Hawking ansatz over a wedge | We discuss the Ricci-flat `model metrics' on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15844 | 15845 | Beacon-referenced Mutual Pursuit in Three Dime... | Motivated by station-keeping applications in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15845 | 15846 | Increased stability of CuZrAl metallic glasses... | We carried out molecular dynamics simulation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15846 | 15847 | A geometric realization of the $m$-cluster cat... | We show that a subcategory of the $m$-cluste... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15847 | 15848 | The SoLid anti-neutrino detector's readout system | The SoLid collaboration have developed an in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15848 | 15849 | Data hiding in Fingerprint Minutiae Template f... | In this paper, we propose a novel scheme for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15849 | 15850 | On asymptotic normality of certain linear rank... | We consider asymptotic normality of linear r... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15850 | 15851 | Computations with p-adic numbers | This document contains the notes of a lectur... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15851 | 15852 | A novel procedure for the identification of ch... | We demonstrate the presence of chaos in stoc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15852 | 15853 | DeepStory: Video Story QA by Deep Embedded Mem... | Question-answering (QA) on video contents is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15853 | 15854 | Optimisation de la QoS dans un r{é}seau de rad... | This work proposes a study of quality of ser... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15854 | 15855 | Some remarks on Kuratowski partitions | We introduce the notion of $K$-ideals associ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15855 | 15856 | Boosted nonparametric hazards with time-depend... | Given functional data samples from a surviva... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15856 | 15857 | $J^+$-like invariants of periodic orbits of th... | We determine three invariants: Arnold's $J^+... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15857 | 15858 | Nonlinear Calderón-Zygmund inequalities for maps | Being motivated by the problem of deducing $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15858 | 15859 | Comparing multiple networks using the Co-expre... | Biomedical sciences are increasingly recogni... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15859 | 15860 | Classical and Quantum Factors of Channels | Given a classical channel, a stochastic map ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15860 | 15861 | Learning Intrinsic Sparse Structures within Lo... | Model compression is significant for the wid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15861 | 15862 | Electron Acceleration Mechanisms in Thunderstorms | Thunderstorms produce strong electric fields... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15862 | 15863 | Consistent estimation in Cox proportional haza... | Cox proportional hazards model with measurem... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15863 | 15864 | Comparative Efficiency of Altruism and Egoism ... | In this paper, we study the efficiency of eg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15864 | 15865 | Learning End-to-end Autonomous Driving using G... | Learning to drive faithfully in highly stoch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15865 | 15866 | Active Anomaly Detection via Ensembles: Insigh... | Anomaly detection (AD) task corresponds to i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15866 | 15867 | Accuracy of parameterized proton range models;... | An accurate calculation of proton ranges in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15867 | 15868 | On the connectivity of level sets of automorph... | We show that the level sets of automorphisms... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15868 | 15869 | Learning a Code: Machine Learning for Approxim... | Machine learning algorithms are typically ru... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15869 | 15870 | Detection via simultaneous trajectory estimati... | In this work, we consider the detection of m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15870 | 15871 | Dust Growth and Magnetic Fields: from Cores to... | The recent rapid progress in observations of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15871 | 15872 | Economic Design of Memory-Type Control Charts:... | The memory-type control charts, such as EWMA... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15872 | 15873 | Error estimates for Riemann sums of some singu... | In this short note, we obtain error estimate... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15873 | 15874 | The Relation Between Fundamental Constants and... | The observed constraints on the variability ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15874 | 15875 | Real-Time Object Pose Estimation with Pose Int... | In this work, we introduce pose interpreter ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15875 | 15876 | Regularization, sparse recovery, and median-of... | A regularized risk minimization procedure fo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15876 | 15877 | A Restaurant Process Mixture Model for Connect... | One of the primary objectives of human brain... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15877 | 15878 | On Unifying Deep Generative Models | Deep generative models have achieved impress... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15878 | 15879 | DeepVisage: Making face recognition simple yet... | Face recognition (FR) methods report signifi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15879 | 15880 | The Erdős-Ginzburg-Ziv constant and progressio... | Ellenberg and Gijswijt gave recently a new e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15880 | 15881 | The Differing Relationships Between Size, Mass... | We study the role of environment in the evol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15881 | 15882 | Configuration Space Singularities of The Delta... | We investigate the configuration space of th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15882 | 15883 | Constrained Optimisation of Rational Functions... | Earlier this decade, the so-called FEAST alg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15883 | 15884 | Sets of lengths in atomic unit-cancellative fi... | For an element $a$ of a monoid $H$, its set ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15884 | 15885 | Spin-orbit effective fields in Pt/GdFeCo bilayers | In the increasing interests on spin-orbit to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15885 | 15886 | Bridging Static and Dynamic Program Analysis u... | Static program analysis is used to summarize... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15886 | 15887 | The Formation of Heliospheric Arcs of Slow Sol... | A major challenge in solar and heliospheric ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15887 | 15888 | A Construction of Infinitely Many Solutions to... | In this paper we construct explicit smooth s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15888 | 15889 | A clustering algorithm for multivariate data s... | Common clustering algorithms require multipl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15889 | 15890 | Semantic Interpolation in Implicit Models | In implicit models, one often interpolates b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15890 | 15891 | Error analysis for global minima of semilinear... | In [1] we consider an optimal control proble... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15891 | 15892 | Random dynamics of two-dimensional stochastic ... | In this paper, we consider a stochastic mode... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15892 | 15893 | Lago Distributed Network Of Data Repositories | We describe a set of tools, services and str... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15893 | 15894 | Hyperfunctions, the Duistermaat-Heckman theore... | In this article we investigate the Duisterma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15894 | 15895 | When is selfish routing bad? The price of anar... | This paper examines the behavior of the pric... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15895 | 15896 | Roadmap for the international, accelerator-bas... | In line with its terms of reference the ICFA... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15896 | 15897 | Parallel Implementation of Lossy Data Compress... | Many scientific data sets contain temporal d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15897 | 15898 | What we really want to find by Sentiment Analy... | As the first step to model emotional state o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15898 | 15899 | Survey of multifidelity methods in uncertainty... | In many situations across computational scie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15899 | 15900 | Nebular spectroscopy: A guide on H II regions ... | We present a tutorial on the determination o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15900 | 15901 | Global Model Interpretation via Recursive Part... | In this work, we propose a simple but effect... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15901 | 15902 | Flow-GAN: Combining Maximum Likelihood and Adv... | Adversarial learning of probabilistic models... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15902 | 15903 | SafetyNets: Verifiable Execution of Deep Neura... | Inference using deep neural networks is ofte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15903 | 15904 | The Malgrange Form and Fredholm Determinants | We consider the factorization problem of mat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15904 | 15905 | Programming from Metaphorisms | This paper presents a study of the metaphori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15905 | 15906 | On the Conditional Distribution of a Multivari... | We show that the orthogonal projection opera... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15906 | 15907 | Spacings Around An Order Statistic | We determine the joint limiting distribution... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15907 | 15908 | On Nevanlinna - Cartan theory for holomorphic ... | In this paper, we prove some fundamental the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15908 | 15909 | Theoretical investigation of excitonic magneti... | We use the LDA+U approach to search for poss... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15909 | 15910 | The Dark Matter Programme of the Cherenkov Tel... | In the last decades a vaste amount of eviden... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15910 | 15911 | Modeling the Vertical Structure of Nuclear Sta... | Nuclear starburst discs (NSDs) are star-form... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15911 | 15912 | Rapid behavioral transitions produce chaotic m... | Despite their vast morphological diversity, ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15912 | 15913 | Testing for long memory in panel random-coeffi... | It is well-known that random-coefficient AR(... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15913 | 15914 | Hilsum-Skandalis maps as Frobenius adjunctions... | Hilsum-Skandalis maps, from differential geo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15914 | 15915 | Pairs of commuting isometries - I | We present an explicit version of Berger, Co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15915 | 15916 | Sampled-Data Boundary Feedback Control of 1-D ... | The paper provides results for the applicati... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15916 | 15917 | PEN as self-vetoing structural Material | Polyethylene Naphtalate (PEN) is a mechanica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15917 | 15918 | Quantum Cohomology under Birational Maps and T... | This is an expanded version of the third aut... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15918 | 15919 | A conjecture on the zeta functions of pairs of... | We consider the prehomogeneous vector space ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15919 | 15920 | Abstract Syntax Networks for Code Generation a... | Tasks like code generation and semantic pars... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15920 | 15921 | Theoretical derivation of laser-dressed atomic... | The derivation of approximate wave functions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15921 | 15922 | Implications of the interstellar object 1I/'Ou... | 'Oumuamua, the first bona-fide interstellar ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15922 | 15923 | Automatic symbolic computation for discontinuo... | The implementation of discontinuous Galerkin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15923 | 15924 | Methodological Framework for Determining the L... | The quantity and distribution of land which ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15924 | 15925 | Day-ahead electricity price forecasting with h... | We conduct an extensive empirical study on s... | 0 | 0 | 0 | 1 | 0 | 1 |
| 15925 | 15926 | On Strong Small Loop Transfer Spaces Relative ... | Let $H$ be a subgroup of the fundamental gro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15926 | 15927 | Headphones on the wire | We analyze a dataset providing the complete ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 15927 | 15928 | Li-intercalated Graphene on SiC(0001): an STM ... | We present a systematical study via scanning... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15928 | 15929 | Generative Adversarial Perturbations | In this paper, we propose novel generative m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15929 | 15930 | Lifted Polymatroid Inequalities for Mean-Risk ... | We investigate a mixed 0-1 conic quadratic o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15930 | 15931 | Illusion and Reality in the Atmospheres of Exo... | The atmospheres of exoplanets reveal all the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15931 | 15932 | Actors without Borders: Amnesty for Imprisoned... | In concurrent systems, some form of synchron... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15932 | 15933 | Bayesian Estimation of Gaussian Graphical Mode... | Gaussian graphical models are used for deter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15933 | 15934 | ActiVis: Visual Exploration of Industry-Scale ... | While deep learning models have achieved sta... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15934 | 15935 | A topological lower bound for the energy of a ... | For a unit vector field on a closed immersed... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15935 | 15936 | Permutation invariant proper polyhedral cones ... | The Lyapunov rank of a proper cone $K$ in a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15936 | 15937 | On the Relation of External and Internal Featu... | Detecting feature interactions is imperative... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15937 | 15938 | Properties of the water to boron nitride inter... | Molecular adsorption on surfaces plays an im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15938 | 15939 | Theory of Large Intrinsic Spin Hall Effect in ... | We theoretically investigate the mechanism t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15939 | 15940 | A pathway-based kernel boosting method for sam... | The analysis of cancer genomic data has long... | 0 | 0 | 0 | 1 | 1 | 0 |
| 15940 | 15941 | Analyzing the Approximation Error of the Fast ... | The graph Fourier transform (GFT) is in gene... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15941 | 15942 | Deriving Enhanced Geographical Representations... | Neural networks are capable of learning rich... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15942 | 15943 | On the Integrality Gap of the Prize-Collecting... | In the prize-collecting Steiner forest (PCSF... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15943 | 15944 | Estimating Average Treatment Effects: Suppleme... | There is a large literature on semiparametri... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15944 | 15945 | Markov cubature rules for polynomial processes | We study discretizations of polynomial proce... | 0 | 0 | 0 | 0 | 0 | 1 |
| 15945 | 15946 | Statistical inference for high dimensional reg... | In this paper, we propose a new method for e... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15946 | 15947 | VALES: I. The molecular gas content in star-fo... | We present an extragalactic survey using obs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15947 | 15948 | Variational methods for degenerate Kirchhoff e... | For a degenerate autonomous Kirchhoff equati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15948 | 15949 | Chang'e 3 lunar mission and upper limit on sto... | The Doppler tracking data of the Chang'e 3 l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15949 | 15950 | On the complexity of range searching among curves | Modern tracking technology has made the coll... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15950 | 15951 | Topic Compositional Neural Language Model | We propose a Topic Compositional Neural Lang... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15951 | 15952 | Transmission spectra and valley processing of ... | We numerically investigate the electronic tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15952 | 15953 | Parametric Adversarial Divergences are Good Ta... | Generative modeling of high dimensional data... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15953 | 15954 | Boundedness and homogeneous asymptotics for a ... | In this paper we consider a $d$-dimensional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15954 | 15955 | Explicit formulas, symmetry and symmetry break... | In this paper we prove explicit formulas for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15955 | 15956 | Dynamic Task Allocation for Crowdsourcing Sett... | We consider the problem of optimal budget al... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15956 | 15957 | From optimal transport to generative modeling:... | We study unsupervised generative modeling in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15957 | 15958 | The Gauss map of a free boundary minimal surface | In this paper, we study the Gauss map of a f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15958 | 15959 | Computational Experiments on $a^4+b^4+c^4+d^4=... | Computational approaches to finding non-triv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15959 | 15960 | An information theoretic approach to the autoe... | We present a variation of the Autoencoder (A... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15960 | 15961 | A Certified-Complete Bimanual Manipulation Pla... | Planning motions for two robot arms to move ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15961 | 15962 | The Short Baseline Neutrino Oscillation Progra... | The Short-Baseline Neutrino (SBN) Program is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15962 | 15963 | Best Rank-One Tensor Approximation and Paralle... | A novel algorithm is proposed for CANDECOMP/... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15963 | 15964 | Predictive Independence Testing, Predictive Co... | Testing (conditional) independence of multiv... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15964 | 15965 | Sharp Minima Can Generalize For Deep Nets | Despite their overwhelming capacity to overf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15965 | 15966 | Coarse-grained model of the J-integral of carb... | The J-integral is recognized as a fundamenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15966 | 15967 | On Estimating Multi-Attribute Choice Preferenc... | Revealed preference theory studies the possi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 15967 | 15968 | Analysis of evolutionary origins of genomic lo... | Our view of the universe of genomic regions ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15968 | 15969 | Verification of operational solar flare foreca... | In this article, we discuss a verification s... | 0 | 1 | 0 | 1 | 0 | 0 |
| 15969 | 15970 | Conformational dynamics of a single protein mo... | We use plasmon rulers to follow the conforma... | 0 | 0 | 0 | 0 | 1 | 0 |
| 15970 | 15971 | Dynamics of domain walls in weak ferromagnets | It is shown that the total set of equations,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15971 | 15972 | Generalized Short Circuit Ratio for Multi Powe... | Short circuit ratio (SCR) is widely applied ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15972 | 15973 | A Correction Method of a Binary Classifier App... | In this work, we addressed the issue of appl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15973 | 15974 | Augment your batch: better training with large... | Large-batch SGD is important for scaling tra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15974 | 15975 | Implicit Regularization in Nonconvex Statistic... | Recent years have seen a flurry of activitie... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15975 | 15976 | The effect of surface tension on steadily tran... | New numerical solutions to the so-called sel... | 0 | 1 | 1 | 0 | 0 | 0 |
| 15976 | 15977 | Core or cusps: The central dark matter profile... | We report on SPT-CLJ2011-5228, a giant syste... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15977 | 15978 | Bayesian Optimization with Automatic Prior Sel... | One of the most interesting features of Baye... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15978 | 15979 | Coupled elliptic systems involving the square ... | In this paper we prove the existence of a no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15979 | 15980 | Gravitational mass and energy gradient in the ... | The paper aims to apply the complex octonion... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15980 | 15981 | Retrofitting Distributional Embeddings to Know... | Knowledge graphs are a versatile framework t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15981 | 15982 | Privacy-Preserving Economic Dispatch in Compet... | With the emerging of smart grid techniques, ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15982 | 15983 | On the estimation of the current density in sp... | Thanks to multi-spacecraft mission, it has r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15983 | 15984 | Homological vanishing for the Steinberg repres... | For a field $k$, we prove that the $i$th hom... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15984 | 15985 | A tale of seven narrow spikes and a long troug... | High-signal to noise observations of the Ly$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15985 | 15986 | Quantum spin fluctuations in the bulk insulati... | The intermediate-valence compound SmB6 is a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15986 | 15987 | Device-Aware Routing and Scheduling in Multi-H... | The dramatic increase in data and connectivi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15987 | 15988 | Lazily Adapted Constant Kinky Inference for No... | Techniques known as Nonlinear Set Membership... | 1 | 0 | 1 | 1 | 0 | 0 |
| 15988 | 15989 | Information Pursuit: A Bayesian Framework for ... | Despite enormous progress in object detectio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 15989 | 15990 | Decentralized Clustering based on Robust Estim... | This paper considers a network of sensors wi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 15990 | 15991 | Modeling open nanophotonic systems using the F... | Recently, an open geometry Fourier modal met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15991 | 15992 | Microscopic Conductivity of Lattice Fermions a... | We apply Lieb-Robinson bounds for multi-comm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 15992 | 15993 | Revealing the Unseen: How to Expose Cloud Usag... | Cloud users have little visibility into the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15993 | 15994 | An hp-adaptive strategy for elliptic problems | In this paper a new hp-adaptive strategy for... | 1 | 0 | 1 | 0 | 0 | 0 |
| 15994 | 15995 | High Radiation Pressure on Interstellar Dust C... | Recent space missions have provided informat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15995 | 15996 | Unexpected Robustness of the Band Gaps of TiO2... | Titanium dioxide (TiO2) is a wide band gap s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15996 | 15997 | Geometric GAN | Generative Adversarial Nets (GANs) represent... | 1 | 1 | 0 | 1 | 0 | 0 |
| 15997 | 15998 | A Searchable Symmetric Encryption Scheme using... | At present, the cloud storage used in search... | 1 | 0 | 0 | 0 | 0 | 0 |
| 15998 | 15999 | Operando imaging of all-electric spin texture ... | The control of the electron spin by external... | 0 | 1 | 0 | 0 | 0 | 0 |
| 15999 | 16000 | Experimental Evidence for Selection Rules in M... | We report on the observation of phase space ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16000 | 16001 | Conformal growth rates and spectral geometry o... | For a unimodular random graph $(G,\rho)$, we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16001 | 16002 | Self-Supervised Vision-Based Detection of the ... | This paper presents a self-supervised method... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16002 | 16003 | Monocular Imaging-based Autonomous Tracking fo... | TraQuad is an autonomous tracking quadcopter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16003 | 16004 | Persistence Diagrams with Linear Machine Learn... | Persistence diagrams have been widely recogn... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16004 | 16005 | Characterizing the number of coloured $m$-ary ... | In a pair of recent papers, Andrews, Fraenke... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16005 | 16006 | Towards Approximate Mobile Computing | Mobile computing is one of the main drivers ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16006 | 16007 | Room-temperature high detectivity mid-infrared... | The mid-infrared (MIR) spectral range, perta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16007 | 16008 | Topology determines force distributions in one... | Networks of elastic fibers are ubiquitous in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16008 | 16009 | On a local invariant of elliptic curves with a... | An elliptic curve $E$ defined over a $p$-adi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16009 | 16010 | IIFA: Modular Inter-app Intent Information Flo... | Android apps cooperate through message passi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16010 | 16011 | Glass+Skin: An Empirical Evaluation of the Add... | The usability of small devices such as smart... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16011 | 16012 | The Morphospace of Consciousness | We construct a complexity-based morphospace ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16012 | 16013 | Transverse Magnetic Susceptibility of a Frustr... | We use the coupled cluster method (CCM) to s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16013 | 16014 | Minimum polyhedron with $n$ vertices | We study a polyhedron with $n$ vertices of f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16014 | 16015 | Theory of interacting fermions in shaken squar... | We develop a theory of weakly interacting fe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16015 | 16016 | Simple to Complex Cross-modal Learning to Rank | The heterogeneity-gap between different moda... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16016 | 16017 | Iteration-complexity analysis of a generalized... | This paper analyzes the iteration-complexity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16017 | 16018 | A Game Theoretic Macroscopic Model of Bypassin... | Vehicle bypassing is known to negatively aff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16018 | 16019 | Non-resonant secular dynamics of trans-Neptuni... | We use a secular model to describe the non-r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16019 | 16020 | Stability Analysis for Switched Systems with S... | This note investigates the stability of both... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16020 | 16021 | Interpreting and using CPDAGs with background ... | We develop terminology and methods for worki... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16021 | 16022 | A cable-driven parallel manipulator with force... | This paper introduces a new surgical end-eff... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16022 | 16023 | Overfitting Mechanism and Avoidance in Deep Ne... | Assisted by the availability of data and hig... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16023 | 16024 | What deep learning can tell us about higher co... | Can deep learning (DL) guide our understandi... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16024 | 16025 | Concentration of quantum states from quantum f... | Quantum functional inequalities (e.g. the lo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16025 | 16026 | Stochastic Training of Neural Networks via Suc... | This paper proposes a new family of algorith... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16026 | 16027 | Best arm identification in multi-armed bandits... | We propose a generalization of the best arm ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16027 | 16028 | General $(α, β)$ metrics with relatively isotr... | In this paper, we study a new class of Finsl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16028 | 16029 | Structured Optimal Transport | Optimal Transport has recently gained intere... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16029 | 16030 | Very metal-poor stars observed by the RAVE survey | We present a novel analysis of the metal-poo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16030 | 16031 | Estimating causal effects of time-dependent ex... | Recently, the intervention calculus when the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16031 | 16032 | A Note on Cyclotomic Integers | In this note, we present a new proof that th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16032 | 16033 | Stochastic homogenization for functionals with... | We study the stochastic homogenization for a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16033 | 16034 | Automatic Software Repair: a Bibliography | This article presents a survey on automatic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16034 | 16035 | The design and the performance of stratospheri... | The technical details of a balloon stratosph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16035 | 16036 | A Systematic Comparison of Deep Learning Archi... | Self-driving technology is advancing rapidly... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16036 | 16037 | On the Theory of Light Propagation in Crystall... | A synoptic view on the long-established theo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16037 | 16038 | Microfluidic control of nucleation and growth ... | The nucleation and growth of calcite is an i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16038 | 16039 | Using low-frequency pulsar observations to stu... | The Galactic magnetic field (GMF) plays a ro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16039 | 16040 | Simple mechanical cues could explain adipose t... | The mechanisms by which organs acquire their... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16040 | 16041 | Comments on the National Toxicology Program Re... | With the National Toxicology Program issuing... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16041 | 16042 | Estimates for the coefficients of differential... | We answer the following long-standing questi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16042 | 16043 | Giant perpendicular exchange bias with antifer... | We investigated an out-of-plane exchange bia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16043 | 16044 | A Fuzzy Community-Based Recommender System Usi... | Recommendation systems are widely used by di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16044 | 16045 | Foundations of Complex Event Processing | Complex Event Processing (CEP) has emerged a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16045 | 16046 | Prior Variances and Depth Un-Biased Estimators... | In electroencephalography (EEG) source imagi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16046 | 16047 | Standard Galactic Field RR Lyrae. I. Optical t... | We present a multi-wavelength compilation of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16047 | 16048 | An Updated Literature Review of Distance Corre... | The concept of distance covariance/correlati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16048 | 16049 | A Novel Method for Extrinsic Calibration of Mu... | This letter presents a novel method to estim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16049 | 16050 | Particular type of gap in the spectrum of mult... | We show, that in contrast to the free electr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16050 | 16051 | Reliable Decision Support using Counterfactual... | Decision-makers are faced with the challenge... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16051 | 16052 | Robust temporal difference learning for critic... | We present a new Q-function operator for tem... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16052 | 16053 | Structure of the Entanglement Entropy of (3+1)... | We study the entanglement entropy of gapped ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16053 | 16054 | Dynamics and asymptotic profiles of endemic eq... | This paper is concerned with two frequency-d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16054 | 16055 | Stable Clustering Ansatz, Consistency Relation... | Gravitational clustering in the nonlinear re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16055 | 16056 | Heavy-Tailed Analogues of the Covariance Matri... | Independent Component Analysis (ICA) is the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16056 | 16057 | Breaking through the bandwidth barrier in dist... | The round trip time of the light pulse limit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16057 | 16058 | The Continuity of the Gauge Fixing Condition $... | The continuity of the gauge fixing condition... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16058 | 16059 | Estimating functions for jump-diffusions | Asymptotic theory for approximate martingale... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16059 | 16060 | Automatic Skin Lesion Analysis using Large-sca... | Malignant melanoma has one of the most rapid... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16060 | 16061 | Quadrature-based features for kernel approxima... | We consider the problem of improving kernel ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16061 | 16062 | The impossibility of "fairness": a generalized... | Various measures can be used to estimate bia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16062 | 16063 | Measuring Quantum Entropy | The entropy of a quantum system is a measure... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16063 | 16064 | Elliptic Transverse Circulation Equations for ... | When studying tropical cyclones using the $f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16064 | 16065 | The Voice Conversion Challenge 2018: Promoting... | We present the Voice Conversion Challenge 20... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16065 | 16066 | Levels of distribution for sieve problems in p... | In a companion paper, we developed an effici... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16066 | 16067 | Imagination-Augmented Agents for Deep Reinforc... | We introduce Imagination-Augmented Agents (I... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16067 | 16068 | Cluster-glass phase in pyrochlore XY antiferro... | We study the impact of quenched disorder (ra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16068 | 16069 | Non-line-of-sight tracking of people at long r... | A remote-sensing system that can determine t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16069 | 16070 | DeSIGN: Design Inspiration from Generative Net... | Can an algorithm create original and compell... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16070 | 16071 | Challenges of facet analysis and concept place... | The paper discusses the challenges of facete... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16071 | 16072 | Coalescent-based species tree estimation: a st... | The reconstruction of a species phylogeny fr... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16072 | 16073 | Variance-Reduced Stochastic Learning by Networ... | A new amortized variance-reduced gradient (A... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16073 | 16074 | Blind Community Detection from Low-rank Excita... | This paper considers a novel framework to de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16074 | 16075 | Realistic theory of electronic correlations in... | Nanostructures with open shell transition me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16075 | 16076 | The Multiplier Problem of the Calculus of Vari... | In the inverse problem of the calculus of va... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16076 | 16077 | Representation categories of Mackey Lie algebr... | Let $\mathbb{K}$ be an algebraically closed ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16077 | 16078 | Dielectric media considered as vacuum with sou... | Conventional textbook treatments on electrom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16078 | 16079 | Game-Theoretic Design of Secure and Resilient ... | With a large number of sensors and control u... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16079 | 16080 | Rank conditional coverage and confidence inter... | Confidence interval procedures used in low d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16080 | 16081 | Phase-Encoded Hyperpolarized Nanodiamond for M... | Surface-functionalized nanomaterials can act... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16081 | 16082 | k-Space Deep Learning for Reference-free EPI G... | Nyquist ghost artifacts in EPI images are or... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16082 | 16083 | Binary Search in Graphs Revisited | In the classical binary search in a path the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16083 | 16084 | Dissecting Adam: The Sign, Magnitude and Varia... | The ADAM optimizer is exceedingly popular in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16084 | 16085 | Econometric Modeling of Regional Electricity S... | Wholesale electricity markets are increasing... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16085 | 16086 | Accurate Effective Medium Theory for the Analy... | It has been recently demonstrated that textu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16086 | 16087 | Joint Regression and Ranking for Image Enhance... | Research on automated image enhancement has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16087 | 16088 | From arteries to boreholes: Transient response... | The radially outward flow of fluid through a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16088 | 16089 | Social Clustering in Epidemic Spread on Coevol... | Even though transitivity is a central struct... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16089 | 16090 | A Mathematical Aspect of Hohenberg-Kohn Theorem | The Hohenberg-Kohn theorem plays a fundament... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16090 | 16091 | Autocomplete 3D Sculpting | Digital sculpting is a popular means to crea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16091 | 16092 | KeyXtract Twitter Model - An Essential Keyword... | Since a tweet is limited to 140 characters, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16092 | 16093 | A Generalized Zero-Forcing Precoder with Succe... | In this paper, we consider precoder designs ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16093 | 16094 | Generating Connected Random Graphs | Sampling random graphs is essential in many ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16094 | 16095 | Machine Learning Predicts Laboratory Earthquakes | Forecasting fault failure is a fundamental b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16095 | 16096 | New results of the search for hidden photons b... | New upper limit on a mixing parameter for hi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16096 | 16097 | Higher dimensional Steinhaus and Slater proble... | The three gap theorem, also known as the Ste... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16097 | 16098 | Bayesian Unbiasing of the Gaia Space Mission T... | 21 st century astrophysicists are confronted... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16098 | 16099 | On the connectivity of the hyperbolicity regio... | We give an elementary proof for the fact tha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16099 | 16100 | Matrix Completion via Factorizing Polynomials | Predicting unobserved entries of a partially... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16100 | 16101 | A visual search engine for Bangladeshi laws | Browsing and finding relevant information fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16101 | 16102 | Minors of two-connected graphs of large path-w... | Let $P$ be a graph with a vertex $v$ such th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16102 | 16103 | Computable Operations on Compact Subsets of Me... | We extend the Theory of Computation on real ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16103 | 16104 | Siamese Capsule Networks | Capsule Networks have shown encouraging resu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16104 | 16105 | Isolated and Ensemble Audio Preprocessing Meth... | An adversarial attack is an exploitative pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16105 | 16106 | Revisiting the cavity-method threshold for ran... | A detailed Monte Carlo-study of the satisfia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16106 | 16107 | An improved Krylov eigenvalue strategy using t... | The FEAST eigenvalue algorithm is a subspace... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16107 | 16108 | Planar magnetic structures in coronal mass eje... | Planar magnetic structures (PMSs) are period... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16108 | 16109 | Transportation analysis of denoising autoencod... | The feature map obtained from the denoising ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16109 | 16110 | Weighted Contrastive Divergence | Learning algorithms for energy based Boltzma... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16110 | 16111 | Small-Scale Challenges to the $Λ$CDM Paradigm | The dark energy plus cold dark matter ($\Lam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16111 | 16112 | Alternating minimization, scaling algorithms, ... | Alternating minimization heuristics seek to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16112 | 16113 | Positivity of denominator vectors of cluster a... | In this paper, we prove that positivity of d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16113 | 16114 | Primordial Black Holes and Slow-Roll Violation | For primordial black holes (PBH) to be the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16114 | 16115 | Using Optimal Ratio Mask as Training Target fo... | Supervised speech separation uses supervised... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16115 | 16116 | Volumetric parametrization from a level set bo... | A challenge in isogeometric analysis is cons... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16116 | 16117 | On the Compressive Power of Deep Rectifier Net... | This paper provides a theoretical justificat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16117 | 16118 | Absolute spectroscopy near 7.8 μm with a comb-... | We report the first experimental demonstrati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16118 | 16119 | Some remarks on upper bounds for Weierstrass p... | We study upper bounds on Weierstrass primary... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16119 | 16120 | Topology of polyhedral products over simplicia... | We prove that certain conditions on multigra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16120 | 16121 | Improved Representation Learning for Predictin... | Recent work in learning ontologies (hierarch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16121 | 16122 | Mesoporous Silica as a Carrier for Amorphous S... | In the past decade, the discovery of active ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16122 | 16123 | A Probability Monad as the Colimit of Finite P... | We define and study a probability monad on t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16123 | 16124 | Robust Optimal Design of Energy Efficient Seri... | Design of robotic systems that safely and ef... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16124 | 16125 | Subwavelength phononic bandgap opening in bubb... | The aim of this paper is to show both analyt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16125 | 16126 | Hybrid integration of solid-state quantum emit... | Scalable quantum photonic systems require ef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16126 | 16127 | Perceive Your Users in Depth: Learning Univers... | Tasks such as search and recommendation have... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16127 | 16128 | Phase-diagram and dynamics of Rydberg-dressed ... | We investigate the ground-state properties a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16128 | 16129 | Ambient noise correlation-based imaging with m... | Waves can be used to probe and image an unkn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16129 | 16130 | Anderson localization in the Non-Hermitian Aub... | We investigate the Anderson localization in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16130 | 16131 | Towards de Sitter from 10D | Using a 10D lift of non-perturbative volume ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16131 | 16132 | Incorporating genuine prior information about ... | Background: Pairwise and network meta-analys... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16132 | 16133 | Wasserstein Distributional Robustness and Regu... | A central question in statistical learning i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16133 | 16134 | InfiniteBoost: building infinite ensembles wit... | In machine learning ensemble methods have de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16134 | 16135 | On-demand microwave generator of shaped single... | We demonstrate the full functionality of a c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16135 | 16136 | Fast and Stable Pascal Matrix Algorithms | In this paper, we derive a family of fast an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16136 | 16137 | Variational Continual Learning | This paper develops variational continual le... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16137 | 16138 | Dynamic adaptive procedures that control the f... | In the multiple testing problem with indepen... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16138 | 16139 | Compression-Based Regularization with an Appli... | This paper investigates, from information th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16139 | 16140 | Isomorphism between Differential and Moment In... | The invariant is one of central topics in sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16140 | 16141 | Throughput Analysis for Wavelet OFDM in Broadb... | Windowed orthogonal frequency-division multi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16141 | 16142 | Simple And Efficient Architecture Search for C... | Neural networks have recently had a lot of s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16142 | 16143 | Quantum estimation of detection efficiency wit... | We investigate that no-knowledge measurement... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16143 | 16144 | Intermittent Granular Dynamics at a Seismogeni... | Earthquakes at seismogenic plate boundaries ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16144 | 16145 | Optimal continuous-time ALM for insurers: a ma... | We study a continuous-time asset-allocation ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16145 | 16146 | Combating Fake News: A Survey on Identificatio... | The proliferation of fake news on social med... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16146 | 16147 | A causal approach to analysis of censored medi... | There has recently been a growing interest i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16147 | 16148 | Inferring the parameters of a Markov process f... | We seek to infer the parameters of an ergodi... | 0 | 1 | 0 | 1 | 0 | 0 |
| 16148 | 16149 | What Does a TextCNN Learn? | TextCNN, the convolutional neural network fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16149 | 16150 | The Wisdom of Polarized Crowds | As political polarization in the United Stat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16150 | 16151 | Probabilistic Database Summarization for Inter... | We present a probabilistic approach to gener... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16151 | 16152 | GP-GAN: Towards Realistic High-Resolution Imag... | Recent advances in generative adversarial ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16152 | 16153 | Relational Autoencoder for Feature Extraction | Feature extraction becomes increasingly impo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16153 | 16154 | Sentiment and Sarcasm Classification with Mult... | Sentiment classification and sarcasm detecti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16154 | 16155 | Context in Neural Machine Translation: A Revie... | This review paper discusses how context has ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16155 | 16156 | Manipulation of type-I and type-II Dirac point... | A pair of type-II Dirac cones in PdTe$_2$ wa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16156 | 16157 | A fast Metropolis-Hastings method for generati... | We propose a novel Metropolis-Hastings algor... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16157 | 16158 | Compact Groups analysis using weak gravitation... | We present a weak lensing analysis of a samp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16158 | 16159 | An Applied Knowledge Framework to Study Comple... | The complexity of knowledge production on co... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16159 | 16160 | Classifying subcategories in quotients of exac... | We classify certain subcategories in quotien... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16160 | 16161 | Dealing with Rational Second Order Ordinary Di... | Here we present a new approach to search for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16161 | 16162 | Urban Vibrancy and Safety in Philadelphia | Statistical analyses of urban environments h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16162 | 16163 | Exponential quadrature rules without order red... | In this paper a technique is suggested to in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16163 | 16164 | New Derivatives for the Functions with the Fra... | In this manuscript, we generalize F-calculus... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16164 | 16165 | Learning Navigation Behaviors End to End | A longstanding goal of behavior-based roboti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16165 | 16166 | Bounded Information Rate Variational Autoencoders | This paper introduces a new member of the fa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16166 | 16167 | Wasan geometry with the division by 0 | Results in Wasan geometry of tangents circle... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16167 | 16168 | New insights into non-central beta distributions | The beta family owes its privileged status w... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16168 | 16169 | Mean Curvature Flows of Closed Hypersurfaces i... | We investigate the mean curvature flows in a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16169 | 16170 | Optimising finite-difference methods for PDEs ... | Finite-difference methods are widely used in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16170 | 16171 | An Ontology to support automated negotiation | In this work we propose an ontology to suppo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16171 | 16172 | Deep Scattering: Rendering Atmospheric Clouds ... | We present a technique for efficiently synth... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16172 | 16173 | On the Upward/Downward Closures of Petri Nets | We study the size and the complexity of comp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16173 | 16174 | Semantic Similarity from Natural Language and ... | Artificial Intelligence federates numerous s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16174 | 16175 | The Hardness of Synthesizing Elementary Net Sy... | Elementary net systems (ENS) are the most fu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16175 | 16176 | Exceptional Lattice Green's Functions | The three exceptional lattices, $E_6$, $E_7$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16176 | 16177 | Optimal design with EGM approach in conjugate ... | Analysis of conjugate natural convection wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16177 | 16178 | Convex cocompactness in pseudo-Riemannian hype... | Anosov representations of word hyperbolic gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16178 | 16179 | A Closer Look at Memorization in Deep Networks | We examine the role of memorization in deep ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16179 | 16180 | Hierarchical 3D fully convolutional networks f... | Recent advances in 3D fully convolutional ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16180 | 16181 | An evolutionary game model for behavioral gamb... | We study the phase diagram of a minority gam... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16181 | 16182 | The Minimum Euclidean-Norm Point on a Convex P... | The complexity of Philip Wolfe's method for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16182 | 16183 | Constraints on a possible evolution of mass de... | In this work, by using strong gravitational ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16183 | 16184 | The Strong Cell-based Hydrogen Peroxide Genera... | Hydrogen peroxide (H2O2) is an important sig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16184 | 16185 | Theory of circadian metabolism | Many organisms repartition their proteome in... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16185 | 16186 | Rare-earth/transition-metal magnetic interacti... | We present an investigation into the intrins... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16186 | 16187 | Optimum weight chamber examples of moduli spac... | We present an explicit construction of the m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16187 | 16188 | Individualized Risk Prognosis for Critical Car... | We report the development and validation of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16188 | 16189 | X-View: Graph-Based Semantic Multi-View Locali... | Global registration of multi-view robot data... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16189 | 16190 | Local Hardy spaces with variable exponents ass... | In this paper we introduce variable exponent... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16190 | 16191 | Provable Inductive Robust PCA via Iterative Ha... | The robust PCA problem, wherein, given an in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16191 | 16192 | The Topological Period-Index Problem over 8-Co... | We study the Postnikov tower of the classify... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16192 | 16193 | The Rise of Jihadist Propaganda on Social Netw... | Using a dataset of over 1.9 million messages... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16193 | 16194 | Simulated performance of the production target... | The Muon g-2 Experiment plans to use the Fer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16194 | 16195 | Virtual-to-Real: Learning to Control in Visual... | Collecting training data from the physical w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16195 | 16196 | On Fienup Methods for Regularized Phase Retrieval | Alternating minimization, or Fienup methods,... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16196 | 16197 | Coupling the reduced-order model and the gener... | In this work, we develop an importance sampl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16197 | 16198 | Anomalous dynamical phase in quantum spin chai... | The existence or absence of non-analytic cus... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16198 | 16199 | Cold keV dark matter from decays and scatterings | We explore ways of creating cold keV-scale d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16199 | 16200 | Solving high-dimensional partial differential ... | Developing algorithms for solving high-dimen... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16200 | 16201 | An Ensemble Quadratic Echo State Network for N... | Spatio-temporal data and processes are preva... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16201 | 16202 | Profit Maximization for Online Advertising Dem... | We develop an optimization model and corresp... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16202 | 16203 | Traces of surfactants can severely limit the d... | Superhydrophobic surfaces (SHSs) have the po... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16203 | 16204 | Non-Convex Rank/Sparsity Regularization and Lo... | This paper considers the problem of recoveri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16204 | 16205 | Supervised Speech Separation Based on Deep Lea... | Speech separation is the task of separating ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16205 | 16206 | Sample Efficient Feature Selection for Factore... | In reinforcement learning, the state of the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16206 | 16207 | Sgoldstino-less inflation and low energy SUSY ... | We assess the range of validity of sgoldstin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16207 | 16208 | SideEye: A Generative Neural Network Based Sim... | Foveal vision makes up less than 1% of the v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16208 | 16209 | Carbon stars in the X-Shooter Spectral Library... | In a previous paper, we assembled a collecti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16209 | 16210 | Four-variable expanders over the prime fields | Let $\mathbb{F}_p$ be a prime field of order... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16210 | 16211 | Limit multiplicities for ${\rm SL}_2(\mathcal{... | We prove that the family of lattices ${\rm S... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16211 | 16212 | On comparing clusterings: an element-centric f... | Clustering is one of the most universal appr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16212 | 16213 | Parametric Oscillatory Instability in a Fabry-... | We discuss the parametric oscillatory instab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16213 | 16214 | Mapping properties of the Hilbert and Fubini--... | Suppose that we have a compact Kähler manifo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16214 | 16215 | Space-time Constructivism vs. Modal Provincial... | In 1835 Lobachevski entertained the possibil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16215 | 16216 | On the representation of integers by binary qu... | In this note we show that for a given irredu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16216 | 16217 | The First Planetary Microlensing Event with Tw... | We present the analysis of microlensing even... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16217 | 16218 | A Learning-Based Approach for Lane Departure W... | Misunderstanding of driver correction behavi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16218 | 16219 | Internet of Things: Survey on Security and Pri... | The Internet of Things (IoT) is intended for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16219 | 16220 | A Connectedness Constraint for Learning Sparse... | Graphs are naturally sparse objects that are... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16220 | 16221 | Quotients of finite-dimensional operators by s... | A finite dimensional operator that commutes ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16221 | 16222 | A probabilistic framework for the control of s... | A probabilistic framework is proposed for th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16222 | 16223 | Supersonic Flow onto Solid Wedges, Multidimens... | When an upstream steady uniform supersonic f... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16223 | 16224 | A Zero-Shot Learning application in Deep Drawi... | One of the consequences of passing from mass... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16224 | 16225 | Fracton topological phases from strongly coupl... | We provide a new perspective on fracton topo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16225 | 16226 | The Internet as Quantitative Social Science Pl... | With the large-scale penetration of the inte... | 1 | 1 | 0 | 1 | 0 | 0 |
| 16226 | 16227 | Deep Embedding Kernel | In this paper, we propose a novel supervised... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16227 | 16228 | A Radio-Inertial Localization and Tracking Sys... | In this paper, we develop a system for the l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16228 | 16229 | Simple groups, generation and probabilistic me... | It is well known that every finite simple gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16229 | 16230 | Large polaron evolution in anatase TiO2 due to... | The electronic and magneto transport propert... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16230 | 16231 | AMPNet: Asynchronous Model-Parallel Training f... | New types of machine learning hardware in de... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16231 | 16232 | Random data wave equations | Nowadays we have many methods allowing to ex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16232 | 16233 | The Persistent Homotopy Type Distance | We introduce the persistent homotopy type di... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16233 | 16234 | Optimal algorithms for smooth and strongly con... | In this paper, we determine the optimal conv... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16234 | 16235 | Superconductivity in ultra-thin carbon nanotub... | The superconductivity of the 4-angstrom sing... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16235 | 16236 | Exponential lower bounds for history-based sim... | The behavior of the simplex algorithm is a w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16236 | 16237 | Machine learning regression on hyperspectral d... | In this paper, we present a regression frame... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16237 | 16238 | Critical factors and enablers of food quality ... | Recently, along with the emergence of food s... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16238 | 16239 | Asymptotic behavior of semilinear parabolic eq... | We study topological structure of the $\omeg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16239 | 16240 | Exploring 4D Quantum Hall Physics with a 2D To... | The discovery of topological states of matte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16240 | 16241 | Non-hermitian operator modelling of basic canc... | We propose a dynamical system of tumor cells... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16241 | 16242 | Giant ripples on comet 67P/Churyumov-Gerasimen... | Explaining the unexpected presence of dune-l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16242 | 16243 | A ROS multi-ontology references services: OWL ... | The challenge of sharing and communicating i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16243 | 16244 | Efficient Covariance Approximations for Large ... | The use of sparse precision (inverse covaria... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16244 | 16245 | The Density of Numbers Represented by Diagonal... | Let $s \geq 3$ be a fixed positive integer a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16245 | 16246 | Meta-Learning for Resampling Recommendation Sy... | One possible approach to tackle the class im... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16246 | 16247 | Robustness Analysis of Systems' Safety through... | In this paper, we propose a new robustness n... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16247 | 16248 | Estimating ground-level PM2.5 by fusing satell... | Fusing satellite observations and station me... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16248 | 16249 | An Overview of Recent Progress in Laser Wakefi... | The goal of this paper is to examine experim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16249 | 16250 | MindID: Person Identification from Brain Waves... | Person identification technology recognizes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16250 | 16251 | Beyond black-boxes in Bayesian inverse problem... | The present paper is motivated by one of the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16251 | 16252 | On the Spectral Properties of Symmetric Functions | We characterize the approximate monomial com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16252 | 16253 | Strong light shifts from near-resonant and pol... | We present a non-perturbative numerical tech... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16253 | 16254 | Positive-rank elliptic curves arising pythagor... | In the present paper, we introduce some new ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16254 | 16255 | Modeling Relational Data with Graph Convolutio... | Knowledge graphs enable a wide variety of ap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16255 | 16256 | Application of shifted-Laplace preconditioners... | In several geophysical applications, such as... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16256 | 16257 | Algorithms For Longest Chains In Pseudo- Trans... | A directed acyclic graph G = (V, E) is pseud... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16257 | 16258 | From time-series to complex networks: Applicat... | A network-based approach is presented to inv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16258 | 16259 | On the matrix $pth$ root functions and general... | This study is devoted to the polynomial repr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16259 | 16260 | Investigation and Automating Extraction of Thu... | Today, in digital forensics, images normally... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16260 | 16261 | Weighted network estimation by the use of topo... | Topological metrics of graphs provide a natu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16261 | 16262 | Petrophysical property estimation from seismic... | Reservoir characterization involves the esti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16262 | 16263 | Deep Learning for Spatio-Temporal Modeling: Dy... | Deep learning applies hierarchical layers of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16263 | 16264 | Multi-objective Bandits: Optimizing the Genera... | We study the multi-armed bandit (MAB) proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16264 | 16265 | Floquet multi-Weyl points in crossing-nodal-li... | Weyl points with monopole charge $\pm 1$ hav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16265 | 16266 | Impact Ionization in $β-Ga_2O_3$ | A theoretical investigation of extremely hig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16266 | 16267 | Entombed: An archaeological examination of an ... | The act and experience of programming is, at... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16267 | 16268 | Particle Filters for Partially-Observed Boolea... | Partially-observed Boolean dynamical systems... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16268 | 16269 | Cross-National Measurement of Polarization in ... | Political polarization in public space can s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16269 | 16270 | Size-Change Termination as a Contract | Program termination is an undecidable, yet i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16270 | 16271 | Disorder Dependent Valley Properties in Monola... | We investigate the effect on disorder potent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16271 | 16272 | Results on the Hilbert coefficients and reduct... | Let $(R,\frak{m})$ be a $d$-dimensional Cohe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16272 | 16273 | Progress on Experiments towards LWFA-driven Tr... | Free Electron Lasers (FEL) are commonly rega... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16273 | 16274 | Non-escaping endpoints do not explode | The family of exponential maps $f_a(z)= e^z+... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16274 | 16275 | The Fornax Deep Survey with VST. II. Fornax A:... | As part of the Fornax Deep Survey with the E... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16275 | 16276 | Local decoding and testing of polynomials over... | The well-known DeMillo-Lipton-Schwartz-Zippe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16276 | 16277 | A New Backpressure Algorithm for Joint Rate Co... | The backpressure algorithm has been widely u... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16277 | 16278 | Lifshitz transition from valence fluctuations ... | In Kondo lattice systems with mixed valence,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16278 | 16279 | Diversity from the Topology of Citation Networks | We study transitivity in directed acyclic gr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16279 | 16280 | Superluminal transmission of phase modulation ... | A method of transmitting information in inte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16280 | 16281 | Causal Regularization | In application domains such as healthcare, w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16281 | 16282 | Voice Disorder Detection Using Long Short Term... | Automated detection of voice disorders with ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16282 | 16283 | Topology of two-dimensional turbulent flows of... | We perform direct numerical simulations (DNS... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16283 | 16284 | Trimming the Independent Fat: Sufficient Stati... | One of the most fundamental questions one ca... | 1 | 1 | 0 | 1 | 0 | 0 |
| 16284 | 16285 | Statistical Physics of the Symmetric Group | Ordered chains (such as chains of amino acid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16285 | 16286 | A New Phosphorus Allotrope with Direct Band Ga... | Based on ab initio evolutionary crystal stru... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16286 | 16287 | An open shop approach in approximating optimal... | In the past decade Optical WDM Networks (Wav... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16287 | 16288 | Optimal prediction in the linearly transformed... | We consider the linearly transformed spiked ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16288 | 16289 | Self-Normalizing Neural Networks | Deep Learning has revolutionized vision via ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16289 | 16290 | Real-time Fault Localization in Power Grids Wi... | Diverse fault types, fast re-closures and co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16290 | 16291 | Effective identifiability criteria for tensors... | A tensor $T$, in a given tensor space, is sa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16291 | 16292 | Functoriality properties of the dual group | Let $G$ be a connected reductive group. In a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16292 | 16293 | Chaotic dynamics around cometary nuclei | We apply a generalized Kepler map theory to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16293 | 16294 | Riemannian curvature measures | A famous theorem of Weyl states that if $M$ ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16294 | 16295 | A new lower bound for the on-line coloring of ... | The on-line interval coloring and its varian... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16295 | 16296 | Orbits of monomials and factorization into pro... | This paper is devoted to the factorization o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16296 | 16297 | Monodromy and Vinberg fusion for the principal... | We study the geometry and the singularities ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16297 | 16298 | Sketched Subspace Clustering | The immense amount of daily generated and co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16298 | 16299 | An infinite class of unsaturated rooted trees ... | An RNA secondary structure is designable if ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16299 | 16300 | Any Baumslag-Solitar action on surfaces with a... | We consider $f, h$ homeomorphims generating ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16300 | 16301 | Fault Localization for Declarative Models in A... | Fault localization is a popular research top... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16301 | 16302 | Comparing the fractal basins of attraction in ... | The basins of convergence, associated with t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16302 | 16303 | Parameters for Generalized Hecke Algebras in T... | The irreducible representations of full supp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16303 | 16304 | Arbitrage-Free Interpolation in Models of Mark... | Models which postulate lognormal dynamics fo... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16304 | 16305 | Bayesian Simultaneous Estimation for Means in ... | This paper is concerned with the simultaneou... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16305 | 16306 | The Camassa--Holm Equation and The String Dens... | In this paper we review the recent progress ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16306 | 16307 | A simple efficient density estimator that enab... | This paper introduces a simple and efficient... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16307 | 16308 | Perches, Post-holes and Grids | The "Planning in the Early Medieval Landscap... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16308 | 16309 | Sharp bounds for population recovery | The population recovery problem is a basic p... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16309 | 16310 | MultiBUGS: A parallel implementation of the BU... | MultiBUGS (this https URL) is a new version ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16310 | 16311 | Road to safe autonomy with data and formal rea... | We present an overview of recently developed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16311 | 16312 | Social Events in a Time-Varying Mobile Phone G... | The large-scale study of human mobility has ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16312 | 16313 | Range Assignment of Base-Stations Maximizing C... | We study the problem of assigning non-overla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16313 | 16314 | A Polylogarithm Solution to the Epsilon--Delta... | Let $f$ be a continuous real function define... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16314 | 16315 | Pricing of debt and equity in a financial netw... | In this paper we present formulas for the va... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16315 | 16316 | Resolvent expansion for the Schrödinger operat... | We consider the Schrödinger operator on a co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16316 | 16317 | Space-Filling Fractal Description of Ion-induc... | Anions of the molecules ZnO, O2 and atomic Z... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16317 | 16318 | Integrable modules over affine Lie superalgebr... | We describe the category of integrable sl(1|... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16318 | 16319 | LocDyn: Robust Distributed Localization for Mo... | How to self-localize large teams of underwat... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16319 | 16320 | High-speed X-ray imaging spectroscopy system w... | We have developed a system combining a back-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16320 | 16321 | Cooperative Multi-Sender Index Coding | In this paper, we propose a new coding schem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16321 | 16322 | Comment on "Eshelby twist and correlation effe... | The aim of this comment is to show that anis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16322 | 16323 | Variational Community Partition with Novel Net... | In this paper, we proposed a novel two-stage... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16323 | 16324 | Possible formation pathways for the low densit... | We investigate possible pathways for the for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16324 | 16325 | Shape Classification using Spectral Graph Wave... | Spectral shape descriptors have been used ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16325 | 16326 | Dynamical inverse problem for Jacobi matrices | We consider the inverse dynamical problem fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16326 | 16327 | A short note on the computation of the general... | Jacobsthal's function was recently generalis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16327 | 16328 | Improved SVD-based Initialization for Nonnegat... | Due to the iterative nature of most nonnegat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16328 | 16329 | Connectivity jamming game for physical layer a... | Because of the open access nature of wireles... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16329 | 16330 | Global Symmetries, Counterterms, and Duality i... | We study three-dimensional gauge theories ba... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16330 | 16331 | Tail sums of Wishart and GUE eigenvalues beyon... | Consider the classical Gaussian unitary ense... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16331 | 16332 | Ultrafast Energy Transfer with Competing Chann... | We derive equations of motion for the reduce... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16332 | 16333 | Observation of non-Fermi liquid behavior in ho... | The Weyl semimetallic compound Eu2Ir2O7 alon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16333 | 16334 | Galactic Outflows, Star Formation Histories, a... | Winds are predicted to be ubiquitous in low-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16334 | 16335 | Compact microwave kinetic inductance nanowire ... | We present a compact current sensor based on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16335 | 16336 | Evolution of dust extinction curves in galaxy ... | To understand the evolution of extinction cu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16336 | 16337 | Witten Deformation And Some Topics Relating To It | This is a simple reading report of professor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16337 | 16338 | Inverse sensitivity of plasmonic nanosensors a... | Recent work using plasmonic nanosensors in a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16338 | 16339 | On approximation of Ginzburg-Landau minimizers... | We consider a two-dimensional Ginzburg-Landa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16339 | 16340 | A Theory of Solvability for Lossless Power Flo... | This two-part paper details a theory of solv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16340 | 16341 | Coordination game in bidirectional flow | We have introduced evolutionary game dynamic... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16341 | 16342 | Leaderboard Effects on Player Performance in a... | Quantum Moves is a citizen science game that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16342 | 16343 | Marchenko-based target replacement, accounting... | In seismic monitoring one is usually interes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16343 | 16344 | Bayesian model checking: A comparison of tests | Two procedures for checking Bayesian models ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 16344 | 16345 | Idempotents in Intersection of the Kernel and ... | Let $K$ be a field of characteristic zero, $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16345 | 16346 | A connection between the good property of an A... | Following Roos, we say that a local ring $R$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16346 | 16347 | Towards Efficient Verification of Population P... | Population protocols are a well established ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16347 | 16348 | Simplicial Homotopy Theory, Link Homology and ... | The purpose of this note is to point out tha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16348 | 16349 | Optimised Maintenance of Datalog Materialisations | To efficiently answer queries, datalog syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16349 | 16350 | Inversion of some curvature operators near a p... | Let (M,g) be a complete noncompact riemannia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16350 | 16351 | Partisan gerrymandering with geographically co... | Bizarrely shaped voting districts are freque... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16351 | 16352 | Random Scalar Fields and Hyperuniformity | Disordered many-particle hyperuniform system... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16352 | 16353 | Methodological Approach for the Design of a Co... | Modern industrial automatic machines and rob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16353 | 16354 | Deep learning for comprehensive forecasting of... | Most approaches to machine learning from ele... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16354 | 16355 | Experimental constraints on the rheology, erup... | We present new viscosity measurements of a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16355 | 16356 | Empirical Bayes Estimators for High-Dimensiona... | The problem of estimating a high-dimensional... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16356 | 16357 | Self-consistent DFT+U method for real-space ti... | We implemented various DFT+U schemes, includ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16357 | 16358 | The search for neutron-antineutron oscillation... | Tests on $B-L$ symmetry breaking models are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16358 | 16359 | Compact Multi-Class Boosted Trees | Gradient boosted decision trees are a popula... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16359 | 16360 | Road Friction Estimation for Connected Vehicle... | In this paper, the problem of road friction ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16360 | 16361 | A Decentralized Mobile Computing Network for M... | Collective animal behaviors are paradigmatic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16361 | 16362 | Deep Architectures for Neural Machine Translation | It has been shown that increasing model dept... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16362 | 16363 | Reinforcement Learning of Speech Recognition S... | Speech recognition systems have achieved hig... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16363 | 16364 | Profile-Based Ad Hoc Social Networking Using W... | Ad-hoc Social Networks have become popular t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16364 | 16365 | An a posteriori error analysis for a coupled c... | This paper presents an a posteriori error an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16365 | 16366 | A Hybrid DOS-Tolerant PKC-Based Key Management... | Security is a critical and vital task in wir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16366 | 16367 | Enceladus's crust as a non-uniform thin shell:... | The geologic activity at Enceladus's south p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16367 | 16368 | Minimax Rates and Efficient Algorithms for Noi... | There has been a recent surge of interest in... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16368 | 16369 | Automated Synthesis of Secure Platform Mappings | System development often involves decisions ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16369 | 16370 | Timely Feedback in Unstructured Cybersecurity ... | Cyber defence exercises are intensive, hands... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16370 | 16371 | An $ω$-Algebra for Real-Time Energy Problems | We develop a $^*$-continuous Kleene $\omega$... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16371 | 16372 | Trajectory Normalized Gradients for Distribute... | Recently, researchers proposed various low-p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16372 | 16373 | On the convergence of mirror descent beyond st... | In this paper, we examine the convergence of... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16373 | 16374 | Can MPTCP Secure Internet Communications from ... | -Multipath communications at the Internet sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16374 | 16375 | Network Structure of Two-Dimensional Decaying ... | The present paper reports on our effort to c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16375 | 16376 | Pattern Generation for Walking on Slippery Ter... | In this paper, we extend state of the art Mo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16376 | 16377 | Fisher-Rao Metric, Geometry, and Complexity of... | We study the relationship between geometry a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16377 | 16378 | YUI and HANA: Control and Visualization Progra... | We developed control and visualization progr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16378 | 16379 | A generalization of a theorem of Hurewicz for ... | We identify four countable topological space... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16379 | 16380 | Reconstruction of stochastic 3-D signals with ... | Cryo-electron microscopy provides 2-D projec... | 0 | 1 | 0 | 1 | 0 | 0 |
| 16380 | 16381 | Gradient estimates for singular quasilinear el... | In this paper, we prove $L^q$-estimates for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16381 | 16382 | Learning Feature Nonlinearities with Non-Conve... | For various applications, the relations betw... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16382 | 16383 | Empirical distributions of the robustified $t$... | Based on the median and the median absolute ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16383 | 16384 | Exponential error rates of SDP for block model... | In this paper we consider the cluster estima... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16384 | 16385 | Large-Margin Classification in Hyperbolic Space | Representing data in hyperbolic space can ef... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16385 | 16386 | The airglow layer emission altitude cannot be ... | I investigate the nightly mean emission heig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16386 | 16387 | Microscopic origin of the mobility enhancement... | The spinel/perovskite heterointerface $\gamm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16387 | 16388 | Ordered Monoids: Languages and Relations | We give a finite axiomatization for the vari... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16388 | 16389 | On the secrecy gain of $\ell$-modular lattices | We show that for every $\ell>1$, there is a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16389 | 16390 | Extremal invariant polynomials not satisfying ... | Zeta functions for linear codes were defined... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16390 | 16391 | Fourier analysis of serial dependence measures | Classical spectral analysis is based on the ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16391 | 16392 | HVACKer: Bridging the Air-Gap by Attacking the... | Modern corporations physically separate thei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16392 | 16393 | Koszul binomial edge ideals of pairs of graphs | We study the Koszul property of a standard g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16393 | 16394 | On Loss Functions for Deep Neural Networks in ... | Deep neural networks are currently among the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16394 | 16395 | Are theoretical results 'Results'? | Yes.\n | 0 | 0 | 0 | 0 | 1 | 0 |
| 16395 | 16396 | Self-supervised learning of visual features th... | End-to-end training from scratch of current ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16396 | 16397 | Detector sampling of optical/IR spectra: how m... | Most optical and IR spectra are now acquired... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16397 | 16398 | Accurate Single Stage Detector Using Recurrent... | Most of the recent successful methods in acc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16398 | 16399 | On separable higher Gauss maps | We study the $m$-th Gauss map in the sense o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16399 | 16400 | Diffeomorphisms of the closed unit disc conver... | If $\mathcal{G}$ is the group (under composi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16400 | 16401 | Spitzer Secondary Eclipses of Qatar-1b | Previous secondary eclipse observations of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16401 | 16402 | Dielectric response of Anderson and pseudogapp... | Using a combination of analytic and numerica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16402 | 16403 | Epidemiological modeling of the 2005 French ri... | As a large-scale instance of dramatic collec... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16403 | 16404 | Option Pricing in Illiquid Markets with Jumps | The classical linear Black--Scholes model fo... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16404 | 16405 | A Knowledge-Based Analysis of the Blockchain P... | At the heart of the Bitcoin is a blockchain ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16405 | 16406 | Convergence Analysis of Optimization Algorithms | The regret bound of an optimization algorith... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16406 | 16407 | On the combinatorics of the 2-class classifica... | A set of points $X = X_B \cup X_R \subseteq ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16407 | 16408 | Laboratory evidence of dynamo amplification of... | Magnetic fields are ubiquitous in the Univer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16408 | 16409 | Radiating Electron Interaction with Multiple C... | The multiple colliding laser pulse concept f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16409 | 16410 | Towards End-to-end Text Spotting with Convolut... | In this work, we jointly address the problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16410 | 16411 | Evidence for OH or H2O on the surface of 433 E... | Water and hydroxyl, once thought to be found... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16411 | 16412 | Jump Locations of Jump-Diffusion Processes wit... | We propose a general framework for studying ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16412 | 16413 | Dust evolution with active galactic nucleus fe... | We have recently suggested that dust growth ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16413 | 16414 | Generative-Discriminative Variational Model fo... | The paradigm shift from shallow classifiers ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16414 | 16415 | PCA-Initialized Deep Neural Networks Applied T... | In this paper, we present a novel approach f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16415 | 16416 | On a frame theoretic measure of quality of LTI... | It is of practical significance to define th... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16416 | 16417 | Fuzzy Clustering Data Given on the Ordinal Sca... | A task of clustering data given in the ordin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16417 | 16418 | The ALICE O2 common driver for the C-RORC and ... | ALICE (A Large Ion Collider Experiment) is t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16418 | 16419 | Adapting control policies from simulation to r... | This paper proposes an approach to domain tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16419 | 16420 | Evidence against a supervoid causing the CMB C... | We report the results of the 2dF-VST ATLAS C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16420 | 16421 | How to Produce an Arbitrarily Small Tensor to ... | We construct a toy a model which demonstrate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16421 | 16422 | Meta Learning Shared Hierarchies | We develop a metalearning approach for learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16422 | 16423 | The bright-star masks for the HSC-SSP survey | We present the procedure to build and valida... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16423 | 16424 | Many Paths to Equilibrium: GANs Do Not Need to... | Generative adversarial networks (GANs) are a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16424 | 16425 | The Tensor Memory Hypothesis | We discuss memory models which are based on ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16425 | 16426 | Data-driven Approach to Measuring the Level of... | Published by Reporters Without Borders every... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16426 | 16427 | Advanced Satellite-based Frequency Transfer at... | Advanced satellite-based frequency transfers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16427 | 16428 | Are there needles in a moving haystack? Adapti... | In this paper we investigate the problem of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16428 | 16429 | Image-based Localization using Hourglass Networks | In this paper, we propose an encoder-decoder... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16429 | 16430 | Suppression of Decoherence of a Spin-Boson Sys... | We consider a finite-dimensional quantum sys... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16430 | 16431 | Energy saving for building heating via a simpl... | The model-based control of building heating ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16431 | 16432 | Trace Properties from Separation Logic Specifi... | We propose a formal approach for relating ab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16432 | 16433 | Estimation of Local Degree Distributions via L... | Owing to their capability of summarising int... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16433 | 16434 | The ALMA Phasing System: A Beamforming Capabil... | The Atacama Millimeter/submillimeter Array (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16434 | 16435 | Signatures of two-step impurity mediated vorte... | We simulate a rotating 2D BEC to study the m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16435 | 16436 | Cycle Consistent Adversarial Denoising Network... | In coronary CT angiography, a series of CT i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16436 | 16437 | The multidimensional truncated Moment Problem:... | Let $\mathcal{A}$ be a finite-dimensional su... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16437 | 16438 | Inspiration, Captivation, and Misdirection: Em... | The World Wide Web (WWW) has fundamentally c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16438 | 16439 | Multiphase Aluminum A356 Foam Formation Proces... | Shan-Chen model is a numerical scheme to sim... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16439 | 16440 | Deformations of coisotropic submanifolds in Ja... | In this thesis, we study the deformation pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16440 | 16441 | Discriminate-and-Rectify Encoders: Learning fr... | The complexity of a learning task is increas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16441 | 16442 | Covering compact metric spaces greedily | A general greedy approach to construct cover... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16442 | 16443 | Gauge covariances and nonlinear optical responses | The formalism of the reduced density matrix ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16443 | 16444 | Quasi-Static Internal Magnetic Field Detected ... | We report muon spin relaxation ($\mu$SR) mea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16444 | 16445 | Auto-Encoding Total Correlation Explanation | Advances in unsupervised learning enable rec... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16445 | 16446 | A Characterisation of Open Bisimilarity using ... | Open bisimilarity is the original notion of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16446 | 16447 | Using data science as a community advocacy too... | Cities across the United States are undergoi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16447 | 16448 | General Bayesian inference schemes in infinite... | Bayesian statistical models allow us to form... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16448 | 16449 | Glow: Generative Flow with Invertible 1x1 Conv... | Flow-based generative models (Dinh et al., 2... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16449 | 16450 | Pohozaev identity for the fractional $p-$Lapla... | By virtue of a suitable approximation argume... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16450 | 16451 | A Second Wave of Expanders over Finite Fields | This is an expository survey on recent sum-p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16451 | 16452 | Homology of torus knots | Using the method of Elias-Hogancamp and comb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16452 | 16453 | 2-associahedra | For any $r\geq 1$ and $\mathbf{n} \in \mathb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16453 | 16454 | Anisotropic thermophoresis | Colloidal migration in temperature gradient ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16454 | 16455 | Ultra-Wideband Aided Fast Localization and Map... | This paper proposes an ultra-wideband (UWB) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16455 | 16456 | Modular Sensor Fusion for Semantic Segmentation | Sensor fusion is a fundamental process in ro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16456 | 16457 | Thickness-dependent electronic and magnetic pr... | Growth, electronic and magnetic properties o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16457 | 16458 | Error Characterization, Mitigation, and Recove... | NAND flash memory is ubiquitous in everyday ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16458 | 16459 | Unified Backpropagation for Multi-Objective De... | A common practice in most of deep convolutio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16459 | 16460 | Information-Theoretic Representation Learning ... | Recent advances in weakly supervised classif... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16460 | 16461 | Aspects of Chaitin's Omega | The halting probability of a Turing machine,... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16461 | 16462 | This Looks Like That: Deep Learning for Interp... | When we are faced with challenging image cla... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16462 | 16463 | Deep Learning in the Automotive Industry: Appl... | Deep Learning refers to a set of machine lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16463 | 16464 | Design, Engineering and Optimization of a Grid... | Multilevel converters have found many applic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16464 | 16465 | An infinitely differentiable function with com... | This is the English translation of my old pa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16465 | 16466 | Analysis of bacterial population growth using ... | In the present work, we develop a delayed Lo... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16466 | 16467 | Reverse Quantum Annealing Approach to Portfoli... | We investigate a hybrid quantum-classical so... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16467 | 16468 | GLoMo: Unsupervisedly Learned Relational Graph... | Modern deep transfer learning approaches hav... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16468 | 16469 | Learning to cluster in order to transfer acros... | This paper introduces a novel method to perf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16469 | 16470 | Modeling Perceptual Aliasing in SLAM via Discr... | Perceptual aliasing is one of the main cause... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16470 | 16471 | Sparse distributed representation, hierarchy, ... | Among the more important hallmarks of human ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16471 | 16472 | Efficient implementations of the modified Gram... | The modified Gram-Schmidt (MGS) orthogonaliz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16472 | 16473 | On the isoperimetric constant, covariance ineq... | Firstly, we derive in dimension one a new co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16473 | 16474 | Faster arbitrary-precision dot product and mat... | We present algorithms for real and complex d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16474 | 16475 | Improving Distributed Representations of Tweet... | Unsupervised representation learning for twe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16475 | 16476 | Tverberg-type theorems for matroids: A counter... | Bárány, Kalai, and Meshulam recently obtaine... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16476 | 16477 | Near-Perfect Conversion of a Propagating Plane... | In this paper, theoretical and numerical stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16477 | 16478 | A National Research Agenda for Intelligent Inf... | Our infrastructure touches the day-to-day li... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16478 | 16479 | Surface Edge Explorer (SEE): Planning Next Bes... | Surveying 3D scenes is a common task in robo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16479 | 16480 | N/O abundance ratios in gamma-ray burst and su... | The distribution of N/O abundance ratios cal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16480 | 16481 | Baselines and a datasheet for the Cerema AWP d... | This paper presents the recently published C... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16481 | 16482 | Characterizing Directed and Undirected Network... | Estimating distributions of node characteris... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16482 | 16483 | Tensorial Recurrent Neural Networks for Longit... | Traditional Recurrent Neural Networks assume... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16483 | 16484 | End-to-End Learning for the Deep Multivariate ... | The multivariate probit model (MVP) is a pop... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16484 | 16485 | Purity and separation for oriented matroids | Leclerc and Zelevinsky, motivated by the stu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16485 | 16486 | Random Manifolds have no Totally Geodesic Subm... | For $n\geq 4$ we show that generic closed Ri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16486 | 16487 | Kinematically Redundant Octahedral Motion Plat... | We propose a novel design of a parallel mani... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16487 | 16488 | Loss Max-Pooling for Semantic Image Segmentation | We introduce a novel loss max-pooling concep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16488 | 16489 | Nonlinear Traveling Internal Waves in Depth-Va... | In this work, we study the nonlinear traveli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16489 | 16490 | Instabilities of Internal Gravity Wave Beams | Internal gravity waves play a primary role i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16490 | 16491 | Multiphoton-Excited Fluorescence of Silicon-Va... | Silicon-vacancy color centers in nanodiamond... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16491 | 16492 | Exploring Latent Semantic Factors to Find Usef... | Online reviews provided by consumers are a v... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16492 | 16493 | Thermodynamically-consistent semi-classical $\... | We compare the results of the semi-classical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16493 | 16494 | A Fourier transform for the quantum Toda lattice | We introduce an algebraic Fourier transform ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16494 | 16495 | Semi-supervised learning | Semi-supervised learning deals with the prob... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16495 | 16496 | The Cosmic-Ray Neutron Rover - Mobile Surveys ... | Measurements of root-zone soil moisture acro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16496 | 16497 | Invariance in Constrained Switching | We study discrete time linear constrained sw... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16497 | 16498 | On the choice of the low-dimensional domain fo... | The challenge of taking many variables into ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16498 | 16499 | Distributed resource allocation through utilit... | A fundamental component of the game theoreti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16499 | 16500 | Quasiparticle band structure engineering in va... | The idea of combining different two-dimensio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16500 | 16501 | Special Lagrangian submanifolds and cohomogene... | We construct examples of cohomogeneity one s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16501 | 16502 | Linear Regression with Sparsely Permuted Data | In regression analysis of multivariate data,... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16502 | 16503 | Matrix Scaling and Balancing via Box Constrain... | In this paper, we study matrix scaling and b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16503 | 16504 | AP17-OLR Challenge: Data, Plan, and Baseline | We present the data profile and the evaluati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16504 | 16505 | First results from the IllustrisTNG simulation... | The IllustrisTNG project is a new suite of c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16505 | 16506 | A Fast Implementation of Singular Value Thresh... | In this paper, we present a fast implementat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16506 | 16507 | Surface magnetism of gallium arsenide nanofilms | Gallium arsenide (GaAs) is the widest used s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16507 | 16508 | Monte Carlo study of the Coincidence Resolving... | In this paper we use detailed Monte Carlo si... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16508 | 16509 | Detecting Hierarchical Ties Using Link-Analysi... | Social networks contain implicit knowledge t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16509 | 16510 | Optimal stimulation protocol in a bistable syn... | Consolidation of synaptic changes in respons... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16510 | 16511 | Parametric Polynomial Preserving Recovery on M... | This paper investigates gradient recovery sc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16511 | 16512 | Integral points on the complement of plane qua... | Let $Y$ be the complement of a plane quartic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16512 | 16513 | Modelling collective motion based on the princ... | Collective motion is an intriguing phenomeno... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16513 | 16514 | Cosmic Microwave Background constraints for gl... | We present the first CMB power spectra from ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16514 | 16515 | A parallel implementation of the Synchronised ... | Community detection in networks is a very ac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16515 | 16516 | Index coding with erroneous side information | In this paper, new index coding problems are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16516 | 16517 | HATS-36b and 24 other transiting/eclipsing sys... | We report on the result of a campaign to mon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16517 | 16518 | The Carnegie-Chicago Hubble Program: Discovery... | Ultra-faint dwarf galaxies (UFDs) are the fa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16518 | 16519 | An Exploratory Study on the Implementation and... | Enterprise Resource Planning (ERP) systems h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16519 | 16520 | Selective inference for the problem of regions... | A general approach to selective inference is... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16520 | 16521 | Arbitrary Beam Synthesis of Different Hybrid B... | For future mmWave mobile communication syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16521 | 16522 | The emergence of the concept of filter in topo... | In all approaches to convergence where the c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16522 | 16523 | Memory-augmented Neural Machine Translation | Neural machine translation (NMT) has achieve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16523 | 16524 | RFID Localisation For Internet Of Things Smart... | The Internet of Things (IoT) enables numerou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16524 | 16525 | Symplectic capacities from positive S^1-equiva... | We use positive S^1-equivariant symplectic h... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16525 | 16526 | Synthesis versus analysis in patch-based image... | In global models/priors (for example, using ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16526 | 16527 | Nearly-tight VC-dimension and pseudodimension ... | We prove new upper and lower bounds on the V... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16527 | 16528 | Benchmarking Numerical Methods for Lattice Equ... | We compare performances of well-known numeri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16528 | 16529 | Can Planning Images Reduce Scatter in Follow-U... | Due to its wide field of view, cone-beam com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16529 | 16530 | Proactive Defense Against Physical Denial of S... | While the Internet of things (IoT) promises ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16530 | 16531 | The weakly compact reflection principle need n... | The weakly compact reflection principle $\te... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16531 | 16532 | Large scale distributed neural network trainin... | Techniques such as ensembling and distillati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16532 | 16533 | New method to design stellarator coils without... | Finding an easy-to-build coils set has been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16533 | 16534 | An Analytical Framework for Modeling a Spatial... | We propose a new cellular network model that... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16534 | 16535 | Glycolaldehyde in Perseus young solar analogs | Aims: In this paper we focus on the occurren... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16535 | 16536 | Comprehension-guided referring expressions | We consider generation and comprehension of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16536 | 16537 | Modeling the Multiple Sclerosis Brain Disease ... | The human brain is one of the most complex l... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16537 | 16538 | Improved NN-JPDAF for Joint Multiple Target Tr... | Feature aided tracking can often yield impro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16538 | 16539 | KINETyS: Constraining spatial variations of th... | The heavyweight stellar initial mass functio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16539 | 16540 | Multi-Agent Deep Reinforcement Learning with H... | Deep learning has enabled traditional reinfo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16540 | 16541 | Deep into the Water Fountains: The case of IRA... | (Abridged) The formation of large-scale (hun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16541 | 16542 | QAOA for Max-Cut requires hundreds of qubits f... | Computational quantum technologies are enter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16542 | 16543 | Mixed-Effect Modeling for Longitudinal Predict... | In this paper, a mixed-effect modeling schem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16543 | 16544 | Distributed Exact Shortest Paths in Sublinear ... | The distributed single-source shortest paths... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16544 | 16545 | Fingerprints of angulon instabilities in the s... | The formation of vortices is usually conside... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16545 | 16546 | Considering Multiple Uncertainties in Stochast... | Security-Constrained Unit Commitment (SCUC) ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16546 | 16547 | Gluing Delaunay ends to minimal n-noids using ... | We construct constant mean curvature surface... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16547 | 16548 | Some Remarks on the Hyperkähler Reduction | We consider a hyperkähler reduction and desc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16548 | 16549 | Image Labeling Based on Graphical Models Using... | We introduce a novel approach to Maximum A P... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16549 | 16550 | Operator algebraic approach to inverse and sta... | We prove an inverse theorem for the Gowers $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16550 | 16551 | Collective irregular dynamics in balanced netw... | We extensively explore networks of weakly un... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16551 | 16552 | Measurement of human activity using velocity G... | Human movement is used as an indicator of hu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16552 | 16553 | Concurrent Segmentation and Localization for T... | Real-time instrument tracking is a crucial r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16553 | 16554 | Bobtail: A Proof-of-Work Target that Minimizes... | Blockchain systems are designed to produce b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16554 | 16555 | Mobility Edges in 1D Bichromatic Incommensurat... | We theoretically study a one-dimensional (1D... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16555 | 16556 | Privacy Preserving Identification Using Sparse... | In this paper, we consider a privacy preserv... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16556 | 16557 | Manifold Learning Using Kernel Density Estimat... | We consider the problem of recovering a $d-$... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16557 | 16558 | Unsupervised Learning-based Depth Estimation a... | The RGB-D camera maintains a limited range f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16558 | 16559 | On the Properties of the Power Systems Nodal A... | This letter provides conditions determining ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16559 | 16560 | Isolation and connectivity in random geometric... | Random geometric graphs consist of randomly ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16560 | 16561 | Multi-SpaM: a Maximum-Likelihood approach to P... | Motivation: Word-based or `alignment-free' m... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16561 | 16562 | Zermelo deformation of Finsler metrics by Kill... | We show how geodesics, Jacobi vector fields ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16562 | 16563 | Robust estimation of mixing measures in finite... | In finite mixture models, apart from underly... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16563 | 16564 | Phase Noise and Jitter in Digital Electronics | This article explains phase noise, jitter, a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16564 | 16565 | Advanced Soccer Skills and Team Play of RoboCu... | In order to pursue the vision of the RoboCup... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16565 | 16566 | Phase partitioning in a novel near equi-atomic... | A novel low cost, near equi-atomic alloy com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16566 | 16567 | Overview of Project 8 and Progress Towards Tri... | Project 8 is a tritium endpoint neutrino mas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16567 | 16568 | Proper efficiency and cone efficiency | In this report, two general concepts for pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16568 | 16569 | Sequential Skip Prediction with Few-shot in St... | This paper provides an outline of the algori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16569 | 16570 | Genetic interactions from first principles | We derive a general statistical model of int... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16570 | 16571 | On the Log Partition Function of Ising Model o... | A sparse stochastic block model (SBM) with t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16571 | 16572 | Radial transonic shock solutions of Euler-Pois... | Given constant data of density $\rho_0$, vel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16572 | 16573 | X-rays from Green Pea Analogs | X-ray observations of two metal-deficient lu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16573 | 16574 | A deeper view of the CoRoT-9 planetary system.... | CoRoT-9b is one of the rare long-period (P=9... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16574 | 16575 | Wave propagation characteristics of Parareal | The paper derives and analyses the (semi-)di... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16575 | 16576 | Benchmark of Deep Learning Models on Large Hea... | Deep learning models (aka Deep Neural Networ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16576 | 16577 | Modeling of Persistent Homology | Topological Data Analysis (TDA) is a novel s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16577 | 16578 | Auto-Encoding Sequential Monte Carlo | We build on auto-encoding sequential Monte C... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16578 | 16579 | Einstein's accelerated reference systems and F... | We show that the uniformly accelerated refer... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16579 | 16580 | Premise Selection for Theorem Proving by Deep ... | We propose a deep learning-based approach to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16580 | 16581 | Goldbach Representations in Arithmetic Progres... | Assuming a conjecture on distinct zeros of D... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16581 | 16582 | Estimable group effects for strongly correlate... | It is well known that parameters for strongl... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16582 | 16583 | Online Structure Learning for Sum-Product Netw... | Sum-product networks have recently emerged a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16583 | 16584 | Rapid Design of Wide-Area Heterogeneous Electr... | We propose a novel numerical approach for th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16584 | 16585 | Multimodal Trajectory Predictions for Autonomo... | Autonomous driving presents one of the large... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16585 | 16586 | Phase-Resolved Two-Dimensional Spectroscopy of... | We present a novel time- and phase-resolved,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16586 | 16587 | Optimized Spatial Partitioning via Minimal Swa... | Optimized spatial partitioning algorithms ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16587 | 16588 | Learning Correspondence Structures for Person ... | This paper addresses the problem of handling... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16588 | 16589 | Inner Product and Set Disjointness: Beyond Log... | A basic goal in complexity theory is to unde... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16589 | 16590 | Topological classification of time-asymmetry i... | Effective gauge fields have allowed the emul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16590 | 16591 | A Light Modality for Recursion | We investigate the interplay between a modal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16591 | 16592 | Counting the number of metastable states in th... | Modularity maximization using greedy algorit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16592 | 16593 | Infinite rank surface cluster algebras | We generalise surface cluster algebras to th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16593 | 16594 | Machine learning prediction errors better than... | We investigate the impact of choosing regres... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16594 | 16595 | Invariant tori for the Nosé Thermostat near th... | Let H(q,p) = p^2/2 + V(q) be a 1-degree of f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16595 | 16596 | Dyadic Green's function formalism for photo-in... | A comprehensive theoretical analysis of phot... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16596 | 16597 | Semi-supervised Embedding in Attributed Networ... | In this paper, we propose a novel framework,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16597 | 16598 | Kernel partial least squares for stationary data | We consider the kernel partial least squares... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16598 | 16599 | Doubled Khovanov Homology | We define a homology theory of virtual links... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16599 | 16600 | On the multi-dimensional elephant random walk | The purpose of this paper is to investigate ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16600 | 16601 | Acceleration and Averaging in Stochastic Mirro... | We formulate and study a general family of (... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16601 | 16602 | Electrothermal Feedback in Kinetic Inductance ... | In Kinetic Inductance Detectors (KIDs) and o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16602 | 16603 | Comparison of Modified Kneser-Ney and Witten-B... | Smoothing is one technique to overcome data ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16603 | 16604 | Social evolution of structural discrimination | Structural discrimination appears to be a pe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16604 | 16605 | Decentralized Control of a Hexapod Robot Using... | Robots and control systems rely upon precise... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16605 | 16606 | Domain wall motion by localized temperature gr... | Magnetic domain wall (DW) motion induced by ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16606 | 16607 | Generation of High Dynamic Range Illumination ... | This paper presents an algorithm that enhanc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16607 | 16608 | Replace or Retrieve Keywords In Documents at S... | In this paper we introduce, the FlashText al... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16608 | 16609 | A Multi Objective Reliable Location-Inventory ... | Logistics network is expected that opened fa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16609 | 16610 | Formation of Galactic Prominence in Galactic C... | We carried out 2.5-dimensional resistive MHD... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16610 | 16611 | Joint Probabilistic Linear Discriminant Analysis | Standard probabilistic linear discriminant a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16611 | 16612 | Adversarial Attack on Graph Structured Data | Deep learning on graph structures has shown ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16612 | 16613 | Uncertainty quantification for kinetic models ... | Kinetic equations play a major rule in model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16613 | 16614 | How Much Chemistry Does a Deep Neural Network ... | The meteoric rise of deep learning models in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16614 | 16615 | Accelerated Computing in Magnetic Resonance Im... | Purpose: To develop generic optimization str... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16615 | 16616 | Exploiting Color Name Space for Salient Object... | In this paper, we will investigate the contr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16616 | 16617 | Possibility to realize spin-orbit-induced corr... | Recent theoretical predictions of "unprecede... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16617 | 16618 | Numerical Investigation of Unsteady Aerodynami... | The unsteady characteristics of the flow ove... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16618 | 16619 | Development of a passive Rehabilitation Robot ... | In this research was implemented the use of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16619 | 16620 | PHOEG Helps Obtaining Extremal Graphs | Extremal Graph Theory aims to determine boun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16620 | 16621 | Crime Prediction by Data-Driven Green's Functi... | We develop an algorithm that forecasts casca... | 1 | 1 | 0 | 1 | 0 | 0 |
| 16621 | 16622 | DZ Cha: a bona fide photoevaporating disc | DZ Cha is a weak-lined T Tauri star (WTTS) s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16622 | 16623 | A Bayesian Filtering Algorithm for Gaussian Mi... | A Bayesian filtering algorithm is developed ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16623 | 16624 | Efficient Use of Limited-Memory Accelerators f... | We propose a generic algorithmic building bl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16624 | 16625 | Fast Autonomous Flight in Warehouses for Inven... | The past years have shown a remarkable growt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16625 | 16626 | Cosmological solutions in generalized hybrid m... | We construct exact solutions representing a\... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16626 | 16627 | Ultimate Boundedness for Switched Systems with... | In this paper, we investigate the robustness... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16627 | 16628 | The two-to-infinity norm and singular subspace... | The singular value matrix decomposition play... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16628 | 16629 | Variational Bayesian Complex Network Reconstru... | Complex network reconstruction is a hot topi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16629 | 16630 | Renormalization of the two-dimensional stochas... | We study the two-dimensional stochastic nonl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16630 | 16631 | Generation of High-Purity Millimeter-Wave Orbi... | Twisted electromagnetic waves, of which the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16631 | 16632 | CFT: A Cluster-based File Transfer Scheme for ... | Effective file transfer between vehicles is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16632 | 16633 | Empirical priors and posterior concentration r... | In a Bayesian context, prior specification f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16633 | 16634 | PeerReview4All: Fair and Accurate Reviewer Ass... | We consider the problem of automated assignm... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16634 | 16635 | CT Image Reconstruction in a Low Dimensional M... | Regularization methods are commonly used in ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16635 | 16636 | Deep Unsupervised Clustering Using Mixture of ... | Unsupervised clustering is one of the most f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16636 | 16637 | Enabling a Pepper Robot to provide Automated a... | The Pepper robot has become a widely recogni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16637 | 16638 | The Ensemble Kalman Filter: A Signal Processin... | The ensemble Kalman filter (EnKF) is a Monte... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16638 | 16639 | Simultaneous Transmit and Receive Operation in... | Full-duplex (FD) technology is likely to be ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16639 | 16640 | Transfer Learning-Based Crack Detection by Aut... | Unmanned Aerial Vehicles (UAVs) have recentl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16640 | 16641 | A Separation Between Run-Length SLPs and LZ77 | In this paper we give an infinite family of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16641 | 16642 | A Model that Predicts the Material Recognition... | Tactile sensing can enable a robot to infer ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16642 | 16643 | The Value of Inferring the Internal State of T... | Safe interaction with human drivers is one o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16643 | 16644 | Long range scattering for nonlinear Schrödinge... | In this paper, we consider the final state p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16644 | 16645 | SegMap: 3D Segment Mapping using Data-Driven D... | When performing localization and mapping, wo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16645 | 16646 | The Hesse curve of a Lefschtz pencil of plane ... | We prove that for a generic Lefschetz pencil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16646 | 16647 | Markov State Models from short non-Equilibrium... | Many state of the art methods for the thermo... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16647 | 16648 | Principal series for general linear groups ove... | We construct, for any finite commutative rin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16648 | 16649 | Constraining Radon Backgrounds in LZ | The LZ dark matter detector, like many other... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16649 | 16650 | Single-particle dispersion in stably stratifie... | We present models for single-particle disper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16650 | 16651 | Pili mediated intercellular forces shape heter... | Microcolonies are aggregates of a few dozen ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16651 | 16652 | Accurate Inference for Adaptive Linear Models | Estimators computed from adaptively collecte... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16652 | 16653 | Distribution on Warp Maps for Alignment of Ope... | Alignment of curve data is an integral part ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16653 | 16654 | Unbiased and Consistent Nested Sampling via Se... | We introduce a new class of sequential Monte... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16654 | 16655 | Cuntz semigroups of compact-type Hopf C*-algebras | The classical Cuntz semigroup has an importa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16655 | 16656 | City-Scale Intelligent Systems and Platforms | As of 2014, 54% of the earth's population re... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16656 | 16657 | A simulated comparison between profile and are... | Direct comparison of areal and profile rough... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16657 | 16658 | The VLA-COSMOS 3 GHz Large Project: Continuum ... | We present the VLA-COSMOS 3 GHz Large Projec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16658 | 16659 | DeepSource: Point Source Detection using Deep ... | Point source detection at low signal-to-nois... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16659 | 16660 | Co-design of aperiodic sampled-data min-jumpin... | Co-design conditions for the design of a jum... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16660 | 16661 | Coalescence of Two Impurities in a Trapped One... | We study the ground state of a one-dimension... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16661 | 16662 | Rust Distilled: An Expressive Tower of Languages | Rust represents a major advancement in produ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16662 | 16663 | Game Theory for Multi-Access Edge Computing: S... | Game Theory (GT) has been used with signific... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16663 | 16664 | General description of spin motion in storage ... | The general theoretical description of the i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16664 | 16665 | Simultaneous active parameter estimation and c... | Robots performing manipulation tasks must op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16665 | 16666 | An exploratory factor analysis model for slum ... | In Mexico, 25 per cent of the urban populati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16666 | 16667 | An Estimate of the First Eigenvalue of a Schrö... | Based on the work of Schoen-Yau, we derive a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16667 | 16668 | Ease.ml: Towards Multi-tenant Resource Sharing... | We present ease.ml, a declarative machine le... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16668 | 16669 | Computation on Encrypted Data using Data Flow ... | Encrypting data before sending it to the clo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16669 | 16670 | Analytic and Numerical Analysis of Singular Ca... | Let $I=(c,d)$, $c < 0 < d$, $Q\in C^1: I\rig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16670 | 16671 | Observation of a new field-induced phase trans... | We demonstrate a close connection between ob... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16671 | 16672 | Two-dimensional magneto-optical trap as a sour... | We report on the realization of a transverse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16672 | 16673 | Loading a linear Paul trap to saturation from ... | We present experimental measurements of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16673 | 16674 | Early warning signals in plant disease outbreaks | Summary\n1. Infectious disease outbreaks in ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16674 | 16675 | Predicting the Gender of Indonesian Names | We investigated a way to predict the gender ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16675 | 16676 | Exploring Students Blended Learning Through So... | Information technology (IT) has been used wi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16676 | 16677 | Thompson Sampling for a Fatigue-aware Online R... | In this paper we consider an online recommen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16677 | 16678 | Finding Large Primes | In this paper we present and expand upon pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16678 | 16679 | D-optimal Designs for Multinomial Logistic Models | We consider optimal designs for general mult... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16679 | 16680 | Rover Descent: Learning to optimize by learnin... | Learning to optimize - the idea that we can ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16680 | 16681 | Reordering of the Logistic Map with a Nonlinea... | In the well known logistic map, the paramete... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16681 | 16682 | Tensor network factorizations: Relationships b... | Advanced brain imaging techniques make it po... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16682 | 16683 | Model-free prediction of noisy chaotic time se... | We present a deep neural network for a model... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16683 | 16684 | Robust XVA | We introduce an arbitrage-free framework for... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16684 | 16685 | Rarefaction Waves for the Toda Equation via No... | We apply the method of nonlinear steepest de... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16685 | 16686 | IRA codes derived from Gruenbaum graph | In this paper, we consider coding of short d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16686 | 16687 | Three- and four-electron integrals involving G... | We report the three main ingredients to calc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16687 | 16688 | HARP: Hierarchical Representation Learning for... | We present HARP, a novel method for learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16688 | 16689 | Mixed penalization in convolutive nonnegative ... | When a signal is recorded in an enclosed roo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16689 | 16690 | Using Contour Trees in the Analysis and Visual... | The current generation of radio and millimet... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16690 | 16691 | The Price of BitCoin: GARCH Evidence from High... | This is the first paper that estimates the p... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16691 | 16692 | Application of a unified Kenmotsu-type formula... | Kenmotsu's formula describes surfaces in Euc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16692 | 16693 | A Vector Matroid-Theoretic Approach in the Stu... | In this paper, the structural controllabilit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16693 | 16694 | From cold Fermi fluids to the hot QGP | Strongly coupled quantum fluids are found in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16694 | 16695 | Decomposition method related to saturated hype... | In this paper we study the problem of hyperb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16695 | 16696 | Dynamic interdependence and competition in mul... | From critical infrastructure, to physiology ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16696 | 16697 | Applications of L systems to group theory | L systems generalise context-free grammars b... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16697 | 16698 | 'Senator, We Sell Ads': Analysis of the 2016 R... | One of the key aspects of the United States ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16698 | 16699 | On the k-Means/Median Cost Function | In this work, we study the $k$-means cost fu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16699 | 16700 | Secure and Reconfigurable Network Design for C... | The Internet of things (IoT) is revolutioniz... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16700 | 16701 | Symmetric Variational Autoencoder and Connecti... | A new form of the variational autoencoder (V... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16701 | 16702 | Matrix Product Unitaries: Structure, Symmetrie... | Matrix Product Vectors form the appropriate ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16702 | 16703 | Deep Models Under the GAN: Information Leakage... | Deep Learning has recently become hugely pop... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16703 | 16704 | A. G. W. Cameron 1925-2005, Biographical Memoi... | Alastair Graham Walker Cameron was an astrop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16704 | 16705 | Realization of "Time Crystal" Lagrangians and ... | We demonstrate how non-convex "time crystal"... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16705 | 16706 | Gradient Normalization & Depth Based Decay For... | In this paper we introduce a novel method of... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16706 | 16707 | CARET analysis of multithreaded programs | Dynamic Pushdown Networks (DPNs) are a natur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16707 | 16708 | Sparse modeling approach to analytical continu... | A new approach of solving the ill-conditione... | 0 | 1 | 0 | 1 | 0 | 0 |
| 16708 | 16709 | Distral: Robust Multitask Reinforcement Learning | Most deep reinforcement learning algorithms ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16709 | 16710 | Finding the number density of atomic vapor by ... | We demonstrate a technique for obtaining the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16710 | 16711 | Rigidity for von Neumann algebras given by loc... | We prove the first rigidity and classificati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16711 | 16712 | Quantum Singwi-Tosi-Land-Sjoelander approach f... | For inhomogeneous interacting electronic sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16712 | 16713 | 3D Convolutional Neural Networks for Brain Tum... | This paper analyzes the use of 3D Convolutio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16713 | 16714 | Learning Random Fourier Features by Hybrid Con... | The kernel embedding algorithm is an importa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16714 | 16715 | Min-max formulas and other properties of certa... | This paper is the first attempt to systemati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16715 | 16716 | The Prescribed Ricci Curvature Problem on Homo... | Consider a compact Lie group $G$ and a close... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16716 | 16717 | Solving Boundary Value Problem for a Nonlinear... | An algorithm for constructing a control func... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16717 | 16718 | Modelling and prediction of financial trading ... | Over the last few years there has been a gro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16718 | 16719 | A comparative study of fairness-enhancing inte... | Computers are increasingly used to make deci... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16719 | 16720 | Predicting Opioid Relapse Using Social Media Data | Opioid addiction is a severe public health t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16720 | 16721 | Self-Trapping of G-Mode Oscillations in Relati... | We examine by a perturbation method how the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16721 | 16722 | Computable geometric complex analysis and comp... | We discuss computability and computational c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16722 | 16723 | PoseCNN: A Convolutional Neural Network for 6D... | Estimating the 6D pose of known objects is i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16723 | 16724 | MIP Formulations for the Steiner Forest Problem | The Steiner Forest problem is among the fund... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16724 | 16725 | Luminescence in germania-silica fibers in 1-2 ... | We analyze the origins of the luminescence i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16725 | 16726 | Boundedness in languages of infinite words | We define a new class of languages of $\omeg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16726 | 16727 | Maximum Regularized Likelihood Estimators: A G... | Maximum regularized likelihood estimators (M... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16727 | 16728 | Emergent $\mathrm{SU}(4)$ Symmetry in $α$-ZrCl... | While the enhancement of the spin-space symm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16728 | 16729 | Central elements of the Jennings basis and cer... | From Morita theoretic viewpoint, computing M... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16729 | 16730 | Linear Disentangled Representation Learning fo... | Limited annotated data available for the rec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16730 | 16731 | ChemGAN challenge for drug discovery: can AI r... | Generating molecules with desired chemical p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16731 | 16732 | Nodal domains, spectral minimal partitions, an... | This survey is a short version of a chapter ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16732 | 16733 | Optimal control of two qubits via a single cav... | Optimization of the fidelity of control oper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16733 | 16734 | Modular Representation of Layered Neural Networks | Layered neural networks have greatly improve... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16734 | 16735 | A Guide to General-Purpose Approximate Bayesia... | This Chapter, "A Guide to General-Purpose AB... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16735 | 16736 | Feature Selection Facilitates Learning Mixture... | Feature selection can facilitate the learnin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16736 | 16737 | 3D Human Pose Estimation on a Configurable Bed... | Robots have the potential to assist people i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16737 | 16738 | Multilingual Hierarchical Attention Networks f... | Hierarchical attention networks have recentl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16738 | 16739 | The complexity of recognizing minimally tough ... | Let $t$ be a positive real number. A graph i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16739 | 16740 | Homeostatic plasticity and external input shap... | In vitro and in vivo spiking activity clearl... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16740 | 16741 | How Sensitive are Sensitivity-Based Explanations? | We propose a simple objective evaluation mea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16741 | 16742 | Synchronization Strings: Channel Simulations a... | We present many new results related to relia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16742 | 16743 | Learning to Generate Samples from Noise throug... | In this work, we investigate a novel trainin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16743 | 16744 | Worst-case vs Average-case Design for Estimati... | Pairwise comparison data arises in many doma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16744 | 16745 | Decoupling multivariate polynomials: interconn... | Decoupling multivariate polynomials is usefu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16745 | 16746 | Arcades: A deep model for adaptive decision ma... | In a voice-controlled smart-home, a controll... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16746 | 16747 | Evolutionary Centrality and Maximal Cliques in... | This paper introduces an evolutionary approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16747 | 16748 | Band structure engineered layered metals for l... | Plasmonics currently faces the problem of se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16748 | 16749 | Acceleration through Optimistic No-Regret Dyna... | We consider the problem of minimizing a smoo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16749 | 16750 | A Full Bayesian Model to Handle Structural One... | Economic evaluations from individual-level d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16750 | 16751 | Misconceptions about Calorimetry | In the past 50 years, calorimeters have beco... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16751 | 16752 | Exothermicity is not a necessary condition for... | Recent experiments have revealed that the di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16752 | 16753 | Automatic Detection of Knee Joints and Quantif... | This paper introduces a new approach to auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16753 | 16754 | Data-Driven Filtered Reduced Order Modeling Of... | We propose a data-driven filtered reduced or... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16754 | 16755 | FEAST Eigensolver for Nonlinear Eigenvalue Pro... | The linear FEAST algorithm is a method for s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16755 | 16756 | Twin Primes In Quadratic Arithmetic Progressions | A recent heuristic argument based on basic c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16756 | 16757 | Bit Complexity of Computing Solutions for Symm... | We establish upper bounds of bit complexity ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16757 | 16758 | Relativistic corrections for the ground electr... | We recalculate the leading relativistic corr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16758 | 16759 | Homogenization in Perforated Domains and Inter... | We establish interior Lipschitz estimates at... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16759 | 16760 | Opinion-Based Centrality in Multiplex Networks... | Most people simultaneously belong to several... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16760 | 16761 | FDTD: solving 1+1D delay PDE in parallel | We present a proof of concept for solving a ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16761 | 16762 | Optimal Installation for Electric Vehicle Wire... | Range anxiety, the persistent worry about no... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16762 | 16763 | Improved Fixed-Rank Nyström Approximation via ... | The Nyström method is a popular technique fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16763 | 16764 | Population splitting of rodlike swimmers in Co... | We present a quantitative analysis on the re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16764 | 16765 | MultiAmdahl: Optimal Resource Allocation in He... | Future multiprocessor chips will integrate m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16765 | 16766 | Coset Vertex Operator Algebras and $\W$-Algebras | We give an explicit description for the weig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16766 | 16767 | The Moore and the Myhill Property For Strongly... | We prove the Moore and the Myhill property f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16767 | 16768 | eSource for clinical trials: Implementation an... | Objective: The Learning Health System (LHS) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16768 | 16769 | SMILES Enumeration as Data Augmentation for Ne... | Simplified Molecular Input Line Entry System... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16769 | 16770 | Binary Tomography Reconstructions With Few Pro... | We approach the tomographic problem in terms... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16770 | 16771 | On finite determinacy of complete intersection... | We give an elementary combinatorial proof of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16771 | 16772 | Topological phase transformations and intrinsi... | Composite materials comprised of ferroelectr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16772 | 16773 | Honors Thesis: On the faithfulness of the Bura... | We study the kernel of the evaluated Burau r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16773 | 16774 | On Interpolation and Symbol Elimination in The... | In this paper we study possibilities of inte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16774 | 16775 | Stellar Abundances for Galactic Archaeology Da... | We have constructed the database of stars in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16775 | 16776 | Relativistic distortions in the large-scale cl... | General relativistic effects have long been ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16776 | 16777 | Superconductivity at the vacancy disorder boun... | The role of phase separation in the emergenc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16777 | 16778 | Probing Primordial-Black-Hole Dark Matter with... | Primordial black holes (PBHs) have long been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16778 | 16779 | Fundamental limits of low-rank matrix estimati... | We consider the high-dimensional inference p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16779 | 16780 | Scalable Gaussian Process Inference with Finit... | Gaussian processes (GPs) offer a flexible cl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16780 | 16781 | Integral representations and asymptotic behavi... | The paper explores various special functions... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16781 | 16782 | Efficient Mendler-Style Lambda-Encodings in Ce... | It is common to model inductive datatypes as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16782 | 16783 | Super Jack-Laurent Polynomials | Let $\mathcal{D}_{n,m}$ be the algebra of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16783 | 16784 | A New Classification of Technologies | This study here suggests a classification of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16784 | 16785 | Potential functions on Grassmannians of planes... | With a triangulation of a planar polygon wit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16785 | 16786 | Physical properties of the first spectroscopic... | We present K-band Multi-Object Spectrograph ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16786 | 16787 | Gas near a wall: a shortened mean free path, r... | For the gas near a solid planar wall, we pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16787 | 16788 | Greater data science at baccalaureate institut... | Donoho's JCGS (in press) paper is a spirited... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16788 | 16789 | Direct evidence of hierarchical assembly at lo... | The demographics of dwarf galaxy populations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16789 | 16790 | Short-term Mortality Prediction for Elderly Pa... | Risk prediction is central to both clinical ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16790 | 16791 | R-C3D: Region Convolutional 3D Network for Tem... | We address the problem of activity detection... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16791 | 16792 | Regularization for Deep Learning: A Taxonomy | Regularization is one of the crucial ingredi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16792 | 16793 | Re-Evaluating the Netflix Prize - Human Uncert... | In this paper, we examine the statistical so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16793 | 16794 | Infinite monochromatic sumsets for colourings ... | N. Hindman, I. Leader and D. Strauss proved ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16794 | 16795 | Mean-Field Games with Differing Beliefs for Al... | Even when confronted with the same data, age... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16795 | 16796 | Energy efficiency of finite difference algorit... | In addition to hardware wall-time restrictio... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16796 | 16797 | A Plane of High Velocity Galaxies Across the L... | We recently showed that several Local Group ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16797 | 16798 | Scalable Magnetic Field SLAM in 3D Using Gauss... | We present a method for scalable and fully 3... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16798 | 16799 | K-means Algorithm over Compressed Binary Data | We consider a network of binary-valued senso... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16799 | 16800 | Variational Inference for Gaussian Process Mod... | Large-scale Gaussian process inference has l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16800 | 16801 | Incorporation of prior knowledge of the signal... | Diffusion MRI measurements using hyperpolari... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16801 | 16802 | Rabi noise spectroscopy of individual two-leve... | Understanding the nature of two-level tunnel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16802 | 16803 | Learning rate adaptation for federated and dif... | We propose an algorithm for the adaptation o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16803 | 16804 | Holomorphic Hermite polynomials in two variables | Generalizations of the Hermite polynomials t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16804 | 16805 | Equilibria, information and frustration in het... | Interactions between people are the basis on... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16805 | 16806 | Scalable Generalized Dynamic Topic Models | Dynamic topic models (DTMs) model the evolut... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16806 | 16807 | Session Types for Orchestrated Interactions | In the setting of the pi-calculus with binar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16807 | 16808 | An Agent-Based Approach for Optimizing Modular... | Modularity in military vehicle designs enabl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16808 | 16809 | Delta-epsilon functions and uniform continuity... | Under certain general conditions, an explici... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16809 | 16810 | Deterministic Dispersion of Mobile Robots in D... | In this work, we study the problem of disper... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16810 | 16811 | A brain signature highly predictive of future ... | Early prognosis of Alzheimer's dementia is h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16811 | 16812 | Deep scattering transform applied to note onse... | Automatic Music Transcription (AMT) is one o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16812 | 16813 | Gaschütz Lemma for Compact Groups | We prove the Gaschütz Lemma holds for all me... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16813 | 16814 | Driven flow with exclusion and spin-dependent ... | We present a simplified description for spin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16814 | 16815 | MOG: Mapper on Graphs for Relationship Preserv... | The interconnected nature of graphs often re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16815 | 16816 | Variation Evolving for Optimal Control Computa... | A compact version of the Variation Evolving ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16816 | 16817 | Transforming Sensor Data to the Image Domain f... | Convolutional Neural Networks (CNNs) have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16817 | 16818 | The Price of Differential Privacy For Online L... | We design differentially private algorithms ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16818 | 16819 | Simulation chain and signal classification for... | Acoustic neutrino detection is a promising a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16819 | 16820 | Parameter Space Noise for Exploration | Deep reinforcement learning (RL) methods gen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16820 | 16821 | Deep Illumination: Approximating Dynamic Globa... | We present Deep Illumination, a novel machin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16821 | 16822 | Fraternal Dropout | Recurrent neural networks (RNNs) are importa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16822 | 16823 | Finite-sample bounds for the multivariate Behr... | The Behrens-Fisher problem is a well-known h... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16823 | 16824 | Evidence for mixed rationalities in preference... | Understanding the mechanisms underlying the ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16824 | 16825 | A Variance Maximization Criterion for Active L... | Active learning aims to train a classifier a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16825 | 16826 | Polarization, plasmon, and Debye screening in ... | We compute the polarization function in a do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16826 | 16827 | Identifying Product Order with Restricted Bolt... | Unsupervised machine learning via a restrict... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16827 | 16828 | A finite temperature study of ideal quantum ga... | We study the thermodynamics of ideal Bose ga... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16828 | 16829 | High-Frequency Analysis of Effective Interacti... | Using a high-frequency expansion in periodic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16829 | 16830 | Fast binary embeddings, and quantized compress... | This paper deals with two related problems, ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16830 | 16831 | The Many Faces of Link Fraud | Most past work on social network link fraud ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16831 | 16832 | Diophantine approximation by special primes | We show that whenever $\delta>0$, $\eta$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16832 | 16833 | A Compositional Treatment of Iterated Open Games | Compositional Game Theory is a new, recently... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16833 | 16834 | Bayesian inference for spectral projectors of ... | Let $X_1, \ldots, X_n$ be i.i.d. sample in $... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16834 | 16835 | Handling Incomplete Heterogeneous Data using VAEs | Variational autoencoders (VAEs), as well as ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16835 | 16836 | Geometric mean of probability measures and geo... | The space of all probability measures having... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16836 | 16837 | On automorphism groups of Toeplitz subshifts | In this article we study automorphisms of To... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16837 | 16838 | How to Generate Pseudorandom Permutations Over... | Recent results by Alagic and Russell have gi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16838 | 16839 | Measures of Tractography Convergence | In the present work, we use information theo... | 0 | 0 | 0 | 1 | 1 | 0 |
| 16839 | 16840 | Network Flow Based Post Processing for Sales D... | Collaborative filtering is a broad and power... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16840 | 16841 | Lattice Model for Production of Gas | We define a lattice model for rock, absorber... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16841 | 16842 | Adaptive Representation Selection in Contextua... | We consider an extension of the contextual b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16842 | 16843 | Algebraic surfaces with zero-dimensional cohom... | Using the theory of cohomology support locus... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16843 | 16844 | Insight into the temperature dependent propert... | Analyzing temperature dependent photoemissio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16844 | 16845 | Some Ageing Properties of Dynamic Additive Mea... | Although proportional hazard rate model is a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16845 | 16846 | From Monte Carlo to Las Vegas: Improving Restr... | We propose a Las Vegas transformation of Mar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16846 | 16847 | CD meets CAT | We show that if a noncollapsed $CD(K,n)$ spa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16847 | 16848 | Cost Models for Selecting Materialized Views i... | Data warehouse performance is usually achiev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16848 | 16849 | Dealing with Integer-valued Variables in Bayes... | Bayesian optimization (BO) methods are usefu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16849 | 16850 | Second-order constrained variational problems ... | The aim of this work is to study, from an in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16850 | 16851 | The Galactic Cosmic Ray Electron Spectrum from... | The cosmic ray electrons measured by Voyager... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16851 | 16852 | Online Scheduling of Spark Workloads with Meso... | In the following, we present example illustr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16852 | 16853 | On the representation dimension and finitistic... | For monomial special multiserial algebras, w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16853 | 16854 | Would You Like to Motivate Software Testers? A... | Context. Considering the importance of softw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16854 | 16855 | POMDP Structural Results for Controlled Sensing | This article provides a short review of some... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16855 | 16856 | Low Rank Matrix Recovery with Simultaneous Pre... | We study a data model in which the data matr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16856 | 16857 | Power-Sum Denominators | The power sum $1^n + 2^n + \cdots + x^n$ has... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16857 | 16858 | A resource-frugal probabilistic dictionary and... | Indexing massive data sets is extremely expe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16858 | 16859 | Fast learning rate of deep learning via a kern... | We develop a new theoretical framework to an... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16859 | 16860 | Closed-loop field development optimization wit... | Closed-loop field development (CLFD) optimiz... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16860 | 16861 | Reduction and regular $t$-balanced Cayley maps... | A regular $t$-balanced Cayley map (RBCM$_t$ ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16861 | 16862 | Perovskite Substrates Boost the Thermopower of... | Transition metal oxides are promising candid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16862 | 16863 | Motion of a rod pushed at one point in a weigh... | We analyze the motion of a rod floating in a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16863 | 16864 | Dimension theory and components of algebraic s... | We prove some basic results on the dimension... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16864 | 16865 | When is a polynomial ideal binomial after an a... | Can an ideal I in a polynomial ring k[x] ove... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16865 | 16866 | Annihilators in $\mathbb{N}^k$-graded and $\ma... | It has been shown by McCoy that a right idea... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16866 | 16867 | q-Neurons: Neuron Activations based on Stochas... | We propose a new generic type of stochastic ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16867 | 16868 | Liveness-Driven Random Program Generation | Randomly generated programs are popular for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16868 | 16869 | Modeling and optimal control of HIV/AIDS preve... | Pre-exposure prophylaxis (PrEP) consists in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16869 | 16870 | STARIMA-based Traffic Prediction with Time-var... | Based on the observation that the correlatio... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16870 | 16871 | Electric Vehicle Charging Station Placement Me... | For accommodating more electric vehicles (EV... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16871 | 16872 | The Steinberg linkage class for a reductive al... | Let G be a reductive algebraic group over a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16872 | 16873 | Detection and Resolution of Rumours in Social ... | Despite the increasing use of social media p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16873 | 16874 | On harmonic analysis of spherical convolutions... | This paper contains a non-trivial generaliza... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16874 | 16875 | Relaxation-based viscosity mapping for magneti... | Magnetic Particle Imaging (MPI) has been sho... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16875 | 16876 | Detecting Statistically Significant Communities | Community detection is a key data analysis p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16876 | 16877 | On the effectivity of spectra representing mot... | Let k be an infinite perfect field. We provi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16877 | 16878 | Aggregated Momentum: Stability Through Passive... | Momentum is a simple and widely used trick w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16878 | 16879 | On the Number of Bins in Equilibria for Signal... | We investigate the equilibrium behavior for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16879 | 16880 | The Dantzig selector for a linear model of dif... | In this paper, a linear model of diffusion p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16880 | 16881 | A Spatio-Temporal Multivariate Shared Componen... | Among the proposals for joint disease mappin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16881 | 16882 | The dynamo effect in decaying helical turbulence | We show that in decaying hydromagnetic turbu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16882 | 16883 | Geometrically finite amalgamations of hyperbol... | We prove that, for any two finite volume hyp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16883 | 16884 | Dining Philosophers, Leader Election and Ring ... | We provide the first quantum (exact) protoco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16884 | 16885 | An Online Secretary Framework for Fog Network ... | Fog computing is seen as a promising approac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16885 | 16886 | Computer-assisted proof of heteroclinic connec... | We present a computer-assisted proof of hete... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16886 | 16887 | Dust and Gas in Star Forming Galaxies at z~3 -... | We present millimetre dust emission measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16887 | 16888 | Flow speed has little impact on propulsive cha... | Experiments are reported on the performance ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16888 | 16889 | Switching and Data Injection Attacks on Stocha... | In this paper, we consider the problem of at... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16889 | 16890 | Generating Sentence Planning Variations for St... | There has been a recent explosion in applica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16890 | 16891 | Detection of planet candidates around K giants... | Aims. The purpose of this paper is to detect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16891 | 16892 | Perfect Half Space Games | We introduce perfect half space games, in wh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16892 | 16893 | Energy-efficient Analog Sensing for Large-scal... | The research challenge of current Wireless S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16893 | 16894 | Computation of ground-state properties in mole... | We address the computation of ground-state p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16894 | 16895 | Demonstration of the Relationship between Sens... | Inverse Uncertainty Quantification (UQ), or ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16895 | 16896 | The GENIUS Approach to Robust Mendelian Random... | Mendelian randomization (MR) is a popular in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16896 | 16897 | Evaluation of Trace Alignment Quality and its ... | Trace alignment algorithms have been used in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16897 | 16898 | Size Constraints on Majorana Beamsplitter Inte... | Topological insulator surfaces in proximity ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16898 | 16899 | Counting Arithmetical Structures on Paths and ... | Let $G$ be a finite, simple, connected graph... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16899 | 16900 | From synaptic interactions to collective dynam... | The study of neuronal interactions is curren... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16900 | 16901 | Exploring cosmic origins with CORE: mitigation... | We present an analysis of the main systemati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16901 | 16902 | A non-ordinary peridynamics implementation for... | Peridynamics (PD) represents a new approach ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16902 | 16903 | Discrete-attractor-like Tracking in Continuous... | Continuous attractor neural networks generat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 16903 | 16904 | Framework for an Innovative Perceptive Mobile ... | In this paper, we develop a framework for an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16904 | 16905 | On the smallest non-abelian quotient of $\math... | We show that the smallest non-abelian quotie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16905 | 16906 | Property Testing in High Dimensional Ising models | This paper explores the information-theoreti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16906 | 16907 | Stratification and duality for homotopical groups | In this paper, we show that the category of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16907 | 16908 | Efficiently and easily integrating differentia... | We present a family of Python modules for th... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16908 | 16909 | Adaptive Diffusions for Scalable Learning over... | Diffusion-based classifiers such as those re... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16909 | 16910 | On the Discrimination Power and Effective Util... | Active Learning (AL) methods have proven cos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16910 | 16911 | Torchbearer: A Model Fitting Library for PyTorch | We introduce torchbearer, a model fitting li... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16911 | 16912 | On estimation of contamination from hydrogen c... | Line-intensity mapping surveys probe large-s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16912 | 16913 | Training Well-Generalizing Classifiers for Fai... | Classifiers can be trained with data-depende... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16913 | 16914 | Automated Website Fingerprinting through Deep ... | Several studies have shown that the network ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16914 | 16915 | DataCite as a novel bibliometric source: Cover... | This paper explores the characteristics of D... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16915 | 16916 | Parameter Estimation of Complex Fractional Orn... | We obtain strong consistency and asymptotic ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16916 | 16917 | E-learning Information Technology Based on an ... | In the article, proposed is a new e-learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16917 | 16918 | Global regularity for 1D Eulerian dynamics wit... | The Euler-Poisson-Alignment (EPA) system app... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16918 | 16919 | A $q$-generalization of the para-Racah polynom... | New bispectral orthogonal polynomials are ob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16919 | 16920 | Data Poisoning Attack against Unsupervised Nod... | Unsupervised node embedding methods (e.g., D... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16920 | 16921 | Entanglement properties of the two-dimensional... | Two-dimensional (spin-$2$) Affleck-Kennedy-L... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16921 | 16922 | Heart Rate Variability during Periods of Low B... | Efficient management of low blood pressure (... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16922 | 16923 | Understanding News Outlets' Audience-Targeting... | The power of the press to shape the informat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16923 | 16924 | Deriving a Representative Vector for Ontology ... | Selecting a representative vector for a set ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16924 | 16925 | The ESA Gaia Archive: Data Release 1 | ESA Gaia mission is producing the more accur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16925 | 16926 | Efficient algorithm for large spectral partitions | We present an amelioration of current known ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16926 | 16927 | A Martian Origin for the Mars Trojan Asteroids | Seven of the nine known Mars Trojan asteroid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16927 | 16928 | Far-infrared metallicity diagnostics: Applicat... | The abundance of metals in galaxies is a key... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16928 | 16929 | Quantum communication by means of collapse of ... | We show that quantum communication by means ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16929 | 16930 | DeepTerramechanics: Terrain Classification and... | Terramechanics plays a critical role in the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16930 | 16931 | Characterizations of multinormality and corres... | We provide novel characterizations of multiv... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16931 | 16932 | Grouped Gaussian Processes for Solar Power Pre... | We consider multi-task regression models whe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16932 | 16933 | Modeling epidemics on d-cliqued graphs | Since social interactions have been shown to... | 1 | 0 | 0 | 0 | 1 | 0 |
| 16933 | 16934 | On the K-theory stable bases of the Springer r... | Cohomological and K-theoretic stable bases o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16934 | 16935 | Recency Bias in the Era of Big Data: The Need ... | The amount of information available to the m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16935 | 16936 | Convergence Analysis of Deterministic Kernel-B... | This paper presents a convergence analysis o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16936 | 16937 | The toric Frobenius morphism and a conjecture ... | We combine the Bondal-Uehara method for prod... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16937 | 16938 | Friendship Maintenance and Prediction in Multi... | Due to the proliferation of online social ne... | 1 | 1 | 0 | 0 | 0 | 0 |
| 16938 | 16939 | Learning to Generate Music with BachProp | As deep learning advances, algorithms of mus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16939 | 16940 | How to Quantize $n$ Outputs of a Binary Symmet... | Suppose that $Y^n$ is obtained by observing ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16940 | 16941 | Semi-Supervised Deep Learning for Monocular De... | Supervised deep learning often suffers from ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16941 | 16942 | Approximation Schemes for Clustering with Outl... | Clustering problems are well-studied in a va... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16942 | 16943 | Order preserving pattern matching on trees and... | The order preserving pattern matching (OPPM)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16943 | 16944 | Categorical Probabilistic Theories | We present a simple categorical framework fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16944 | 16945 | Maximal polynomial modulations of singular int... | Let $K$ be a standard Hölder continuous Cald... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16945 | 16946 | Effects of Hubbard term correction on the stru... | The effects of including the Hubbard on-site... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16946 | 16947 | A multi-scale Gaussian beam parametrix for the... | We present a construction of a multi-scale G... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16947 | 16948 | Uncertainty and sensitivity analysis of functi... | A functional risk curve gives the probabilit... | 0 | 0 | 1 | 1 | 0 | 0 |
| 16948 | 16949 | Global optimization for low-dimensional switch... | The paper provides global optimization algor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16949 | 16950 | An Incremental Self-Organizing Architecture fo... | During visuomotor tasks, robots must compens... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16950 | 16951 | A CutFEM method for two-phase flow problems | In this article, we present a cut finite ele... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16951 | 16952 | Learning under selective labels in the presenc... | We explore the problem of learning under sel... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16952 | 16953 | Opacity limit for supermassive protostars | We present a model for the evolution of supe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16953 | 16954 | Learning to Imagine Manipulation Goals for Rob... | Prospection is an important part of how huma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16954 | 16955 | On the Combinatorial Power of the Weisfeiler-L... | The classical Weisfeiler-Lehman method WL[2]... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16955 | 16956 | Learning to Generate Reviews and Discovering S... | We explore the properties of byte-level recu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16956 | 16957 | Designing magnetism in Fe-based Heusler alloys... | Combining material informatics and high-thro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16957 | 16958 | On a diffuse interface model for tumour growth... | We study a non-local variant of a diffuse in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16958 | 16959 | Gradient Descent Can Take Exponential Time to ... | Although gradient descent (GD) almost always... | 1 | 0 | 1 | 1 | 0 | 0 |
| 16959 | 16960 | Spectral parameter power series for arbitrary ... | Let $L$ be the $n$-th order linear different... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16960 | 16961 | Antropologia de la Informatica Social: Teoria ... | The traditional humanism of the twentieth ce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16961 | 16962 | A Deterministic Approach to Avoid Saddle Points | Loss functions with a large number of saddle... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16962 | 16963 | Automatic Generation of Typographic Font from ... | This paper addresses the automatic generatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16963 | 16964 | The Second Postulate of Euclid and the Hyperbo... | The article deals with the connection betwee... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16964 | 16965 | Transkernel: An Executor for Commodity Kernels... | Modern mobile and embedded platforms see a l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16965 | 16966 | No iterated identities satisfied by all finite... | We show that there is no iterated identity s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16966 | 16967 | Optimization Methods for Supervised Machine Le... | The goal of this tutorial is to introduce ke... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16967 | 16968 | A Unified Parallel Algorithm for Regularized G... | Partial Least Squares (PLS) methods have bee... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16968 | 16969 | Asymptotic behaviour of the fifth Painlevé tra... | We study the asymptotic behaviour of the sol... | 0 | 1 | 1 | 0 | 0 | 0 |
| 16969 | 16970 | Hidden Treasures - Recycling Large-Scale Inter... | Internet-wide scans are a common active meas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16970 | 16971 | Image Registration and Predictive Modeling: Le... | We present a method for metric optimization ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16971 | 16972 | On a direct algorithm for constructing recursi... | We suggested an algorithm for searching the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16972 | 16973 | Network Classification and Categorization | To the best of our knowledge, this paper pre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16973 | 16974 | A Polynomial-Time Algorithm for Solving the Mi... | Many complex systems in biology, physics, an... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16974 | 16975 | The Description and Scaling Behavior for the I... | A second derivative-based moment method is p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16975 | 16976 | Completely Sidon sets in $C^*$-algebras (New t... | A sequence in a $C^*$-algebra $A$ is called ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16976 | 16977 | Conflict-Free Coloring of Planar Graphs | A conflict-free k-coloring of a graph assign... | 1 | 0 | 1 | 0 | 0 | 0 |
| 16977 | 16978 | Explicit solutions to utility maximization pro... | We study the problem of utility maximization... | 0 | 0 | 0 | 0 | 0 | 1 |
| 16978 | 16979 | Spectroscopic study of the elusive globular cl... | Globular clusters (GCs) are amongst the olde... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16979 | 16980 | The Fundamental Infinity-Groupoid of a Paramet... | Given an infinity-category C, one can natura... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16980 | 16981 | Leveraging Pre-Trained 3D Object Detection Mod... | Training 3D object detectors for autonomous ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16981 | 16982 | Epidemic spreading in multiplex networks influ... | We study the changes of opinions about vacci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16982 | 16983 | CASP Solutions for Planning in Hybrid Domains | CASP is an extension of ASP that allows for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16983 | 16984 | Primordial black holes from inflaton and spect... | We study production of primordial black hole... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16984 | 16985 | State Space Decomposition and Subgoal Creation... | Typical reinforcement learning (RL) agents l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16985 | 16986 | Robust Imitation of Diverse Behaviors | Deep generative models have recently shown g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16986 | 16987 | Efficient Measurement of the Vibrational Rogue... | In this paper we discuss the possible usage ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16987 | 16988 | SceneCut: Joint Geometric and Object Segmentat... | This paper presents SceneCut, a novel approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16988 | 16989 | An Invariant Model of the Significance of Diff... | In this paper, we show that different body p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16989 | 16990 | Forecasting Crime with Deep Learning | The objective of this work is to take advant... | 0 | 0 | 0 | 1 | 0 | 0 |
| 16990 | 16991 | A family of compact semitoric systems with two... | About 6 years ago, semitoric systems were cl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16991 | 16992 | Mixed Threefolds Isogenous to a Product | In this paper we study \emph{threefolds isog... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16992 | 16993 | Discriminatory Transfer | We observe standard transfer learning can im... | 1 | 0 | 0 | 1 | 0 | 0 |
| 16993 | 16994 | Ultrafast relaxation of hot phonons in Graphen... | Fast carrier cooling is important for high p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16994 | 16995 | Non-linear Associative-Commutative Many-to-One... | Pattern matching is a powerful tool which is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16995 | 16996 | Pair Background Envelopes in the SiD Detector | The beams at the ILC produce electron positr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 16996 | 16997 | Expansion of percolation critical points for H... | The Hamming graph $H(d,n)$ is the Cartesian ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 16997 | 16998 | Efficiently Manifesting Asynchronous Programmi... | Android, the #1 mobile app framework, enforc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16998 | 16999 | AI Challenges in Human-Robot Cognitive Teaming | Among the many anticipated roles for robots ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 16999 | 17000 | Generalizing the MVW involution, and the contr... | For certain quasi-split reductive groups $G$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17000 | 17001 | Miraculous cancellations for quantum $SL_2$ | In earlier work, Helen Wong and the author d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17001 | 17002 | Energy and time measurements with high-granula... | This note is a short summary of the workshop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17002 | 17003 | Action Tubelet Detector for Spatio-Temporal Ac... | Current state-of-the-art approaches for spat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17003 | 17004 | Significance of Side Information in the Graph ... | Percolation based graph matching algorithms ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17004 | 17005 | Extended Gray-Wyner System with Complementary ... | We establish the rate region of an extended ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17005 | 17006 | Learning Powers of Poisson Binomial Distributions | We introduce the problem of simultaneously l... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17006 | 17007 | Geometry of simplices in Minkowski spaces | There are many problems and configurations i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17007 | 17008 | DLR : Toward a deep learned rhythmic represent... | In the use of deep neural networks, it is cr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17008 | 17009 | Phylogeny-based tumor subclone identification ... | Tumor cells acquire different genetic altera... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17009 | 17010 | Confidence-based Graph Convolutional Networks ... | Predicting properties of nodes in a graph is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17010 | 17011 | Long-range fluctuations and multifractality in... | This paper studies the daily connectivity ti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17011 | 17012 | The Dynamics of Norm Change in the Cultural Ev... | What happens when a new social convention re... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17012 | 17013 | Bayesian Joint Spike-and-Slab Graphical Lasso | In this article, we propose a new class of p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17013 | 17014 | Variations on the theme of the uniform boundar... | The uniform boundary condition in a normed c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17014 | 17015 | revisit: a Workflow Tool for Data Science | In recent years there has been widespread co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17015 | 17016 | Programmatically Interpretable Reinforcement L... | We present a reinforcement learning framewor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17016 | 17017 | Kinetic Simulation of Collisional Magnetized P... | Plasmas with varying collisionalities occur ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17017 | 17018 | VC-dimension of short Presburger formulas | We study VC-dimension of short formulas in P... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17018 | 17019 | Real-time Traffic Accident Risk Prediction bas... | Traffic accident data are usually noisy, con... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17019 | 17020 | Do Developers Update Their Library Dependencie... | Third-party library reuse has become common ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17020 | 17021 | Is Smaller Better: A Proposal To Consider Bact... | Bacteria are easily characterizable model or... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17021 | 17022 | A Bayesian Data Augmentation Approach for Lear... | Data augmentation is an essential part of th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17022 | 17023 | Interpreting Embedding Models of Knowledge Bas... | Knowledge bases are employed in a variety of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17023 | 17024 | Parameterized complexity of machine scheduling... | Machine scheduling problems are a long-time ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17024 | 17025 | Potential Conditional Mutual Information: Esti... | The conditional mutual information I(X;Y|Z) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17025 | 17026 | A new approach to divergences in quantum elect... | An interesting attempt for solving infrared ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17026 | 17027 | Indefinite boundary value problems on graphs | We consider the spectral structure of indefi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17027 | 17028 | Integral curvatures of Finsler manifolds and a... | In this paper, we study the integral curvatu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17028 | 17029 | L-functions and sharp resonances of infinite i... | For convex co-compact subgroups of SL2(Z) we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17029 | 17030 | An Enhanced Lumped Element Electrical Model of... | The massive parallel approach of neuromorphi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17030 | 17031 | Non-perturbative positive Lyapunov exponent of... | We first study the discrete Schrödinger equa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17031 | 17032 | Greedy Algorithms for Cone Constrained Optimiz... | Greedy optimization methods such as Matching... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17032 | 17033 | Probing the accretion disc structure by the tw... | We analyze the relation between the emission... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17033 | 17034 | Can scientists and their institutions become t... | This article offers a personal perspective o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17034 | 17035 | Character sums for elliptic curve densities | If $E$ is an elliptic curve over $\mathbb{Q}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17035 | 17036 | A monolithic fluid-structure interaction formu... | A unified fluid-structure interaction (FSI) ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17036 | 17037 | Different Non-extensive Models for heavy-ion c... | The transverse momentum ($p_T$) spectra from... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17037 | 17038 | Efficient Toxicity Prediction via Simple Featu... | Toxicity prediction of chemical compounds is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17038 | 17039 | Minmax Hierarchies and Minimal Surfaces in Man... | We introduce a general scheme that permits t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17039 | 17040 | Nonseparable Multinomial Choice Models in Cros... | Multinomial choice models are fundamental fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17040 | 17041 | Corona limits of tilings : Periodic case | We study the limit shape of successive coron... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17041 | 17042 | The Spatial Range of Conformity | Properties of galaxies like their absolute m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17042 | 17043 | Non-convex learning via Stochastic Gradient La... | Stochastic Gradient Langevin Dynamics (SGLD)... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17043 | 17044 | Multilevel preconditioner of Polynomial Chaos ... | More than 23 million people are suffered by ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17044 | 17045 | Superradiant Mott Transition | The combination of strong correlation and em... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17045 | 17046 | Communication via FRET in Nanonetworks of Mobi... | A practical, biologically motivated case of ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17046 | 17047 | Multivariate generalized Pareto distributions:... | Multivariate generalized Pareto distribution... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17047 | 17048 | Invertibility of spectral x-ray data with pile... | In the Alvarez-Macovski method, the line int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17048 | 17049 | Steinberg representations and harmonic cochain... | Let $G$ be an adjoint quasi-simple group def... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17049 | 17050 | Lorentzian surfaces and the curvature of the S... | The b-boundary is a mathematical tool used t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17050 | 17051 | Mixed Precision Solver Scalable to 16000 MPI P... | Lattice Quantum Chromodynamics (Lattice QCD)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17051 | 17052 | A spectral/hp element MHD solver | A new MHD solver, based on the Nektar++ spec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17052 | 17053 | Journalists' information needs, seeking behavi... | We describe the results of a qualitative stu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17053 | 17054 | Fast Low-Rank Bayesian Matrix Completion with ... | The problem of low rank matrix completion is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17054 | 17055 | Emergence of superconductivity in the canonica... | We report magnetic and calorimetric measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17055 | 17056 | Obtaining a Proportional Allocation by Deletin... | We consider the following control problem on... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17056 | 17057 | DeepFace: Face Generation using Deep Learning | We use CNNs to build a system that both clas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17057 | 17058 | High quality mesh generation using cross and a... | This paper presents a method to generate hig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17058 | 17059 | ELFI: Engine for Likelihood-Free Inference | Engine for Likelihood-Free Inference (ELFI) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17059 | 17060 | Boosting Adversarial Attacks with Momentum | Deep neural networks are vulnerable to adver... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17060 | 17061 | Information spreading during emergencies and a... | The most critical time for information to sp... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17061 | 17062 | Large-Scale Plant Classification with Deep Neu... | This paper discusses the potential of applyi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17062 | 17063 | Deep Reinforcement Learning for General Video ... | The General Video Game AI (GVGAI) competitio... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17063 | 17064 | Purely infinite labeled graph $C^*$-algebras | In this paper, we consider pure infiniteness... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17064 | 17065 | From safe screening rules to working sets for ... | Convex sparsity-promoting regularizations ar... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17065 | 17066 | Exoplanet Radius Gap Dependence on Host Star Type | Exoplanets smaller than Neptune are numerous... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17066 | 17067 | Mapping the Invocation Structure of Online Pol... | The surge in political information, discours... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17067 | 17068 | Collective decision for open set recognition | In open set recognition (OSR), almost all ex... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17068 | 17069 | HARPS-N high spectral resolution observations ... | The projection factor p is the key quantity ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17069 | 17070 | Using Deep Learning and Google Street View to ... | The United States spends more than $1B each ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17070 | 17071 | Gaussian Process Neurons Learn Stochastic Acti... | We propose stochastic, non-parametric activa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17071 | 17072 | The short-term price impact of trades is unive... | We analyze a proprietary dataset of trades b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17072 | 17073 | Questions on mod p representations of reductiv... | This is a list of questions raised by our jo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17073 | 17074 | Filamentary superconductivity in semiconductin... | ZrSe2 is a band semiconductor studied long t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17074 | 17075 | Stochastic Block Model Reveals the Map of Cita... | In this study we map out the large-scale str... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17075 | 17076 | Limits on the anomalous speed of gravitational... | A large class of modified theories of gravit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17076 | 17077 | Central limit theorems for entropy-regularized... | The notion of entropy-regularized optimal tr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17077 | 17078 | Inference for Stochastically Contaminated Vari... | In this paper, we present a methodology to e... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17078 | 17079 | Variable-Length Resolvability for General Sour... | We introduce the problem of variable-length ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17079 | 17080 | Diattenuation of Brain Tissue and its Impact o... | 3D-Polarized Light Imaging (3D-PLI) reconstr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17080 | 17081 | Higgs Modes in the Pair Density Wave Supercond... | The pair density wave (PDW) superconducting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17081 | 17082 | A Serverless Tool for Platform Agnostic Comput... | Neuroscience has been carried into the domai... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17082 | 17083 | Traveling-wave parametric amplifier based on t... | We have developed a recently proposed Joseph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17083 | 17084 | Measuring LDA Topic Stability from Clusters of... | Background: Unstructured and textual data is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17084 | 17085 | Continuum Foreground Polarization and Na~I Abs... | We present a study of the continuum polariza... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17085 | 17086 | Toward Faultless Content-Based Playlists Gener... | This study deals with content-based musical ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17086 | 17087 | Direct observation of the band gap transition ... | ReS$_2$ is considered as a promising candida... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17087 | 17088 | Lattice embeddings between types of fuzzy sets... | In this paper we deal with the problem of ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17088 | 17089 | Coupling of Magneto-Thermal and Mechanical Sup... | In this paper we present an algorithm for th... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17089 | 17090 | Converging expansions for Lipschitz self-simil... | In contrast with the well-known methods of m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17090 | 17091 | A Viral Timeline Branching Process to study a ... | Bio-inspired paradigms are proving to be use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17091 | 17092 | Algorithmic Bio-surveillance For Precise Spati... | Viral zoonoses have emerged as the key drive... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17092 | 17093 | Practical Machine Learning for Cloud Intrusion... | Operationalizing machine learning based secu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17093 | 17094 | SOI RF Switch for Wireless Sensor Network | The objective of this research was to design... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17094 | 17095 | The Pentagonal Inequality | Given a positive linear combination of five ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17095 | 17096 | The Landscape of Deep Learning Algorithms | This paper studies the landscape of empirica... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17096 | 17097 | The effect of the environment on the structure... | With the aim of understanding the effect of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17097 | 17098 | Recommendations with Negative Feedback via Pai... | Recommender systems play a crucial role in m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17098 | 17099 | Accumulated Gradient Normalization | This work addresses the instability in async... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17099 | 17100 | An Optimal Algorithm for Changing from Latitud... | This work presents an algorithm for changing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17100 | 17101 | Ideal Cluster Points in Topological Spaces | Given an ideal $\mathcal{I}$ on $\omega$, we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17101 | 17102 | Spin Hall effect of gravitational waves | Gravitons possess a Berry curvature due to t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17102 | 17103 | Many-Goals Reinforcement Learning | All-goals updating exploits the off-policy n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17103 | 17104 | Localized Structured Prediction | Key to structured prediction is exploiting t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17104 | 17105 | Routing in FRET-based Nanonetworks | Nanocommunications, understood as communicat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17105 | 17106 | FFT Convolutions are Faster than Winograd on M... | Winograd-based convolution has quickly gaine... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17106 | 17107 | The application of selection principles in the... | In this paper we investigate the properties ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17107 | 17108 | Progressive Neural Architecture Search | We propose a new method for learning the str... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17108 | 17109 | Lower Bounds for Maximum Gap in (Inverse) Cycl... | The maximum gap $g(f)$ of a polynomial $f$ i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17109 | 17110 | Dynamical Analysis of Cylindrically Symmetric ... | In this paper, we have analyzed the stabilit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17110 | 17111 | Trace and Kunneth formulas for singularity cat... | We present an $\ell$-adic trace formula for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17111 | 17112 | A Redshift Survey of the Nearby Galaxy Cluster... | We present the results from an extensive spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17112 | 17113 | A trapped field of 13.4 T in a stack of HTS ta... | Superconducting bulk (RE)Ba$_2$Cu$_3$O$_{7-x... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17113 | 17114 | Exact Simulation of the Extrema of Stable Proc... | We exhibit an exact simulation algorithm for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17114 | 17115 | Nonparametric Bayesian estimation of a Hölder ... | We consider a nonparametric Bayesian approac... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17115 | 17116 | Dirac State in a Centrosymmetric Superconducto... | Topological superconductor (TSC) hosting Maj... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17116 | 17117 | Hölder and Lipschitz continuity of functions d... | Consider a Henselian rank one valued field $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17117 | 17118 | Bistability of Cavity Magnon Polaritons | We report the first observation of the magno... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17118 | 17119 | Errors and secret data in the Italian research... | Italy adopted a performance-based system for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17119 | 17120 | Exploring Features for Predicting Policy Citat... | In this study we performed an initial invest... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17120 | 17121 | Recovery guarantees for compressed sensing wit... | From a numerical analysis perspective, asses... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17121 | 17122 | Synthetic Homology in Homotopy Type Theory | This paper defines homology in homotopy type... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17122 | 17123 | Spatial Models of Vector-Host Epidemics with D... | We investigate a time-dependent spatial vect... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17123 | 17124 | Complex and Quaternionic Principal Component P... | Recently, the principal component pursuit ha... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17124 | 17125 | Light axion-like dark matter must be present d... | Axion-like particles (ALPs) might constitute... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17125 | 17126 | Boolean function analysis meets stochastic opt... | The stochastic knapsack problem is the stoch... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17126 | 17127 | Nonparanormal Information Estimation | We study the problem of using i.i.d. samples... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17127 | 17128 | Controlling a population | We introduce a new setting where a populatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17128 | 17129 | Finite scale local Lyapunov exponents distribu... | The present work analyzes the distribution f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17129 | 17130 | Improved Power Decoding of One-Point Hermitian... | We propose a new partial decoding algorithm ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17130 | 17131 | Finite numbers of initial ideals in non-Noethe... | In this article, we generalize the well-know... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17131 | 17132 | The Diederich-Fornaess Index and Good Vector F... | We consider the relationship between two suf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17132 | 17133 | Complete Minors of Self-Complementary Graphs | We show that any self-complementary graph wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17133 | 17134 | Statistical estimation of the Oscillating Brow... | We study the asymptotic behavior of estimato... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17134 | 17135 | Competing Ferromagnetic and Anti-Ferromagnetic... | The paper discusses the magnetic state of ze... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17135 | 17136 | A cautionary tale: limitations of a brightness... | Determining wavelength-dependent exoplanet r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17136 | 17137 | Generating Memorable Mnemonic Encodings of Num... | The major system is a mnemonic system that c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17137 | 17138 | De-excitation spectroscopy of strongly interac... | We present experimental results on the contr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17138 | 17139 | Hyperplane Clustering Via Dual Principal Compo... | We extend the theoretical analysis of a rece... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17139 | 17140 | Utilizing Domain Knowledge in End-to-End Audio... | End-to-end neural network based approaches t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17140 | 17141 | Testing Microfluidic Fully Programmable Valve ... | Fully Programmable Valve Array (FPVA) has em... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17141 | 17142 | Fundamental groups, slalom curves and extremal... | We define the extremal length of elements of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17142 | 17143 | Topology and stability of the Kondo phase in q... | We investigate properties of the ground stat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17143 | 17144 | Second order nonlinear gyrokinetic theory : Fr... | A gyrokinetic reduction is based on a specif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17144 | 17145 | On the Classification and Algorithmic Analysis... | In this paper, we study the properties of Ca... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17145 | 17146 | Phase reduction and synchronization of a netwo... | A general phase reduction method for a netwo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17146 | 17147 | Analysis of the Impact of Negative Sampling on... | Knowledge graphs are large, useful, but inco... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17147 | 17148 | Reverse Curriculum Generation for Reinforcemen... | Many relevant tasks require an agent to reac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17148 | 17149 | Mutually touching infinite cylinders in the 3D... | Recently we gave arguments that only two uni... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17149 | 17150 | Introduction to Formal Concept Analysis and It... | This paper is a tutorial on Formal Concept A... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17150 | 17151 | Fully stripped? The dynamics of dark and lumin... | We present the results of a multiwavelength ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17151 | 17152 | When intuition fails in assessing conditional ... | Recently, the educational initiative TED-Ed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17152 | 17153 | Tuning parameter selection rules for nuclear n... | We consider the tuning parameter selection r... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17153 | 17154 | Understanding the evolution of multimedia cont... | Today's Internet traffic is mostly dominated... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17154 | 17155 | The weak rate of convergence for the Euler-Mar... | In this paper, we consider the weak converge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17155 | 17156 | Study of deteriorating semiopaque turquoise le... | Nowadays, a problem of historical beadworks ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17156 | 17157 | Stratified surgery and K-theory invariants of ... | In work of Higson-Roe the fundamental role o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17157 | 17158 | Weighted Tensor Decomposition for Learning Lat... | Tensor decomposition methods are popular too... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17158 | 17159 | Sparse Bounds for Discrete Quadratic Phase Hil... | Consider the discrete quadratic phase Hilber... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17159 | 17160 | Fast Distributed Approximation for TAP and 2-E... | The tree augmentation problem (TAP) is a fun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17160 | 17161 | Generative Adversarial Source Separation | Generative source separation methods such as... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17161 | 17162 | Bootstrapping Generalization Error Bounds for ... | We consider the problem of finding confidenc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17162 | 17163 | Sign reversal of magnetoresistance and p to n ... | We report the magnetoresistance and nonlinea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17163 | 17164 | Proceedings of the Third Workshop on Formal In... | This volume contains the proceedings of F-ID... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17164 | 17165 | A Useful Motif for Flexible Task Learning in a... | Animals (especially humans) have an amazing ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17165 | 17166 | 3D Move to See: Multi-perspective visual servo... | In this paper, we present a new approach to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17166 | 17167 | Modeling influenza-like illnesses through comp... | Epidemiological models for the spread of pat... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17167 | 17168 | Notes on the Polish Algorithm | We study, with the help of a computer progra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17168 | 17169 | Penalized Maximum Tangent Likelihood Estimatio... | We introduce a new class of mean regression ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17169 | 17170 | A minimally-dissipative low-Mach number solver... | Large eddy simulation (LES) has become the d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17170 | 17171 | Surface energy of strained amorphous solids | Surface stress and surface energy are fundam... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17171 | 17172 | Biaxial magnetic field setup for angular magne... | The biaxial magnetic-field setup for angular... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17172 | 17173 | Active matter invasion of a viscous fluid: uns... | We investigate the dynamics of a dilute susp... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17173 | 17174 | Interplay of synergy and redundancy in diamond... | The formalism of partial information decompo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17174 | 17175 | Hardy-Sobolev equations with asymptotically va... | We study the asymptotic behavior of a sequen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17175 | 17176 | Some results on Ricatti Equations, Floquet The... | In this paper, we present two new results to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17176 | 17177 | Size, Shape, and Phase Control in Ultrathin Cd... | Ultrathin two-dimensional nanosheets raise a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17177 | 17178 | Transfer of magnetic order and anisotropy thro... | Resonant x-ray scattering at the Dy $M_5$ an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17178 | 17179 | Exotic limit sets of Teichmüller geodesics in ... | We answer a question of Durham, Hagen, and S... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17179 | 17180 | Decoupling "when to update" from "how to update" | Deep learning requires data. A useful approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17180 | 17181 | Advection of potential temperature in the atmo... | The anomalously large radii of strongly irra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17181 | 17182 | Band depths based on multiple time instances | Bands of vector-valued functions $f:T\mapsto... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17182 | 17183 | On Biased Correlation Estimation | In general, underestimation of risk is somet... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17183 | 17184 | Atomic Swaptions: Cryptocurrency Derivatives | The atomic swap protocol allows for the exch... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17184 | 17185 | An arbitrary order scheme on generic meshes fo... | We design, analyse and implement an arbitrar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17185 | 17186 | Parametricity, automorphisms of the universe, ... | It is known that one can construct non-param... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17186 | 17187 | Convergence Rates for Deterministic and Stocha... | We extend the classic convergence rate theor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17187 | 17188 | A quantum dynamics method for excited electron... | We introduce a practical calculation scheme ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17188 | 17189 | Products of topological groups in which all cl... | We prove that if $H$ is a topological group ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17189 | 17190 | Low rank solutions to differentiable systems o... | Differentiable systems in this paper means s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17190 | 17191 | A Simple and Realistic Pedestrian Model for Cr... | The simulation of pedestrian crowd that refl... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17191 | 17192 | Local connectivity modulates multi-scale relax... | The structural description for the intriguin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17192 | 17193 | SATR-DL: Improving Surgical Skill Assessment a... | Purpose: This paper focuses on an automated ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17193 | 17194 | Equivalence of weak and strong modes of measur... | A strong mode of a probability measure on a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17194 | 17195 | Algebras of Quasi-Plücker Coordinates are Koszul | Motivated by the theory of quasi-determinant... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17195 | 17196 | Doubly-Attentive Decoder for Multi-modal Neura... | We introduce a Multi-modal Neural Machine Tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17196 | 17197 | prDeep: Robust Phase Retrieval with a Flexible... | Phase retrieval algorithms have become an im... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17197 | 17198 | Novel Exotic Magnetic Spin-order in Co5Ge3 Nan... | The Cobalt-germanium (Co-Ge) is a fascinatin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17198 | 17199 | Toward Multimodal Image-to-Image Translation | Many image-to-image translation problems are... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17199 | 17200 | On the Sample Complexity of the Linear Quadrat... | This paper addresses the optimal control pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17200 | 17201 | Mitigating Evasion Attacks to Deep Neural Netw... | Deep neural networks (DNNs) have transformed... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17201 | 17202 | Partition-free families of sets | Let $m(n)$ denote the maximum size of a fami... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17202 | 17203 | Measuring the Galactic Cosmic Ray Flux with th... | Test mass charging caused by cosmic rays wil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17203 | 17204 | Thread-Modular Static Analysis for Relaxed Mem... | We propose a memory-model-aware static progr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17204 | 17205 | Bidirectional Evaluation with Direct Manipulation | We present an evaluation update (or simply, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17205 | 17206 | Extreme Event Statistics in a Drifting Markov ... | We analyse extreme event statistics of exper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17206 | 17207 | On a Possibility of Self Acceleration of Elect... | The self-consistent nonlinear interaction of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17207 | 17208 | An Adaptive Strategy for Active Learning with ... | We present the first adaptive strategy for a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17208 | 17209 | Towards Adversarial Retinal Image Synthesis | Synthesizing images of the eye fundus is a c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17209 | 17210 | Tailoring the SiC surface - a morphology study... | We investigate the growth of the graphene bu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17210 | 17211 | Polarization of the Vaccination Debate on Face... | Vaccine hesitancy has been recognized as a m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17211 | 17212 | Predicting Demographics, Moral Foundations, an... | Personal electronic devices including smartp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17212 | 17213 | Isotonic regression in general dimensions | We study the least squares regression functi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17213 | 17214 | Extraction of Schottky barrier height insensit... | The thermal stability of most electronic and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17214 | 17215 | Emergent Open-Endedness from Contagion of the ... | In this paper, we study emergent irreducible... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17215 | 17216 | Incompressible Limit of isentropic Navier-Stok... | This paper concerns the low Mach number limi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17216 | 17217 | On Some Exponential Sums Related to the Coulte... | In this paper, the formulas of some exponent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17217 | 17218 | Distribution-Preserving k-Anonymity | Preserving the privacy of individuals by pro... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17218 | 17219 | Using controlled disorder to probe the interpl... | The interplay between superconductivity and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17219 | 17220 | A training process for improving the quality o... | Background: The quality of a software produc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17220 | 17221 | Gaia Data Release 1. Cross-match with external... | Although the Gaia catalogue on its own will ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17221 | 17222 | Masses of Kepler-46b, c from Transit Timing Va... | We use 16 quarters of the \textit{Kepler} mi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17222 | 17223 | Recovering water wave elevation from pressure ... | The reconstruction of water wave elevation f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17223 | 17224 | Tractable and Scalable Schatten Quasi-Norm App... | The Schatten quasi-norm was introduced to br... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17224 | 17225 | Spectral Radii of Truncated Circular Unitary M... | Consider a truncated circular unitary matrix... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17225 | 17226 | Information Assisted Dictionary Learning for f... | In this paper, the task-related fMRI problem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17226 | 17227 | Efficient, Certifiably Optimal Clustering with... | Motivated by the task of clustering either $... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17227 | 17228 | Two- and three-dimensional wide-field weak len... | We present wide-field (167 deg$^2$) weak len... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17228 | 17229 | A Time-spectral Approach to Numerical Weather ... | Finite difference methods are traditionally ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17229 | 17230 | Trivial Constraints on Orbital-free Kinetic En... | Kinetic energy density functionals (KEDFs) a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17230 | 17231 | The Multi-layer Information Bottleneck Problem | The muti-layer information bottleneck (IB) p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17231 | 17232 | A geometric approach to non-linear correlation... | We propose a new mathematical model for $n-k... | 0 | 1 | 1 | 1 | 0 | 0 |
| 17232 | 17233 | Computing simplicial representatives of homoto... | A central problem of algebraic topology is t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17233 | 17234 | Multiobjective Optimization of Solar Powered I... | Optimization is becoming a crucial element i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17234 | 17235 | Convergence Analysis of Gradient EM for Multi-... | In this paper, we study convergence properti... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17235 | 17236 | The Gravitational-Wave Physics | The direct detection of gravitational wave b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17236 | 17237 | Multivariant Assertion-based Guidance in Abstr... | Approximations during program analysis are a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17237 | 17238 | An Experimental Comparison of Uncertainty Sets... | Through the development of efficient algorit... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17238 | 17239 | An experimental comparison of velocities under... | Nonlinear wave interactions affect the evolu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17239 | 17240 | Full Momentum and Energy Resolved Spectral Fun... | The single-particle spectral function measur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17240 | 17241 | Complete parallel mean curvature surfaces in t... | The purpose of this article is to determine ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17241 | 17242 | Parallelized Linear Classification with Volume... | In this work, we introduce a new type of lin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17242 | 17243 | Learning Spatial Regularization with Image-lev... | Multi-label image classification is a fundam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17243 | 17244 | The critical binary star separation for a plan... | The atmospheres of between one quarter and o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17244 | 17245 | A quantum Mirković-Vybornov isomorphism | We present a quantization of an isomorphism ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17245 | 17246 | Portfolio diversification and model uncertaint... | This paper is concerned with a multi-asset m... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17246 | 17247 | TensorLayer: A Versatile Library for Efficient... | Deep learning has enabled major advances in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17247 | 17248 | Effects of excess carriers on native defects i... | Undesired unintentional doping and doping li... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17248 | 17249 | LATTE: Application Oriented Social Network Emb... | In recent years, many research works propose... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17249 | 17250 | Giant paramagnetism induced valley polarizatio... | For applications exploiting the valley pseud... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17250 | 17251 | Highrisk Prediction from Electronic Medical Re... | Predicting highrisk vascular diseases is a s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17251 | 17252 | Agent based simulation of the evolution of soc... | Understanding the evolution of human society... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17252 | 17253 | Can a heart rate variability biomarker identif... | Autonomic nervous system (ANS) activity is a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17253 | 17254 | Semantic Entity Retrieval Toolkit | Unsupervised learning of low-dimensional, se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17254 | 17255 | Nearly Instance Optimal Sample Complexity Boun... | In the Best-$k$-Arm problem, we are given $n... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17255 | 17256 | Dimensions of equilibrium measures on a class ... | We study equilibrium measures (Käenmäki meas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17256 | 17257 | Hubble PanCET: An isothermal day-side atmosphe... | We present a thermal emission spectrum of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17257 | 17258 | One Model To Learn Them All | Deep learning yields great results across ma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17258 | 17259 | Porcupine Neural Networks: (Almost) All Local ... | Neural networks have been used prominently i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17259 | 17260 | Configuration Path Integral Monte Carlo Approa... | Precise knowledge of the static density resp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17260 | 17261 | Superzone gap formation and low lying crystal ... | The magnetocrystalline anisotropy exhibited ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17261 | 17262 | Adaptive Real-Time Software Defined MIMO Visib... | In this paper, we experimentally demonstrate... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17262 | 17263 | Maximum Principle Based Algorithms for Deep Le... | The continuous dynamical system approach to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17263 | 17264 | Factorization Machines Leveraging Lightweight ... | With the popularity of Linked Open Data (LOD... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17264 | 17265 | Wave propagation and homogenization in 2D and ... | Wave motion in two- and three-dimensional pe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17265 | 17266 | Waring's problem for unipotent algebraic groups | In this paper, we formulate an analogue of W... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17266 | 17267 | Spreading of localized attacks in spatial mult... | Many real-world multilayer systems such as c... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17267 | 17268 | Greedy Sparse Signal Reconstruction Using Matc... | The reconstruction of sparse signals require... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17268 | 17269 | Attack-Aware Multi-Sensor Integration Algorith... | In this paper, we propose a fault detection ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17269 | 17270 | Turbulence, cascade and singularity in a gener... | We study numerically a Constantin-Lax-Majda-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17270 | 17271 | Fitting phase--type scale mixtures to heavy--t... | We consider the fitting of heavy tailed data... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17271 | 17272 | Deep Incremental Boosting | This paper introduces Deep Incremental Boost... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17272 | 17273 | Empirical Likelihood for Linear Structural Equ... | We consider linear structural equation model... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17273 | 17274 | Grassmannian flows and applications to nonline... | We show how solutions to a large class of pa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17274 | 17275 | The Reinhardt Conjecture as an Optimal Control... | In 1934, Reinhardt conjectured that the shap... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17275 | 17276 | Deep submillimeter and radio observations in t... | We study the heating mechanisms and Ly{\alph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17276 | 17277 | Modeling temporal constraints for a system of ... | In this chapter we explain briefly the funda... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17277 | 17278 | Electronic structure of ThRu2Si2 studied by an... | The electronic structure of ThRu2Si2 was stu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17278 | 17279 | Non-zero constant curvature factorable surface... | Factorable surfaces, i.e. graphs associated ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17279 | 17280 | Darboux and Binary Darboux Transformations for... | The paper presents two results. First it is ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17280 | 17281 | Nearly second-order asymptotic optimality of s... | Sequential change-point detection when the d... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17281 | 17282 | Algorithms in the classical Néron Desingulariz... | We give algorithms to construct the Néron De... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17282 | 17283 | Recent Advances in Neural Program Synthesis | In recent years, deep learning has made trem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17283 | 17284 | Generator Reversal | We consider the problem of training generati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17284 | 17285 | Finite model reasoning over existential rules | Ontology-based query answering (OBQA) asks w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17285 | 17286 | On the convergence properties of a $K$-step av... | Despite their popularity, the practical perf... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17286 | 17287 | Adversarial Neural Machine Translation | In this paper, we study a new learning parad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17287 | 17288 | Surface group amalgams that (don't) act on 3-m... | We determine which amalgamated products of s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17288 | 17289 | Shading Annotations in the Wild | Understanding shading effects in images is c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17289 | 17290 | Koszul cycles and Golod rings | Let $S$ be the power series ring or the poly... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17290 | 17291 | PacGAN: The power of two samples in generative... | Generative adversarial networks (GANs) are i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17291 | 17292 | Stein-like Estimators for Causal Mediation Ana... | Causal mediation analysis aims to estimate t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17292 | 17293 | Structure-Based Subspace Method for Multi-Chan... | In this work, a novel subspace-based method ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17293 | 17294 | On Certain Analytical Representations of Cellu... | We extend a previously introduced semi-analy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17294 | 17295 | Strong consistency and optimality for generali... | In this article we study the existence and s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17295 | 17296 | Synthesis and electronic properties of Ruddles... | We report on the selective fabrication of hi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17296 | 17297 | A proof on energy gap for Yang-Mills connection | In this note, we prove an ${L^{\frac{n}{2}}}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17297 | 17298 | Realisability of Pomsets via Communicating Aut... | Pomsets are a model of concurrent computatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17298 | 17299 | Complex pattern formation driven by the intera... | The ecological invasion problem in which a w... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17299 | 17300 | Solitons with rings and vortex rings on solito... | Nonlocality is a key feature of many physica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17300 | 17301 | Deep-HiTS: Rotation Invariant Convolutional Ne... | We introduce Deep-HiTS, a rotation invariant... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17301 | 17302 | On Measuring and Quantifying Performance: Erro... | In various approaches to learning, notably i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17302 | 17303 | Do Reichenbachian Common Cause Systems of Arbi... | The principle of common cause asserts that p... | 1 | 1 | 0 | 1 | 0 | 0 |
| 17303 | 17304 | Co-evolution of nodes and links: diversity dri... | When three species compete cyclically in a w... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17304 | 17305 | Online Learning with an Almost Perfect Expert | We study the multiclass online learning prob... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17305 | 17306 | Actively Learning what makes a Discrete Sequen... | Deep learning techniques have been hugely su... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17306 | 17307 | Symmetries and conservation laws of Hamiltonia... | In this paper we study the infinitesimal sym... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17307 | 17308 | Fractional differential and fractional integra... | The studying of anomalous diffusion by pulse... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17308 | 17309 | Change of the vortex core structure in two-ban... | We report a nontrivial transition in the cor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17309 | 17310 | Nearly Optimal Adaptive Procedure with Change ... | Multi-armed bandit (MAB) is a class of onlin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17310 | 17311 | An initial-boundary value problem of the gener... | We investigate the initial-boundary value pr... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17311 | 17312 | Deep Learning Microscopy | We demonstrate that a deep neural network ca... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17312 | 17313 | Effects of pressure impulse and peak pressure ... | The development of needle-free injection sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17313 | 17314 | Clustering with Noisy Queries | In this paper, we initiate a rigorous theore... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17314 | 17315 | Divide-and-Conquer Checkpointing for Arbitrary... | Classical reverse-mode automatic differentia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17315 | 17316 | Bow Ties in the Sky II: Searching for Gamma-ra... | Many-degree-scale gamma-ray halos are expect... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17316 | 17317 | Gain-loss-driven travelling waves in PT-symmet... | In this work we investigate a one-dimensiona... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17317 | 17318 | CapsuleGAN: Generative Adversarial Capsule Net... | We present Generative Adversarial Capsule Ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17318 | 17319 | sourceR: Classification and Source Attribution... | Zoonotic diseases are a major cause of morbi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17319 | 17320 | Low resistive edge contacts to CVD-grown graph... | The exploitation of the excellent intrinsic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17320 | 17321 | Uniqueness of planar vortex patch in incompres... | We investigate a steady planar flow of an id... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17321 | 17322 | An Equivalence of Fully Connected Layer and Co... | This article demonstrates that convolutional... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17322 | 17323 | Critical Points of Neural Networks: Analytical... | Due to the success of deep learning to solvi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17323 | 17324 | When the Annihilator Graph of a Commutative Ri... | Let $R$ be a commutative ring with identity,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17324 | 17325 | Econometric modelling and forecasting of intra... | In the following paper we analyse the ID$_3$... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17325 | 17326 | Matrix-Based Characterization of the Motion an... | Characterization of the uncertainty in robot... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17326 | 17327 | Good Similar Patches for Image Denoising | Patch-based denoising algorithms like BM3D h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17327 | 17328 | Ginzburg - Landau expansion in strongly disord... | We have studied disordering effects on the c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17328 | 17329 | Reallocating and Resampling: A Comparison for ... | Simulation-based inference plays a major rol... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17329 | 17330 | An Efficient Algorithm for Bayesian Nearest Ne... | K-Nearest Neighbours (k-NN) is a popular cla... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17330 | 17331 | In search of a new economic model determined b... | In this paper we extend the work by Ryuzo Sa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17331 | 17332 | Limits on light WIMPs with a 1 kg-scale german... | We report results of a search for light weak... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17332 | 17333 | A stellar census of the nearby, young 32 Orion... | The 32 Orionis group was discovered almost a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17333 | 17334 | A High-Level Rule-based Language for Software ... | This paper proposes XML-Defined Network poli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17334 | 17335 | Domain Objects and Microservices for Systems D... | This paper discusses a roadmap to investigat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17335 | 17336 | Stabilization of prethermal Floquet steady sta... | We discuss the effect of dissipation on heat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17336 | 17337 | Compressed Sensing using Generative Models | The goal of compressed sensing is to estimat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17337 | 17338 | Two-part models with stochastic processes for ... | Several researchers have described two-part ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17338 | 17339 | Progressive Image Deraining Networks: A Better... | Along with the deraining performance improve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17339 | 17340 | Optimal Nonparametric Inference under Quantiza... | Statistical inference based on lossy or inco... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17340 | 17341 | Nearest neighbor imputation for general parame... | Nearest neighbor imputation is popular for h... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17341 | 17342 | Time-delay signature suppression in a chaotic ... | We demonstrate that a semiconductor laser pe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17342 | 17343 | SAFS: A Deep Feature Selection Approach for Pr... | In this paper, we propose a new deep feature... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17343 | 17344 | Deep Reasoning with Multi-scale Context for Sa... | To detect and segment salient objects accura... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17344 | 17345 | On Estimation of $L_{r}$-Norms in Gaussian Whi... | We provide a complete picture of asymptotica... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17345 | 17346 | Secure communications with cooperative jamming... | This paper studies the secrecy rate maximiza... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17346 | 17347 | Stochastic Calculus with respect to Gaussian P... | Stochastic integration \textit{wrt} Gaussian... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17347 | 17348 | Path-like integrals of lenght on surfaces of c... | We naturally associate a measurable space of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17348 | 17349 | Automated Synthesis of Divide and Conquer Para... | This paper focuses on automated synthesis of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17349 | 17350 | Nikol'ski\uı, Jackson and Ul'yanov type inequa... | In the present work we prove a Nikol'ski ine... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17350 | 17351 | CosmoGAN: creating high-fidelity weak lensing ... | Inferring model parameters from experimental... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17351 | 17352 | Gaussian approximation of maxima of Wiener fun... | This paper establishes an upper bound for th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17352 | 17353 | A Kronecker-type identity and the representati... | By considering a limiting case of a Kronecke... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17353 | 17354 | DeepTrend: A Deep Hierarchical Neural Network ... | In this paper, we consider the temporal patt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17354 | 17355 | A new approach to Kaluza-Klein Theory | We propose in this paper a new approach to t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17355 | 17356 | Density of orbits of dominant regular self-map... | We prove a conjecture of Medvedev and Scanlo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17356 | 17357 | Asymptotic coverage probabilities of bootstrap... | The asymptotic behaviour of the commonly use... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17357 | 17358 | Correlations and enlarged superconducting phas... | We compute physical properties across the ph... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17358 | 17359 | MinimalRNN: Toward More Interpretable and Trai... | We introduce MinimalRNN, a new recurrent neu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17359 | 17360 | Boolean quadric polytopes are faces of linear ... | Let $BQP(n)$ be a boolean quadric polytope, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17360 | 17361 | Sparse Matrix Code Dependence Analysis Simplif... | Analyzing array-based computations to determ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17361 | 17362 | ICA based on the data asymmetry | Independent Component Analysis (ICA) - one o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17362 | 17363 | Solid hulls of weighted Banach spaces of analy... | We study weighted $H^\infty$ spaces of analy... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17363 | 17364 | Line bundles defined by the Schwarz function | Cauchy and exponential transforms are charac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17364 | 17365 | Collisional excitation of NH3 by atomic and mo... | We report extensive theoretical calculations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17365 | 17366 | Deterministic and Probabilistic Conditions for... | We consider the multi-view data completion p... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17366 | 17367 | Grid-forming Control for Power Converters base... | We consider the problem of grid-forming cont... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17367 | 17368 | Characterizing Dust Attenuation in Local Star-... | We characterize the near-infrared (NIR) dust... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17368 | 17369 | Sequential Checking: Reallocation-Free Data-Di... | Using tape or optical devices for scale-out ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17369 | 17370 | Learning with Confident Examples: Rank Pruning... | Noisy PN learning is the problem of binary c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17370 | 17371 | code2vec: Learning Distributed Representations... | We present a neural model for representing s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17371 | 17372 | Learning a Local Feature Descriptor for 3D LiD... | Robust data association is necessary for vir... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17372 | 17373 | Dynamical tides in exoplanetary systems contai... | We study the effect of dynamical tides assoc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17373 | 17374 | Metastability versus collapse following a quen... | We consider a Bose-Einstein condensate (BEC)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17374 | 17375 | A similarity criterion for sequential programs... | The execution of sequential programs allows ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17375 | 17376 | Subsampling large graphs and invariance in net... | Specify a randomized algorithm that, given a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17376 | 17377 | Taylor coefficients of non-holomorphic Jacobi ... | In this paper, we prove modularity results o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17377 | 17378 | Beamspace SU-MIMO for Future Millimeter Wave W... | For future networks (i.e., the fifth generat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17378 | 17379 | Learning Robust Visual-Semantic Embeddings | Many of the existing methods for learning jo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17379 | 17380 | Quantitative estimates of the surface habitabi... | Kepler-452b is currently the best example of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17380 | 17381 | Design and implementation of dynamic logic gat... | We report the propagation of a square wave s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17381 | 17382 | Sequential Attend, Infer, Repeat: Generative M... | We present Sequential Attend, Infer, Repeat ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17382 | 17383 | Learning Local Shape Descriptors from Part Cor... | We present a new local descriptor for 3D sha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17383 | 17384 | Alternating minimization for dictionary learni... | We present theoretical guarantees for an alt... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17384 | 17385 | Optimal Transmission Line Switching under Geom... | In recent years, there have been increasing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17385 | 17386 | Image Forgery Localization Based on Multi-Scal... | In this paper, we propose to utilize Convolu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17386 | 17387 | The QKP limit of the quantum Euler-Poisson equ... | In this paper, we consider the derivation of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17387 | 17388 | Variational Implicit Processes | This paper introduces the variational implic... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17388 | 17389 | Silicon Micromachined High-contrast Artificial... | Transformation optics methods and gradient i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17389 | 17390 | Pseudogap and Fermi surface in the presence of... | Lanthanum family of high-temperature cuprate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17390 | 17391 | Revealing the cluster of slow transients behin... | Capable of reaching similar magnitudes to la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17391 | 17392 | General $N$-solitons and their dynamics in sev... | General $N$-solitons in three recently-propo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17392 | 17393 | Revisiting wireless network jamming by SIR-bas... | We revisit the mathematical models for wirel... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17393 | 17394 | New models for symbolic data analysis | Symbolic data analysis (SDA) is an emerging ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17394 | 17395 | Soft Methodology for Cost-and-error Sensitive ... | Many real-world data mining applications nee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17395 | 17396 | Raman LIDARs and atmospheric calibration for t... | The Cherenkov Telescope Array (CTA) is the n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17396 | 17397 | Generalized notions of sparsity and restricted... | The restricted isometry property (RIP) is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17397 | 17398 | Mellin-Meijer-kernel density estimation on $\m... | Nonparametric kernel density estimation is a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17398 | 17399 | Gene Ontology (GO) Prediction using Machine Le... | We applied machine learning to predict wheth... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17399 | 17400 | Dimension Spectra of Lines | This paper investigates the algorithmic dime... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17400 | 17401 | Fast Amortized Inference and Learning in Log-l... | Inference in log-linear models scales linear... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17401 | 17402 | Temperature Dependence of Magnetic Excitations... | When an ordered spin system of a given dimen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17402 | 17403 | On stable solitons and interactions of the gen... | We report the bright solitons of the general... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17403 | 17404 | Mechanical properties of borophene films: A re... | The most recent experimental advances could ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17404 | 17405 | Stronger selection can slow down evolution dri... | Stronger selection implies faster evolution-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17405 | 17406 | Differences Among Noninformative Stopping Rule... | L.J. Savage once hoped to show that "the sup... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17406 | 17407 | CNNs are Globally Optimal Given Multi-Layer Su... | Stochastic Gradient Descent (SGD) is the cen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17407 | 17408 | The Kontsevich integral for bottom tangles in ... | The Kontsevich integral is a powerful link i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17408 | 17409 | Commutativity theorems for groups and semigroups | In this note we prove a selection of commuta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17409 | 17410 | Content-based Approach for Vietnamese Spam SMS... | Short Message Service (SMS) spam is a seriou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17410 | 17411 | Measuring Software Performance on Linux | Measuring and analyzing the performance of s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17411 | 17412 | A general method for calculating lattice Green... | We present a method for calculating the comp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17412 | 17413 | Towards A Novel Unified Framework for Developi... | Literature on the modeling and simulation of... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17413 | 17414 | Recover Fine-Grained Spatial Data from Coarse ... | In this paper, we study a new type of spatia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17414 | 17415 | The Power Allocation Game on Dynamic Networks:... | In the game theory literature, there appears... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17415 | 17416 | MIMO Graph Filters for Convolutional Neural Ne... | Superior performance and ease of implementat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17416 | 17417 | An Edge Driven Wavelet Frame Model for Image R... | Wavelet frame systems are known to be effect... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17417 | 17418 | An exact algorithm exhibiting RS-RSB/easy-hard... | A recently proposed exact algorithm for the ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17418 | 17419 | Flexible Support for Fast Parallel Commutative... | Privatizing data is a useful strategy for in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17419 | 17420 | Deep learning based supervised semantic segmen... | Cellular Electron Cryo-Tomography (CECT) is ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17420 | 17421 | CNN-MERP: An FPGA-Based Memory-Efficient Recon... | Large-scale deep convolutional neural networ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17421 | 17422 | Enstrophy Cascade in Decaying Two-Dimensional ... | We report evidence for an enstrophy cascade ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17422 | 17423 | Contextual Multi-armed Bandits under Feature U... | We study contextual multi-armed bandit probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17423 | 17424 | Asymmetric Variational Autoencoders | Variational inference for latent variable mo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17424 | 17425 | Dynamics of homogeneous shear turbulence: A ke... | To understand the self-sustenance of subcrit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17425 | 17426 | A taxonomy of learning dynamics in 2 x 2 games | Learning would be a convincing method to ach... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17426 | 17427 | Dynamic attitude planning for trajectory track... | This paper addresses the trajectory tracking... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17427 | 17428 | The JCMT Transient Survey: Data Reduction and ... | Though there has been a significant amount o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17428 | 17429 | Synchronization Strings: Explicit Construction... | This paper gives new results for synchroniza... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17429 | 17430 | Independent Component Analysis via Energy-base... | We apply both distance-based (Jin and Mattes... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17430 | 17431 | The local geometry of testing in ellipses: Tig... | We study the local geometry of testing a mea... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17431 | 17432 | A Unified Optimization View on Generalized Mat... | Two of the most fundamental prototypes of gr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17432 | 17433 | Subsampled Rényi Differential Privacy and Anal... | We study the problem of subsampling in diffe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17433 | 17434 | Concurrency and Probability: Removing Confusio... | Assigning a satisfactory truly concurrent se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17434 | 17435 | Vision-Based Multi-Task Manipulation for Inexp... | We propose a technique for multi-task learni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17435 | 17436 | Dynamic Word Embeddings | We present a probabilistic language model fo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17436 | 17437 | Multiple scattering effect on angular distribu... | The multiple scattering of ultra relativisti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17437 | 17438 | Branched coverings of $CP^2$ and other basic 4... | We give necessary and sufficient conditions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17438 | 17439 | Instantaneous effects of photons on electrons ... | The photoelectric effect established by Eins... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17439 | 17440 | Mitigating the Impact of Speech Recognition Er... | We apply sequence-to-sequence model to mitig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17440 | 17441 | Simultaneous 183 GHz H2O Maser and SiO Observa... | We investigate the use of 183 GHz H2O masers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17441 | 17442 | What does the free energy principle tell us ab... | The free energy principle has been proposed ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17442 | 17443 | Learning with Changing Features | In this paper we study the setting where fea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17443 | 17444 | Estimation Considerations in Contextual Bandits | Contextual bandit algorithms are sensitive t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17444 | 17445 | Using solar and load predictions in battery sc... | Smart solar inverters can be used to store, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17445 | 17446 | Towards Large-Pose Face Frontalization in the ... | Despite recent advances in face recognition ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17446 | 17447 | Managing the Public to Manage Data: Citizen Sc... | Citizen science projects recruit members of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17447 | 17448 | Modular representations in type A with a two-r... | We study the category of representations of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17448 | 17449 | Knowledge Acquisition: A Complex Networks Appr... | Complex networks have been found to provide ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17449 | 17450 | Frequent flaring in the TRAPPIST-1 system - un... | We analyze short cadence K2 light curve of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17450 | 17451 | Playing Pairs with Pepper | As robots become increasingly prevalent in a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17451 | 17452 | Wild theories with o-minimal open core | Let $T$ be a consistent o-minimal theory ext... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17452 | 17453 | Objective Bayesian inference with proper scori... | Standard Bayesian analyses can be difficult ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17453 | 17454 | Large Area X-ray Proportional Counter (LAXPC) ... | Large Area X-ray Proportional Counter (LAXPC... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17454 | 17455 | A Counterexample to the Vector Generalization ... | We give a counterexample to the vector gener... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17455 | 17456 | Models for Predicting Community-Specific Inter... | In this work, we ask two questions: 1. Can w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17456 | 17457 | On subfiniteness of graded linear series | Hilbert's 14th problem studies the finite ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17457 | 17458 | Natasha 2: Faster Non-Convex Optimization Than... | We design a stochastic algorithm to train an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17458 | 17459 | Evidence for a Dayside Thermal Inversion and H... | We find evidence for a strong thermal invers... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17459 | 17460 | $α$-$β$ and $β$-$γ$ phase boundaries of solid ... | The magnetic-field-temperature phase diagram... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17460 | 17461 | Localization Algorithm with Circular Represent... | Extended Kalman filter (EKF) does not guaran... | 1 | 0 | 0 | 0 | 1 | 0 |
| 17461 | 17462 | Lusin-type approximation of Sobolev by Lipschi... | We establish new approximation results, in t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17462 | 17463 | Distributed Coordination for a Class of Nonlin... | In this paper, a multi-agent coordination pr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17463 | 17464 | Intermodulation distortion of actuated MEMS ca... | For the first time, intermodulation distorti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17464 | 17465 | Parasitic Bipolar Leakage in III-V FETs: Impac... | InGaAs-based Gate-all-Around (GAA) FETs with... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17465 | 17466 | Properties of Ultra Gamma Function | In this paper we study the integral of type\... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17466 | 17467 | Further remarks on liftings of crossed modules | In this paper we define the notion of pullba... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17467 | 17468 | Submodular Maximization through the Lens of Li... | The simplex algorithm for linear programming... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17468 | 17469 | Channel Estimation for Diffusive MIMO Molecula... | In diffusion-based communication, as for mol... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17469 | 17470 | Multi-stage splitting integrators for sampling... | Modified Hamiltonian Monte Carlo (MHMC) meth... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17470 | 17471 | Proposal for a High Precision Tensor Processin... | This whitepaper proposes the design and adop... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17471 | 17472 | DICOD: Distributed Convolutional Sparse Coding | In this paper, we introduce DICOD, a convolu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17472 | 17473 | On uniqueness results for Dirichlet problems o... | We study uniqueness of Dirichlet problems of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17473 | 17474 | (LaTiO$_3$)$_n$/(LaVO$_3$)$_n$ as a model syst... | At interfaces between oxide materials, latti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17474 | 17475 | Modeling sorption of emerging contaminants in ... | A mathematical model for emerging contaminan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17475 | 17476 | Stabilizing Training of Generative Adversarial... | Deep generative models based on Generative A... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17476 | 17477 | Spurious Vanishing Problem in Approximate Vani... | Approximate vanishing ideal, which is a new ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17477 | 17478 | Opportunities for Two-color Experiments at the... | X-ray Free Electron Lasers (XFELs) have been... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17478 | 17479 | Braiding errors in interacting Majorana quantu... | Avenues of Majorana bound states (MBSs) have... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17479 | 17480 | Machine Learning for Structured Clinical Data | Research is a tertiary priority in the EHR, ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17480 | 17481 | Hidden order and symmetry protected topologica... | We show that whereas spin-1/2 one-dimensiona... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17481 | 17482 | The effect of prudence on the optimal allocati... | In this paper two portfolio choice models ar... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17482 | 17483 | On universal operators and universal pairs | We study some basic properties of the class ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17483 | 17484 | Interleaving Lattice for the APS Linac | To realize and test advanced accelerator con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17484 | 17485 | \textit{Ab Initio} Study of the Magnetic Behav... | We investigated the magnetic behavior of met... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17485 | 17486 | Secret Sharing for Cloud Data Security | Cloud computing helps reduce costs, increase... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17486 | 17487 | Design and Analysis of a Secure Three Factor U... | Password security can no longer provide enou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17487 | 17488 | Real-World Modeling of a Pathfinding Robot Usi... | This paper presents a practical approach tow... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17488 | 17489 | Understanding Convolution for Semantic Segment... | Recent advances in deep learning, especially... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17489 | 17490 | Mechanical Failure in Amorphous Solids: Scale ... | The mechanical failure of amorphous media is... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17490 | 17491 | Moment conditions in strong laws of large numb... | The validity of the strong law of large numb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17491 | 17492 | Connecting Clump Sizes in Turbulent Disk Galax... | In this letter we study the mean sizes of Ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17492 | 17493 | Anomalous slowing down of individual human act... | Motivated by a host of empirical evidences r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17493 | 17494 | The spectrum, radiation conditions and the Fre... | We consider the spectral Dirichlet problem f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17494 | 17495 | On the Semantics and Complexity of Probabilist... | We examine the meaning and the complexity of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17495 | 17496 | Fitting Probabilistic Index Models on Large Da... | Recently, Thas et al. (2012) introduced a ne... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17496 | 17497 | BICEP2 / Keck Array IX: New Bounds on Anisotro... | We present the strongest constraints to date... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17497 | 17498 | Unsupervised Object Discovery and Segmentation... | In this paper we introduce a system for unsu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17498 | 17499 | Enabling large-scale viscoelastic calculations... | One of the most significant challenges invol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17499 | 17500 | Speaker identification from the sound of the h... | This paper examines the speaker identificati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17500 | 17501 | Vector valued maximal Carleson type operators ... | In this paper, by using the idea of lineariz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17501 | 17502 | Rigidity of square-tiled interval exchange tra... | We look at interval exchange transformations... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17502 | 17503 | Global Marcinkiewicz estimates for nonlinear p... | Consider the parabolic equation with measure... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17503 | 17504 | Can Who-Edits-What Predict Edit Survival? | As the number of contributors to online peer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17504 | 17505 | Introduction to intelligent computing unit 1 | This brief note highlights some basic concep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17505 | 17506 | Spatial heterogeneities shape collective behav... | We present novel experimental results on pat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17506 | 17507 | Yamabe Solitons on three-dimensional normal al... | The purpose of the paper is to study Yamabe ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17507 | 17508 | Clustering and Hitting Times of Threshold Exce... | We investigate exceedances of the process ov... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17508 | 17509 | Classification of Local Field Potentials using... | A problem of classification of local field p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17509 | 17510 | A few explicit examples of complex dynamics of... | We give a few explicit examples which answer... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17510 | 17511 | Ancestral inference from haplotypes and mutations | We consider inference about the history of a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17511 | 17512 | Ellipsoid Method for Linear Programming made s... | In this paper, ellipsoid method for linear p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17512 | 17513 | Collective strong coupling of cold atoms to an... | We experimentally demonstrate a ring geometr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17513 | 17514 | Robust Model-Based Clustering of Voting Records | We explore the possibility of discovering ex... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17514 | 17515 | The Quest for Solvable Multistate Landau-Zener... | Recently, integrability conditions (ICs) in ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17515 | 17516 | Bayesian Inference of the Multi-Period Optimal... | We consider the estimation of the multi-peri... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17516 | 17517 | Reconstructing the gravitational field of the ... | Tests of gravity at the galaxy scale are in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17517 | 17518 | Hierarchical organization of H. Eugene Stanley... | By mapping the most advanced elements of the... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17518 | 17519 | Rational links and DT invariants of quivers | We prove that the generating functions for t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17519 | 17520 | G2-structures for N=1 supersymmetric AdS4 solu... | We study the N=1 supersymmetric solutions of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17520 | 17521 | A Neural Stochastic Volatility Model | In this paper, we show that the recent integ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17521 | 17522 | A Minimalist Approach to Type-Agnostic Detecti... | This paper proposes a segmentation-free, aut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17522 | 17523 | Mass-to-Light versus Color Relations for Dwarf... | We have determined new relations between $UB... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17523 | 17524 | Insight into High-order Harmonic Generation fr... | We study numerically the Bloch electron wave... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17524 | 17525 | Using deterministic approximations to accelera... | Sequential Monte Carlo has become a standard... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17525 | 17526 | Evaluating (and improving) the correspondence ... | Decades of psychological research have been ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17526 | 17527 | An approach to nonsolvable base change and des... | We present a collection of conjectural trace... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17527 | 17528 | Towards Attack-Tolerant Networks: Concurrent M... | Targeted attacks against network infrastruct... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17528 | 17529 | PEORL: Integrating Symbolic Planning and Hiera... | Reinforcement learning and symbolic planning... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17529 | 17530 | Structure of Native Two-dimensional Oxides on ... | When pristine material surfaces are exposed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17530 | 17531 | Hydrodynamic charge and heat transport on inho... | We develop the theory of hydrodynamic charge... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17531 | 17532 | Simulation assisted machine learning | Predicting how a proposed cancer treatment w... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17532 | 17533 | Rechargeable redox flow batteries: Maximum cur... | Rechargeable redox flow batteries with serpe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17533 | 17534 | Open problems in mathematical physics | We present a list of open questions in mathe... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17534 | 17535 | Stochastic Bandit Models for Delayed Conversions | Online advertising and product recommendatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17535 | 17536 | Fitting Analysis using Differential Evolution ... | The goal of population spectral synthesis (P... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17536 | 17537 | A Combinatoric Shortcut to Evaluate CHY-forms | In \cite{Chen:2016fgi} we proposed a differe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17537 | 17538 | ART: adaptive residual--time restarting for Kr... | In this paper a new restarting method for Kr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17538 | 17539 | Nil extensions of simple regular ordered semig... | In this paper, nil extensions of some specia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17539 | 17540 | The Unreasonable Effectiveness of Structured R... | We examine a class of embeddings based on st... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17540 | 17541 | The Bayesian optimist's guide to adaptive immu... | Probabilistic modeling is fundamental to the... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17541 | 17542 | Predictive Indexing | There has been considerable research on auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17542 | 17543 | Making Deep Q-learning methods robust to time ... | Despite remarkable successes, Deep Reinforce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17543 | 17544 | Anomalous current in diffusive ferromagnetic J... | We demonstrate that in diffusive superconduc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17544 | 17545 | Rate Optimal Estimation and Confidence Interva... | Although a majority of the theoretical liter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17545 | 17546 | Applications of an algorithm for solving Fredh... | In this paper we use an iterative algorithm ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17546 | 17547 | Fully symmetric kernel quadrature | Kernel quadratures and other kernel-based ap... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17547 | 17548 | Conditional Accelerated Lazy Stochastic Gradie... | In this work we introduce a conditional acce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17548 | 17549 | MMD GAN: Towards Deeper Understanding of Momen... | Generative moment matching network (GMMN) is... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17549 | 17550 | Multipartite entanglement after a quantum quench | We study the multipartite entanglement of a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17550 | 17551 | Thermal properties of graphene from path-integ... | Thermal properties of graphene monolayers ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17551 | 17552 | Measuring Affectiveness and Effectiveness in S... | The summary presented in this paper highligh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17552 | 17553 | Intertangled stochastic motifs in networks of ... | A stochastic model of excitatory and inhibit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17553 | 17554 | Accurate Computation of the Distribution of Su... | We present a new Monte Carlo methodology for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17554 | 17555 | The complete unitary dual of non-compact Lie s... | We study the unitary representations of the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17555 | 17556 | DeepPainter: Painter Classification Using Deep... | In this paper we describe the problem of pai... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17556 | 17557 | Sharp gradient estimate for heat kernels on $R... | In this paper, we will establish an elliptic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17557 | 17558 | Thermodynamic properties of diatomic molecules... | Due to one of the most representative contri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17558 | 17559 | Effects of ultrasound waves intensity on the r... | Environmental pollutants, such as colors fro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17559 | 17560 | Enumeration of Tree-like Maps with Arbitrary N... | This paper provides the generating series fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17560 | 17561 | Depth resolved chemical speciation of a superl... | We report results of simultaneous x-ray refl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17561 | 17562 | Optospintronics in graphene via proximity coup... | The observation of micron size spin relaxati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17562 | 17563 | Control strategy to limit duty cycle impact of... | Advanced gravitational-wave detectors such a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17563 | 17564 | Multi-rendezvous Spacecraft Trajectory Optimiz... | The design of spacecraft trajectories for mi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17564 | 17565 | Types and unitary representations of reductive... | We prove that for every Bushnell-Kutzko type... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17565 | 17566 | Average values of L-functions in even characte... | Let $k = \mathbb{F}_{q}(T)$ be the rational ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17566 | 17567 | Decoupled molecules with binding polynomials o... | We present a result on the number of decoupl... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17567 | 17568 | Learning to update Auto-associative Memory in ... | Learning to remember long sequences remains ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17568 | 17569 | McDiarmid Drift Detection Methods for Evolving... | Increasingly, Internet of Things (IoT) domai... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17569 | 17570 | Yield in Amorphous Solids: The Ant in the Ener... | It has recently been shown that yield in amo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17570 | 17571 | Statistical methods in astronomy | We present a review of data types and statis... | 0 | 1 | 0 | 1 | 0 | 0 |
| 17571 | 17572 | A note on some algebraic trapdoors for block c... | We provide sufficient conditions to guarante... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17572 | 17573 | Bi-Demographic Changes and Current Account usi... | The paper, as a new contribution, aims to ex... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17573 | 17574 | Supervised Machine Learning for Signals Having... | Classification performances of the supervise... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17574 | 17575 | End-to-End Optimized Transmission over Dispers... | We propose an autoencoding sequence-based tr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17575 | 17576 | Effective difference elimination and Nullstell... | We prove effective Nullstellensatz and elimi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17576 | 17577 | A note on primitive $1-$normal elements over f... | Let $q$ be a prime power of a prime $p$, $n$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17577 | 17578 | Sparse Coding Predicts Optic Flow Specificitie... | Zebrafish pretectal neurons exhibit specific... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17578 | 17579 | Revisiting the problem of audio-based hit song... | Being able to predict whether a song can be ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17579 | 17580 | Natural Language Multitasking: Analyzing and I... | We train multi-task autoencoders on linguist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17580 | 17581 | Temporal Logistic Neural Bag-of-Features for F... | Time series forecasting is a crucial compone... | 1 | 0 | 0 | 1 | 0 | 1 |
| 17581 | 17582 | Extended Bose Hubbard model for two leg ladder... | We investigate the ground state properties o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17582 | 17583 | Insensitivity of The Distance Ladder Hubble Co... | Recent determination of the Hubble constant ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17583 | 17584 | Phrase-based Image Captioning with Hierarchica... | Automatic generation of caption to describe ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17584 | 17585 | The three-dimensional structure of swirl-switc... | Swirl-switching is a low-frequency oscillato... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17585 | 17586 | InfoVAE: Information Maximizing Variational Au... | A key advance in learning generative models ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17586 | 17587 | Between-class Learning for Image Classification | In this paper, we propose a novel learning m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17587 | 17588 | Girsanov reweighting for path ensembles and Ma... | The sensitivity of molecular dynamics on cha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17588 | 17589 | Coordination of multi-agent systems via asynch... | In this work we study a multi-agent coordina... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17589 | 17590 | PatternListener: Cracking Android Pattern Lock... | Pattern lock has been widely used for authen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17590 | 17591 | Marginal Release Under Local Differential Privacy | Many analysis and machine learning tasks req... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17591 | 17592 | A possible flyby anomaly for Juno at Jupiter | In the last decades there have been an incre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17592 | 17593 | Crossover between various initial conditions i... | We conjecture the universal probability dist... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17593 | 17594 | Multimodel Response Assessment for Monthly Rai... | We carry out a study of the statistical dist... | 0 | 1 | 0 | 1 | 0 | 0 |
| 17594 | 17595 | Small Boxes Big Data: A Deep Learning Approach... | Bin Packing problems have been widely studie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17595 | 17596 | Surges of collective human activity emerge fro... | Human populations exhibit complex behaviors-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17596 | 17597 | Semantically Enhanced Dynamic Bayesian Network... | Although timely sepsis diagnosis and prompt ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17597 | 17598 | Hölder regularity of viscosity solutions of so... | In this paper we prove the Hölder regularity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17598 | 17599 | Normal form for transverse instability of the ... | There exists a critical speed of propagation... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17599 | 17600 | The CLaC Discourse Parser at CoNLL-2016 | This paper describes our submission "CLaC" t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17600 | 17601 | Ordinary differential equations in algebras of... | A local existence and uniqueness theorem for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17601 | 17602 | Interesting Paths in the Mapper | The Mapper produces a compact summary of hig... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17602 | 17603 | On a three dimensional vision based collision ... | This paper presents a three dimensional coll... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17603 | 17604 | Algorithms for Covering Multiple Barriers | In this paper, we consider the problems for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17604 | 17605 | Shattering the glass ceiling? How the institut... | We examine how the institutional context aff... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17605 | 17606 | An Automated Text Categorization Framework bas... | A great variety of text tasks such as topic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17606 | 17607 | Abdominal aortic aneurysms and endovascular se... | Endovascular sealing is a new technique for ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17607 | 17608 | Affinity Scheduling and the Applications on Da... | MapReduce framework is the de facto standard... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17608 | 17609 | Multivariate Regression with Gross Errors on M... | We consider the topic of multivariate regres... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17609 | 17610 | Computing an Approximately Optimal Agreeable S... | We study the problem of finding a small subs... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17610 | 17611 | 3D Sketching using Multi-View Deep Volumetric ... | Sketch-based modeling strives to bring the e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17611 | 17612 | Inductive Pairwise Ranking: Going Beyond the n... | We study the problem of ranking a set of ite... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17612 | 17613 | SAGA and Restricted Strong Convexity | SAGA is a fast incremental gradient method o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17613 | 17614 | Characterization of Traps at Nitrided SiO$_2$/... | The effects of nitridation on the density of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17614 | 17615 | Response theory of the ergodic many-body deloc... | We derive the finite temperature Keldysh res... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17615 | 17616 | Classification via Tensor Decompositions of Ec... | This work introduces a tensor-based method t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17616 | 17617 | Inference on Breakdown Frontiers | Given a set of baseline assumptions, a break... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17617 | 17618 | Sequential Detection of Three-Dimensional Sign... | We study detection methods for multivariable... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17618 | 17619 | T-Branes at the Limits of Geometry | Singular limits of 6D F-theory compactificat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17619 | 17620 | Space-time crystal and space-time group | Crystal structures and the Bloch theorem pla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17620 | 17621 | On the Performance of Zero-Forcing Processing ... | We consider a multi-way massive multiple-inp... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17621 | 17622 | Motivic rational homotopy type | In this paper we introduce and study motives... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17622 | 17623 | Preconditioner-free Wiener filtering with a de... | This work extends the Elsner & Wandelt (2013... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17623 | 17624 | Order-unity argument for structure-generated "... | Self-consistent treatment of cosmological st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17624 | 17625 | The least unramified prime which does not spli... | Let $K/F$ be a finite extension of number fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17625 | 17626 | Crosscorrelation of Rudin-Shapiro-Like Polynom... | We consider the class of Rudin-Shapiro-like ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17626 | 17627 | An Application of Rubi: Series Expansion of th... | We highlight how Rule-based Integration (Rub... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17627 | 17628 | On the Performance of Wireless Powered Communi... | In this paper, we analyze the performance of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17628 | 17629 | Realizing polarization conversion and unidirec... | We show that polarization states of electrom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17629 | 17630 | When Should You Adjust Standard Errors for Clu... | In empirical work in economics it is common ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17630 | 17631 | Approximate homomorphisms on lattices | We prove two results concerning an Ulam-type... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17631 | 17632 | Learning Latent Events from Network Message Lo... | In this communication, we describe a novel t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17632 | 17633 | Generating retinal flow maps from structural o... | Despite significant advances in artificial i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17633 | 17634 | Varieties with Ample Tangent Sheaves | This paper generalises Mori's famous theorem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17634 | 17635 | Water sub-diffusion in membranes for fuel cells | We investigate the dynamics of water confine... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17635 | 17636 | Global Strong Solution of a 2D coupled Parabol... | The main objective of this paper is to study... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17636 | 17637 | Subcritical thermal convection of liquid metal... | Planetary cores consist of liquid metals (lo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17637 | 17638 | Decision-making processes underlying pedestria... | Followership is generally defined as a strat... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17638 | 17639 | Driven by Excess? Climatic Implications of New... | We present improved Mars Odyssey Neutron Spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17639 | 17640 | On distribution of points with conjugate algeb... | Let $\varphi:\mathbb{R}\rightarrow \mathbb{R... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17640 | 17641 | A Critical Investigation of Deep Reinforcement... | The navigation problem is classically approa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17641 | 17642 | Performance Evaluation of 3D Correspondence Gr... | This paper presents a thorough evaluation of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17642 | 17643 | DeepPicar: A Low-cost Deep Neural Network-base... | We present DeepPicar, a low-cost deep neural... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17643 | 17644 | Statistics of turbulence in the energy-contain... | Considering structure functions of the strea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17644 | 17645 | Physics-Based Modeling of TID Induced Global S... | Compact modeling of inter-device radiation-i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17645 | 17646 | A multiplier inclusion theorem on product domains | In this note it is shown that the class of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17646 | 17647 | Using Battery Storage for Peak Shaving and Fre... | We consider using a battery storage system s... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17647 | 17648 | Information Bottleneck in Control Tasks with R... | The nervous system encodes continuous inform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17648 | 17649 | Physical Properties of Sub-galactic Clumps at ... | We present an investigation of clumpy galaxi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17649 | 17650 | Incomplete Dot Products for Dynamic Computatio... | We propose the use of incomplete dot product... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17650 | 17651 | Graded components of Local cohomology modules II | Let $A$ be a commutative Noetherian ring con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17651 | 17652 | Four-Dimensional Painlevé-Type Equations Assoc... | This is the last part of a series of three p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17652 | 17653 | You Must Have Clicked on this Ad by Mistake! D... | In the cost per click (CPC) pricing model, a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17653 | 17654 | Building Models for Biopathway Dynamics Using ... | An important task for many if not all the sc... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17654 | 17655 | Equilibrium points and basins of convergence i... | The planar linear restricted four-body probl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17655 | 17656 | Nonmonotonic dependence of polymer glass mecha... | We investigate the mechanical properties of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17656 | 17657 | Convolutional Neural Network Committees for Me... | Skin cancer is a major public health problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17657 | 17658 | Arbitrage and Geometry | This article introduces the notion of arbitr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17658 | 17659 | ADE surfaces and their moduli | We define a class of surfaces and surface pa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17659 | 17660 | An Efficient Descriptor Model for Designing Ma... | An efficient descriptor model for fast scree... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17660 | 17661 | Multiplication of a Schubert polynomial by a S... | We prove, combinatorially, that the product ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17661 | 17662 | Topological nodal line states and a potential ... | Topological nodal line (DNL) semimetals, for... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17662 | 17663 | Boosting Variational Inference: an Optimizatio... | Variational inference is a popular technique... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17663 | 17664 | Nature of carrier injection in metal/2D semico... | Monolayers of transition metal dichalcogenid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17664 | 17665 | Characteristics of stratified flows of Newtoni... | Exact solutions for laminar stratified flows... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17665 | 17666 | Stochastic Chebyshev Gradient Descent for Spec... | A large class of machine learning techniques... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17666 | 17667 | Poisson Bracket and Symplectic Structure of Co... | The covariant canonical formalism is a covar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17667 | 17668 | Cascading Failures in Interdependent Systems: ... | We study cascading failures in a system comp... | 1 | 1 | 0 | 1 | 0 | 0 |
| 17668 | 17669 | Critical exponent for geodesic currents | For any geodesic current we associated a qua... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17669 | 17670 | Human and Machine Speaker Recognition Based on... | Trivial events are ubiquitous in human to hu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17670 | 17671 | AdiosStMan: Parallelizing Casacore Table Data ... | In this paper, we investigate the Casacore T... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17671 | 17672 | Direct Experimental Observation of the Gas Fil... | We report the experimental observation of th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17672 | 17673 | Coherence measurements of scattered incoherent... | In absence of a lens to form an image, incoh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17673 | 17674 | MVP2P: Layer-Dependency-Aware Live MVC Video S... | Multiview video supports observing a scene f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17674 | 17675 | High order finite element simulations for flui... | The objective of the present work is to cons... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17675 | 17676 | Twin Networks: Matching the Future for Sequenc... | We propose a simple technique for encouragin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17676 | 17677 | Structure and Randomness of Continuous-Time Di... | Loosely speaking, the Shannon entropy rate i... | 0 | 1 | 1 | 1 | 0 | 0 |
| 17677 | 17678 | In situ high resolution real-time quantum effi... | Aspects of the preparation process and perfo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17678 | 17679 | Competitive division of a mixed manna | A mixed manna contains goods (that everyone ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17679 | 17680 | Understanding Black-box Predictions via Influe... | How can we explain the predictions of a blac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17680 | 17681 | Linear and nonlinear photonic Jackiw-Rebbi sta... | We study analytically and numerically the op... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17681 | 17682 | A Century of Science: Globalization of Scienti... | Progress in science has advanced the develop... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17682 | 17683 | Interval-type theorems concerning means | Each family $\mathcal{M}$ of means has a nat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17683 | 17684 | Diff-DAC: Distributed Actor-Critic for Average... | We propose a fully distributed actor-critic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17684 | 17685 | On locally compact semitopological $0$-bisimpl... | We describe the structure of Hausdorff local... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17685 | 17686 | Theory of Disorder-Induced Half-Integer Therma... | Electrons that are confined to a single Land... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17686 | 17687 | On Security Research Towards Future Mobile Net... | Over the last decades, numerous security and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17687 | 17688 | Channel Simulation in Quantum Metrology | In this review we discuss how channel simula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17688 | 17689 | Ranking Causal Influence of Financial Markets ... | A non-parametric method for ranking stock in... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17689 | 17690 | Shear banding in metallic glasses described by... | Plastic deformation of metallic glasses perf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17690 | 17691 | Detection of low dimensionality and data denoi... | This work is closely related to the theories... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17691 | 17692 | Deep Networks with Shape Priors for Nucleus De... | Detection of cell nuclei in microscopic imag... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17692 | 17693 | A sheaf-theoretic model for SL(2,C) Floer homo... | Given a Heegaard splitting of a three-manifo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17693 | 17694 | Discriminative models for multi-instance probl... | Modeling network traffic is gaining importan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17694 | 17695 | Functional advantages offered by many-body coh... | Quantum coherence phenomena driven by electr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17695 | 17696 | Privacy Mining from IoT-based Smart Homes | Recently, a wide range of smart devices are ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17696 | 17697 | Idempotent ordered semigroup | An element e of an ordered semigroup $(S,\cd... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17697 | 17698 | Hybrid bounds for twists of $GL(3)$ $L$-functions | Let $\pi$ be a Hecke-Maass cusp form for $SL... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17698 | 17699 | Modeling stochastic skew of FX options using S... | It is known that the implied volatility skew... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17699 | 17700 | Computational Study of Amplitude-to-Phase Conv... | We calculate the amplitude-to-phase (AM-to-P... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17700 | 17701 | Direct frequency-comb spectroscopy of $6S_{1/2... | Direct frequency-comb spectroscopy is used t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17701 | 17702 | Aggregation and Disaggregation of Energetic Fl... | A variety of energy resources has been ident... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17702 | 17703 | Mapping Walls of Indoor Environment using RGB-... | Inferring walls configuration of indoor envi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17703 | 17704 | The Effects of Memory Replay in Reinforcement ... | Experience replay is a key technique behind ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17704 | 17705 | Portfolio Optimization for Cointelated Pairs: ... | We investigate the problem of dynamic portfo... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17705 | 17706 | High-mass Starless Clumps in the inner Galacti... | We report a sample of 463 high-mass starless... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17706 | 17707 | Biologically Plausible Online Principal Compon... | Artificial neural networks that learn to per... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17707 | 17708 | Exploring to learn visual saliency: The RL-IAC... | The problem of object localization and recog... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17708 | 17709 | Fast and Robust Shortest Paths on Manifolds Le... | We propose a fast, simple and robust algorit... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17709 | 17710 | Typed Graph Networks | Recently, the deep learning community has gi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17710 | 17711 | The effect of different in-chain impurities on... | The S=1/2 Heisenberg spin chain compound SrC... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17711 | 17712 | L-groups and the Langlands program for coverin... | In this joint introduction to an Asterisque ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17712 | 17713 | Uncertainty Reduction for Stochastic Processes... | Many real-world systems are characterized by... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17713 | 17714 | Light propagation in Extreme Conditions - The ... | The field of biomedical imaging has undergon... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17714 | 17715 | Design discussion on the ISDA Common Domain Model | A new initiative from the International Swap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17715 | 17716 | Preserving Intermediate Objectives: One Simple... | Hierarchical models are utilized in a wide v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17716 | 17717 | Atomistic simulations of dislocation/precipita... | Atomistic simulations were carried out to an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17717 | 17718 | Recovering Dense Tissue Multispectral Signal f... | Hyperspectral/multispectral imaging (HSI/MSI... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17718 | 17719 | Atomically thin gallium layers from solid-melt... | Among the large number of promising two-dime... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17719 | 17720 | Novel Universality Classes in Ferroelectric Li... | Starting from a Langevin formulation of a th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17720 | 17721 | Feature functional theory - binding predictor ... | We present a feature functional theory - bin... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17721 | 17722 | Combining and Steganography of 3D Face Textures | One of the serious issues in communication b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17722 | 17723 | Degree of sequentiality of weighted automata | Weighted automata (WA) are an important form... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17723 | 17724 | On the orders of the non-Frattini elements of ... | Let $G$ be a finite group and let $p_1,\dots... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17724 | 17725 | Varieties of general type with small volumes | Generalize Kobayashi's example for the Noeth... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17725 | 17726 | Translations in the exponential Orlicz space w... | We study the continuity of space translation... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17726 | 17727 | Shrinkage Estimation Strategies in Generalized... | In this study, we propose shrinkage methods ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17727 | 17728 | A path integral approach to Bayesian inference... | We formulate Bayesian updates in Markov proc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17728 | 17729 | Strong-coupling charge density wave in a one-d... | Scanning tunnelling microscopy and low energ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17729 | 17730 | $\mathfrak A$-principal Hopf hypersurfaces in ... | A real hypersurface in the complex quadric $... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17730 | 17731 | On the stochastic phase stability of Ti2AlC-Cr... | The quest towards expansion of the MAX desig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17731 | 17732 | Note on Attacking Object Detectors with Advers... | Deep learning has proven to be a powerful to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17732 | 17733 | All or Nothing Caching Games with Bounded Queries | We determine the value of some search games ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17733 | 17734 | HATS-43b, HATS-44b, HATS-45b, and HATS-46b: Fo... | We report the discovery of four short period... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17734 | 17735 | Well-balanced mesh-based and meshless schemes ... | We formulate a general criterion for the exa... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17735 | 17736 | An Enhanced Initial Margin Methodology to Mana... | The use of CVA to cover credit risk is widel... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17736 | 17737 | Ensemble Pruning based on Objection Maximizati... | Ensemble pruning, selecting a subset of indi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17737 | 17738 | Psychophysical laws as reflection of mental sp... | The paper is devoted to the relationship bet... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17738 | 17739 | Shimura curves in the Prym locus | We study Shimura curves of PEL type in $\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17739 | 17740 | Latent Laplacian Maximum Entropy Discriminatio... | Data-driven anomaly detection methods suffer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17740 | 17741 | View-Invariant Recognition of Action Style Sel... | Self-similarity was recently introduced as a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17741 | 17742 | Conducting Highly Principled Data Science: A S... | Highly Principled Data Science insists on me... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17742 | 17743 | Regularizing nonlinear Schroedinger equations ... | We study a class of focusing nonlinear Schro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17743 | 17744 | On h-Lexicalized Restarting Automata | Following some previous studies on restartin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17744 | 17745 | Bayesian Nonparametric Inference for M/G/1 Que... | In this work, nonparametric statistical infe... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17745 | 17746 | Symbol Invariant of Partition and the Construc... | The symbol is used to describe the Springer ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17746 | 17747 | Fairness in representation: quantifying stereo... | While harms of allocation have been increasi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17747 | 17748 | Probing the possibility of hotspots on the cen... | The X-ray spectra of the neutron stars locat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17748 | 17749 | Some Elementary Partition Inequalities and The... | We prove various inequalities between the nu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17749 | 17750 | The terrestrial late veneer from core disrupti... | Overabundances in highly siderophile element... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17750 | 17751 | A Bayesian model for lithology/fluid class pre... | We consider a Bayesian model for inversion o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17751 | 17752 | Correct Brillouin zone and electronic structur... | A promising route to the realization of Majo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17752 | 17753 | Even faster sorting of (not only) integers | In this paper we introduce RADULS2, the fast... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17753 | 17754 | Evidential Deep Learning to Quantify Classific... | Deterministic neural nets have been shown to... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17754 | 17755 | Neutron interference in the Earth's gravitatio... | This work relates to the famous experiments,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17755 | 17756 | Solve For Shortest Paths Problem Within Logari... | The Shortest Paths Problem (SPP) is no longe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17756 | 17757 | A short proof of the error term in Simpson's rule | In this paper we present a short and element... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17757 | 17758 | Neutrino mass and dark energy constraints from... | Cosmology in the near future promises a meas... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17758 | 17759 | Dielectrophoretic assembly of liquid-phase-exf... | Liquid-phase-exfoliation is a technique capa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17759 | 17760 | Motion optimization and parameter identificati... | Designing an exoskeleton to reduce the risk ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17760 | 17761 | A dataset for Computer-Aided Detection of Pulm... | Todays, researchers in the field of Pulmonar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17761 | 17762 | Comment on Ben-Amotz and Honig, "Average entro... | We point out that most of the classical ther... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17762 | 17763 | High-transmissivity Silicon Visible-wavelength... | High-transmissivity all-dielectric metasurfa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17763 | 17764 | Probabilistic Multigraph Modeling for Improvin... | We proposed a probabilistic approach to join... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17764 | 17765 | Quantum key distribution protocol with pseudor... | Quantum key distribution (QKD) offers a way ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17765 | 17766 | Deep clustering of longitudinal data | Deep neural networks are a family of computa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17766 | 17767 | Economic Implications of Blockchain Platforms | In an economy with asymmetric information, t... | 0 | 0 | 0 | 0 | 0 | 1 |
| 17767 | 17768 | Proof Theory and Ordered Groups | Ordering theorems, characterizing when parti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17768 | 17769 | DF-SLAM: A Deep-Learning Enhanced Visual SLAM ... | As the foundation of driverless vehicle and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17769 | 17770 | A-NICE-MC: Adversarial Training for MCMC | Existing Markov Chain Monte Carlo (MCMC) met... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17770 | 17771 | Starobinsky-like Inflation, Supercosmology and... | We embed a flipped ${\rm SU}(5) \times {\rm ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17771 | 17772 | 'Viral' Turing Machines, Computation from Nois... | The interactive computation paradigm is revi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17772 | 17773 | Estimating model evidence using ensemble-based... | IIn recent years, there has been a growing i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17773 | 17774 | An efficient spectral-Galerkin approximation a... | We propose and analyze an efficient spectral... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17774 | 17775 | Mendelian randomization with fine-mapped genet... | Mendelian randomization uses genetic variant... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17775 | 17776 | Building competitive direct acoustics-to-word ... | Direct acoustics-to-word (A2W) models in the... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17776 | 17777 | Convolutional Dictionary Learning: Acceleratio... | Convolutional dictionary learning (CDL or sp... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17777 | 17778 | The late-time light curve of the type Ia super... | We present late-time optical $R$-band imagin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17778 | 17779 | Convergence analysis of the block Gibbs sample... | In this article, we consider Markov chain Mo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17779 | 17780 | The complexity of the Multiple Pattern Matchin... | We generalise a multiple string pattern matc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17780 | 17781 | Functoriality and uniformity in Hrushovski's g... | The correspondence between definable connect... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17781 | 17782 | Simple Conditions for Metastability of Continu... | A family $\{Q_{\beta}\}_{\beta \geq 0}$ of M... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17782 | 17783 | Deterministic preparation of highly non-classi... | We present a scheme to deterministically pre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17783 | 17784 | On Local Optimizers of Acquisition Functions i... | Bayesian optimization is a sample-efficient ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17784 | 17785 | One Password: An Encryption Scheme for Hiding ... | In recent years, the attack which leverages ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17785 | 17786 | The RoPES project with HARPS and HARPS-N. I. A... | We report the discovery of a system of two s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17786 | 17787 | On the possibility of developing quasi-cw high... | A new electron beam-optical procedure is pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17787 | 17788 | An Adaptive Characteristic-wise Reconstruction... | Due to its excellent shock-capturing capabil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17788 | 17789 | A level set-based structural optimization code... | This paper presents an educational code writ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17789 | 17790 | Transaction Support over Redis: An Overview | This document outlines the approach to suppo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17790 | 17791 | Subgraphs and motifs in a dynamic airline network | How does the small-scale topological structu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17791 | 17792 | On the Glitch Phenomenon | The Principle of the Glitch states that for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17792 | 17793 | Asymptotic properties and approximation of Bay... | In this article we perform an asymptotic ana... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17793 | 17794 | Tunable Weyl and Dirac states in the nonsymmor... | Recent interest in topological semimetals ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17794 | 17795 | Personalised Query Suggestion for Intranet Sea... | Recent research has shown the usefulness of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17795 | 17796 | Navigability of Random Geometric Graphs in the... | Random geometric graphs in hyperbolic spaces... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17796 | 17797 | Learning Geometric Concepts with Nasty Noise | We study the efficient learnability of geome... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17797 | 17798 | The relationship between the number of editori... | Editorial board members, who are considered ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17798 | 17799 | A Non-standard Standard Model | This paper examines the Standard Model under... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17799 | 17800 | Robust functional regression model for margina... | We introduce flexible robust functional regr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17800 | 17801 | Linear theory for single and double flap wavem... | In this paper, we are concerned with determi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17801 | 17802 | Image-domain multi-material decomposition for ... | Dual energy CT (DECT) enhances tissue charac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17802 | 17803 | A tutorial on the synthesis and validation of ... | In wind farms, wake interaction leads to los... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17803 | 17804 | UCB Exploration via Q-Ensembles | We show how an ensemble of $Q^*$-functions c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17804 | 17805 | Towards a Deep Improviser: a prototype deep le... | Two modest-sized symbolic corpora of post-to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17805 | 17806 | Depicting urban boundaries from a mobility net... | Existing urban boundaries are usually define... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17806 | 17807 | Avoiding a Tragedy of the Commons in the Peer ... | Peer review is the foundation of scientific ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17807 | 17808 | Partially Recursive Acceptance Rejection | Generating random variates from high-dimensi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17808 | 17809 | Reifenberg Flatness and Oscillation of the Uni... | We show (under mild topological assumptions)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17809 | 17810 | Stability and optimality of distributed second... | We present a systematic method for designing... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17810 | 17811 | A Conjoint Application of Data Mining Techniqu... | Terrorism has become one of the most tedious... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17811 | 17812 | OVI 6830Å Imaging Polarimetry of Symbiotic Stars | I present here the first results from an ong... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17812 | 17813 | MMGAN: Manifold Matching Generative Adversaria... | It is well-known that GANs are difficult to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17813 | 17814 | Domain Adaptation for Infection Prediction fro... | Acute respiratory infections have epidemic a... | 0 | 0 | 0 | 1 | 1 | 0 |
| 17814 | 17815 | Constrained empirical Bayes priors on regressi... | Under model uncertainty, empirical Bayes (EB... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17815 | 17816 | A finite field analogue for Appell series F_3 | In this paper we introduce a finite field an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17816 | 17817 | Two-way Two-tape Automata | In this article we consider two-way two-tape... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17817 | 17818 | Making 360$^{\circ}$ Video Watchable in 2D: Le... | 360$^{\circ}$ video requires human viewers t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17818 | 17819 | Zero-Shot Learning by Generating Pseudo Featur... | Zero-shot learning (ZSL) is a challenging ta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17819 | 17820 | Hierarchical RNN with Static Sentence-Level At... | Speaker change detection (SCD) is an importa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17820 | 17821 | Bivariate Discrete Generalized Exponential Dis... | In this paper we develop a bivariate discret... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17821 | 17822 | Optimization of Ensemble Supervised Learning A... | Over 150,000 new people in the United States... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17822 | 17823 | More or Less? Predict the Social Influence of ... | Users of Online Social Networks (OSNs) inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17823 | 17824 | Path-Following through Control Funnel Functions | We present an approach to path following usi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17824 | 17825 | Tunable Anomalous Andreev Reflection and Tripl... | We theoretically study scattering process an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17825 | 17826 | Conditional Model Selection in Mixed-Effects M... | Model selection in mixed models based on the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17826 | 17827 | Inequalities for the lowest magnetic Neumann e... | We study the ground state energy of the Neum... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17827 | 17828 | Automated optimization of large quantum circui... | We develop and implement automated methods f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17828 | 17829 | Testing the simplifying assumption in high-dim... | Testing the simplifying assumption in high-d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17829 | 17830 | TSP With Locational Uncertainty: The Adversari... | In this paper we study a natural special cas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17830 | 17831 | Exact solutions to three-dimensional generaliz... | It is shown that using the similarity transf... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17831 | 17832 | A Study of Reinforcement Learning for Neural M... | Recent studies have shown that reinforcement... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17832 | 17833 | Weighted Data Normalization Based on Eigenvalu... | Artificial neural network (ANN) is a very us... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17833 | 17834 | Maximum likelihood estimation of determinantal... | Determinantal point processes (DPPs) have wi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17834 | 17835 | Orthogonal Machine Learning: Power and Limitat... | Double machine learning provides $\sqrt{n}$-... | 1 | 0 | 1 | 1 | 0 | 0 |
| 17835 | 17836 | Numerical investigation of supersonic shock-wa... | We perform direct numerical simulations of s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17836 | 17837 | Privacy and Fairness in Recommender Systems vi... | Latent factor models for recommender systems... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17837 | 17838 | Asymptotics for high-dimensional covariance ma... | We establish large sample approximations for... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17838 | 17839 | Bayesian Paragraph Vectors | Word2vec (Mikolov et al., 2013) has proven t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17839 | 17840 | Subset Synchronization in Monotonic Automata | We study extremal and algorithmic questions ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17840 | 17841 | Architecture of Text Mining Application in Ana... | The selection of West Java governor is one e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17841 | 17842 | Ray: A Distributed Framework for Emerging AI A... | The next generation of AI applications will ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17842 | 17843 | A blockchain-based Decentralized System for pr... | Temporary work is an employment situation us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17843 | 17844 | Valley polarized relaxation and upconversion l... | Transition metal dichalcogenides represent a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17844 | 17845 | Machine learning based localization and classi... | We demonstrate identification of position, m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17845 | 17846 | On the difficulty of finding spines | We prove that the set of symplectic lattices... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17846 | 17847 | Distributed Decoding of Convolutional Network ... | A Viterbi-like decoding algorithm is propose... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17847 | 17848 | Temperature induced phase transition from cycl... | In multiferroic BiFeO$_3$ a cycloidal antife... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17848 | 17849 | POSEYDON - Converting the DAFNE Collider into ... | This project proposes to reuse the DAFNE acc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17849 | 17850 | Phase diagram of hydrogen and a hydrogen-heliu... | Understanding planetary interiors is directl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17850 | 17851 | Identifying exogenous and endogenous activity ... | The occurrence of new events in a system is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17851 | 17852 | Water flow in Carbon and Silicon Carbide nanot... | In this work the conduction of ion-water sol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17852 | 17853 | Multidimensional extremal dependence coefficients | Extreme values modeling has attracting the a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17853 | 17854 | A general framework for data-driven uncertaint... | Systems subject to uncertain inputs produce ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17854 | 17855 | Pachinko Prediction: A Bayesian method for eve... | The combination of large open data sources w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17855 | 17856 | A Digital Hardware Fast Algorithm and FPGA-bas... | The discrete cosine transform (DCT) is the k... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17856 | 17857 | Resurrecting the sigmoid in deep learning thro... | It is well known that the initialization of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17857 | 17858 | Singular perturbation for abstract elliptic eq... | Boundary value problem for complete second o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17858 | 17859 | Pruning and Nonparametric Multiple Change Poin... | Change point analysis is a statistical tool ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17859 | 17860 | Context encoding enables machine learning-base... | Real-time monitoring of functional tissue pa... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17860 | 17861 | Simulating the interaction between a falling s... | The interaction that occurs between a light ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17861 | 17862 | Power Flow Analysis Using Graph based Combinat... | Compared with relational database (RDB), gra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17862 | 17863 | A GAMP Based Low Complexity Sparse Bayesian Le... | In this paper, we present an algorithm for t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17863 | 17864 | Sub-Nanometer Channels Embedded in Two-Dimensi... | Two-dimensional (2D) materials are among the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17864 | 17865 | Emotion in Reinforcement Learning Agents and R... | This article provides the first survey of co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17865 | 17866 | Tensor Networks in a Nutshell | Tensor network methods are taking a central ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17866 | 17867 | Cheryl's Birthday | We present four logic puzzles and after that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17867 | 17868 | Never Forget: Balancing Exploration and Exploi... | Exploration bonus derived from the novelty o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17868 | 17869 | Lenient Multi-Agent Deep Reinforcement Learning | Much of the success of single agent deep rei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17869 | 17870 | A New Framework for Synthetic Aperture Sonar M... | Synthetic aperture imaging systems achieve c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17870 | 17871 | Emotionalism within People-Oriented Software D... | In designing most software applications, muc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17871 | 17872 | Quantifying the Estimation Error of Principal ... | Principal component analysis is an important... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17872 | 17873 | On Convex Programming Relaxations for the Perm... | In recent years, several convex programming ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17873 | 17874 | Many cubic surfaces contain rational points | Building on recent work of Bhargava--Elkies-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17874 | 17875 | Representation learning of drug and disease te... | Drug repositioning (DR) refers to identifica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17875 | 17876 | Analysis of a remarkable singularity in a nonl... | In this work we investigate the dynamics of ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17876 | 17877 | Characterization of Lipschitz functions in ter... | Our aim is to characterize the Lipschitz fun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17877 | 17878 | Superconductivity Induced by Interfacial Coupl... | We consider a thin normal metal sandwiched b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17878 | 17879 | Privacy Assessment of De-identified Opal Data:... | We consider the privacy implications of publ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17879 | 17880 | On the Importance of Correlations in Rational ... | The Nash equilibrium paradigm, and Rational ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17880 | 17881 | Reliable estimation of prediction uncertainty ... | The predictions of parameteric property mode... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17881 | 17882 | Rethinking Split Manufacturing: An Information... | Split manufacturing is a promising technique... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17882 | 17883 | Unsupervised robotic sorting: Towards autonomo... | Autonomous sorting is a crucial task in indu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17883 | 17884 | Beyond Whittle: Nonparametric correction of a ... | The Whittle likelihood is widely used for Ba... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17884 | 17885 | A consistent approach to unstructured mesh gen... | Geophysical model domains typically contain ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 17885 | 17886 | Metric Map Merging using RFID Tags & Topologic... | A map merging component is crucial for the p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17886 | 17887 | Learning Local Feature Aggregation Functions w... | This paper introduces a family of local feat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17887 | 17888 | Sub-harmonic Injection Locking in Metronomes | In this paper, we demonstrate sub-harmonic i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17888 | 17889 | Spin Seebeck effect in a polar antiferromagnet... | We have studied the longitudinal spin Seebec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17889 | 17890 | Mackey algebras which are Gorenstein | We complete the picture available in the lit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17890 | 17891 | Efficient acquisition rules for model-based ap... | Approximate Bayesian computation (ABC) is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17891 | 17892 | Active Learning for Regression Using Greedy Sa... | Regression problems are pervasive in real-wo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17892 | 17893 | Centroid estimation based on symmetric KL dive... | We define a new method to estimate centroid ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17893 | 17894 | Rapid Near-Neighbor Interaction of High-dimens... | Calculation of near-neighbor interactions am... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17894 | 17895 | Evolution and Recent Developments of the Gaseo... | The evolution and the present status of the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17895 | 17896 | Superconducting Qubit-Resonator-Atom Hybrid Sy... | We propose a hybrid quantum system, where an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17896 | 17897 | Heroes and Zeroes: Predicting the Impact of Ne... | Video games and the playing thereof have bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17897 | 17898 | Variational Autoencoders for Learning Latent R... | Learning the latent representation of data i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17898 | 17899 | Insense: Incoherent Sensor Selection for Spars... | Sensor selection refers to the problem of in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17899 | 17900 | Discrete Distribution for a Wiener Process Ran... | We introduce the discrete distribution of a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17900 | 17901 | Coherent control of flexural vibrations in dua... | Coherent control of the resonant response in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17901 | 17902 | Static and Dynamic Magnetic Properties of FeMn... | Recently we have demonstrated the presence o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17902 | 17903 | Ultraproducts of crossed product von Neumann a... | We study a relationship between the ultrapro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17903 | 17904 | Concept Drift Detection and Adaptation with Hi... | A fundamental issue for statistical classifi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17904 | 17905 | Interval-based Prediction Uncertainty Bound Co... | The problem of machine learning with missing... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17905 | 17906 | Methods for Interpreting and Understanding Dee... | This paper provides an entry point to the pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17906 | 17907 | Passive Classification of Source Printer using... | In this digital era, one thing that still ho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17907 | 17908 | The duration of load effect in lumber as stoch... | This paper proposes a gamma process for mode... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17908 | 17909 | Partial Bridging of Vaccine Efficacy to New Po... | Suppose one has data from one or more comple... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17909 | 17910 | An induced map between rationalized classifyin... | Let $B{ aut}_1X$ be the Dold-Lashof classify... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17910 | 17911 | The Statistical Recurrent Unit | Sophisticated gated recurrent neural network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17911 | 17912 | Many-body localization in the droplet spectrum... | We study many-body localization properties o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17912 | 17913 | FastDeepIoT: Towards Understanding and Optimiz... | Deep neural networks show great potential as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17913 | 17914 | Robust MPC for tracking of nonholonomic robots... | In this paper, two robust model predictive c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17914 | 17915 | Investigation on the use of Hidden-Markov Mode... | Hidden Markov Models (HMMs) are a ubiquitous... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17915 | 17916 | Network archaeology: phase transition in the r... | Network growth processes can be understood a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17916 | 17917 | Big Data, Data Science, and Civil Rights | Advances in data analytics bring with them c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17917 | 17918 | Global well-posedness for 2-D Boussinesq syste... | The present paper is dedicated to the global... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17918 | 17919 | CO~($J = 1-0$) Observations of a Filamentary M... | We present large-field (4.25~$\times$~3.75 d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17919 | 17920 | Leveraging Deep Neural Network Activation Entr... | Unseen data conditions can inflict serious p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17920 | 17921 | Asymmetric Preheating | We study the generation of the matter-antima... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17921 | 17922 | A multi-device dataset for urban acoustic scen... | This paper introduces the acoustic scene cla... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17922 | 17923 | Asymptotically preserving particle-in-cell met... | We propose a class of Particle-In-Cell (PIC)... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17923 | 17924 | Cluster Failure Revisited: Impact of First Lev... | Methodological research rarely generates a b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17924 | 17925 | An Integrated Simulator and Dataset that Combi... | Deep learning is an established framework fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17925 | 17926 | A Recursive Bayesian Approach To Describe Reti... | Demographic studies suggest that changes in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17926 | 17927 | Quantum Harmonic Analysis of the Density Matri... | In this Review we will study rigorously the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17927 | 17928 | The bromodomain-containing protein Ibd1 links ... | Background: The chromatin remodelers of the ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 17928 | 17929 | A Bayesian Perspective on Generalization and S... | We consider two questions at the heart of ma... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17929 | 17930 | Higher Derivative Field Theories: Degeneracy C... | We provide a full analysis of ghost free hig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17930 | 17931 | 3D Morphology Prediction of Progressive Spinal... | We introduce a novel approach for predicting... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17931 | 17932 | The Galaxy's Veil of Excited Hydrogen | Many of the baryons in our Galaxy probably l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17932 | 17933 | Photonic-chip supercontinuum with tailored spe... | Supercontinuum generation using chip-integra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17933 | 17934 | Endogenizing Epistemic Actions | Through a series of examples, we illustrate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17934 | 17935 | The Meaning of Memory Safety | We give a rigorous characterization of what ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17935 | 17936 | The Flexible Group Spatial Keyword Query | We present a new class of service for locati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17936 | 17937 | Undersampled windowed exponentials and their a... | We characterize the completeness and frame/b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17937 | 17938 | Globally Optimal Gradient Descent for a ConvNe... | Deep learning models are often successfully ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17938 | 17939 | Detection of irregular QRS complexes using Her... | Computer based recognition and detection of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17939 | 17940 | On the Lipschitz equivalence of self-affine sets | Let $A$ be an expanding $d\times d$ matrix w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17940 | 17941 | The Gross-Pitaevskii equations of a static and... | In this paper we consider the Dvali and Góme... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17941 | 17942 | Stability and instability in saddle point dyna... | We consider the problem of convergence to a ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17942 | 17943 | Continual Prediction of Notification Attendanc... | We investigate to what extent mobile use pat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17943 | 17944 | Extensions of Operators, Liftings of Monads an... | In a previous study, the algebraic formulati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17944 | 17945 | Cascaded Incremental Nonlinear Dynamic Inversi... | Micro Aerial Vehicles (MAVs) are limited in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17945 | 17946 | Numerical Evaluation of Elliptic Functions, El... | We describe algorithms to compute elliptic f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17946 | 17947 | In situ Electric Field Skyrmion Creation in Ma... | Magnetic skyrmions are localized nanometric ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17947 | 17948 | An online sequence-to-sequence model for noisy... | Generative models have long been the dominan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17948 | 17949 | Existence of infinite Viterbi path for pairwis... | For hidden Markov models one of the most pop... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17949 | 17950 | Coding for Segmented Edit Channels | This paper considers insertion and deletion ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17950 | 17951 | Charge compensation at the interface between t... | Periodic supercell models of electric double... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17951 | 17952 | CrowdTone: Crowd-powered tone feedback and imp... | In this paper, we present CrowdTone, a syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17952 | 17953 | A Deterministic and Generalized Framework for ... | Restricted Boltzmann machines (RBMs) are ene... | 1 | 1 | 0 | 1 | 0 | 0 |
| 17953 | 17954 | Integrability conditions for Compound Random M... | Compound random measures (CoRM's) are a flex... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17954 | 17955 | Tunable low energy Ps beam for the anti-hydrog... | The test of gravitational force on antimatte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17955 | 17956 | An analysis of incorporating an external langu... | Attention-based sequence-to-sequence models ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17956 | 17957 | Multi-Generator Generative Adversarial Nets | We propose a new approach to train the Gener... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17957 | 17958 | Neural Style Transfer: A Review | The seminal work of Gatys et al. demonstrate... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17958 | 17959 | Distribution of water in the G327.3-0.6 massiv... | We aim at characterizing the large-scale dis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17959 | 17960 | Straightening rule for an $m'$-truncated polyn... | We consider a certain quotient of a polynomi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17960 | 17961 | Effective Blog Pages Extractor for Better UGC ... | Blog is becoming an increasingly popular med... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17961 | 17962 | The Principle of Similitude in Biology: From A... | Meaningful laws of nature must be independen... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17962 | 17963 | New insight into the dynamics of rhodopsin pho... | Characterization of the primary events invol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17963 | 17964 | High-order schemes for the Euler equations in ... | We consider implementations of high-order fi... | 0 | 1 | 1 | 0 | 0 | 0 |
| 17964 | 17965 | Suppressing correlations in massively parallel... | For lattice Monte Carlo simulations parallel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17965 | 17966 | New bounds on the strength of some restriction... | We prove upper and lower bounds on the effec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17966 | 17967 | 3D Face Morphable Models "In-the-Wild" | 3D Morphable Models (3DMMs) are powerful sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17967 | 17968 | Image Segmentation to Distinguish Between Over... | In medicine, visualizing chromosomes is impo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17968 | 17969 | Implementing Large-Scale Agile Frameworks: Cha... | Based on 13 agile transformation cases over ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17969 | 17970 | On The Limiting Distributions of the Total Hei... | A symbolic-computational algorithm, fully im... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17970 | 17971 | HESS J1826$-$130: A Very Hard $γ$-Ray Spectrum... | HESS J1826$-$130 is an unidentified hard spe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17971 | 17972 | Laser opacity in underdense preplasma of solid... | We investigate how next-generation laser pul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17972 | 17973 | Consequentialist conditional cooperation in so... | Social dilemmas, where mutual cooperation ca... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17973 | 17974 | Casimir free energy of dielectric films: Class... | The Casimir free energy of dielectric films,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17974 | 17975 | Discriminant chronicles mining: Application to... | Pharmaco-epidemiology (PE) is the study of u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17975 | 17976 | Adversarial Symmetric Variational Autoencoder | A new form of variational autoencoder (VAE) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17976 | 17977 | The singular locus of hypersurface sections co... | We prove that there exist hypersurfaces that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17977 | 17978 | A Statistical Perspective on Inverse and Inver... | Inverse problems, where in broad sense the t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 17978 | 17979 | Model reduction for transport-dominated proble... | This work presents a model reduction approac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17979 | 17980 | Weighted parallel SGD for distributed unbalanc... | Stochastic gradient descent (SGD) is a popul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17980 | 17981 | Neural Lander: Stable Drone Landing Control us... | Precise trajectory control near ground is di... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17981 | 17982 | Finite-Time Stabilization of Longitudinal Cont... | This communication presents a longitudinal m... | 1 | 0 | 1 | 0 | 0 | 0 |
| 17982 | 17983 | Review of Geraint F. Lewis and Luke A. Barnes,... | This new book by cosmologists Geraint F. Lew... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17983 | 17984 | Introducing SPAIN (SParse Audion INpainter) | A novel sparsity-based algorithm for audio i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17984 | 17985 | Palindromic Decompositions with Gaps and Errors | Identifying palindromes in sequences has bee... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17985 | 17986 | End-of-Use Core Triage in Extreme Scenarios Ba... | Remanufacturing is a significant factor in s... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17986 | 17987 | A temperature-dependent implicit-solvent model... | A temperature (T)-dependent coarse-grained (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17987 | 17988 | Directional Statistics and Filtering Using lib... | In this paper, we present libDirectional, a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17988 | 17989 | A solution of the dark energy and its coincide... | A novel idea is proposed for a natural solut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17989 | 17990 | Active Bias: Training More Accurate Neural Net... | Self-paced learning and hard example mining ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 17990 | 17991 | Optical signature of Weyl electronic structure... | To investigate the electronic structure of W... | 0 | 1 | 0 | 0 | 0 | 0 |
| 17991 | 17992 | A study of cyber security in hospitality indus... | The purpose of this study is to analyze cybe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17992 | 17993 | Weak Fraisse categories | We develop the theory of weak Fraisse catego... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17993 | 17994 | Multiple Stakeholders in Music Recommender Sys... | Music recommendation services collectively s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17994 | 17995 | Large time behavior of solution to nonlinear D... | This paper studies the large time behavior o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17995 | 17996 | Compositions of Functions and Permutations Spe... | This paper studies mathematical properties o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17996 | 17997 | The center problem for the Lotka reactions wit... | Chemical reaction networks with generalized ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 17997 | 17998 | Recovery of Missing Samples Using Sparse Appro... | In this paper, we study the missing sample r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 17998 | 17999 | Skin cancer reorganization and classification ... | As one kind of skin cancer, melanoma is very... | 1 | 0 | 0 | 0 | 0 | 0 |
| 17999 | 18000 | Rescaled extrapolation for vector-valued funct... | We extend Rubio de Francia's extrapolation t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18000 | 18001 | Separation of the charge density wave and supe... | In layered transition metal dichalcogenides ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18001 | 18002 | Zero distribution for Angelesco Hermite--Padé ... | We consider the problem of zero distribution... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18002 | 18003 | Atomic-scale identification of novel planar de... | We have discovered two novel types of planar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18003 | 18004 | Self-consistent assessment of Englert-Schwinge... | Our manuscript investigates a self-consisten... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18004 | 18005 | Target volatility option pricing in lognormal ... | We examine in this article the pricing of ta... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18005 | 18006 | Robust Blind Deconvolution via Mirror Descent | We revisit the Blind Deconvolution problem w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18006 | 18007 | One-Dimensional Symmetry Protected Topological... | We present a unified perspective on symmetry... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18007 | 18008 | Proceedings Eighth International Symposium on ... | This volume contains the proceedings of the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18008 | 18009 | Valence Bonds in Random Quantum Magnets: Theor... | We analyze the effect of quenched disorder o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18009 | 18010 | TuckER: Tensor Factorization for Knowledge Gra... | Knowledge graphs are structured representati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18010 | 18011 | Taming Non-stationary Bandits: A Bayesian Appr... | We consider the multi armed bandit problem i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18011 | 18012 | Smooth Primal-Dual Coordinate Descent Algorith... | We propose a new randomized coordinate desce... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18012 | 18013 | Guarantees for Greedy Maximization of Non-subm... | We investigate the performance of the standa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18013 | 18014 | Affine Metrics and Associated Algebroid Struct... | In this paper, algebroid bundle associated t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18014 | 18015 | Controllability of temporal networks: An analy... | The control of complex networks is a signifi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18015 | 18016 | Mapping momentum-dependent electron-phonon cou... | Despite their fundamental role in determinin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18016 | 18017 | Meridional Circulation Dynamics in a Cyclic Co... | Surface observations indicate that the speed... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18017 | 18018 | Bayesian analysis of 210Pb dating | In many studies of environmental change of t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18018 | 18019 | Analytic continuation with Padé decomposition | The ill-posed analytic continuation problem ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18019 | 18020 | Imperative Functional Programs that Explain th... | Program slicing provides explanations that i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18020 | 18021 | Synthetic dimensions in ultracold molecules: q... | Synthetic dimensions alter one of the most f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18021 | 18022 | Self-Organization and The Origins of Life: The... | The managed-metabolism hypothesis suggests t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18022 | 18023 | Pile-up Reduction, Bayesian Decomposition and ... | Silicon drift detectors (SDDs) revolutionize... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18023 | 18024 | Online Learning to Rank in Stochastic Click Mo... | Online learning to rank is a core problem in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18024 | 18025 | Transforming Coroutining Logic Programs into E... | We extend a technique called Compiling Contr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18025 | 18026 | Gap and rings carved by vortices in protoplane... | Large-scale vortices in protoplanetary disks... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18026 | 18027 | Wasserstein Dictionary Learning: Optimal Trans... | This paper introduces a new nonlinear dictio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18027 | 18028 | A Generalization of Smillie's Theorem on Stron... | Smillie (1984) proved an interesting result ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18028 | 18029 | Geospatial Semantics | Geospatial semantics is a broad field that i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18029 | 18030 | Stability of the sum of two solitary waves for... | In this paper, we continue the study in \cit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18030 | 18031 | A BERT Baseline for the Natural Questions | This technical note describes a new baseline... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18031 | 18032 | Knowledge Evolution in Physics Research: An An... | Even as we advance the frontiers of physics ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18032 | 18033 | On a lower bound for the energy functional on ... | We study the energy functional on the set of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18033 | 18034 | Dynamic Mortality Risk Predictions in Pediatri... | Viewing the trajectory of a patient as a dyn... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18034 | 18035 | Global Strichartz estimates for the Schrödinge... | We consider the Schrödinger equation on a ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18035 | 18036 | Structure of $^{20}$Ne states in the resonance... | Background\nThe nuclear structure of the clu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18036 | 18037 | Terminal-Pairability in Complete Bipartite Graphs | We investigate the terminal-pairibility prob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18037 | 18038 | Rate-optimal Meta Learning of Classification E... | Meta learning of optimal classifier error ra... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18038 | 18039 | Fast, Robust, and Versatile Event Detection th... | Event detection is a critical feature in dat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18039 | 18040 | Geometric features of Vessiot--Guldberg Lie al... | This paper locally classifies finite-dimensi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18040 | 18041 | Fermion inter-particle potentials in 5D and a ... | This work sets out to compute and discuss ef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18041 | 18042 | Characterizations of idempotent discrete uninorms | In this paper we provide an axiomatic charac... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18042 | 18043 | Constraints on the sum of neutrino masses usin... | We investigate the constraints on the sum of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18043 | 18044 | The effect of the choice of neural network dep... | We show that the number of unique function m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18044 | 18045 | Fairwashing: the risk of rationalization | Black-box explanation is the problem of expl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18045 | 18046 | Volume Dependence of N-Body Bound States | We derive the finite-volume correction to th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18046 | 18047 | Tree-Structured Boosting: Connections Between ... | Additive models, such as produced by gradien... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18047 | 18048 | Magnetic field influenced electron-impurity sc... | We formulate a quasiclassical theory ($\omeg... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18048 | 18049 | Evidence for depletion of heavy silicon isotop... | Context. The Rosetta Orbiter Spectrometer fo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18049 | 18050 | Design, Simulation, and Testing of a Flexible ... | Walking quadruped robots face challenges in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18050 | 18051 | The landscape of NeuroImage-ing research | As the field of neuroimaging grows, it can b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18051 | 18052 | To tune or not to tune the number of trees in ... | The number of trees T in the random forest (... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18052 | 18053 | SPH Modeling of Short-crested Waves | This study investigates short-crested wave b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18053 | 18054 | Tunneling Field-Effect Junctions with WS$_2$ b... | Transition metal dichalcogenides (TMDCs), wi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18054 | 18055 | Topological Larkin-Ovchinnikov phase and Major... | We theoretically study bilayer superconducti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18055 | 18056 | Optimization and Analysis of Wireless Powered ... | In this paper, we consider a three-node coop... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18056 | 18057 | Asai cube L-functions and the local Langlands ... | Let $F$ be a non-archimedean locally compact... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18057 | 18058 | What's in a game? A theory of game models | Game semantics is a rich and successful clas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18058 | 18059 | Proposal for the Detection of Magnetic Monopol... | We present a proposal for applying nanoscale... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18059 | 18060 | Rule-Based Spanish Morphological Analyzer Buil... | Preprocessing tools for automated text analy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18060 | 18061 | Learning Edge Representations via Low-Rank Asy... | We propose a new method for embedding graphs... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18061 | 18062 | Inference, Prediction, and Control of Networke... | We develop a feedback control method for net... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18062 | 18063 | The Weisfeiler-Leman algorithm and the diamete... | We prove that the number of iterations taken... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18063 | 18064 | Correlations between primes in short intervals... | We prove an analogue of the Hardy-Littlewood... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18064 | 18065 | Extracting and Exploiting Inherent Sparsity fo... | Besides enabling an enhanced mobile broadban... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18065 | 18066 | Existence and convexity of local solutions to ... | In this work, we prove the existence of loca... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18066 | 18067 | Superexponential estimates and weighted lower ... | We prove the following superexponential dist... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18067 | 18068 | Reframing the S\&P500 Network of Stocks along ... | Since the beginning of the new millennium, s... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18068 | 18069 | Point-contact spectroscopy of superconducting ... | The superconducting energy gap in $\rm DyNi_... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18069 | 18070 | Parameterized Complexity of Safe Set | In this paper we study the problem of findin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18070 | 18071 | A Matrix Variate Skew-t Distribution | Although there is ample work in the literatu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18071 | 18072 | Status Updates Through Multicast Networks | Using age of information as the freshness me... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18072 | 18073 | Extension of Convolutional Neural Network with... | We applied pre-defined kernels also known as... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18073 | 18074 | Sound event detection using weakly labeled dat... | This paper proposes a neural network archite... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18074 | 18075 | Categoricity and Universal Classes | Let $(\mathcal{K} ,\subseteq )$ be a univers... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18075 | 18076 | Water, High-Altitude Condensates, and Possible... | The super-Neptune exoplanet WASP-107b is an ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18076 | 18077 | Partial Order on the set of Boolean Regulatory... | Logical models have been successfully used t... | 1 | 0 | 0 | 0 | 1 | 0 |
| 18077 | 18078 | Scalable solvers for complex electromagnetics ... | In this work, we present scalable balancing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18078 | 18079 | A flux-splitting method for hyperbolic-equatio... | A flux-splitting method is proposed for the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18079 | 18080 | TransFlow: Unsupervised Motion Flow by Joint G... | We address unsupervised optical flow estimat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18080 | 18081 | A General Pipeline for 3D Detection of Vehicles | Autonomous driving requires 3D perception of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18081 | 18082 | Search for CII Emission on Cosmological Scales... | We present a search for CII emission over co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18082 | 18083 | Ricci flow and diffeomorphism groups of 3-mani... | We complete the proof of the Generalized Sma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18083 | 18084 | RLlib: Abstractions for Distributed Reinforcem... | Reinforcement learning (RL) algorithms invol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18084 | 18085 | A Multiscale-Analysis of Stochastic Bistable R... | A multiscale analysis of 1D stochastic bista... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18085 | 18086 | MARGIN: Uncovering Deep Neural Networks using ... | Interpretability has emerged as a crucial as... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18086 | 18087 | SVCCA: Singular Vector Canonical Correlation A... | We propose a new technique, Singular Vector ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18087 | 18088 | Discrete Choice and Rational Inattention: a Ge... | This paper establishes a general equivalence... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18088 | 18089 | A Hardy inequality for ultraspherical expansio... | We prove a Hardy inequality for ultraspheric... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18089 | 18090 | Structured Variational Learning of Bayesian Ne... | Bayesian Neural Networks (BNNs) have recentl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18090 | 18091 | Efficient Reinforcement Learning via Initial P... | In several realistic situations, an interact... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18091 | 18092 | Stochastic Evolution of Augmented Born--Infeld... | This paper compares the results of applying ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18092 | 18093 | T-matrix evaluation of acoustic radiation forc... | Acoustical radiation force (ARF) induced by ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18093 | 18094 | On the commutative center of Moufang loops | We construct two infinite series of Moufang ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18094 | 18095 | The Kontsevich tetrahedral flow in 2D: a toy m... | In the paper "Formality conjecture" (1996) K... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18095 | 18096 | Twin Learning for Similarity and Clustering: A... | Many similarity-based clustering methods wor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18096 | 18097 | Big Data Analysis Using Shrinkage Strategies | In this paper, we apply shrinkage strategies... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18097 | 18098 | Interpreter fr topologists | Let M be a transitive model of set theory. T... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18098 | 18099 | Parallel-Data-Free Voice Conversion Using Cycl... | We propose a parallel-data-free voice-conver... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18099 | 18100 | Cross-validation in high-dimensional spaces: a... | Least-squares models such as linear regressi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18100 | 18101 | A new, large-scale map of interstellar reddeni... | We present a new map of interstellar reddeni... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18101 | 18102 | Seasonal modulation of seismicity: the competi... | Seasonal patterns associated with stress mod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18102 | 18103 | Existence and nonexistence of positive solutio... | In this paper, we consider the existence (an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18103 | 18104 | Shiba Bound States across the mobility edge in... | We present a study of Andreev Quantum Dots (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18104 | 18105 | The Helsinki Neural Machine Translation System | We introduce the Helsinki Neural Machine Tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18105 | 18106 | Spatial distribution of nuclei in progressive ... | Phase transformations ruled by non-simultane... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18106 | 18107 | Finite-time Guarantees for Byzantine-Resilient... | This work considers resilient, cooperative s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18107 | 18108 | Constraining Polarized Foregrounds for EOR Exp... | A critical challenge in the observation of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18108 | 18109 | Collision Selective Visual Neural Network Insp... | For autonomous robots in dynamic environment... | 1 | 0 | 0 | 0 | 1 | 0 |
| 18109 | 18110 | Multifractal invariant measures in expanding p... | We analyze invariant measures of two coupled... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18110 | 18111 | Virtually free finite-normal-subgroup-free gro... | Any virtually free group $H$ containing no n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18111 | 18112 | Stochastic Geometry-based Comparison of Secrec... | This letter presents a performance compariso... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18112 | 18113 | Linear convergence of SDCA in statistical esti... | In this paper, we consider stochastic dual c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18113 | 18114 | Plug-and-Play Unplugged: Optimization Free Rec... | Regularized inversion methods for image reco... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18114 | 18115 | Using angular pair upweighting to improve 3D c... | Three dimensional galaxy clustering measurem... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18115 | 18116 | Maximal entries of elements in certain matrix ... | Let $L_u=\begin{bmatrix}1 & 0\\u & 1\end{bma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18116 | 18117 | Generative Modeling of Multimodal Multi-Human ... | This work presents a methodology for modelin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18117 | 18118 | Deep Sets | We study the problem of designing models for... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18118 | 18119 | Assortment Optimization under a Single Transit... | In this paper, we consider a Markov chain ch... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18119 | 18120 | Deconstructing Type III | SAS introduced Type III methods to address d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18120 | 18121 | The Digital Flynn Effect: Complexity of Posts ... | Parents and teachers often express concern a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18121 | 18122 | Epistemic Modeling with Justifications | Existing logical models do not fairly repres... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18122 | 18123 | Emergent universal critical behavior of the 2D... | We study the critical behavior of the 2D $N$... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18123 | 18124 | Transport signatures of topological supercondu... | We study the conductance of a junction betwe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18124 | 18125 | An Empirical Study of Mini-Batch Creation Stra... | Training of neural machine translation (NMT)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18125 | 18126 | Network analyses of 4D genome datasets automat... | Chromosome conformation capture and Hi-C tec... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18126 | 18127 | Predicate Pairing for Program Verification | It is well-known that the verification of pa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18127 | 18128 | Entanglement entropy and computational complex... | We study the growth of entanglement entropy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18128 | 18129 | Be Careful What You Backpropagate: A Case For ... | In this work, we show that saturating output... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18129 | 18130 | A model theoretic Rieffel's theorem of quantum... | We defined a notion of quantum 2-torus $T_\t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18130 | 18131 | Introducing the Simulated Flying Shapes and Si... | We release two artificial datasets, Simulate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18131 | 18132 | Couplings and quantitative contraction rates f... | We introduce a new probabilistic approach to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18132 | 18133 | Stacked transfer learning for tropical cyclone... | Tropical cyclone wind-intensity prediction i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18133 | 18134 | Generalized Gray codes with prescribed ends of... | Given pairwise distinct vertices $\{\alpha_i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18134 | 18135 | Elementary-base cirquent calculus I: Parallel ... | Cirquent calculus is a proof system manipula... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18135 | 18136 | Targeted and Imaging-guided In Vivo Photodynam... | Dual-functional nanoparticles, with the prop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18136 | 18137 | TOSC: an algorithm for the tomography of spott... | Photometric observations of planetary transi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18137 | 18138 | Bayesian uncertainty quantification for epidem... | While there exist a number of mathematical a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18138 | 18139 | Switching divergences for spectral learning in... | When recorded in an enclosed room, a sound s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18139 | 18140 | The correlation between the sizes of globular ... | The sizes of entire systems of globular clus... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18140 | 18141 | Variation of field enhancement factor near the... | The field enhancement factor at the emitter ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18141 | 18142 | Benchmark Environments for Multitask Learning ... | As demand drives systems to generalize to va... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18142 | 18143 | A Multiple Linear Regression Approach For Esti... | In this paper, market values of the football... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18143 | 18144 | Application of the Huang-Hilbert transform and... | The Huang-Hilbert transform is applied to Se... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18144 | 18145 | The Hurwitz Subgroups of $E_6(2)$ | We prove that the exceptional group $E_6(2)$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18145 | 18146 | Three IQs of AI Systems and their Testing Methods | The rapid development of artificial intellig... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18146 | 18147 | Polynomial functors in manifold calculus | Let M be a smooth manifold, and let O(M) be ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18147 | 18148 | Tikhonov Regularization for Long Short-Term Me... | It is a well-known fact that adding noise to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18148 | 18149 | On the shape operator of relatively parallel h... | We deal with hypersurfaces in the framework ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18149 | 18150 | Soft Pneumatic Gelatin Actuator for Edible Rob... | We present a fully edible pneumatic actuator... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18150 | 18151 | Deep learning for extracting protein-protein i... | State-of-the-art methods for protein-protein... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18151 | 18152 | Hierarchical VampPrior Variational Fair Auto-E... | Decision making is a process that is extreme... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18152 | 18153 | MHD Models of Gamma-ray Emission in WR 11 | Recent reports claiming tentative associatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18153 | 18154 | Caulking the Leakage Effect in MEEG Source Con... | Simplistic estimation of neural connectivity... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18154 | 18155 | New ADS Functionality for the Curator | In this paper we provide an update concernin... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18155 | 18156 | Survey of reasoning using Neural networks | Reason and inference require process as well... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18156 | 18157 | Recurrent Neural Network-based Model Predictiv... | The pharmaceutical industry has witnessed ex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18157 | 18158 | A unitary "quantization commutes with reductio... | Let $K$ be a simply connected compact Lie gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18158 | 18159 | Electron Paramagnetic Resonance Spectroscopy o... | We performed magnetic field and frequency tu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18159 | 18160 | Step Detection Algorithm For Accurate Distance... | In this paper, a new Smartphone sensor based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18160 | 18161 | Digging Into Self-Supervised Monocular Depth E... | Depth-sensing is important for both navigati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18161 | 18162 | The Causality/Repair Connection in Databases: ... | In this work, answer-set programs that speci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18162 | 18163 | Two-temperature logistic regression based on t... | We develop a variant of multiclass logistic ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18163 | 18164 | Bootstrapped synthetic likelihood | Approximate Bayesian computation (ABC) and s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18164 | 18165 | The Weinstein conjecture for iterated planar c... | In this paper, we introduce the notions of a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18165 | 18166 | Privacy-Preserving Deep Learning via Weight Tr... | This paper considers the scenario that multi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18166 | 18167 | CORRECT: Code Reviewer Recommendation in GitHu... | Peer code review locates common coding rule ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18167 | 18168 | Charged Perfect Fluid Distribution for Cosmolo... | Considering a spherically-symmetric non-stat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18168 | 18169 | Finite homogeneous geometries | This paper reproduces the text of a part of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18169 | 18170 | Weakly-Private Information Retrieval | Private information retrieval (PIR) protocol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18170 | 18171 | Concentrated Differentially Private Gradient D... | Iterative algorithms, like gradient descent,... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18171 | 18172 | "The universal meaning of the quantum of actio... | Commented translation of the paper "Universe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18172 | 18173 | Barrier to recombination of oppositely charged... | Electronic charge carriers in ionic material... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18173 | 18174 | Metric Reduction and Generalized Holomorphic S... | In this paper, metric reduction in generaliz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18174 | 18175 | Learning of Optimal Forecast Aggregation in Pa... | We consider the forecast aggregation problem... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18175 | 18176 | Distributed Unknown-Input-Observers for Cyber ... | In this paper, cyber attack detection and is... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18176 | 18177 | Exponential Decay of the lengths of Spectral G... | In this paper, we study the non-self dual ex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18177 | 18178 | Topological Landau-Zener Bloch Oscillations in... | The Lieb Lattice exhibits intriguing propert... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18178 | 18179 | Assessing the impact of bulk and shear viscosi... | It is analyzed the effects of both bulk and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18179 | 18180 | Correlations in eigenfunctions of quantum chao... | In most realistic models for quantum chaotic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18180 | 18181 | Fast Trajectory Optimization for Legged Robots... | This paper combines the fast Zero-Moment-Poi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18181 | 18182 | Electric Field Properties inside Central Gap o... | This work investigates the influence of geom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18182 | 18183 | Towards Understanding the Invertibility of Con... | Several recent works have empirically observ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18183 | 18184 | An effective algorithm for hyperparameter opti... | A major challenge in designing neural networ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18184 | 18185 | On estimation in varying coefficient models fo... | In this paper, we study a smoothness regular... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18185 | 18186 | Large-degree asymptotics of rational Painleve-... | The Painleve-IV equation has three families ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18186 | 18187 | Lattice Boltzmann study of chemically-driven s... | We numerically study the behavior of self-pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18187 | 18188 | RDMAvisor: Toward Deploying Scalable and Simpl... | RDMA is increasingly adopted by cloud comput... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18188 | 18189 | Towards a better understanding of the matrix p... | We recently introduced a method to approxima... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18189 | 18190 | Explicit polynomial sequences with maximal spa... | We answer a question of K. Mulmuley: In [Efr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18190 | 18191 | Affine processes under parameter uncertainty | We develop a one-dimensional notion of affin... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18191 | 18192 | Plane graphs without 4- and 5-cycles and witho... | Listed as No. 53 among the one hundred famou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18192 | 18193 | Temporal Logic Task Planning and Intermittent ... | In this paper, we develop a distributed inte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18193 | 18194 | Second-oder analysis in second-oder cone progr... | The paper conducts a second-order variationa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18194 | 18195 | Understanding Deep Learning Performance throug... | Interpreting the performance of deep learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18195 | 18196 | The homotopy theory of coalgebras over simplic... | We apply the Acyclicity Theorem of Hess, Ker... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18196 | 18197 | Spatio-temporal analysis of regional unemploym... | This study aims to analyze the methodologies... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18197 | 18198 | Accelerating solutions of one-dimensional unst... | The expedient design of precision components... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18198 | 18199 | Efficiency Analysis of ASP Encodings for Seque... | This article presents the use of Answer Set ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18199 | 18200 | Fukaya categories in Koszul duality theory | In this paper, we define $A_{\infty}$-Koszul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18200 | 18201 | BSDEs and SDEs with time-advanced and -delayed... | This paper introduces a class of backward st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18201 | 18202 | Characterizing information importance and the ... | In this paper we present a thorough analysis... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18202 | 18203 | Quantum criticality at the superconductor to i... | The superconductor-insulator transition (SIT... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18203 | 18204 | Continuous-Time Gaussian Process Motion Planni... | We introduce a novel formulation of motion p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18204 | 18205 | Polynomially and Infinitesimally Injective Mod... | The injective polynomial modules for a gener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18205 | 18206 | Nonstandard Methods in Ramsey Theory and Combi... | The goal of this present manuscript is to in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18206 | 18207 | When is Network Lasso Accurate? | The "least absolute shrinkage and selection ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18207 | 18208 | T-ROME: A Simple and Energy Efficient Tree Rou... | Wireless sensor networks are deployed in man... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18208 | 18209 | Classifying the Correctness of Generated White... | White-box test generator tools rely only on ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18209 | 18210 | Numerical Simulations of Saturn's B Ring: Gran... | We study the B ring's complex optical depth ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18210 | 18211 | Shock-darkening in ordinary chondrites: determ... | We determined the shock-darkening pressure r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18211 | 18212 | On the Global Fluctuations of Block Gaussian M... | In this paper we study the global fluctuatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18212 | 18213 | Carnot Efficiency of Publication | This paper analyzes publication efficiency i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18213 | 18214 | EV-FlowNet: Self-Supervised Optical Flow Estim... | Event-based cameras have shown great promise... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18214 | 18215 | Deep Active Learning for Named Entity Recognition | Deep learning has yielded state-of-the-art p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18215 | 18216 | Bipedal Walking with Corrective Actions in the... | Many methods exist for a bipedal robot to ke... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18216 | 18217 | TimeNet: Pre-trained deep recurrent neural net... | Inspired by the tremendous success of deep C... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18217 | 18218 | Differentially Private Federated Learning: A C... | Federated learning is a recent advance in pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18218 | 18219 | Okapi: Causally Consistent Geo-Replication Mad... | Okapi is a new causally consistent geo-repli... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18219 | 18220 | Emergence of epithelial cell density waves | Epithelial cell monolayers exhibit traveling... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18220 | 18221 | Complex Analysis of Real Functions IV: Non-Int... | In the context of the complex-analytic struc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18221 | 18222 | Convolution Aware Initialization | Initialization of parameters in deep neural ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18222 | 18223 | A Multitask Diffusion Strategy with Optimized ... | We consider a multitask estimation problem w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18223 | 18224 | High Resolution Observations of the Massive Pr... | We report 3 mm continuum, CH3CN(5-4) and 13C... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18224 | 18225 | MEDL and MEDLA: Methods for Assessment of Scal... | High-frequency measurements and images acqui... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18225 | 18226 | A Two-Level Graph Partitioning Problem Arising... | In the k-partition problem (k-PP), one is gi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18226 | 18227 | Emotion Specification from Musical Stimuli: An... | The present study reports interesting findin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18227 | 18228 | The light pollution as a surrogate for urban p... | We show that the definition of the city boun... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18228 | 18229 | Analytic calculation of radio emission from pa... | The radio intensity and polarization footpri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18229 | 18230 | Akhmediev Breathers and Peregrine Solitary Wav... | We investigate the formation of optical loca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18230 | 18231 | Novel approaches to spectral properties of cor... | The most intriguing properties of emergent m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18231 | 18232 | Flux-Rope Twist in Eruptive Flares and CMEs: d... | The nature of three-dimensional reconnection... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18232 | 18233 | On the classification of Kantor pairs and stru... | We observe that any finite-dimensional centr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18233 | 18234 | Cross-lingual Distillation for Text Classifica... | Cross-lingual text classification(CLTC) is t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18234 | 18235 | Characterization of Majorana-Ising phase trans... | We map an interacting helical liquid system,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18235 | 18236 | Monotonicity and symmetry of nonnegative solut... | We consider nonnegative solutions to $-\Delt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18236 | 18237 | Gini-regularized Optimal Transport with an App... | Rapidly growing product lines and services r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18237 | 18238 | Indicators of Conformal Field Theory: entangle... | The entanglement entropy (EE) of quantum sys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18238 | 18239 | Classical Entanglement Structure in the Wavefu... | We argue that the preferred classical variab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18239 | 18240 | Pulsejet engine dynamics in vertical motion us... | The momentum conservation law is applied to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18240 | 18241 | Mitigating Blackout Risk via Maintenance : Inf... | Whereas maintenance has been recognized as a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18241 | 18242 | Evolving to Non-round Weingarten Spheres: Inte... | In the 1950's Hopf gave examples of non-roun... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18242 | 18243 | On Infinite Linear Programming and the Moment ... | We revisit the linear programming approach t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18243 | 18244 | Granular permittivity representation in extrem... | Light-matter interaction processes are signi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18244 | 18245 | Application of Superhalogens in the Design of ... | Bechgaard salts, (TMTSF)2X (TMTSF = tetramet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18245 | 18246 | Inhomogeneous hard-core bosonic mixture with c... | We introduce an inhomogeneous bosonic mixtur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18246 | 18247 | Width-$k$ Generalizations of Classical Permuta... | We introduce new natural generalizations of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18247 | 18248 | Klout Topics for Modeling Interests and Expert... | This paper presents Klout Topics, a lightwei... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18248 | 18249 | Set-Based Tests for Genetic Association Using ... | Studying the effects of groups of Single Nuc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18249 | 18250 | Comprehensive Modeling of Three-Phase Distribu... | The theme of this paper is three-phase distr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18250 | 18251 | $c$-vectors of 2-Calabi--Yau categories and Bo... | We develop a general framework for $c$-vecto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18251 | 18252 | Electrostatic interaction between non-identica... | In this thesis we study the lateral electros... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18252 | 18253 | The weighted connection and sectional curvatur... | In this paper we study sectional curvature b... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18253 | 18254 | Control and Limit Enforcements for VSC Multi-T... | This paper proposes a novel method to automa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18254 | 18255 | A.Ya. Khintchine's Work in Probability Theory | The paper is devoted to the contribution in ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18255 | 18256 | Dynamic Complexity under Definable Changes | This paper studies dynamic complexity under ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18256 | 18257 | The Planar Sandwich and Other 1D Planar Heat F... | This report documents the implementation of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18257 | 18258 | Difficulties of Timestamping Archived Web Pages | We show that state-of-the-art services for c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18258 | 18259 | Cops and robber on grids and tori | This paper is a contribution to the classica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18259 | 18260 | Measuring Gender Inequalities of German Profes... | Wikipedia is a community-created online ency... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18260 | 18261 | Contact Adaption during Epidemics: A Multilaye... | People change their physical contacts as a p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18261 | 18262 | Estimation in the convolution structure densit... | We study the problem of nonparametric estima... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18262 | 18263 | Candidate exoplanet host HD131399A: a nascent ... | Direct imaging suggests that there is a Jovi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18263 | 18264 | Toward Quantum Combinatorial Games | In this paper, we propose a Quantum variatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18264 | 18265 | Markov $L_2$ inequality with the Gegenbauer we... | For the Gegenbauer weight function $w_{\lamb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18265 | 18266 | A Note on Some Approximation Kernels on the Sp... | We produce precise estimates for the Kogbetl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18266 | 18267 | Machine Learning as Statistical Data Assimilation | We identify a strong equivalence between neu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18267 | 18268 | Nonparametric estimation of the kernel functio... | We use the empirical normalized (smoothed) p... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18268 | 18269 | Fermions in Two Dimensions: Scattering and Man... | Ultracold atomic Fermi gases in two-dimensio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18269 | 18270 | Moving Horizon Estimation for ARMAX process wi... | In this paper, instead of the usual Gaussian... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18270 | 18271 | Chimera states in brain networks: empirical ne... | Complex spatiotemporal patterns, called chim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18271 | 18272 | Bayesian surrogate learning in dynamic simulat... | The estimation of unknown values of paramete... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18272 | 18273 | Stationary solutions for the ellipsoidal BGK m... | We address the boundary value problem for th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18273 | 18274 | Raman signatures of monoclinic distortion in (... | Octahedral tilting is most common distortion... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18274 | 18275 | On Quadratic Penalties in Elastic Weight Conso... | Elastic weight consolidation (EWC, Kirkpatri... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18275 | 18276 | The design of the ILD forward region | Following the decision to reduce the L* from... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18276 | 18277 | Conduction Channel Formation and Dissolution D... | Transition metal oxide memristors, or resist... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18277 | 18278 | Improving Massive MIMO Belief Propagation Dete... | In this paper, deep neural network (DNN) is ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18278 | 18279 | Trend Analysis on the Metadata of Program Comp... | As program comprehension is a vast research ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18279 | 18280 | Combinatorial views on persistent characters i... | The so-called binary perfect phylogeny with ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18280 | 18281 | Distribution of residuals in the nonparametric... | We develop a uniform asymptotic expansion fo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18281 | 18282 | Scene Graph Generation by Iterative Message Pa... | Understanding a visual scene goes beyond rec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18282 | 18283 | On the Apparent Power Law in CDM Halo Pseudo P... | We investigate the apparent power-law scalin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18283 | 18284 | Heavy tailed approximate identities and $σ$-st... | The aim of this paper is to present some res... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18284 | 18285 | Spreading of correlations in the Falicov-Kimba... | We study dynamical properties of the one- an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18285 | 18286 | Direct Estimation of Information Divergence Us... | We propose a direct estimation method for Ré... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18286 | 18287 | Efficiently Learning Mixtures of Mallows Models | Mixtures of Mallows models are a popular gen... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18287 | 18288 | Optimal Scheduling of Electrolyzer in Power Ma... | Optimal scheduling of hydrogen production in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18288 | 18289 | Determination of the thermopower of microscale... | A modified AC method based on micro-fabricat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18289 | 18290 | Food for Thought: Analyzing Public Opinion on ... | This project explores public opinion on the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18290 | 18291 | Hasse diagrams of non-isomorphic posets with $... | Let $P(n)$ be the set of all posets with $n$... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18291 | 18292 | Variable screening with multiple studies | Advancement in technology has generated abun... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18292 | 18293 | Gaussian-Constrained training for speaker veri... | Neural models, in particular the d-vector an... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18293 | 18294 | Structural Change in (Economic) Time Series | Methods for detecting structural changes, or... | 0 | 1 | 0 | 1 | 0 | 0 |
| 18294 | 18295 | Exploiting Hierarchy in the Abstraction-Based ... | Statecharts are frequently used as a modelin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18295 | 18296 | Modulus consensus in discrete-time signed netw... | Recently the dynamics of signed networks, wh... | 1 | 1 | 1 | 0 | 0 | 0 |
| 18296 | 18297 | Mobility Transition at Grain Boundaries in Two... | Stagnation of grain growth is often attribut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18297 | 18298 | Sufficient conditions for the forcing theorem,... | We present three natural combinatorial prope... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18298 | 18299 | Cauchy problem for effectively hyperbolic oper... | We study the Cauchy problem for effectively ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18299 | 18300 | \textit{Ab Initio} results for the Static Stru... | The uniform electron gas at finite temperatu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18300 | 18301 | Delooping the functor calculus tower | We study a connection between mapping spaces... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18301 | 18302 | Area Law Violations and Quantum Phase Transiti... | Area law violations for entanglement entropy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18302 | 18303 | Diffusion and confusion of chaotic iteration b... | To guarantee the integrity and security of d... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18303 | 18304 | L1188: a promising candidate of cloud-cloud co... | We present a new large-scale (4 square degre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18304 | 18305 | Asymmetric Matrix-Valued Covariances for Multi... | Matrix-valued covariance functions are cruci... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18305 | 18306 | A dynamic stochastic blockmodel for interactio... | We propose a new dynamic stochastic blockmod... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18306 | 18307 | Do we agree on user interface aesthetics of An... | Context: Visual aesthetics is increasingly s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18307 | 18308 | A Solution for Large-scale Multi-object Tracking | A large-scale multi-object tracker based on ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18308 | 18309 | Empirical Survival Jensen-Shannon Divergence a... | The coefficient of determination, known as $... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18309 | 18310 | Cooperative Localisation of a GPS-Denied UAV u... | A GPS-denied UAV (Agent B) is localised thro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18310 | 18311 | Optical Surface Properties and their RF Limita... | The inner surface of superconducting cavitie... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18311 | 18312 | A comment on `An improved macroscale model for... | In a recent paper by Lasseux, Valdés-Parada ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18312 | 18313 | AdaComp : Adaptive Residual Gradient Compressi... | Highly distributed training of Deep Neural N... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18313 | 18314 | Halo-independent determination of the unmodula... | We present a halo-independent determination ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18314 | 18315 | Can Deep Reinforcement Learning Solve Erdos-Se... | Deep reinforcement learning has achieved man... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18315 | 18316 | Memristor equations: incomplete physics and un... | In his seminal paper, Chua presented a funda... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18316 | 18317 | Astrophysical uncertainties on the local dark ... | The differential event rate in Weakly Intera... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18317 | 18318 | On Reliability-Aware Server Consolidation in C... | In the past few years, datacenter (DC) energ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18318 | 18319 | A novel quantum dynamical approach in electron... | The numerical analysis of the diffraction fe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18319 | 18320 | Convex equipartitions of colored point sets | We show that any $d$-colored set of points i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18320 | 18321 | Logic Programming Petri Nets | With the purpose of modeling, specifying and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18321 | 18322 | Unique Continuation through Hyperplane for Hig... | We consider higher order parabolic operator ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18322 | 18323 | Fashion Conversation Data on Instagram | The fashion industry is establishing its pre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18323 | 18324 | Viscous flow in a soft valve | Fluid-structure interactions are ubiquitous ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18324 | 18325 | Superheavy Thermal Dark Matter and Primordial ... | The early universe could feature multiple re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18325 | 18326 | Time-dependent population imaging for solid hi... | We propose an intuitive method, called time-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18326 | 18327 | Group Sparse Bayesian Learning for Active Surv... | Predicting epidemic dynamics is of great val... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18327 | 18328 | FNS: an event-driven spiking neural network fr... | Limitations in processing capabilities and m... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18328 | 18329 | Synchronization, phase slips and coherent stru... | The problem of synchronization of coupled Ha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18329 | 18330 | Design of Real-time Semantic Segmentation Deco... | Semantic segmentation remains a computationa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18330 | 18331 | Nonparametric covariance estimation for mixed ... | Motivated by applications of mixed longitudi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18331 | 18332 | Deep Learning for Real-time Gravitational Wave... | The recent Nobel-prize-winning detections of... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18332 | 18333 | Note on local coisotropic Floer homology and l... | I outline a construction of a local Floer ho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18333 | 18334 | Geometric Surface-Based Tracking Control of a ... | This paper presents contributions on nonline... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18334 | 18335 | Estimating the rate of defects under imperfect... | We consider the problem of estimating the th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18335 | 18336 | Measuring heavy-tailedness of distributions | Different questions related with analysis of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18336 | 18337 | Inductive $k$-independent graphs and $c$-color... | Inductive $k$-independent graphs generalize ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18337 | 18338 | The word and order problems for self-similar a... | We prove that the word problem is undecidabl... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18338 | 18339 | Machine Teaching: A New Paradigm for Building ... | The current processes for building machine l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18339 | 18340 | Totally geodesic submanifolds of Teichmuller s... | We show that any totally geodesic submanifol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18340 | 18341 | Towards a splitting of the $K(2)$-local string... | We show that $K(2)$-locally, the smash produ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18341 | 18342 | Osmotic and diffusio-osmotic flow generation a... | In this paper, we explore various forms of o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18342 | 18343 | Accurate and Efficient Estimation of Small P-v... | Small $p$-values are often required to be ac... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18343 | 18344 | Does the Testing Level affect the Prevalence o... | Researchers have previously shown that Coinc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18344 | 18345 | How spread changes affect the order book: Comp... | We observe the effects of the three differen... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18345 | 18346 | High-Dimensional Dependency Structure Learning... | In this paper, we consider the use of struct... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18346 | 18347 | Lax orthogonal factorisations in monad-quantal... | We show that, for a quantale $V$ and a $\mat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18347 | 18348 | Radiation reaction for spinning bodies in effe... | We compute the leading Post-Newtonian (PN) c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18348 | 18349 | On the geometric notion of connection and its ... | Tangent categories provide an axiomatic appr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18349 | 18350 | Objective priors for the number of degrees of ... | An objective Bayesian approach to estimate t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18350 | 18351 | PROBE: Predictive Robust Estimation for Visual... | Navigation in unknown, chaotic environments ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18351 | 18352 | Ethical Artificial Intelligence - An Open Ques... | Artificial Intelligence (AI) is an effective... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18352 | 18353 | Self-Attentive Model for Headline Generation | Headline generation is a special type of tex... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18353 | 18354 | Localized Recombining Plasma in G166.0+4.3: A ... | We observed the Galactic mixed-morphology su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18354 | 18355 | Visualizing Design Erosion: How Big Balls of M... | Software systems are not static, they have t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18355 | 18356 | Hierarchical Representations for Efficient Arc... | We explore efficient neural architecture sea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18356 | 18357 | A return to eddy viscosity model for epistemic... | For the purpose of Uncertainty Quantificatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18357 | 18358 | A Neural Network model with Bidirectional Whit... | We present here a new model and algorithm wh... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18358 | 18359 | Regularity gradient estimates for weak solutio... | This paper studies the Sobolev regularity es... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18359 | 18360 | Learning to Avoid Errors in GANs by Manipulati... | Despite recent advances, large scale visual ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18360 | 18361 | Improving 6D Pose Estimation of Objects in Clu... | This work proposes a process for efficiently... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18361 | 18362 | On the benefits of output sparsity for multi-l... | The multi-label classification framework, wh... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18362 | 18363 | On wrapping number, adequacy and the crossing ... | In this work we establish the tightest lower... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18363 | 18364 | On the Applicability of Delicious for Temporal... | Web archives are large longitudinal collecti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18364 | 18365 | The Geometry and Topology of Data and Informat... | We begin by summarizing the relevance and im... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18365 | 18366 | Conformal Twists, Yang-Baxter $σ$-models & Hol... | Expanding upon earlier results [arXiv:1702.0... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18366 | 18367 | AWEsome: An open-source test platform for airb... | In this paper we present AWEsome (Airborne W... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18367 | 18368 | A one-dimensional mathematical model of collec... | We propose a one-dimensional model for colle... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18368 | 18369 | $A_{n}$-type surface singularity and nondispla... | We prove the existence of a one-parameter fa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18369 | 18370 | Cascade LSTM Based Visual-Inertial Navigation ... | Haptic feedback is essential to acquire imme... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18370 | 18371 | Local Feature Descriptor Learning with Adaptiv... | Although the recent progress in the deep neu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18371 | 18372 | Unbounded cache model for online language mode... | Recently, continuous cache models were propo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18372 | 18373 | Finite-Range Coulomb Gas Models of Banded Rand... | Dyson demonstrated an equivalence between in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18373 | 18374 | Dual Loomis-Whitney inequalities via informati... | We establish lower bounds on the volume and ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18374 | 18375 | Cubic lead perovskite PbMoO3 with anomalous me... | A previously unreported Pb-based perovskite ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18375 | 18376 | On Long Memory Origins and Forecast Horizons | Most long memory forecasting studies assume ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18376 | 18377 | Detecting Disguised Plagiarism | Source code plagiarism detection is a proble... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18377 | 18378 | Stellar population synthesis based modelling o... | Early attempts to apply asteroseismology to ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18378 | 18379 | EmbNum: Semantic labeling for numerical values... | Semantic labeling for numerical values is a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18379 | 18380 | A Network Epidemic Model for Online Community ... | A statistical model assuming a preferential ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18380 | 18381 | Descent and Galois theory for Hopf categories | Descent theory for linear categories is deve... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18381 | 18382 | On winning strategies for Banach-Mazur games | We give topological and game theoretic defin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18382 | 18383 | Dynamical instability of the electric transpor... | Theory of the influence of the thermal fluct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18383 | 18384 | Controlling Multimode Optomechanical Interacti... | We demonstrate optomechanical interference i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18384 | 18385 | Online Adaptive Principal Component Analysis a... | We propose algorithms for online principal c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18385 | 18386 | Diffusion MRI measurements in challenging head... | Cross-term spatiotemporal encoding (xSPEN) i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18386 | 18387 | Game-Theoretic Capital Asset Pricing in Contin... | We derive formulas for the performance of ca... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18387 | 18388 | Full Workspace Generation of Serial-link Manip... | Apart from solving complicated problems that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18388 | 18389 | Linear regression without correspondence | This article considers algorithmic and stati... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18389 | 18390 | Toward sensitive document release with privacy... | Privacy has become a serious concern for mod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18390 | 18391 | Remarks on the Birch-Swinnerton-Dyer conjecture | We give a brief description of the Birch-Swi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18391 | 18392 | Trajectory Optimization for Cooperative Dual-b... | Unmanned aerial vehicles (UAVs) have gained ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18392 | 18393 | A monad for full ground reference cells | We present a denotational account of dynamic... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18393 | 18394 | Learning Deep Visual Object Models From Noisy ... | Deep networks thrive when trained on large s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18394 | 18395 | Existence of either a periodic collisional orb... | In the restricted three-body problem, consec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18395 | 18396 | Finding AND-OR Hierarchies in Workflow Nets | This paper presents the notion of AND-OR red... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18396 | 18397 | Fusarium Damaged Kernels Detection Using Trans... | The present work shows the application of tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18397 | 18398 | About simple variational splines from the Hami... | In this paper, we study simple splines on a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18398 | 18399 | Adaptive Grasp Control through Multi-Modal Int... | The hand is one of the most complex and impo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18399 | 18400 | Generalization of Effective Conductance Centra... | We study the popular centrality measure know... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18400 | 18401 | Three-dimensional oscillatory magnetic reconne... | Here we detail the dynamic evolution of loca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18401 | 18402 | Limits of Risk Predictability in a Cascading A... | Most risk analysis models systematically und... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18402 | 18403 | Self-contracted curves have finite length | A curve $\theta$: $I\to E$ in a metric space... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18403 | 18404 | Unsupervised robust nonparametric learning of ... | We consider learning of fundamental properti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18404 | 18405 | OPEB: Open Physical Environment Benchmark for ... | Artificial Intelligence methods to solve con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18405 | 18406 | The First Measurement of the $2^{3}S_{1} \righ... | The workhorse of atomic physics: quantum ele... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18406 | 18407 | WheelCon: A wheel control-based gaming platfor... | Feedback control theory has been extensively... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18407 | 18408 | Depression and Self-Harm Risk Assessment in On... | Users suffering from mental health condition... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18408 | 18409 | Quantum dilogarithm identities for the square ... | The famous pentagon identity for quantum dil... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18409 | 18410 | A Probabilistic Linear Genetic Programming wit... | Traditional Linear Genetic Programming (LGP)... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18410 | 18411 | Trace-free ${\rm SL}(2,\mathbb{C})$-representa... | Given a link $L\subset S^3$, a representatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18411 | 18412 | Algorithms for Weighted Sums of Squares Decomp... | It is well-known that every non-negative uni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18412 | 18413 | The Calkin algebra is $\aleph_1$-universal | We discuss the existence of (injectively) un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18413 | 18414 | Learning Structured Semantic Embeddings for Vi... | Numerous embedding models have been recently... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18414 | 18415 | Estimators for a Class of Bivariate Measures o... | In the present paper we propose and study es... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18415 | 18416 | Variational treatment of electron-polyatomic m... | The Complex Kohn variational method for elec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18416 | 18417 | Geometry of quantum dynamics in infinite dimen... | We develop a geometric approach to quantum m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18417 | 18418 | Canonical tilting relative generators | Given a relatively projective birational mor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18418 | 18419 | Groupwise Structural Parcellation of the Corte... | Current theories hold that brain function is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18419 | 18420 | Modeling Biological Problems in Computer Scien... | As computer scientists working in bioinforma... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18420 | 18421 | MEC: Memory-efficient Convolution for Deep Neu... | Convolution is a critical component in moder... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18421 | 18422 | On age of 6070 Rheinland and 54827 (2001 NQ8) ... | In this paper we present results of our stud... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18422 | 18423 | First-Order Reversal Curves of the Magnetostru... | We apply the first-order reversal curve (FOR... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18423 | 18424 | Data Analytics on Online Labor Markets: Opport... | The data-driven economy has led to a signifi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18424 | 18425 | Analyzing the Robustness of Nearest Neighbors ... | Motivated by safety-critical applications, t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18425 | 18426 | Non Uniform On Chip Power Delivery Network Syn... | In this paper, we proposed a non-uniform pow... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18426 | 18427 | Translating ceRNA susceptibilities into correl... | Competition to bind microRNAs induces an eff... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18427 | 18428 | Impact of energetic particle orbits on long ra... | Long range frequency chirping of Bernstein-G... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18428 | 18429 | An Executable Specification of Typing Rules fo... | Type inference is an application domain that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18429 | 18430 | Seasonal Stochastic Volatility and the Samuels... | We introduce a multi-factor stochastic volat... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18430 | 18431 | A Computational Model of a Single-Photon Avala... | Single-Photon Avalanche Diodes (SPAD) are af... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18431 | 18432 | On Certain Tilting Modules for SL2 | We give a complete picture of when the tenso... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18432 | 18433 | First-order Methods Almost Always Avoid Saddle... | We establish that first-order methods avoid ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18433 | 18434 | Faster Algorithms for Computing Maximal 2-Conn... | Connectivity related concepts are of fundame... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18434 | 18435 | Summable Reparameterizations of Wasserstein Cr... | Generative adversarial networks (GANs) are a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18435 | 18436 | Fingering instabilities and pattern formation ... | We study fingering instabilities and pattern... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18436 | 18437 | Fast Information-theoretic Bayesian Optimisation | Information-theoretic Bayesian optimisation ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18437 | 18438 | ExoMol molecular line lists XX: a comprehensiv... | H$_3^+$ is a ubiquitous and important astron... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18438 | 18439 | Robust and Sparse Regression in GLM by Stochas... | The generalized linear model (GLM) plays a k... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18439 | 18440 | A Hint-Based Technique for System Level Model-... | Test Case Prioritization (TCP) techniques ai... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18440 | 18441 | Control of birhythmicity: A self-feedback appr... | Birhythmicity occurs in many natural and art... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18441 | 18442 | Forecasting the magnitude and onset of El Nino... | El Nino is probably the most influential cli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18442 | 18443 | Weighted $1\times1$ cut-and-project sets in bo... | Recent results of Grepstad and Lev are used ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18443 | 18444 | On Ordinal Invariants in Well Quasi Orders and... | We investigate the ordinal invariants height... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18444 | 18445 | Indices in XML Databases | With XML becoming a standard for business in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18445 | 18446 | Kernel theorems for modulation spaces | We deal with kernel theorems for modulation ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18446 | 18447 | On the Performance of Network Parallel Trainin... | Artificial Neural Networks (ANNs) have recei... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18447 | 18448 | Fair Forests: Regularized Tree Induction to Mi... | The potential lack of fairness in the output... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18448 | 18449 | Discretization of SU(2) and the Orthogonal Gro... | The vertices of the four dimensional $120$-c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18449 | 18450 | Raman spectra of crystalline secondary amides | The study of single-crystal Raman spectra of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18450 | 18451 | Open-World Visual Recognition Using Knowledge ... | In a real-world setting, visual recognition ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18451 | 18452 | Mass-Imbalanced Ionic Hubbard Chain | A repulsive Hubbard model with both spin-asy... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18452 | 18453 | Optical properties of Xe color centers in diamond | Optical properties of color centers in diamo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18453 | 18454 | Julian Ernst Besag, 26 March 1945 -- 6 August ... | Julian Besag was an outstanding statistical ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18454 | 18455 | Wake fields in a rectangular dielectric-lined ... | Dielectric lined waveguides are under extens... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18455 | 18456 | Hyperfine Structure of the $B^3Π_1$ State and ... | The rotational and hyperfine spectrum of the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18456 | 18457 | Prevalence of DNSSEC for hospital websites in ... | The domain name system translates human frie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18457 | 18458 | Mathematical analysis of plasmonic resonance f... | In this article, we study the plasmonic reso... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18458 | 18459 | Thermo-Optical Chaos and Direct Soliton Genera... | We investigate, numerically and experimental... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18459 | 18460 | Rigidity of closed metric measure spaces with ... | We show that one-dimensional circle is the o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18460 | 18461 | Combining Agile with Traditional V Model for E... | In the field of software engineering there a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18461 | 18462 | Histograms of Gaussian normal distribution for... | 3D feature descriptor provide information be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18462 | 18463 | The temporalized Massey's method | We propose and throughly investigate a tempo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18463 | 18464 | Introduction to Nonnegative Matrix Factorization | In this paper, we introduce and provide a sh... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18464 | 18465 | Randomized Dynamic Mode Decomposition | This paper presents a randomized algorithm f... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18465 | 18466 | On the convergence of a fully discrete scheme ... | Obtaining reliable numerical simulations of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18466 | 18467 | Hardy-Sobolev-Maz'ya inequalities for higher o... | By using, among other things, the Fourier an... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18467 | 18468 | Smooth invariants of focus-focus singularities... | We study focus-focus singularities (also kno... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18468 | 18469 | A note about Euler's inequality and automated ... | Using implicit loci in GeoGebra Euler's $R\g... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18469 | 18470 | The MUSE view of He 2-10: no AGN ionization bu... | We study the physical and dynamical properti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18470 | 18471 | Modeling Oral Multispecies Biofilm Recovery Af... | Recovery of multispecies oral biofilms is in... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18471 | 18472 | On constant multi-commodity flow-cut gaps for ... | The multi-commodity flow-cut gap is a fundam... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18472 | 18473 | Molecular Gas during the Post-Starburst Phase:... | Post-starbursts (PSBs) are candidate for rap... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18473 | 18474 | Bit-Reversible Version of Milne's Fourth-Order... | We point out that two of Milne's fourth-orde... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18474 | 18475 | Solvable Hydrodynamics of Quantum Integrable S... | The conventional theory of hydrodynamics des... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18475 | 18476 | Compressed sensing and optimal denoising of mo... | We consider the problems of compressed sensi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18476 | 18477 | On minimax nonparametric estimation of signal ... | For the problem of nonparametric estimation ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18477 | 18478 | Implicit Bias of Gradient Descent on Linear Co... | We show that gradient descent on full-width ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18478 | 18479 | Oxidation of clofibric acid in aqueous solutio... | In this work, we study degradation of clofib... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18479 | 18480 | Quenching current by flux-flow instability in ... | The stability against quench is one of the m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18480 | 18481 | New cardinality estimation algorithms for Hype... | This paper presents new methods to estimate ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18481 | 18482 | The EUSO@TurLab Project | The TurLab facility is a laboratory, equippe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18482 | 18483 | A finite element method framework for modeling... | Electrical machines employing superconductor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18483 | 18484 | Triangular Decomposition of Matrices in a Domain | Deterministic recursive algorithms for the c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18484 | 18485 | Practical Bayesian Optimization for Transporta... | We provide a method to solve optimization pr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18485 | 18486 | The Ising distribution as a latent variable model | It is shown that the Ising distribution can ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 18486 | 18487 | Applying DCOP to User Association Problem in H... | Multi-agent systems (MAS) is able to charact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18487 | 18488 | Linear growth of streaming instability in pres... | Streaming instability is a powerful mechanis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18488 | 18489 | On the Gevrey regularity for Sums of Squares o... | The micro-local Gevrey regularity of a class... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18489 | 18490 | Structure theorems for star-commuting power pa... | We give a new formulation and proof of a the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18490 | 18491 | On free Gelfand--Dorfman--Novikov superalgebra... | We construct a linear basis of a free GDN su... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18491 | 18492 | An inexact iterative Bregman method for optima... | In this article we investigate an inexact it... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18492 | 18493 | Mixture Models in Astronomy | Mixture models combine multiple components i... | 0 | 1 | 0 | 1 | 0 | 0 |
| 18493 | 18494 | Safe Medicine Recommendation via Medical Knowl... | Most of the existing medicine recommendation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18494 | 18495 | Keeping the Bad Guys Out: Protecting and Vacci... | Deep neural networks (DNNs) have achieved gr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18495 | 18496 | Numerical Simulation of Bloch Equations for Dy... | Magnetic Resonance Imaging (MRI) is a widely... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18496 | 18497 | End-to-End Waveform Utterance Enhancement for ... | Speech enhancement model is used to map a no... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18497 | 18498 | The connectivity of graphs of graphs with self... | `Double edge swaps' transform one graph into... | 1 | 1 | 1 | 0 | 0 | 0 |
| 18498 | 18499 | The role of the background in past and future ... | Background has played an important role in X... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18499 | 18500 | Securing Manufacturing Intelligence for the In... | Widespread interest in the emerging area of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18500 | 18501 | Boson-vortex duality in compressible spin-orbi... | Using a (1+2)-dimensional boson-vortex duali... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18501 | 18502 | Communicating Correlated Sources Over an Inter... | A new coding technique, based on \textit{fix... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18502 | 18503 | Simulating polaron biophysics with Rydberg atoms | Transport of excitations along proteins can ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18503 | 18504 | Solubility limit of methyl red and methylene b... | Solubility of dyes in amphiphilic associatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18504 | 18505 | Towards Visual Ego-motion Learning in Robots | Many model-based Visual Odometry (VO) algori... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18505 | 18506 | Sequential Prediction of Social Media Populari... | Prediction of popularity has profound impact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18506 | 18507 | Key Management and Learning based Two Level Da... | In the smart grid, smart meters, and numerou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18507 | 18508 | A numerical study of the homogeneous elliptic ... | We consider the homogeneous equation ${\math... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18508 | 18509 | Effects of soft interactions and bound mobilit... | Crowded environments modify the diffusion of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18509 | 18510 | Thermodynamics of a Quantum Ising system coupl... | We study the effect of coupling a spin bath ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18510 | 18511 | Observation of a Lamb band gap in a polymer wa... | The quest for large and low frequency band g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18511 | 18512 | Search for nucleon decays with EXO-200 | A search for instability of nucleons bound i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18512 | 18513 | The multiplicity of massive stars: a 2016 view | Massive stars like company. Here, we provide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18513 | 18514 | Principal Eigenvalue of Mixed Problem for the ... | We analyze the behavior of the eigenvalues o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18514 | 18515 | Two-dimensional Bose and Fermi gases beyond we... | Using a formalism based on the two-body S-ma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18515 | 18516 | Anisotropy of magnetic interactions and symmet... | Sr$_2$RuO$_4$ is the best candidate for spin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18516 | 18517 | Loss of Regularity of Solutions of the Lighthi... | We are concerned with the regularity of solu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18517 | 18518 | Stage 4 validation of the Satellite Image Auto... | The European Space Agency (ESA) defines an E... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18518 | 18519 | Performance Analysis of MEC Approach for Haplo... | The Minimum Error Correction (MEC) approach ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18519 | 18520 | Opinion Recommendation using Neural Memory Model | We present opinion recommendation, a novel t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18520 | 18521 | Distributed Optimization of Multi-Beam Directi... | We formulate an optimization problem for max... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18521 | 18522 | Mean conservation for density estimation via d... | We propose boundary conditions for the diffu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18522 | 18523 | Asymptotic properties of maximum likelihood es... | We consider a stable Cox--Ingersoll--Ross pr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18523 | 18524 | Indoor Office Wideband Penetration Loss Measur... | This paper presents millimeter wave (mmWave)... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18524 | 18525 | The SPEDE spectrometer | The electron spectrometer, SPEDE, has been d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18525 | 18526 | Global Stabilization of Triangular Systems wit... | A control design approach is developed for a... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18526 | 18527 | Multifractal Analysis of Pulsar Timing Residua... | We introduce a pipeline including multifract... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18527 | 18528 | Recovery of Bennu's Orientation for the OSIRIS... | The goal of the OSIRIS-REx mission is to ret... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18528 | 18529 | Energy Scale of Lorentz Violation in Rainbow G... | We modify the standard relativistic dispersi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18529 | 18530 | How to construct wavelets on local fields of p... | We present an algorithm for construction ste... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18530 | 18531 | Fates of the dense cores formed by fragmentati... | Fragmentation of filaments into dense cores ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18531 | 18532 | Inference Related to Common Breaks in a Multiv... | What transpires from recent research is that... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18532 | 18533 | How to Stop Consensus Algorithms, locally? | This paper studies problems on locally stopp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18533 | 18534 | Seoul National University Camera II (SNUCAM-II... | We present the characteristics and the perfo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18534 | 18535 | A Bridge Between Hyperparameter Optimization a... | We consider a class of a nested optimization... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18535 | 18536 | Accelerating Prototype-Based Drug Discovery us... | Designing a new drug is a lengthy and expens... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18536 | 18537 | Convex and non-convex regularization methods f... | This paper deals with feature selection proc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18537 | 18538 | Glass Transition in Supercooled Liquids with M... | The origins of rapid dynamical slow down in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18538 | 18539 | Natural and Artificial Spectral Edges in Exopl... | Technological civilizations may rely upon la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18539 | 18540 | The damage inflicted by a computer virus: A ne... | This paper addressed the issue of estimating... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18540 | 18541 | Deep Fault Analysis and Subset Selection in So... | Non-availability of reliable and sustainable... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18541 | 18542 | Hirzebruch L-polynomials and multiple zeta values | We express the coefficients of the Hirzebruc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18542 | 18543 | On Nontrivial Zeros of Riemann Zeta Function | Let {\Xi} be a function relating to the Riem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18543 | 18544 | The reliability of a nutritional meta-analysis... | Background: Many researchers have studied th... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18544 | 18545 | Composite Fermions on a Torus | We achieve an explicit construction of the l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18545 | 18546 | ROCKER: A Refinement Operator for Key Discovery | The Linked Data principles provide a decentr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18546 | 18547 | Double-slit Fraunhofer pattern as the signatur... | I apply the recently developed formalism of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18547 | 18548 | A class of differential quadratic algebras and... | We study a multi-parametric family of quadra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18548 | 18549 | Introduction to compact and discrete quantum g... | These are notes from introductory lectures a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18549 | 18550 | An optimization approach to adaptive multi-dim... | Firms should keep capital to offer sufficien... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18550 | 18551 | Low Energy Phonons in $Bi_2Sr_2CaCu_2O_{8+δ}$ ... | Angle-resolved photoemission (ARPES) experim... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18551 | 18552 | Spectral properties of complex Airy operator o... | We prove the theorem on the completeness of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18552 | 18553 | Webs and $q$-Howe dualities in types $\mathbf{... | We define web categories describing intertwi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18553 | 18554 | Structural Controllability of Linear Time-inva... | One version of the concept of structural con... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18554 | 18555 | Structure of martingale transports in finite d... | We study the structure of martingale transpo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18555 | 18556 | Simplifying branched covering surface-knots by... | A branched covering surface-knot is a surfac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18556 | 18557 | $K$-surfaces with free boundaries | A well-known question in classical different... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18557 | 18558 | The graphs of join-semilattices and the shape ... | We attach to each $\langle 0, \vee \rangle$-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18558 | 18559 | Optimal Quasi-Gray Codes: The Alphabet Matters | A quasi-Gray code of dimension $n$ and lengt... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18559 | 18560 | Revisiting the pre-main-sequence evolution of ... | Recent theoretical work has shown that the p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18560 | 18561 | Surface-assisted carrier excitation in plasmon... | We present a quantum-mechanical model for su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18561 | 18562 | Existence of global weak solutions to the kine... | We explore the existence of global weak solu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18562 | 18563 | Tight Bounds for Online Coloring of Basic Grap... | We resolve a number of long-standing open pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18563 | 18564 | Comparison of PCA with ICA from data distribut... | We performed an empirical comparison of ICA ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18564 | 18565 | The Special Polarization Characteristic Featur... | The band structure of a Si inverse diamond s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18565 | 18566 | Toward Finding Latent Cities with Non-Negative... | In the last decade, digital footprints have ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18566 | 18567 | Time-Sensitive Networking for robotics | We argue that Time-Sensitive Networking (TSN... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18567 | 18568 | Active Orthogonal Matching Pursuit for Sparse ... | Sparse Subspace Clustering (SSC) is a state-... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18568 | 18569 | Experimental and theoretical study of AC losse... | Measurements of AC losses in a HTS-tape plac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18569 | 18570 | Robustness of semiparametric efficiency in nea... | We examine the performance of efficient and ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18570 | 18571 | A* CCG Parsing with a Supertag and Dependency ... | We propose a new A* CCG parsing model in whi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18571 | 18572 | Numerical studies of Thompson's group F and re... | We have developed polynomial-time algorithms... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18572 | 18573 | The modularity of action and perception revisi... | The assumption that action and perception ca... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18573 | 18574 | Clique-based Method for Social Network Clustering | In this article, we develop a clique-based m... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18574 | 18575 | Fermionic Matrix Product States and One-Dimens... | We extend the formalism of Matrix Product St... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18575 | 18576 | How tracer particles sample the complexity of ... | On their roller coaster ride through turbule... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18576 | 18577 | Rare Nash Equilibria and the Price of Anarchy ... | We study a static game played by a finite nu... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18577 | 18578 | Componentwise different tail solutions for biv... | We study bivariate stochastic recurrence equ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18578 | 18579 | Partial constraint singularities in elastic rods | We present a unified classical treatment of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18579 | 18580 | Personalization in Goal-Oriented Dialog | The main goal of modeling human conversation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18580 | 18581 | Maximum Margin Principal Components | Principal Component Analysis (PCA) is a very... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18581 | 18582 | A New self-propelled magnetic bearing with hel... | In this work a design is proposed for an act... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18582 | 18583 | A-Fast-RCNN: Hard Positive Generation via Adve... | How do we learn an object detector that is i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18583 | 18584 | Non-thermalization in trapped atomic ion spin ... | Linear arrays of trapped and laser cooled at... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18584 | 18585 | Generalized Uniformity Testing | In this work, we revisit the problem of unif... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18585 | 18586 | Refraction in exoplanet atmospheres: Photometr... | Refraction deflects photons that pass throug... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18586 | 18587 | Balancing Efficiency and Coverage in Human-Rob... | We describe a multi-phased Wizard-of-Oz appr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18587 | 18588 | Reinforcement Learning Based Argument Componen... | Argument component detection (ACD) is an imp... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18588 | 18589 | VUNet: Dynamic Scene View Synthesis for Traver... | We present VUNet, a novel view(VU) synthesis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18589 | 18590 | Bayesian hypothesis tests with diffuse priors:... | We introduce a new class of priors for Bayes... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18590 | 18591 | On a Novel Speech Representation Using Multita... | In this paper, a novel multitaper modified g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18591 | 18592 | Persistent Flows and Non-Reciprocal Interactio... | This paper studies deterministic consensus n... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18592 | 18593 | Linking Fluid and Kinetic Scales in Solar Wind... | We investigate possible links between the la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18593 | 18594 | Thresholds For Detecting An Anomalous Path Fro... | We consider the "searching for a trail in a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18594 | 18595 | On the topology of real Bott manifolds | The main aim of this article is to give a ne... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18595 | 18596 | Relative Error Tensor Low Rank Approximation | We consider relative error low rank approxim... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18596 | 18597 | Bayesian Boolean Matrix Factorisation | Boolean matrix factorisation aims to decompo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18597 | 18598 | Global existence and convergence of $Q$-curvat... | Using a negative gradient flow approach, we ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18598 | 18599 | Group Embeddings with Algorithmic Properties | We show that every countable group H with so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18599 | 18600 | General purpose graphics-processing-unit imple... | Topological defects unavoidably form at symm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18600 | 18601 | A Consistent Bayesian Formulation for Stochast... | We formulate, and present a numerical method... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18601 | 18602 | Coherent State Mapping Ring-Polymer Molecular ... | We introduce the coherent state mapping ring... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18602 | 18603 | Stochastic Gradient Descent in Continuous Time... | Stochastic gradient descent in continuous ti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18603 | 18604 | KMS states on $C^*$-algebras associated to a f... | We consider a family of $*$-commuting local ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18604 | 18605 | Multi-Labelled Value Networks for Computer Go | This paper proposes a new approach to a nove... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18605 | 18606 | Lifting high-dimensional nonlinear models with... | We study the problem of recovering a structu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18606 | 18607 | Functional Conceptual Substratum as a New Cogn... | We describe a new cognitive ability, i.e., f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18607 | 18608 | Applying Gromov's Amenable Localization to Geo... | Let $M$ be a compact connected smooth Rieman... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18608 | 18609 | Modeling the Ellsberg Paradox by Argument Stre... | We present a formal measure of argument stre... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18609 | 18610 | Correction to the paper "Some remarks on Davie... | The property 4 in Proposition 2.3 from the p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18610 | 18611 | An Estimation and Analysis Framework for the R... | The Rasch model is widely used for item resp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18611 | 18612 | Do planets remember how they formed? | One of the most directly observable features... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18612 | 18613 | Demarcating circulation regimes of synchronous... | We investigate the atmospheric dynamics of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18613 | 18614 | Versatile Large-Area Custom-Feature van der Wa... | As the focus of applied research in topologi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18614 | 18615 | Sharp off-diagonal weighted norm estimates for... | We prove that for $1<p\le q<\infty$, $qp\geq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18615 | 18616 | An Automated Scalable Framework for Distributi... | The Low Frequency Array (LOFAR) radio telesc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18616 | 18617 | Learning multiple visual domains with residual... | There is a growing interest in learning data... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18617 | 18618 | Cosmic quantum optical probing of quantum grav... | We consider the nonunitary quantum dynamics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18618 | 18619 | Combinatorial Miller-Hagberg Algorithm for Ran... | We propose a slightly revised Miller-Hagberg... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18619 | 18620 | Topological Insulators in Random Lattices | Our understanding of topological insulators ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18620 | 18621 | DiGrad: Multi-Task Reinforcement Learning with... | Most reinforcement learning algorithms are i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18621 | 18622 | Narratives of Quantum Theory in the Age of Qua... | Quantum technologies can be presented to the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18622 | 18623 | Is Information in the Brain Represented in Con... | The question of continuous-versus-discrete i... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18623 | 18624 | Real-Time Background Subtraction Using Adaptiv... | Background-Foreground classification is a fu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18624 | 18625 | Multilevel nested simulation for efficient ris... | We investigate the problem of computing a ne... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18625 | 18626 | Construction of a relativistic Ornstein-Uhlenb... | Based on a version of Dudley's Wiener proces... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18626 | 18627 | Safe Trajectory Synthesis for Autonomous Drivi... | Path planning for autonomous vehicles in arb... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18627 | 18628 | A Data and Model-Parallel, Distributed and Sca... | Training deep networks is expensive and time... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18628 | 18629 | ICLabel: An automated electroencephalographic ... | The electroencephalogram (EEG) provides a no... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18629 | 18630 | Inference on a New Class of Sample Average Tre... | We derive new variance formulas for inferenc... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18630 | 18631 | A split step Fourier/discontinuous Galerkin sc... | In this paper we propose a method to solve t... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18631 | 18632 | Dense Transformer Networks | The key idea of current deep learning method... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18632 | 18633 | Tetragonal CH3NH3PbI3 Is Ferroelectric | Halide perovskite (HaP) semiconductors are r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18633 | 18634 | A Simple and Efficient MapReduce Algorithm for... | Data cube materialization is a classical dat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18634 | 18635 | Group Invariance, Stability to Deformations, a... | The success of deep convolutional architectu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18635 | 18636 | Completion of High Order Tensor Data with Miss... | In this paper, we aim at the completion prob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18636 | 18637 | On the inner products of some Deligne--Lusztig... | In this paper we introduce a family of Delig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18637 | 18638 | An invariant for embedded Fano manifolds cover... | For an embedded Fano manifold $X$, we introd... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18638 | 18639 | Delivery Latency Trade-Offs of Heterogeneous C... | A Fog Radio Access Network (F-RAN) is a cell... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18639 | 18640 | Leaking Uninitialized Secure Enclave Memory vi... | Intel software guard extensions (SGX) aims t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18640 | 18641 | Asymptotic and numerical analysis of a stochas... | Volume transmission is an important neural c... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18641 | 18642 | Mixtures of Hidden Truncation Hyperbolic Facto... | The mixture of factor analyzers model was fi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18642 | 18643 | Representations on Partially Holomorphic Cohom... | This is a semi--expository update and rewrit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18643 | 18644 | Underground tests of quantum mechanics. Whispe... | By performing X-rays measurements in the "co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18644 | 18645 | Implications for Post-Processing Nucleosynthes... | We investigate core-collapse supernova (CCSN... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18645 | 18646 | High Performance Parallel Image Reconstruction... | Many technologies have been developed to hel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18646 | 18647 | Approximation of Bandwidth for the Interactive... | An interactive session of video-on-demand (V... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18647 | 18648 | Twisted Recurrence via Polynomial Walks | In this paper we show how polynomial walks c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18648 | 18649 | Well-posedness and scattering for the Boltzman... | We prove the global existence of the unique ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18649 | 18650 | Wikipedia in academia as a teaching tool: from... | This study concerned the active use of Wikip... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18650 | 18651 | A trans-disciplinary review of deep learning r... | Deep learning (DL), a new-generation of arti... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18651 | 18652 | A new NS3 Implementation of CCNx 1.0 Protocol | The ccns3Sim project is an open source imple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18652 | 18653 | MultiRefactor: Automated Refactoring To Improv... | In this paper, a new approach is proposed fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18653 | 18654 | Learning Postural Synergies for Categorical Gr... | Every time a person encounters an object wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18654 | 18655 | Perturbations of self-adjoint operators in sem... | In the paper, we prove an analogue of the Ka... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18655 | 18656 | Dust radiative transfer modelling of the infra... | A peculiar infrared ring-like structure was ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18656 | 18657 | Application of transfer matrix and transfer fu... | The question of suitability of transfer matr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18657 | 18658 | Discretization-free Knowledge Gradient Methods... | This paper studies Bayesian ranking and sele... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18658 | 18659 | Measuring the Robustness of Graph Properties | In this paper, we propose a perturbation fra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18659 | 18660 | Better Software Analytics via "DUO": Data Mini... | This paper claims that a new field of empiri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18660 | 18661 | Lesion detection and Grading of Diabetic Retin... | We propose an automatic diabetic retinopathy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18661 | 18662 | DRYVR:Data-driven verification and composition... | We present the DRYVR framework for verifying... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18662 | 18663 | Deep Reinforcement Learning for Programming La... | Novice programmers often struggle with the f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18663 | 18664 | Dispersionless and multicomponent BKP hierarch... | In this article, we will construct the addit... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18664 | 18665 | A Sampling Framework for Solving Physics-drive... | Partial differential equations are central t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18665 | 18666 | An Application of $h$-principle to Manifold Ca... | Manifold calculus is a form of functor calcu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18666 | 18667 | Grasping Unknown Objects in Clutter by Superqu... | In this paper, a quick and efficient method ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18667 | 18668 | Learning to Play with Intrinsically-Motivated ... | Infants are experts at playing, with an amaz... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18668 | 18669 | $\ell_1$-minimization method for link flow cor... | A computational method, based on $\ell_1$-mi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18669 | 18670 | Current Flow Group Closeness Centrality for Co... | Current flow closeness centrality (CFCC) has... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18670 | 18671 | Visualization of Constraint Handling Rules: Se... | The work in the paper presents an animation ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18671 | 18672 | Simplified Energy Landscape for Modularity Usi... | Networks capture pairwise interactions betwe... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18672 | 18673 | A Hard Look at the Neutron Stars and Accretion... | We present $\emph{NuSTAR}$ observations of n... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18673 | 18674 | Approximating Weighted Duo-Preservation in Com... | Motivated by comparative genomics, Chen et a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18674 | 18675 | On the virtual singular braid monoid | We study the algebraic structures of the vir... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18675 | 18676 | Discrete Games in Endogenous Networks: Equilib... | In games of friendship links and behaviors, ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18676 | 18677 | Evaluating regulatory reform of network indust... | Proxies for regulatory reforms based on cate... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18677 | 18678 | Theory of ground states for classical Heisenbe... | We apply the theory of ground states for cla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18678 | 18679 | Relative Property (T) for Nilpotent Subgroups | We show that relative Property (T) for the a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18679 | 18680 | Discriminant analysis in small and large dimen... | We study the distributional properties of th... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18680 | 18681 | Sparse Bayesian Inference for Dense Semantic M... | Despite impressive advances in simultaneous ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18681 | 18682 | Singularities and Semistable Degenerations for... | We overview our recent work defining and stu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18682 | 18683 | One-step Local M-estimator for Integrated Jump... | In this paper, robust nonparametric estimato... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18683 | 18684 | Python Open Source Waveform Extractor (POWER):... | Numerical simulations of Einstein's field eq... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18684 | 18685 | Uniform confidence bands for nonparametric err... | This paper develops a method to construct un... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18685 | 18686 | Unconventional superconductivity in the BiS$_2... | We investigate the superconducting-gap aniso... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18686 | 18687 | Low noise sensitivity analysis of Lq-minimizat... | The class of Lq-regularized least squares (L... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18687 | 18688 | Robust Transceiver Design Based on Interferenc... | In this paper, we firstly exploit the inter-... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18688 | 18689 | Machine learning quantum mechanics: solving qu... | Inspired by the recent work of Carleo and Tr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18689 | 18690 | Scale-free networks are rare | A central claim in modern network science is... | 1 | 0 | 0 | 1 | 1 | 0 |
| 18690 | 18691 | Enlargeability, foliations, and positive scala... | We extend the deep and important results of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18691 | 18692 | A simple mathematical model for unemployment: ... | We propose a simple mathematical model for u... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18692 | 18693 | Interpreting Deep Neural Networks Through Vari... | While the success of deep neural networks (D... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18693 | 18694 | Conformality of $1/N$ corrections in SYK-like ... | The Sachdev-Ye--Kitaev is a quantum mechanic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18694 | 18695 | Segal-type models of higher categories | Higher category theory is an exceedingly act... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18695 | 18696 | Low-Mass Dark Matter Search with CDMSlite | The SuperCDMS experiment is designed to dire... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18696 | 18697 | Gravity with free initial conditions: a soluti... | In standard general relativity the universe ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18697 | 18698 | Gradual Learning of Recurrent Neural Networks | Recurrent Neural Networks (RNNs) achieve sta... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18698 | 18699 | Borel subsets of the real line and continuous ... | We study classes of Borel subsets of the rea... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18699 | 18700 | Pairing from dynamically screened Coulomb repu... | Recently, Prakash et. al. have discovered bu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18700 | 18701 | Calabi-Yau metrics on canonical bundles of com... | In the present paper we provide a descriptio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18701 | 18702 | The ratio of normalizing constants for Bayesia... | Many graphical Gaussian selection methods in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18702 | 18703 | Angiogenic Factors produced by Hypoxic Cells a... | Angiogenesis - the growth of new blood vesse... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18703 | 18704 | Henri Bénard: Thermal convection and vortex sh... | We present in this article the work of Henri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18704 | 18705 | Surjective H-Colouring: New Hardness Results | A homomorphism from a graph G to a graph H i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18705 | 18706 | Subband adaptive filter trained by differentia... | The normalized subband adaptive filter (NSAF... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18706 | 18707 | Distributionally Robust Games: f-Divergence an... | In this paper we introduce the novel framewo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18707 | 18708 | Modeling and Reasoning About Wireless Networks... | We propose a graph-based process calculus fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18708 | 18709 | Weyl's law on $RCD^*(K,N)$ metric measure spaces | In this paper, we will prove the Weyl's law ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18709 | 18710 | The area of the Mandelbrot set and Zagier's co... | We prove Zagier's conjecture regarding the 2... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18710 | 18711 | Accelerating Cross-Validation in Multinomial L... | We develop an approximate formula for evalua... | 0 | 1 | 0 | 1 | 0 | 0 |
| 18711 | 18712 | Realizing an optimization approach inspired fr... | The objective of this paper is to introduce ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18712 | 18713 | Catalyst design using actively learned machine... | In conventional chemisorption model, the d-b... | 0 | 1 | 0 | 1 | 0 | 0 |
| 18713 | 18714 | Clustering with Temporal Constraints on Spatio... | Extracting significant places or places of i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18714 | 18715 | The maximum number of zeros of $r(z) - \overli... | Generalizing several previous results in the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18715 | 18716 | High Luminosity Large Hadron Collider HL-LHC | HL-LHC federates the efforts and R&D of a la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18716 | 18717 | Adversarial Discriminative Sim-to-real Transfe... | Various approaches have been proposed to lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18717 | 18718 | Algebraic Bethe ansatz for the trigonometric s... | In the derivation of the generating function... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18718 | 18719 | Marked Temporal Dynamics Modeling based on Rec... | We are now witnessing the increasing availab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18719 | 18720 | A Bayesian framework for distributed estimatio... | In this paper we consider a network of agent... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18720 | 18721 | Rigidity of branching microstructures in shape... | We analyze generic sequences for which the g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18721 | 18722 | Study and Observation of the Variation of Accu... | Machine learning qualifies computers to assi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18722 | 18723 | Network Classification in Temporal Networks Us... | Network classification has a variety of appl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18723 | 18724 | The strength of Ramsey's theorem for pairs and... | In this paper, we show that $\mathrm{RT}^{2}... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18724 | 18725 | Joint Power Allocation and Beamforming for Ene... | This paper considers the joint design of use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18725 | 18726 | Forecasting Internally Displaced Population Mi... | Armed conflict has led to an unprecedented n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18726 | 18727 | Entropy? Honest! | Here we deconstruct, and then in a reasoned ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18727 | 18728 | Prior Convictions: Black-Box Adversarial Attac... | We study the problem of generating adversari... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18728 | 18729 | A Dynamic Model of Central Counterparty Risk | We introduce a dynamic model of the default ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18729 | 18730 | Half-Duplex Base Station with Adaptive Schedul... | In this paper, we propose a novel reception/... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18730 | 18731 | HAT-P-26b: A Neptune-Mass Exoplanet with a Wel... | A correlation between giant-planet mass and ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18731 | 18732 | Robust Localization Using Range Measurements w... | Cooperative geolocation has attracted signif... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18732 | 18733 | Intuitionistic Non-Normal Modal Logics: A gene... | We define a family of intuitionistic non-nor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18733 | 18734 | Externalities in Socially-Based Resource Shari... | This paper investigates the impact of link f... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18734 | 18735 | Training Neural Networks as Learning Data-adap... | Consider the problem: given data pair $(\mat... | 1 | 0 | 1 | 1 | 0 | 0 |
| 18735 | 18736 | On utility maximization without passing by the... | We treat utility maximization from terminal ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18736 | 18737 | Stochastic Generative Hashing | Learning-based binary hashing has become a p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18737 | 18738 | Nonlinear learning and learning advantages in ... | The idea of incompetence as a learning or ad... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18738 | 18739 | Information-theoretic Limits for Community Det... | We analyze the information-theoretic limits ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18739 | 18740 | Proofs of life: molecular-biology reasoning si... | We axiomatize the molecular-biology reasonin... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18740 | 18741 | Beyond recursion operators | We briefly recall the history of the Nijenhu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18741 | 18742 | On Classical Integrability of the Hydrodynamic... | Recently, a hydrodynamic description of loca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18742 | 18743 | Transition to turbulence when the Tollmien-Sch... | Plane Poiseuille flow, the pressure driven f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18743 | 18744 | Interactive Exploration and Discovery of Scien... | With an exponentially growing number of scie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18744 | 18745 | Improving phase II oncology trials using best ... | In many phase II trials in solid tumours, pa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18745 | 18746 | Evans-Selberg potential on planar domains | We provide explicit formulas of Evans kernel... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18746 | 18747 | Bridging the Gap Between Computational Photogr... | What is the current state-of-the-art for ima... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18747 | 18748 | On some conjectures of Samuels and Feige | Let $\mu_1 \ge \dotsc \ge \mu_n > 0$ and $\m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18748 | 18749 | Adaptive Behavior Generation for Autonomous Dr... | Making the right decision in traffic is a ch... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18749 | 18750 | Sequential Neural Likelihood: Fast Likelihood-... | We present Sequential Neural Likelihood (SNL... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18750 | 18751 | Creativity: Generating Diverse Questions using... | Generating diverse questions for given image... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18751 | 18752 | Cooling dynamics of a single trapped ion via e... | We demonstrated sympathetic cooling of a sin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18752 | 18753 | Modulational instability in the full-dispersio... | We determine the stability and instability o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18753 | 18754 | Evaluating and Modelling Hanabi-Playing Agents | Agent modelling involves considering how oth... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18754 | 18755 | Rank-related dimension bounds for subspaces of... | Let q be a power of a prime and let V be a v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18755 | 18756 | Multi-objective optimization to explicitly acc... | Bayesian Networks have been widely used in t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18756 | 18757 | Simultaneous Localization and Layout Model Sel... | In this paper, we will demonstrate how Manha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18757 | 18758 | Robust method for finding sparse solutions to ... | We analyzed the performance of a biologicall... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18758 | 18759 | Humanoid Robot-Application and Influence | Application of humanoid robots has been comm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18759 | 18760 | Onsager's Conjecture for the Incompressible Eu... | The goal of this note is to show that, also ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18760 | 18761 | Fuzzy logic based approaches for gene regulato... | The rapid advancement in high-throughput tec... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18761 | 18762 | Instrumentation for nuclear magnetic resonance... | We review instrumentation for nuclear magnet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18762 | 18763 | Countable dense homogeneity and the Cantor set | It is shown that CH implies the existence of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18763 | 18764 | Dimension Estimation Using Random Connection M... | Information about intrinsic dimension is cru... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18764 | 18765 | Optimal projection of observations in a Bayesi... | Optimal dimensionality reduction methods are... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18765 | 18766 | Notes on the Multiplicative Ergodic Theorem | The Oseledets Multiplicative Ergodic theorem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18766 | 18767 | Targeted Learning with Daily EHR Data | Electronic health records (EHR) data provide... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18767 | 18768 | Stripe-Based Fragility Analysis of Concrete Br... | A framework for the generation of bridge-spe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18768 | 18769 | Accountability of AI Under the Law: The Role o... | The ubiquity of systems using artificial int... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18769 | 18770 | Frequency-oriented sub-sampling by photonic Fo... | Sub-sampling can acquire directly a passband... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18770 | 18771 | A moment map picture of relative balanced metr... | We give a moment map interpretation of some ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18771 | 18772 | Traffic models with adversarial vehicle behaviour | We examine the impact of adversarial actions... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18772 | 18773 | Robust Cooperative Manipulation without Force/... | This paper presents two novel control method... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18773 | 18774 | Conditionally conjugate mean-field variational... | Variational Bayes (VB) is a common strategy ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18774 | 18775 | A $\frac{3}{2}$-Approximation Algorithm for Tr... | The weighted tree augmentation problem (WTAP... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18775 | 18776 | On Identifying Disaster-Related Tweets: Matchi... | Social media such as tweets are emerging as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18776 | 18777 | Self-Stabilizing Disconnected Components Detec... | We deal with the problem of maintaining a sh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18777 | 18778 | Optimizing wearable assistive devices with neu... | The coupling of human movement dynamics with... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18778 | 18779 | Preferential placement for community structure... | Various models have been recently proposed t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18779 | 18780 | Lower Bounds on Regret for Noisy Gaussian Proc... | In this paper, we consider the problem of se... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18780 | 18781 | Hirota bilinear equations for Painlevé transce... | We present some observations on the tau-func... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18781 | 18782 | Gradient-based Representational Similarity Ana... | Representational Similarity Analysis (RSA) a... | 0 | 0 | 0 | 1 | 1 | 0 |
| 18782 | 18783 | Diffeomorphic random sampling using optimal in... | In this article we explore an algorithm for ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18783 | 18784 | On approximations by trigonometric polynomials... | In this paper, we give a characterization of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18784 | 18785 | Topologically protected Dirac plasmons in grap... | Topological optical states exhibit unique im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18785 | 18786 | The K-Nearest Neighbour UCB algorithm for mult... | In this paper we propose and explore the k-N... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18786 | 18787 | Proportional Mean Residual Life Model with Cen... | Proportional mean residual life model is stu... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18787 | 18788 | Shape differentiation of a steady-state reacti... | In this paper we consider an extension of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18788 | 18789 | Analytic evaluation of Coulomb integrals for o... | The state of the art for integral evaluation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18789 | 18790 | Herschel-PACS photometry of faint stars | Our aims are to determine flux densities and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18790 | 18791 | Role of zero synapses in unsupervised feature ... | Synapses in real neural circuits can take di... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18791 | 18792 | On the Pervasiveness of Difference-Convexity i... | With the increasing interest in applying the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18792 | 18793 | Stochastic Dynamic Optimal Power Flow in Distr... | The penetration of distributed renewable ene... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18793 | 18794 | Achievable Rate Region of the Zero-Forcing Pre... | In this paper, we consider the 2 X 2 multi-u... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18794 | 18795 | Autonomous Electric Race Car Design | Autonomous driving and electric vehicles are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18795 | 18796 | Temporal Stable Community in Time-Varying Netw... | Identifying community structure of a complex... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18796 | 18797 | The shape of a rapidly rotating polytrope with... | We show that the solutions obtained in the p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18797 | 18798 | Measurement of the Planck constant at the Nati... | Researchers at the National Institute of Sta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18798 | 18799 | Event Stream-Based Process Discovery using Abs... | The aim of process discovery, originating fr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18799 | 18800 | On $C$-bases, partition pairs and filtrations ... | We obtain alternative explicit Specht filtra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18800 | 18801 | Improved Semantic-Aware Network Embedding with... | Network embeddings, which learn low-dimensio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18801 | 18802 | Spin Precession Experiments for Light Axionic ... | Axion-like particles are promising candidate... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18802 | 18803 | Persistence barcodes and Laplace eigenfunction... | We obtain restrictions on the persistence ba... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18803 | 18804 | DFT study of ionic liquids adsorption on circu... | Carbon materials have a range of properties ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18804 | 18805 | On the overestimation of the largest eigenvalu... | In this paper, we use a new approach to prov... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18805 | 18806 | Thermodynamic Mechanism of Life and Aging | Life is a complex biological phenomenon repr... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18806 | 18807 | Flat families of point schemes for connected g... | We study truncated point schemes of connecte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18807 | 18808 | Multi-task Learning in the Computerized Diagno... | Hand-crafted features extracted from dynamic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18808 | 18809 | Real-time Distracted Driver Posture Classifica... | In this paper, we present a new dataset for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18809 | 18810 | Time Series Cube Data Model | The purpose of this document is to create a ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18810 | 18811 | Markov modeling of peptide folding in the pres... | We use Markov state models (MSMs) to analyze... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18811 | 18812 | Ultra-fast magnetization manipulation using si... | Current induced magnetization manipulation i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18812 | 18813 | Grain Boundary Resistance in Copper Interconne... | Orientation effects on the resistivity of co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18813 | 18814 | Some remarkable infinite product identities in... | By applying the classic telescoping summatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18814 | 18815 | Limit Theorems in Mallows Distance for Process... | In this paper, we explore the connection bet... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18815 | 18816 | Localized-endemic state transition in the susc... | It is a longstanding debate concerning the a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18816 | 18817 | Analytic approximation of solutions of parabol... | A complete family of solutions for the one-d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18817 | 18818 | Final-State Constrained Optimal Control via a ... | In this paper we develop a numerical method ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18818 | 18819 | Robust Tracking with Model Mismatch for Fast a... | In the pursuit of real-time motion planning,... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18819 | 18820 | Robust Gaussian Stochastic Process Emulation | We consider estimation of the parameters of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18820 | 18821 | Observing the Atmospheres of Known Temperate E... | Nine transiting Earth-sized planets have rec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18821 | 18822 | Front Propagation for Nonlocal KPP Reaction-Di... | We study front propagation phenomena for a l... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18822 | 18823 | Distributed Functional Observers for LTI Systems | We study the problem of designing distribute... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18823 | 18824 | Wavelet eigenvalue regression for $n$-variate ... | In this contribution, we extend the methodol... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18824 | 18825 | Deep Neural Network for Analysis of DNA Methyl... | Many researches demonstrated that the DNA me... | 0 | 0 | 0 | 1 | 1 | 0 |
| 18825 | 18826 | One look at the rating of scientific publicati... | A toy-model of publications and citations pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18826 | 18827 | Alignment, Orientation, and Coulomb Explosion ... | Laser-induced adiabatic alignment and mixed-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18827 | 18828 | Unsupervised Machine Learning of Open Source R... | We developed and used a collection of statis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18828 | 18829 | Distributed, scalable and gossip-free consensu... | Distributed algorithms for solving additive ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18829 | 18830 | Consistency of Maximum Likelihood for Continuo... | Network analysis needs tools to infer distri... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18830 | 18831 | Consistency Results for Stationary Autoregress... | We consider stationary autoregressive proces... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18831 | 18832 | Higher order mobile coverage control with appl... | Most current results on coverage control usi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18832 | 18833 | Borg's Periodicity Theorems for first order se... | A self-adjoint first order system with Hermi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18833 | 18834 | On the Ubiquity of Information Inconsistency f... | Informally, "Information Inconsistency" is t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18834 | 18835 | Competition evolution of Rayleigh-Taylor bubbles | Material mixing induced by a Rayleigh-Taylor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18835 | 18836 | Nonlinear oblique projections | We construct nonlinear oblique projections a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18836 | 18837 | Granger Mediation Analysis of Multiple Time Se... | It becomes increasingly popular to perform m... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18837 | 18838 | Parameterization of Sequence of MFCCs for DNN-... | In this article a DNN-based system for detec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18838 | 18839 | Near-Optimal Adversarial Policy Switching for ... | A key challenge in multi-robot and multi-age... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18839 | 18840 | Structural Connectome Validation Using Pairwis... | In this work, we study the extent to which s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18840 | 18841 | Deep Robust Kalman Filter | A Robust Markov Decision Process (RMDP) is a... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18841 | 18842 | Universal Statistics of Fisher Information in ... | The Fisher information matrix (FIM) is a fun... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18842 | 18843 | An extension problem and trace Hardy inequalit... | In this paper we study the extension problem... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18843 | 18844 | Centered Isotonic Regression: Point and Interv... | Univariate isotonic regression (IR) has been... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18844 | 18845 | Denoising Neural Machine Translation Training ... | Measuring domain relevance of data and ident... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18845 | 18846 | Discovering Signals from Web Sources to Predic... | Cyber attacks are growing in frequency and s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18846 | 18847 | Higher-degree Smoothness of Perturbations I | In this paper and its sequels, we give an un... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18847 | 18848 | Space Telescope and Optical Reverberation Mapp... | We present the results of an optical spectro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18848 | 18849 | An Inexact Regularized Newton Framework with a... | An algorithm for solving smooth nonconvex op... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18849 | 18850 | An inverse problem for Maxwell's equations wit... | We consider an inverse boundary value proble... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18850 | 18851 | Context Aware Robot Navigation using Interacti... | We discuss the process of building semantic ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18851 | 18852 | Disentangling by Partitioning: A Representatio... | Multimodal sensory data resembles the form o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18852 | 18853 | Blind Gain and Phase Calibration via Sparse Sp... | Blind gain and phase calibration (BGPC) is a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18853 | 18854 | Reconciling cooperation, biodiversity and stab... | Empirical observations show that ecological ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18854 | 18855 | The Young L Dwarf 2MASS J11193254-1137466 is a... | We have discovered that the extremely red, l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18855 | 18856 | Diversity of Abundance Patterns of Light Neutr... | We determine the abundances of neutron-captu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18856 | 18857 | Hypergames and Cyber-Physical Security for Con... | The identification of the Stuxnet worm in 20... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18857 | 18858 | Measuring the academic reputation through cita... | The objective assessment of the prestige of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18858 | 18859 | A Model Order Reduction Algorithm for Estimati... | The ab initio description of the spectral in... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18859 | 18860 | Uniform rank gradient, cost and local-global c... | We analyze the rank gradient of finitely gen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18860 | 18861 | Optimal design of a model energy conversion de... | Fuel cells, batteries, thermochemical and ot... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18861 | 18862 | Mining Communication Data in a Music Community... | Comments play an important role within onlin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18862 | 18863 | Multidimensional VlasovPoisson Simulations wit... | We develop new numerical schemes for Vlasov-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18863 | 18864 | Markov Chain Monte Carlo Methods for Bayesian ... | Markov Chain Monte Carlo based Bayesian data... | 0 | 1 | 0 | 1 | 0 | 0 |
| 18864 | 18865 | Stable splitting of mapping spaces via nonabel... | We use nonabelian Poincaré duality to recove... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18865 | 18866 | Static Gesture Recognition using Leap Motion | In this report, an automated bartender syste... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18866 | 18867 | B-spline-like bases for $C^2$ cubics on the Po... | For spaces of constant, linear, and quadrati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18867 | 18868 | Synthesizing Correlations with Computational L... | It is known that the primary source of dieta... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18868 | 18869 | Axion detection via Topological Casimir Effect | We propose a new table-top experimental conf... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18869 | 18870 | Novel Feature-Based Clustering of Micro-Panel ... | Micro-panel data are collected and analysed ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18870 | 18871 | Ab initio effective Hamiltonians for cuprate s... | Ab initio low-energy effective Hamiltonians ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18871 | 18872 | Longitudinal data analysis using matrix comple... | In clinical practice and biomedical research... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18872 | 18873 | Emission-line Diagnostics of Nearby HII Region... | We present a new model of the optical nebula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18873 | 18874 | On monomial linearisation and supercharacters ... | Column closed pattern subgroups $U$ of the f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18874 | 18875 | The Structural Fate of Individual Multicompone... | Multicomponent nanoparticles can be synthesi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18875 | 18876 | On Compression of Unsupervised Neural Nets by ... | Unsupervised neural nets such as Restricted ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18876 | 18877 | A matrix generalization of a theorem of Fine | In 1947 Nathan Fine gave a beautiful product... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18877 | 18878 | Training Multi-Task Adversarial Network For Ex... | Under noisy environments, to achieve the rob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18878 | 18879 | Playing Games with Bounded Entropy | In this paper, we consider zero-sum repeated... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18879 | 18880 | Exact Hausdorff and packing measures for rando... | Random code-trees with necks were introduced... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18880 | 18881 | On Modules over a G-set | Let R be a commutative ring with unity, M a ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18881 | 18882 | Polynomial-time algorithms for the Longest Ind... | We give the first polynomial-time algorithms... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18882 | 18883 | Bug or Not? Bug Report Classification Using N-... | Previous studies have found that a significa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18883 | 18884 | Prior Information Guided Regularized Deep Lear... | Cell nuclei detection is a challenging resea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18884 | 18885 | Anisotropic hydrodynamic turbulence in accreti... | Recently, the vertical shear instability (VS... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18885 | 18886 | Optimal Algorithms for Distributed Optimization | In this paper, we study the optimal converge... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18886 | 18887 | Evaluation of Classical Features and Classifie... | Brain-Computer Interface (BCI) uses brain si... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18887 | 18888 | On exceptional compact homogeneous geometries ... | We provide a uniform framework to study the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18888 | 18889 | Intensity estimation of transaction arrivals o... | In the following paper we present a simple i... | 0 | 0 | 0 | 1 | 0 | 1 |
| 18889 | 18890 | Capacitive Mechanism of Oxygen Functional Grou... | Oxygen functional groups are one of the most... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18890 | 18891 | On conditional least squares estimation for af... | We study asymptotic properties of conditiona... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18891 | 18892 | Discretization error estimates for penalty for... | This paper is concerned with minimization of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18892 | 18893 | On the Humphreys conjecture on support varieti... | Let $G$ be a simply-connected semisimple alg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18893 | 18894 | Using Randomness to Improve Robustness of Mach... | Machine learning models have been widely use... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18894 | 18895 | Further extension of the generalized Hurwitz-L... | The main aim of this paper is to give a new ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18895 | 18896 | A Physarum-inspired model for the probit-based... | Stochastic user equilibrium is an important ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18896 | 18897 | Going Higher in First-Order Quantifier Alterna... | We investigate quantifier alternation hierar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18897 | 18898 | Invariance of Ideal Limit Points | Let $\mathcal{I}$ be an analytic P-ideal [re... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18898 | 18899 | Optimizing the Wisdom of the Crowd: Inference,... | The unprecedented demand for large amount of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18899 | 18900 | Learning With Errors and Extrapolated Dihedral... | The hardness of the learning with errors (LW... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18900 | 18901 | Fermi bubbles: high latitude X-ray supersonic ... | The nature of the bipolar, $\gamma$-ray Ferm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18901 | 18902 | Passivity-Based Generalization of Primal-Dual ... | In this paper, we revisit primal-dual dynami... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18902 | 18903 | An integral formula for the powered sum of the... | The distribution of the sum of r-th power of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18903 | 18904 | A Dynamic Boosted Ensemble Learning Method Bas... | We propose a dynamic boosted ensemble learni... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18904 | 18905 | Inter-Operator Resource Management for Millime... | In this paper, a novel framework is proposed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18905 | 18906 | An Online Learning Approach to Generative Adve... | We consider the problem of training generati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18906 | 18907 | Weakly supervised CRNN system for sound event ... | Sound event detection (SED) is typically pos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18907 | 18908 | Revealing the Coulomb interaction strength in ... | We study optimally doped\nBi$_{2}$Sr$_{2}$Ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18908 | 18909 | Ordering dynamics of self-propelled particles ... | Ordering dynamics of self-propelled particle... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18909 | 18910 | Inflationary preheating dynamics with ultracol... | We discuss the amplification of loop correct... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18910 | 18911 | Autonomous Extracting a Hierarchical Structure... | Reinforcement learning (RL), while often pow... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18911 | 18912 | Quantification of tumour evolution and heterog... | Motivation: Epigenetic heterogeneity within ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18912 | 18913 | A bootstrap test to detect prominent Granger-c... | Granger-causality in the frequency domain is... | 0 | 0 | 0 | 1 | 0 | 1 |
| 18913 | 18914 | Optimal segregation of proteins: phase transit... | Asymmetric segregation of key proteins at ce... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18914 | 18915 | Optimal make-take fees for market making regul... | We consider an exchange who wishes to set su... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18915 | 18916 | Spontaneous symmetry breaking due to the trade... | Spontaneous symmetry breaking (SSB) is an im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18916 | 18917 | Evolutionary Image Composition Using Feature C... | Evolutionary algorithms have recently been u... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18917 | 18918 | Community Detection with Colored Edges | In this paper, we prove a sharp limit on the... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18918 | 18919 | Nonlocal Neural Networks, Nonlocal Diffusion a... | Nonlocal neural networks have been proposed ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18919 | 18920 | Proof of FLT by Algebra Identities and Linear ... | The main aim of the present paper is to repr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18920 | 18921 | An Observational Diagnostic for Distinguishing... | The nature of aerosols in hot exoplanet atmo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18921 | 18922 | $\mathcal{P}$-schemes and Deterministic Polyno... | We introduce a family of mathematical object... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18922 | 18923 | Similarity Preserving Representation Learning ... | A considerable amount of machine learning al... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18923 | 18924 | Modeling Social Organizations as Communication... | We identify the "organization" of a human so... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18924 | 18925 | The Ricci flow on solvmanifolds of real type | We show that for any solvable Lie group of r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18925 | 18926 | Model-based clustering of multi-tissue gene ex... | Recently, it has become feasible to generate... | 0 | 0 | 0 | 0 | 1 | 0 |
| 18926 | 18927 | Fastest Convergence for Q-learning | The Zap Q-learning algorithm introduced in t... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18927 | 18928 | New Bounds on the Field Size for Maximally Rec... | In recent years, the rapidly increasing amou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18928 | 18929 | Two-Step Disentanglement for Financial Data | In this work, we address the problem of dise... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18929 | 18930 | Optimal control of a Vlasov-Poisson plasma by ... | In the paper "Optimal control of a Vlasov-Po... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18930 | 18931 | Towards an algebraic natural proofs barrier vi... | We observe that a certain kind of algebraic ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18931 | 18932 | In Defense of the Indefensible: A Very Naive A... | In recent years, a great deal of interest ha... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18932 | 18933 | Asymptotic Analysis of Plausible Tree Hash Mod... | Discussions about the choice of a tree hash ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18933 | 18934 | Neurally Plausible Model of Robot Reaching Ins... | In this paper we present a neurally plausibl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18934 | 18935 | When Will AI Exceed Human Performance? Evidenc... | Advances in artificial intelligence (AI) wil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18935 | 18936 | E-PUR: An Energy-Efficient Processing Unit for... | Recurrent Neural Networks (RNNs) are a key t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18936 | 18937 | Increasing Geminid meteor shower activity | Mathematical modelling has shown that activi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18937 | 18938 | The Bennett-Orlicz norm | Lederer and van de Geer (2013) introduced a ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18938 | 18939 | Temporal Justification Logic | Justification logics are modal-like logics w... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18939 | 18940 | Simultaneous Multiparty Communication Complexi... | In the Number On the Forehead (NOF) multipar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18940 | 18941 | Online Learning for Changing Environments usin... | A key challenge in online learning is that c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18941 | 18942 | On the global sup-norm of GL(3) cusp forms | Let $\phi$ be a spherical Hecke-Maass cusp f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18942 | 18943 | Four revolutions in physics and the second qua... | Newton's mechanical revolution unifies the m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18943 | 18944 | Concept Drift Learning with Alternating Learners | Data-driven predictive analytics are in use ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18944 | 18945 | A new proof of the competitive exclusion princ... | We give an new proof of the well-known compe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18945 | 18946 | From Random Differential Equations to Structur... | Random Differential Equations provide a natu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18946 | 18947 | Ties That Bind - Characterizing Classes by Att... | Given a set of attributed subgraphs known to... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18947 | 18948 | Probing dark matter with star clusters: a dark... | We present a new technique to probe the cent... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18948 | 18949 | Predicting Foreground Object Ambiguity and Eff... | We propose the ambiguity problem for the for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18949 | 18950 | On Some Generalized Polyhedral Convex Construc... | Generalized polyhedral convex sets, generali... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18950 | 18951 | mGPfusion: Predicting protein stability change... | Proteins are commonly used by biochemical in... | 0 | 0 | 0 | 1 | 1 | 0 |
| 18951 | 18952 | How Do Software Startups Pivot? Empirical Resu... | In order to handle intense time pressure and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18952 | 18953 | Some criteria for Wind Riemannian completeness... | Recently, a link between Lorentzian and Fins... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18953 | 18954 | A generalization of Schönemann's theorem via a... | Recently, Grynkiewicz et al. [{\it Israel J.... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18954 | 18955 | Map-based Multi-Policy Reinforcement Learning:... | In order for robots to perform mission-criti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18955 | 18956 | Testing convexity of a discrete distribution | Based on the convex least-squares estimator,... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18956 | 18957 | Small and Strong Formulations for Unions of Co... | There is often a significant trade-off betwe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18957 | 18958 | Safe Robotic Grasping: Minimum Impact-Force Gr... | This paper addresses the problem of selectin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18958 | 18959 | Nonparametric Kernel Density Estimation for Un... | We derive estimators of the density of the e... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18959 | 18960 | Non-Kähler Mirror Symmetry of the Iwasawa Mani... | We propose a new approach to the Mirror Symm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18960 | 18961 | Estimation and Inference for Moments of Ratios... | Empirical researchers often trim observation... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18961 | 18962 | FPGA-based real-time 105-channel data acquisit... | In this paper, a real-time 105-channel data ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18962 | 18963 | Zn-induced in-gap electronic states in La214 p... | Substitution of isovalent non-magnetic defec... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18963 | 18964 | Predicate Specialization for Definitional High... | Higher-order logic programming is an interes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18964 | 18965 | Metastability and bifurcation in superconducti... | We describe an approach, based on direct num... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18965 | 18966 | Origin of life in a digital microcosm | While all organisms on Earth descend from a ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 18966 | 18967 | The equivalence of two tax processes | We introduce two models of taxation, the lat... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18967 | 18968 | Space-Time Geostatistical Models with both Lin... | We provide a novel approach to model space-t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18968 | 18969 | Stability and Robust Regulation of Passive Lin... | We study the stability of coupled impedance ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18969 | 18970 | Bayes Minimax Competitors of Preliminary Test ... | In this paper, we consider the estimation of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 18970 | 18971 | Non-orthogonal Multiple Access for High-reliab... | In this paper, we consider a dense vehicular... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18971 | 18972 | Cohomology monoids of monoids with coefficient... | We relate the old and new cohomology monoids... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18972 | 18973 | Lower Bounds for Higher-Order Convex Optimization | State-of-the-art methods in convex and non-c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18973 | 18974 | Superconductivity in La1-xCexOBiSSe: carrier d... | We report the effects of Ce substitution on ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18974 | 18975 | Gaussian Processes Over Graphs | We propose Gaussian processes for signals ov... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18975 | 18976 | Differences of Type I error rates for ANOVA an... | To derive recommendations on how to analyze ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18976 | 18977 | Efficient algorithms for Bayesian Nearest Neig... | We consider alternate formulations of recent... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18977 | 18978 | Variegation and space weathering on asteroid 2... | During the flyby in 2010, the OSIRIS camera ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18978 | 18979 | Rokhlin dimension for compact quantum group ac... | We show that, for a given compact or discret... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18979 | 18980 | Parametric Identification Using Weighted Null-... | In identification of dynamical systems, the ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18980 | 18981 | Learning Large-Scale Bayesian Networks with th... | Learning graphical models from data is an im... | 1 | 0 | 0 | 1 | 0 | 0 |
| 18981 | 18982 | An Asymptotically Optimal Index Policy for Fin... | We consider restless multi-armed bandit (RMA... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18982 | 18983 | Effective holographic theory of charge density... | We use Gauge/Gravity duality to write down a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18983 | 18984 | Interactive Certificates for Polynomial Matric... | We develop and analyze new protocols to veri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18984 | 18985 | Cost Functions for Robot Motion Style | We focus on autonomously generating robot mo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18985 | 18986 | Revealing the basins of convergence in the pla... | The planar equilateral restricted four-body ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18986 | 18987 | The Eccentric Kozai-Lidov mechanism for Outer ... | The secular approximation of the hierarchica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18987 | 18988 | A more symmetric picture for Kasparov's KK-bif... | For C*-algebras $A$ and $B$, we generalize t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18988 | 18989 | Spot dynamics in a reaction-diffusion model of... | We study pattern formation in a 2-D reaction... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18989 | 18990 | Incorporating Covariates into Integrated Facto... | In modern biomedical research, it is ubiquit... | 0 | 0 | 0 | 1 | 0 | 0 |
| 18990 | 18991 | Batch-normalized joint training for DNN-based ... | Improving distant speech recognition is a cr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18991 | 18992 | Learning Word Embeddings from the Portuguese T... | This paper describes a preliminary study for... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18992 | 18993 | A temperate exo-Earth around a quiet M dwarf a... | The combination of high-contrast imaging and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18993 | 18994 | Manifold Based Low-rank Regularization for Ima... | Low-rank structures play important role in r... | 1 | 0 | 1 | 0 | 0 | 0 |
| 18994 | 18995 | History-aware Autonomous Exploration in Confin... | Many scenarios require a robot to be able to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 18995 | 18996 | A factor-model approach for correlation scenar... | In 2012, JPMorgan accumulated a USD~6.2 bill... | 0 | 0 | 0 | 0 | 0 | 1 |
| 18996 | 18997 | Topology data analysis of critical transitions... | We develop a topology data analysis-based me... | 0 | 1 | 1 | 0 | 0 | 0 |
| 18997 | 18998 | Construction of exact constants of motion and ... | One of the defining features of many-body lo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 18998 | 18999 | Toric manifolds over cyclohedra | We study the action of the dihedral group on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 18999 | 19000 | Use of Genome Information-Based Potentials to ... | As a living information and communications s... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19000 | 19001 | Communication-Efficient Algorithms for Decentr... | We present a new class of decentralized firs... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19001 | 19002 | A Machine Learning Approach to Shipping Box De... | Having the right assortment of shipping boxe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19002 | 19003 | Precise but Natural Specification for Robot Tasks | We present Flipper, a natural language inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19003 | 19004 | Rigorous Analysis for Efficient Statistically ... | This article presents a rigorous analysis fo... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19004 | 19005 | Rapid processing of 85Kr/Kr ratios using Atom ... | We report a methodology for measuring 85Kr/K... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19005 | 19006 | Adapting Everyday Manipulation Skills to Varie... | We address the problem of executing tool-usi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19006 | 19007 | Effect of Particle Number Conservation on the ... | Motivated by understanding Majorana zero mod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19007 | 19008 | A new topological insulator - β-InTe strained ... | We have investigated the band structure of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19008 | 19009 | Stock management (Gestão de estoques) | There is a great need to stock materials for... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19009 | 19010 | From Principal Subspaces to Principal Componen... | The autoencoder is an effective unsupervised... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19010 | 19011 | A critical nonlinear elliptic equation with no... | In this article we are interested in the non... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19011 | 19012 | Don't Decay the Learning Rate, Increase the Ba... | It is common practice to decay the learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19012 | 19013 | Collisions of Dark Matter Axion Stars with Ast... | If QCD axions form a large fraction of the t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19013 | 19014 | Practical Algorithms for Best-K Identification... | In the Best-$K$ identification problem (Best... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19014 | 19015 | Hyperfield Grassmannians | In a recent paper Baker and Bowler introduce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19015 | 19016 | Statistical estimation in a randomly structure... | We consider a binary branching process struc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19016 | 19017 | Discovering Eastern European PCs by hacking th... | Computer science would not be the same witho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19017 | 19018 | Neural Rating Regression with Abstractive Tips... | Recently, some E-commerce sites launch a new... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19018 | 19019 | Calibration Uncertainty for Advanced LIGO's Fi... | Calibration of the Advanced LIGO detectors i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19019 | 19020 | Entanglement transitions induced by large devi... | The probability of large deviations of the s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19020 | 19021 | Understanding System Characteristics of Online... | Large-scale systems with arrays of solid sta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19021 | 19022 | Three Questions on Special Homeomorphisms on S... | We provide justifications for two questions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19022 | 19023 | Nearly Semiparametric Efficient Estimation of ... | As a competitive alternative to least square... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19023 | 19024 | Relevance of backtracking paths in epidemic sp... | The understanding of epidemics on networks h... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19024 | 19025 | Hybrid graphene tunneling photoconductor with ... | Hybrid graphene photoconductor/phototransist... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19025 | 19026 | Embedded Real-Time Fall Detection Using Deep L... | This paper proposes a real-time embedded fal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19026 | 19027 | A Distributed Algorithm for Solving Linear Alg... | In this paper, we consider the problem of so... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19027 | 19028 | Doping-induced quantum cross-over in Er$_2$Ti$... | We present the results of the investigation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19028 | 19029 | Stochastic Block Models with Multiple Continuo... | The stochastic block model (SBM) is a probab... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19029 | 19030 | Asymptotic Independence of Bivariate Order Sta... | It is well known that an extreme order stati... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19030 | 19031 | Semi-Supervised Haptic Material Recognition fo... | Material recognition enables robots to incor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19031 | 19032 | Level set shape and topology optimization of f... | This paper presents a method for the optimiz... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19032 | 19033 | Thermal distortions of non-Gaussian beams in F... | Thermal effects are already important in cur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19033 | 19034 | Rigidity and trace properties of divergence-me... | We show some rigidity properties of divergen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19034 | 19035 | A note on the Almansi property | The first goal of this note is to study the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19035 | 19036 | The Quantum Complexity of Computing Schatten $... | We consider the quantum complexity of comput... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19036 | 19037 | Bounds for fidelity of semiclassical Lagrangia... | We define mixed states associated with subma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19037 | 19038 | Precision measurement of antiproton to proton ... | A precision measurement by AMS of the antipr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19038 | 19039 | Stability criteria for the 2D $α$-Euler equations | We derive analogues of the classical Rayleig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19039 | 19040 | Superconducting spin valves controlled by spir... | We propose a superconducting spin-triplet va... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19040 | 19041 | Experience Recommendation for Long Term Safe L... | Learning has propelled the cutting edge of p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19041 | 19042 | Calderón-type inequalities for affine frames | We prove sharp upper and lower bounds for ge... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19042 | 19043 | Magnetism in Semiconducting Molybdenum Dichalc... | Transition metal dichalcogenides (TMDs) are ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19043 | 19044 | Characteristic Polynomial of Certain Hyperplan... | We give a formula for computing the characte... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19044 | 19045 | Accelerated Evaluation of Automated Vehicles U... | The process to certify highly Automated Vehi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19045 | 19046 | Phase shift's influence of two strong pulsed l... | The phase shift's influence of two strong pu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19046 | 19047 | Topological Sieving of Rings According to thei... | We present a novel mechanism for resolving t... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19047 | 19048 | A structural Markov property for decomposable ... | We present a new kind of structural Markov p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19048 | 19049 | Fisher consistency for prior probability shift | We introduce Fisher consistency in the sense... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19049 | 19050 | Quantifying the Effects of Enforcing Disentang... | The notion of disentangled autoencoders was ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19050 | 19051 | An omnibus test for the global null hypothesis | Global hypothesis tests are a useful tool in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19051 | 19052 | Learning Without Mixing: Towards A Sharp Analy... | We prove that the ordinary least-squares (OL... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19052 | 19053 | Positive and Unlabeled Learning through Negati... | Motivated by applications in protein functio... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19053 | 19054 | Superconductivity in quantum wires: A symmetry... | We study properties of quantim wires with sp... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19054 | 19055 | Exponentially convergent data assimilation alg... | The paper presents a new state estimation al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19055 | 19056 | A Multi-Modal Approach to Infer Image Affect | The group affect or emotion in an image of p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19056 | 19057 | Joint Tilt Angle Adaptation and Beamforming in... | 3D beamforming is a promising approach for i... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19057 | 19058 | Testing Degree Corrections in Stochastic Block... | We study sharp detection thresholds for degr... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19058 | 19059 | A Survey on Mobile Edge Computing: The Communi... | Driven by the visions of Internet of Things ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19059 | 19060 | Deep Learning Approximation: Zero-Shot Neural ... | Neural networks offer high-accuracy solution... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19060 | 19061 | Frequency truncated discrete-time system norm | Multirate digital signal processing and mode... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19061 | 19062 | Formal Guarantees on the Robustness of a Class... | Recent work has shown that state-of-the-art ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19062 | 19063 | Complete DFM Model for High-Performance Comput... | For nanotechnology, the semiconductor device... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19063 | 19064 | Investigating the potential of social network ... | Location-based social network data offers th... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19064 | 19065 | Generalized Internal Boundaries (GIB) | Representing large-scale motions and topolog... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19065 | 19066 | Reducing Certification Granularity to Increase... | A strong certification process is required t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19066 | 19067 | Evolutionary multiplayer games on graphs with ... | Evolutionary game dynamics in structured pop... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19067 | 19068 | Robust Consensus for Multi-Agent Systems Commu... | In this paper, we study the robust consensus... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19068 | 19069 | Fractional Topological Elasticity and Fracton ... | We analyze the "higher rank" gauge theories,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19069 | 19070 | Perturbing Eisenstein polynomials over local f... | Let $K$ be a local field whose residue field... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19070 | 19071 | Galactic Orbits of Globular Clusters in the Re... | Galactic orbits have been constructed over l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19071 | 19072 | Streamlines for Motion Planning in Underwater ... | Motion planning for underwater vehicles must... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19072 | 19073 | Eddington-Limited Accretion in z~2 WISE-select... | Hot, Dust-Obscured Galaxies, or "Hot DOGs", ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19073 | 19074 | Boltzmann Transport in Nanostructures as a Fri... | Surface scattering is the key limiting facto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19074 | 19075 | Agile Software Engineering and Systems Enginee... | Systems Engineering (SE) is the set of proce... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19075 | 19076 | Prime geodesic theorem of Gallagher type | We reduce the exponent in the error term of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19076 | 19077 | PriMaL: A Privacy-Preserving Machine Learning ... | This paper introduces PriMaL, a general PRIv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19077 | 19078 | Follow the Compressed Leader: Faster Online Le... | The online problem of computing the top eige... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19078 | 19079 | Solving satisfiability using inclusion-exclusion | Using Maple, we implement a SAT solver based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19079 | 19080 | Isometric immersions into manifolds with metal... | We consider submanifolds into Riemannian man... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19080 | 19081 | Demonstration of an ac Josephson junction laser | Superconducting electronic devices have re-e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19081 | 19082 | Integrable systems, symmetries and quantization | These notes correspond to a mini-course give... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19082 | 19083 | Detecting Friedel oscillations in ultracold Fe... | Investigating Friedel oscillations in ultrac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19083 | 19084 | Learning Proximal Operators: Using Denoising N... | While variational methods have been among th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19084 | 19085 | Heated-Up Softmax Embedding | Metric learning aims at learning a distance ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19085 | 19086 | Fast Matrix Inversion and Determinant Computat... | This paper introduces a fast algorithm for s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19086 | 19087 | The imprint of neutrinos on clustering in reds... | (abridged) We investigate the signatures lef... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19087 | 19088 | Quantum Privacy-Preserving Data Analytics | Data analytics (such as association rule min... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19088 | 19089 | Magnetic Properties of Transition-Metal Adsorb... | Using the first-principles and Monte Carlo m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19089 | 19090 | A bootstrap for the number of $\mathbb{F}_{q^r... | In this note we present a fast algorithm tha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19090 | 19091 | Doping anatase TiO2 with group V-b and VI-b tr... | We investigate the role of transition metal ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19091 | 19092 | Patch-planting spin-glass solution for benchma... | We introduce an algorithm to generate (not s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19092 | 19093 | Evidence for the formation of comet 67P/Churyu... | The processes that led to the formation of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19093 | 19094 | Detection of virial shocks in stacked Fermi-LA... | Galaxy clusters are thought to grow by accre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19094 | 19095 | Closed-form formulae of hyperbolic metamateria... | A metamaterial made by stacked hole-array la... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19095 | 19096 | RMPflow: A Computational Graph for Automatic M... | We develop a novel policy synthesis algorith... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19096 | 19097 | Long-range correlations and fractal dynamics i... | Reduced motor control is one of the most fre... | 0 | 1 | 0 | 1 | 0 | 0 |
| 19097 | 19098 | A Computational Approach to Extinction Events ... | Recent work of M.D. Johnston et al. has prod... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19098 | 19099 | Face-to-BMI: Using Computer Vision to Infer Bo... | A person's weight status can have profound i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19099 | 19100 | Recursive simplex stars | This paper proposes a new method which build... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19100 | 19101 | An Analytic Formula for Numbers of Restricted ... | We study the correlators of irregular vertex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19101 | 19102 | Hyperopic Cops and Robbers | We introduce a new variant of the game of Co... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19102 | 19103 | New pinching estimates for Inverse curvature f... | We prove new pinching estimate for the inver... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19103 | 19104 | automan: a simple, Python-based, automation fr... | We present an easy-to-use, Python-based fram... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19104 | 19105 | Extensive characterization of a high Reynolds ... | An experiment conducted in the framework of ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19105 | 19106 | Q-analogues of the Fibo-Stirling numbers | Let $F_n$ denote the $n^{th}$ Fibonacci numb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19106 | 19107 | Hybrid Dirac Semimetal in CaAgBi Materials Family | Based on their formation mechanisms, Dirac p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19107 | 19108 | On the martingale property in the rough Bergom... | We consider a class of fractional stochastic... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19108 | 19109 | Weighted Surface Algebras | A finite-dimensional algebra $A$ over an alg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19109 | 19110 | A Statistical Learning Approach to Modal Regre... | This paper studies the nonparametric modal r... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19110 | 19111 | Teaching a Machine to Read Maps with Deep Rein... | The ability to use a 2D map to navigate a co... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19111 | 19112 | The fan beam model for the pulse evolution of ... | Average radio pulse profile of a pulsar B in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19112 | 19113 | Resilience of Core-Periphery Networks in the C... | Core-periphery networks are structures that ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19113 | 19114 | Reservoir of Diverse Adaptive Learners and Sta... | The last decade has seen a surge of interest... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19114 | 19115 | Extremes in Random Graphs Models of Complex Ne... | Regarding the analysis of Web communication,... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19115 | 19116 | Estimates of the Reconstruction Error in Parti... | In recent work, redressed warped frames have... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19116 | 19117 | On the Optimality of Secret Key Agreement via ... | For the multiterminal secret key agreement p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19117 | 19118 | Learning Motion Predictors for Smart Wheelchai... | Constructing a smart wheelchair on a commerc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19118 | 19119 | Kernelized Hashcode Representations for Relati... | Kernel methods have produced state-of-the-ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19119 | 19120 | Can Adversarial Networks Hallucinate Occluded ... | When you see a person in a crowd, occluded b... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19120 | 19121 | John, the semi-conductor : a tool for comprovi... | This article presents "John", an open-source... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19121 | 19122 | Eigenvalue and Eigenfunction for the $PT$-symm... | The real energy spectrum from the $PT$-symme... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19122 | 19123 | Random walks on activity-driven networks with ... | Virtually all real-world networks are dynami... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19123 | 19124 | Predicting B Cell Receptor Substitution Profil... | B cells develop high affinity receptors duri... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19124 | 19125 | Energy Efficient Mobile Edge Computing in Dens... | Merging Mobile Edge Computing (MEC), which i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19125 | 19126 | Delone dynamical systems and spectral convergence | In the realm of Delone sets in locally compa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19126 | 19127 | On biconservative surfaces in Euclidean spaces | In this paper, we study biconservative surfa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19127 | 19128 | Automatic implementation of material laws: Jac... | In an effort to increase the versatility of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19128 | 19129 | Asymptotic analysis for Hamilton-Jacobi equati... | We investigate the asymptotic behavior of so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19129 | 19130 | An Upper Bound of the Minimal Dispersion via D... | For a point set of $n$ elements in the $d$-d... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19130 | 19131 | Three-dimensional band structure of LaSb and C... | We have performed angle-resolved photoemissi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19131 | 19132 | Stellar-to-halo mass relation of cluster galaxies | In the hierarchical formation model, galaxy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19132 | 19133 | Undecidability and Finite Automata | Using a novel rewriting problem, we show tha... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19133 | 19134 | A globally stable attractor that is locally un... | We construct two examples of invariant manif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19134 | 19135 | On Centers and Central Lines of Triangles in t... | We determine barycentric coordinates of tria... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19135 | 19136 | Stopping Active Learning based on Predicted Ch... | During active learning, an effective stoppin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19136 | 19137 | Statistical properties of random clique networks | In this paper, a random clique network model... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19137 | 19138 | Quo Vadis, Action Recognition? A New Model and... | The paucity of videos in current action clas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19138 | 19139 | Selfish Cops and Active Robber: Multi-Player P... | We introduce and study the game of "Selfish ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19139 | 19140 | Singly-Thermostated Ergodicity in Gibbs' Canon... | The 2016 Snook Prize has been awarded to Die... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19140 | 19141 | Robust Estimation via Robust Gradient Estimation | We provide a new computationally-efficient c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19141 | 19142 | SMT Solving for Vesicle Traffic Systems in Cells | In biology, there are several questions that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19142 | 19143 | Endemicity and prevalence of multipartite viru... | Multipartite viruses replicate through a puz... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19143 | 19144 | Correlating Cell Shape and Cellular Stress in ... | Collective cell migration is a highly regula... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19144 | 19145 | Eigenvalue Decay Implies Polynomial-Time Learn... | We consider the problem of learning function... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19145 | 19146 | A New Steganographic Technique Matching the Se... | Steganography involves hiding a secret messa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19146 | 19147 | On topological fluid mechanics of non-ideal sy... | Euler and Navier-Stokes have variant systems... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19147 | 19148 | Topological AdS/CFT | We define a holographic dual to the Donaldso... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19148 | 19149 | Using highly uniform and smooth Selenium collo... | We systematically analyzed magnetodielectric... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19149 | 19150 | A Vector Field Method for Radiating Black Hole... | We develop a commuting vector field method f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19150 | 19151 | Experimental Constraint on an Exotic Spin- and... | We conducted a search for an exotic spin- an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19151 | 19152 | Generalization Error in Deep Learning | Deep learning models have lately shown great... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19152 | 19153 | Block Compressive Sensing of Image and Video w... | Although block compressive sensing (BCS) mak... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19153 | 19154 | A multi-phase-field method for surface tension... | A consistent treatment of the coupling of su... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19154 | 19155 | On the restriction theorem for paraboloid in $... | We prove that recent breaking by Zahl of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19155 | 19156 | Existence of Stein Kernels under a Spectral Ga... | We establish existence of Stein kernels for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19156 | 19157 | High-order asynchrony-tolerant finite differen... | Synchronizations of processing elements (PEs... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19157 | 19158 | Hazard Analysis and Risk Assessment for an Aut... | For future application of automated vehicles... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19158 | 19159 | Detailed experimental and numerical analysis o... | The Swift test was originally proposed as a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19159 | 19160 | Hubble Frontier Fields: systematic errors in s... | Strong gravitational lensing by galaxy clust... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19160 | 19161 | A Note on the Spectral Transfer Morphisms for ... | E. Opdam introduced the tool of spectral tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19161 | 19162 | Batch-Expansion Training: An Efficient Optimiz... | We propose Batch-Expansion Training (BET), a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19162 | 19163 | Coordinate Descent with Bandit Sampling | Coordinate descent methods usually minimize ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19163 | 19164 | Closing the gap for pseudo-polynomial strip pa... | The set of 2-dimensional packing problems bu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19164 | 19165 | Notes on the replica symmetric solution of the... | A review of the replica symmetric solution o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19165 | 19166 | Self-supervised Knowledge Distillation Using S... | To solve deep neural network (DNN)'s huge tr... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19166 | 19167 | Can justice be fair when it is blind? How soci... | Hierarchy is an efficient way for a group to... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19167 | 19168 | GSAE: an autoencoder with embedded gene-set no... | Bioinformatics tools have been developed to ... | 0 | 0 | 0 | 1 | 1 | 0 |
| 19168 | 19169 | Natasha: Faster Non-Convex Stochastic Optimiza... | Given a nonconvex function that is an averag... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19169 | 19170 | Higher-Order Bounded Model Checking | We present a Bounded Model Checking techniqu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19170 | 19171 | Smoothing for the fractional Schrodinger equat... | In this paper we study the cubic fractional ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19171 | 19172 | Deep Learning Based Cryptographic Primitive Cl... | Cryptovirological augmentations present an i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19172 | 19173 | The Alexandrov-Fenchel type inequalities, revi... | Various Alexandrov-Fenchel type inequalities... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19173 | 19174 | Development of non-modal shear induced instabi... | In this paper we consider the role of nonmod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19174 | 19175 | DeepSketch2Face: A Deep Learning Based Sketchi... | Face modeling has been paid much attention i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19175 | 19176 | Time-Inhomogeneous Branching Processes Conditi... | In this paper, we consider time-inhomogeneou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19176 | 19177 | The Dirichlet-to-Neumann operator for quantum ... | For a compact, connected metric graphs with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19177 | 19178 | A study of the dual problem of the one-dimensi... | The Monge-Kantorovich problem for the infini... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19178 | 19179 | Strong coupling Bose polarons in a BEC | We use a non-perturbative renormalization gr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19179 | 19180 | Triangle packing in (sparse) tournaments: appr... | Given a tournament T and a positive integer ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19180 | 19181 | Asymptotics of Chebyshev Polynomials, II. DCT ... | We prove Szegő-Widom asymptotics for the Che... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19181 | 19182 | Tracking Urban Human Activity from Mobile Phon... | Timings of human activities are marked by ci... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19182 | 19183 | Efficient conversion from rotating matrix to r... | In computational 3D geometric problems invol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19183 | 19184 | Statistical methods for characterizing transfu... | Near infrared spectroscopy (NIRS) is an imag... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19184 | 19185 | To understand deep learning we need to underst... | Generalization performance of classifiers in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19185 | 19186 | Atomic Data Revisions for Transitions Relevant... | Measurements of element abundances in galaxi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19186 | 19187 | Using Nonlinear Normal Modes for Execution of ... | With the aim of getting closer to the perfor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19187 | 19188 | Efficient Deep Learning on Multi-Source Privat... | Machine learning models benefit from large a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19188 | 19189 | Analytical solution of the integral equation f... | Starting from the integral representation of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19189 | 19190 | Equilateral $p$-gons in $\mathbb R^d$ and defo... | We introduce the concept of $r$-equilateral ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19190 | 19191 | Jónsson posets | According to Kearnes and Oman (2013), an ord... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19191 | 19192 | Hypotheses testing on infinite random graphs | Drawing on some recent results that provide ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19192 | 19193 | On compact splitting complex submanifolds of q... | In the current article our primary objects o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19193 | 19194 | Octupolar Tensors for Liquid Crystals | A third-order three-dimensional symmetric tr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19194 | 19195 | Efficient boundary corrected Strang splitting | Strang splitting is a well established tool ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19195 | 19196 | SOS-convex Semi-algebraic Programs and its App... | In this paper, we introduce a new class of n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19196 | 19197 | An Uncertainty Principle for Estimates of Floq... | We derive a Cramér-Rao lower bound for the v... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19197 | 19198 | Shielding Google's language toxicity model aga... | Lack of moderation in online communities ena... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19198 | 19199 | Diagrammatic Monte-Carlo for weak-coupling exp... | We develop numerical tools for Diagrammatic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19199 | 19200 | Training Shallow and Thin Networks for Acceler... | There is an increasing interest on accelerat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19200 | 19201 | Transductive Zero-Shot Learning with Adaptive ... | Zero-shot learning (ZSL) endows the computer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19201 | 19202 | A geometric attractor mechanism for self-organ... | Grid cells in the medial entorhinal cortex (... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19202 | 19203 | Attacking Strategies and Temporal Analysis Inv... | Online social network (OSN) discussion group... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19203 | 19204 | Perception-based energy functions in seam-cutting | Image stitching is challenging in consumer-l... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19204 | 19205 | Probabilistic learning of nonlinear dynamical ... | Probabilistic modeling provides the capabili... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19205 | 19206 | Deep Projective 3D Semantic Segmentation | Semantic segmentation of 3D point clouds is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19206 | 19207 | Dynamic Pricing with Finitely Many Unknown Val... | Motivated by posted price auctions where buy... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19207 | 19208 | Haar systems, KMS states on von Neumann algebr... | We analyse certain Haar systems associated t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19208 | 19209 | Restoring a smooth function from its noisy int... | Numerical (and experimental) data analysis o... | 0 | 1 | 0 | 1 | 0 | 0 |
| 19209 | 19210 | Adversarial Active Learning for Deep Networks:... | We propose a new active learning strategy de... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19210 | 19211 | Improving SIEM capabilities through an enhance... | Nowadays, the Security Information and Event... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19211 | 19212 | Escaping Saddle Points with Adaptive Gradient ... | Adaptive methods such as Adam and RMSProp ar... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19212 | 19213 | The Effect of Temperature on Cu-K-In-Se Thin F... | Films of Cu-K-In-Se were co-evaporated at va... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19213 | 19214 | Simulations of the Solar System's Early Dynami... | Over the course of last decade, the Nice mod... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19214 | 19215 | On weak Fraisse limits | Using the natural action of $S_\infty$ we sh... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19215 | 19216 | Promoting Saving for College Through Data Science | The cost of attending college has been stead... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19216 | 19217 | Rotation Blurring: Use of Artificial Blurring ... | Users of Virtual Reality (VR) systems often ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19217 | 19218 | Comparative Benchmarking of Causal Discovery T... | In this paper we present a comprehensive vie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19218 | 19219 | Sensitivity of Love and quasi-Rayleigh waves t... | We examine the sensitivity of the Love and t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19219 | 19220 | The image size of iterated rational maps over ... | Let $\varphi:\mathbb{F}_q\to\mathbb{F}_q$ be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19220 | 19221 | Noncommutative modular symbols and Eisenstein ... | We form real-analytic Eisenstein series twis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19221 | 19222 | Some rigidity characterizations on critical me... | We study closed $n$-dimensional manifolds of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19222 | 19223 | Profinite completions of Burnside-type quotien... | Using quantum representations of mapping cla... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19223 | 19224 | Learning Infinite RBMs with Frank-Wolfe | In this work, we propose an infinite restric... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19224 | 19225 | New low-mass eclipsing binary systems in Praes... | We present the discovery of four low-mass ($... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19225 | 19226 | The impact of the halide cage on the electroni... | Perovskite solar cells with record power con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19226 | 19227 | Discovery of Giant Radio Galaxies from NVSS: R... | Giant radio galaxies (GRGs) are one of the l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19227 | 19228 | SGD: General Analysis and Improved Rates | We propose a general yet simple theorem desc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19228 | 19229 | Nonconvex One-bit Single-label Multi-label Lea... | We study an extreme scenario in multi-label ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19229 | 19230 | Two Categories of Indoor Interactive Dynamics ... | To explore large-scale population indoor int... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19230 | 19231 | Robust estimators for generalized linear model... | Highly robust and efficient estimators for t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19231 | 19232 | Abstracting Event-Driven Systems with Lifestat... | We present lifestate rules--an approach for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19232 | 19233 | Boltzmann Encoded Adversarial Machines | Restricted Boltzmann Machines (RBMs) are a c... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19233 | 19234 | A Non-Gaussian, Nonparametric Structure for Ge... | It is becoming increasingly clear that compl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19234 | 19235 | An Efficient Bayesian Robust Principal Compone... | Principal component regression is a linear r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19235 | 19236 | Bayesian estimation from few samples: communit... | We propose an efficient meta-algorithm for B... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19236 | 19237 | X-ray Transform and Boundary Rigidity for Asym... | We consider the boundary rigidity problem fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19237 | 19238 | Pinning of longitudinal phonons in holographic... | We consider the spontaneous breaking of tran... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19238 | 19239 | An Extension of the Method of Brackets. Part 1 | The method of brackets is an efficient metho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19239 | 19240 | optimParallel: an R Package Providing Parallel... | The R package optimParallel provides a paral... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19240 | 19241 | The barocaloric effect: A Spin-off of the Disc... | Some key results obtained in joint research ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19241 | 19242 | Spontaneous currents in superconducting system... | We show that Rashba spin-orbit coupling at t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19242 | 19243 | Catching Loosely Synchronized Behavior in Face... | Fraud has severely detrimental impacts on th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19243 | 19244 | Three-dimensional localized-delocalized Anders... | Systems which can spontaneously reveal perio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19244 | 19245 | Socio-economic constraints to maximum human li... | The analysis of the demographic transition o... | 0 | 0 | 0 | 1 | 1 | 0 |
| 19245 | 19246 | SD-CPS: Taming the Challenges of Cyber-Physica... | Cyber-Physical Systems (CPS) revolutionize v... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19246 | 19247 | Dual Ore's theorem on distributive intervals o... | This paper gives a self-contained group-theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19247 | 19248 | A construction of trivial Beltrami coefficients | A measurable function $\mu$ on the unit disk... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19248 | 19249 | A GNS construction of three-dimensional abelia... | We give a detailed account of the so-called ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19249 | 19250 | Long-path formation in a deformed microdisk laser | An asymmetric resonant cavity can be used to... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19250 | 19251 | Spitzer Observations of Large Amplitude Variab... | The 3.6 and 4.5 micron characteristics of AG... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19251 | 19252 | Synergistic Team Composition | Effective teams are crucial for organisation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19252 | 19253 | The inverse hull of 0-left cancellative semigr... | Given a semigroup S with zero, which is left... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19253 | 19254 | The Hadamard Determinant Inequality - Extensio... | A generalization of classical determinant in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19254 | 19255 | Experimental results : Reinforcement Learning ... | We propose a new reinforcement learning algo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19255 | 19256 | Discreteness of silting objects and t-structur... | We introduce the notion of ST-pairs of trian... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19256 | 19257 | Sketching the order of events | We introduce features for massive data strea... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19257 | 19258 | Deep Multi-view Learning to Rank | We study the problem of learning to rank fro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19258 | 19259 | One-Shot Visual Imitation Learning via Meta-Le... | In order for a robot to be a generalist that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19259 | 19260 | Second variation of Selberg zeta functions and... | We give an explicit formula for the second v... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19260 | 19261 | Magnetic Fields Threading Black Holes: restric... | The idea that black hole spin is instrumenta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19261 | 19262 | Distance covariance for stochastic processes | The distance covariance of two random vector... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19262 | 19263 | On Nonparametric Regression using Data Depth | We investigate nonparametric regression meth... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19263 | 19264 | A Backward Simulation Method for Stochastic Op... | A number of optimal decision problems with u... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19264 | 19265 | Damped Posterior Linearization Filter | The iterated posterior linearization filter ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19265 | 19266 | Status updates through M/G/1/1 queues with HARQ | We consider a system where randomly generate... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19266 | 19267 | A mean score method for sensitivity analysis t... | Most analyses of randomised trials with inco... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19267 | 19268 | On the union complexity of families of axis-pa... | Let R be a family of n axis-parallel rectang... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19268 | 19269 | Using photo-ionisation models to derive carbon... | We present a new method to derive oxygen and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19269 | 19270 | A Probabilistic Framework for Location Inferen... | We study the extent to which we can infer us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19270 | 19271 | The Novel ABALONE Photosensor Technology: 4-Ye... | The ABALONE Photosensor Technology (U.S. Pat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19271 | 19272 | Multi-robot Dubins Coverage with Autonomous Su... | In large scale coverage operations, such as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19272 | 19273 | New Fairness Metrics for Recommendation that E... | We study fairness in collaborative-filtering... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19273 | 19274 | Graph heat mixture model learning | Graph inference methods have recently attrac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19274 | 19275 | Technical Report: Reactive Navigation in Parti... | This paper presents a provably correct metho... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19275 | 19276 | Automatic smoothness detection of the resolven... | The resolvent Krylov subspace method builds ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19276 | 19277 | On the observability of Pauli crystals | The best known manifestation of the Fermi-Di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19277 | 19278 | Interpolating Between Choices for the Approxim... | This paper proves the approximate intermedia... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19278 | 19279 | HAZMAT II: Ultraviolet Variability of Low-Mass... | The ultraviolet (UV) light from a host star ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19279 | 19280 | Exactly solvable Schrödinger equation with dou... | We construct a double-well potential for whi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19280 | 19281 | The co-evolution of emotional well-being with ... | Social ties are strongly related to well-bei... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19281 | 19282 | A magnetic version of the Smilansky-Solomyak m... | We analyze spectral properties of two mutual... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19282 | 19283 | John-Nirenberg Radius and Collapse in Conforma... | Given a positive function $u\in W^{1,n}$, we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19283 | 19284 | Deep Prior | The recent literature on deep learning offer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19284 | 19285 | Generalized two-dimensional linear discriminan... | Recent advances show that two-dimensional li... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19285 | 19286 | Time-Frequency Audio Features for Speech-Music... | Distinct striation patterns are observed in ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19286 | 19287 | Kinodynamic Planning on Constraint Manifolds | This paper presents a motion planner for sys... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19287 | 19288 | Binary Classification from Positive-Confidence... | Can we learn a binary classifier from only p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19288 | 19289 | Skewing Methods for Variance-Stabilizing Local... | It is well-known that kernel regression esti... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19289 | 19290 | Proximodistal Exploration in Motor Learning as... | To harness the complexity of their high-dime... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19290 | 19291 | Near-optimal Sample Complexity Bounds for Robu... | We prove that $\tilde{\Theta}(k d^2 / \varep... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19291 | 19292 | Induction of Non-Monotonic Logic Programs to E... | We present a heuristic based algorithm to in... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19292 | 19293 | Combining Self-Supervised Learning and Imitati... | Manipulation of deformable objects, such as ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19293 | 19294 | Online learning with graph-structured feedback... | We derive upper and lower bounds for the pol... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19294 | 19295 | Dynamical characteristics of electromagnetic f... | The dynamical characteristics of electromagn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19295 | 19296 | Functors induced by Cauchy extension of C*-alg... | In this paper we give three functors $\mathf... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19296 | 19297 | Hierarchically cocompact classifying spaces fo... | We define the notion of a hierarchically coc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19297 | 19298 | A Likelihood-Free Inference Framework for Popu... | An explosion of high-throughput DNA sequenci... | 0 | 0 | 0 | 1 | 1 | 0 |
| 19298 | 19299 | Coherent single-atom superradiance | Quantum effects, prevalent in the microscopi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19299 | 19300 | Recurrent Deterministic Policy Gradient Method... | This paper presents a deep learning framewor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19300 | 19301 | Diversified essential properties in halogenate... | The significant halogenation effects on the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19301 | 19302 | Quantifying genuine multipartite correlations ... | We propose an information-theoretic framewor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19302 | 19303 | Pulsating low-mass white dwarfs in the frame o... | We present a theoretical assessment of the e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19303 | 19304 | Normalized Maximum Likelihood with Luckiness f... | The normalized maximum likelihood (NML) is o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19304 | 19305 | Tackling Diversity and Heterogeneity by Vertic... | Existing memory management mechanisms used i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19305 | 19306 | From the Icosahedron to E8 | The regular icosahedron is connected to many... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19306 | 19307 | Sequential Discrete Kalman Filter for Real-Tim... | This paper demonstrates the feasibility of i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19307 | 19308 | Game-Theoretic Semantics for ATL+ with Applica... | We develop game-theoretic semantics (GTS) fo... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19308 | 19309 | Killing Three Birds with one Gaussian Process:... | The wide usage of Machine Learning (ML) has ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19309 | 19310 | Approximate message passing for nonconvex spar... | We analyse a linear regression problem with ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19310 | 19311 | Concurrence Topology of Some Cancer Genomics Data | The topological data analysis method "concur... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19311 | 19312 | Quasimomentum of an elementary excitation for ... | As is known, an elementary excitation of a m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19312 | 19313 | Moving to VideoKifu: the last steps toward a f... | In a previous paper [ arXiv:1508.03269 ] we ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19313 | 19314 | Malware Detection by Eating a Whole EXE | In this work we introduce malware detection ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19314 | 19315 | On the Complexity of Model Checking for Syntac... | In this paper, we investigate the model chec... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19315 | 19316 | Deforming 3-manifolds of bounded geometry and ... | We prove that the moduli space of complete R... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19316 | 19317 | Optimal and Myopic Information Acquisition | We consider the problem of optimal dynamic i... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19317 | 19318 | Infinitely many minimal classes of graphs of u... | The celebrated theorem of Robertson and Seym... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19318 | 19319 | A Passivity-Based Approach to Nash Equilibrium... | In this paper we consider the problem of dis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19319 | 19320 | Magnetic and dielectric investigations of $γ$ ... | The magnetic, thermodynamic and dielectric p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19320 | 19321 | Linear centralization classifier | A classification algorithm, called the Linea... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19321 | 19322 | Spatio-temporal Person Retrieval via Natural L... | In this paper, we address the problem of spa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19322 | 19323 | Thermo-elasto-plastic simulations of femtoseco... | The formation and the interaction of multipl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19323 | 19324 | Efficient and Accurate Machine-Learning Interp... | Machine-learning potentials (MLPs) for atomi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19324 | 19325 | Randomized Constraints Consensus for Distribut... | In this paper we consider a network of proce... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19325 | 19326 | Continuum limit of the vibrational properties ... | The low-frequency vibrational and low-temper... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19326 | 19327 | Existence of smooth solutions of multi-term Ca... | This paper deals with the initial value prob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19327 | 19328 | Classes of elementary function solutions to th... | The CEV model subsumes some of the previous ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19328 | 19329 | Congruent families and invariant tensors | Classical results of Chentsov and Campbell s... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19329 | 19330 | Quality of Information in Mobile Crowdsensing:... | Smartphones have become the most pervasive d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19330 | 19331 | SimBlock: A Blockchain Network Simulator | Blockchain, which is a technology for distri... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19331 | 19332 | Bayesian Fused Lasso regression for dynamic bi... | We propose a multinomial logistic regression... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19332 | 19333 | Indefinite Kernel Logistic Regression | Traditionally, kernel learning methods requi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19333 | 19334 | Microstructure and thickening of dense suspens... | Dense suspensions are non-Newtonian fluids w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19334 | 19335 | Learning at the Ends: From Hand to Tool Afford... | One of the open challenges in designing robo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19335 | 19336 | Rewriting in Free Hypergraph Categories | We study rewriting for equational theories i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19336 | 19337 | Weighting Scheme for a Pairwise Multi-label Cl... | In this work we addressed the issue of apply... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19337 | 19338 | Wilcoxon Rank-Based Tests for Clustered Data w... | Wilcoxon Rank-based tests are distribution-f... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19338 | 19339 | Latent heterogeneous multilayer community dete... | We propose a method for simultaneously detec... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19339 | 19340 | Understanding a Version of Multivariate Symmet... | In this paper, we analyze the behavior of th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19340 | 19341 | Approximation Dynamics | We describe the approximation of a continuou... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19341 | 19342 | Sharp asymptotic and finite-sample rates of co... | The Wasserstein distance between two probabi... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19342 | 19343 | Ensuring patients privacy in a cryptographic-b... | Several recent works have proposed and imple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19343 | 19344 | A Dynamically Reconfigurable Terahertz Array A... | A proof of concept for high speed near-field... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19344 | 19345 | Stationary C*-dynamical systems | We introduce the notion of stationary action... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19345 | 19346 | The impact of imbalanced training data on mach... | In supervised machine learning for author na... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19346 | 19347 | SIGNet: Scalable Embeddings for Signed Networks | Recent successes in word embedding and docum... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19347 | 19348 | Spread of hate speech in online social media | The present online social media platform is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19348 | 19349 | GOOWE: Geometrically Optimum and Online-Weight... | Designing adaptive classifiers for an evolvi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19349 | 19350 | Graph Product Multilayer Networks: Spectral Pr... | This paper aims to establish theoretical fou... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19350 | 19351 | Multilayer flows in molecular networks identif... | A variety of complex systems exhibit differe... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19351 | 19352 | Using Artificial Neural Networks (ANN) to Cont... | Controlling Chaos could be a big factor in g... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19352 | 19353 | Glassy quantum dynamics in translation invaria... | We investigate relaxation in the recently di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19353 | 19354 | Saliency Guided Hierarchical Robust Visual Tra... | A saliency guided hierarchical visual tracki... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19354 | 19355 | Comparison of machine learning methods for cla... | The present study shows that the performance... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19355 | 19356 | A Semantics for Probabilistic Control-Flow Graphs | This article develops a novel operational se... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19356 | 19357 | Generalized Slow Roll in the Unified Effective... | We provide a compact and unified treatment o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19357 | 19358 | MgO thickness-induced spin reorientation trans... | The magnetic anisotropy (MA) of Mo/Au/Co0.9F... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19358 | 19359 | Bjerrum Pairs in Ionic Solutions: a Poisson-Bo... | Ionic solutions are often regarded as fully ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19359 | 19360 | Neural-Brane: Neural Bayesian Personalized Ran... | Network embedding methodologies, which learn... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19360 | 19361 | Pairwise $k$-Semi-Stratifiable Bispaces and To... | In this paper, we continue to study pairwise... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19361 | 19362 | Ontology based system to guide internship assi... | Internship assignment is a complicated proce... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19362 | 19363 | Vacancy-driven extended stability of cubic met... | Quantum mechanical calculations had been pre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19363 | 19364 | Why Do Neural Dialog Systems Generate Short an... | This paper addresses the question: Why do ne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19364 | 19365 | Material Recognition CNNs and Hierarchical Pla... | In this paper we tackle the problem of visua... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19365 | 19366 | Non-Archimedean Replicator Dynamics and Eigen'... | We present a new non-Archimedean model of ev... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19366 | 19367 | D-optimal design for multivariate polynomial r... | We present a new approach to the design of D... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19367 | 19368 | A dynamic network model to measure exposure di... | We propose a statistical model for weighted ... | 0 | 0 | 0 | 1 | 0 | 1 |
| 19368 | 19369 | Universal scaling in the Knight shift anomaly ... | We report a Dynamical Cluster Approximation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19369 | 19370 | Reinforcement Learning Algorithm Selection | This paper formalises the problem of online ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19370 | 19371 | On periodic solutions of nonlinear wave equati... | We construct periodic solutions of nonlinear... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19371 | 19372 | Automatic Discovery, Association Estimation an... | Attribute-based recognition models, due to t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19372 | 19373 | Variational Bayesian Inference For A Scale Mix... | In this paper, a scale mixture of Normal dis... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19373 | 19374 | Energy stable discretization of Allen-Cahn typ... | We study the systematic numerical approximat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19374 | 19375 | Hidden space reconstruction inspires link pred... | As a fundamental challenge in vast disciplin... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19375 | 19376 | Maximum principles for the fractional p-Laplac... | In this paper, we consider nonlinear equatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19376 | 19377 | On slowly rotating axisymmetric solutions of t... | In recent works we have constructed axisymme... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19377 | 19378 | Gapped paramagnetic state in a frustrated spin... | We implement the coupled cluster method to v... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19378 | 19379 | Clouds in the atmospheres of extrasolar planet... | Clouds have a strong impact on the climate o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19379 | 19380 | Segmentation of the Proximal Femur from MR Ima... | Magnetic resonance imaging (MRI) has been pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19380 | 19381 | Identifying On-time Reward Delivery Projects w... | In Crowdfunding platforms, people turn their... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19381 | 19382 | Bayesian Model-Agnostic Meta-Learning | Learning to infer Bayesian posterior from a ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19382 | 19383 | Distributed matching scheme and a flexible det... | We discuss the distributed matching scheme i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19383 | 19384 | Group Metrics for Graph Products of Cyclic Groups | We complement the characterization of the gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19384 | 19385 | Robust Online Multi-Task Learning with Correla... | Multi-Task Learning (MTL) can enhance a clas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19385 | 19386 | Cobordism maps on PFH induced by Lefschetz fib... | In this note, we discuss the cobordism maps ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19386 | 19387 | A short note on the order of the Zhang-Liu mat... | We give necessary and sufficient conditions ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19387 | 19388 | Proceedings of the 2017 ICML Workshop on Human... | This is the Proceedings of the 2017 ICML Wor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19388 | 19389 | Ferromagnetic transition in a one-dimensional ... | We study the quantum phase transition betwee... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19389 | 19390 | Riemannian almost product manifolds generated ... | A 4-dimensional Riemannian manifold equipped... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19390 | 19391 | Transfer Learning for Performance Modeling of ... | Modern software systems provide many configu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19391 | 19392 | Critique of Barbosa's "P != NP Proof" | We review André Luiz Barbosa's paper "P != N... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19392 | 19393 | Two-Armed Bandit Problem, Data Processing, and... | We consider the minimax setup for the two-ar... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19393 | 19394 | Bearing fault diagnosis under varying working ... | Traditional intelligent fault diagnosis of r... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19394 | 19395 | Dialectical Rough Sets, Parthood and Figures o... | In one perspective, the main theme of this r... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19395 | 19396 | On quasi-hereditary algebras | In this paper we introduce an easily verifia... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19396 | 19397 | Clustering Analysis on Locally Asymptotically ... | We study the problems of clustering locally ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19397 | 19398 | The OSIRIS-REx Visible and InfraRed Spectromet... | The OSIRIS-REx Visible and Infrared Spectrom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19398 | 19399 | The effect of the smoothness of fractional typ... | We prove boundedness results for integral op... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19399 | 19400 | Fast mean-reversion asymptotics for large port... | We consider a large portfolio limit where th... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19400 | 19401 | Poincaré profiles of groups and spaces | We introduce a spectrum of monotone coarse i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19401 | 19402 | NMR Study of the New Magnetic Superconductor C... | Coexistence of a new-type antiferromagnetic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19402 | 19403 | Light spanners for bounded treewidth graphs im... | Grigni and Hung~\cite{GH12} conjectured that... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19403 | 19404 | Modeling Daily Seasonality of Mexico City Ozon... | Mexico City tracks ground-level ozone levels... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19404 | 19405 | Huygens-Fresnel Picture for Electron-Molecule ... | The elastic scattering cross sections for a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19405 | 19406 | When Point Process Meets RNNs: Predicting Fine... | Predicting fine-grained interests of users w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19406 | 19407 | Radiomics strategies for risk assessment of tu... | Quantitative extraction of high-dimensional ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19407 | 19408 | Normalization of zero-inflated data: An empiri... | Recently, two new indicators (Equalized Mean... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19408 | 19409 | Gravity Formality | We show that Willwacher's cyclic formality t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19409 | 19410 | On the Feasibility of Distinguishing Between P... | Process Control Systems (PCSs) are the opera... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19410 | 19411 | Quantum hydrodynamic approximations to the fin... | For the quantum kinetic system modelling the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19411 | 19412 | Game-theoretic dynamic investment model with i... | Over the past few years, the futures market ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19412 | 19413 | Deep Collaborative Learning for Visual Recogni... | Deep neural networks are playing an importan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19413 | 19414 | Co-location Epidemic Tracking on London Public... | The public transports provide an ideal means... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19414 | 19415 | Waring-Goldbach Problem: One Square, Four Cube... | Let $\mathcal{P}_r$ denote an almost-prime w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19415 | 19416 | Realizability of tropical canonical divisors | We use recent results by Bainbridge-Chen-Gen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19416 | 19417 | Causal inference for interfering units with cl... | Interference arises when an individual's pot... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19417 | 19418 | A Unifying Contrast Maximization Framework for... | We present a unifying framework to solve sev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19418 | 19419 | TensorFuzz: Debugging Neural Networks with Cov... | Machine learning models are notoriously diff... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19419 | 19420 | Inferring directed climatic interactions with ... | Inferring interactions between processes pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19420 | 19421 | Conditions for the invertibility of dual energ... | The Alvarez-Macovski method [Alvarez, R. E a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19421 | 19422 | Examples of lattice-polarized K3 surfaces with... | Using our results about Lorentzian Kac--Mood... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19422 | 19423 | Quantum ferrofluid turbulence | We study the elementary characteristics of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19423 | 19424 | Estimation of the discontinuous leverage effec... | An extensive empirical literature documents ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19424 | 19425 | Group representations that resist worst-case s... | Motivated by expansion in Cayley graphs, we ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19425 | 19426 | On the nearly smooth complex spaces | We introduce a class of normal complex space... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19426 | 19427 | Semi-supervised learning of hierarchical repre... | With the rapid increase of compound database... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19427 | 19428 | Tracy-Widom at each edge of real covariance an... | We study the sample covariance matrix for re... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19428 | 19429 | Multi-stage Neural Networks with Single-sided ... | Lung nodule classification is a class imbala... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19429 | 19430 | Monochromatic knots and other unusual electrom... | We introduce and examine a collection of unu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19430 | 19431 | Zero-cycles of degree one on Skorobogatov's bi... | Skorobogatov constructed a bielliptic surfac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19431 | 19432 | Locally Nameless Permutation Types | We define "Locally Nameless Permutation Type... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19432 | 19433 | On dimension-free variational inequalities for... | We study dimension-free $L^p$ inequalities f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19433 | 19434 | One-particle density matrix of trapped one-dim... | The one-particle density matrix of the one-d... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19434 | 19435 | Image Analysis Using a Dual-Tree $M$-Band Wave... | We propose a 2D generalization to the $M$-ba... | 1 | 1 | 1 | 0 | 0 | 0 |
| 19435 | 19436 | Nonlinear Cauchy-Riemann Equations and Liouvil... | We introduce the Nonlinear Cauchy-Riemann eq... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19436 | 19437 | SmartPaste: Learning to Adapt Source Code | Deep Neural Networks have been shown to succ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19437 | 19438 | An Outcome Model Approach to Translating a Ran... | Participants enrolled into randomized contro... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19438 | 19439 | Influence of parameterized small-scale gravity... | Effects of subgrid-scale gravity waves (GWs)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19439 | 19440 | A Statistical Model for Ideal Team Selection f... | Cricket is a game played between two teams w... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19440 | 19441 | The geometry of some generalized affine Spring... | We study basic geometric properties of some ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19441 | 19442 | Modelling of a Permanent Magnet Synchronous Ma... | Isogeometric analysis (IGA) is used to simul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19442 | 19443 | Learning and Trust in Auction Markets | In this paper, we study behavior of bidders ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19443 | 19444 | Like trainer, like bot? Inheritance of bias in... | The internet has become a central medium thr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19444 | 19445 | Holographic Neural Architectures | Representation learning is at the heart of w... | 0 | 0 | 0 | 1 | 1 | 0 |
| 19445 | 19446 | An introduction to Topological Data Analysis: ... | Topological Data Analysis (tda) is a recent ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19446 | 19447 | Machine Learning by Two-Dimensional Hierarchic... | The resemblance between the methods used in ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 19447 | 19448 | Hierarchical Imitation and Reinforcement Learning | We study how to effectively leverage expert ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19448 | 19449 | Social learning in a simple task allocation game | We investigate the effects of social interac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19449 | 19450 | Guided projections for analysing the structure... | A powerful data transformation method named ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19450 | 19451 | Limits of Predictability of Cascading Overload... | Cascading failures are a critical vulnerabil... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19451 | 19452 | Strong electron-hole symmetric Rashba spin-orb... | Despite its extremely weak intrinsic spin-or... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19452 | 19453 | Robust Statistics for Image Deconvolution | We present a blind multiframe image-deconvol... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19453 | 19454 | Nash and Wardrop equilibria in aggregative gam... | We consider the framework of aggregative gam... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19454 | 19455 | Magnetoresistance in the superconducting state... | Condensed matter systems that simultaneously... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19455 | 19456 | Variational autoencoders for tissue heterogene... | The paper presents the application of Variat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19456 | 19457 | Learning General Latent-Variable Graphical Mod... | In this paper, we propose a new algorithm fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19457 | 19458 | Can interacting dark energy solve the $H_0$ te... | The answer is Yes! We indeed find that inter... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19458 | 19459 | Fast Switching Dual Fabry-Perot Cavity Optical... | Dual Fabry-Perot cavity based optical refrac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19459 | 19460 | A Large Self-Annotated Corpus for Sarcasm | We introduce the Self-Annotated Reddit Corpu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19460 | 19461 | Aerosol properties in the atmospheres of extra... | We use a model of aerosol microphysics to in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19461 | 19462 | Influence of random opinion change in complex ... | Opinion formation in the population has attr... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19462 | 19463 | We Are Not Your Real Parents: Telling Causal f... | Given data over variables $(X_1,...,X_m, Y)$... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19463 | 19464 | Evolution of eccentricity and inclination of h... | We study the evolution of the eccentricity a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19464 | 19465 | Definitions in mathematics | We discuss various forms of definitions in m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19465 | 19466 | Excellence in prime characteristic | Fix any field $K$ of characteristic $p$ such... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19466 | 19467 | Asymptotically optimal private estimation unde... | We consider the minimax estimation problem o... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19467 | 19468 | Coulomb repulsion of holes and competition bet... | The effect of the Coulomb repulsion of holes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19468 | 19469 | Modeling Game Avatar Synergy and Opposition th... | Multiplayer Online Battle Arena (MOBA) games... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19469 | 19470 | Design and Development of Effective Transmissi... | Tendon-driven hand orthoses have advantages ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19470 | 19471 | eXpose: A Character-Level Convolutional Neural... | For years security machine learning research... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19471 | 19472 | A Software Reuse Approach and Its Effect On So... | Software reusability has become much interes... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19472 | 19473 | Portfolio Optimization with Nondominated Prior... | We consider classical Merton problem of term... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19473 | 19474 | Measuring heterogeneity in urban expansion via... | The lack of efficiency in urban diffusion is... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19474 | 19475 | Bayesian Cluster Enumeration Criterion for Uns... | We derive a new Bayesian Information Criteri... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19475 | 19476 | Fuzzy Adaptive Tuning of a Particle Swarm Opti... | Combinatorial interaction testing is an impo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19476 | 19477 | Is Life Most Likely Around Sun-like Stars? | We consider the habitability of Earth-analog... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19477 | 19478 | Maximum Entropy Generators for Energy-Based Mo... | Unsupervised learning is about capturing dep... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19478 | 19479 | A Lifelong Learning Approach to Brain MR Segme... | Convolutional neural networks (CNNs) have sh... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19479 | 19480 | Hybrid Kinematic Control for Rigid Body Pose S... | In this paper, we address the rigid body pos... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19480 | 19481 | On 2d-4d motivic wall-crossing formulas | In this paper we propose definitions and exa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19481 | 19482 | On Quitting: Performance and Practice in Onlin... | We study the relationship between performanc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19482 | 19483 | Video Labeling for Automatic Video Surveillanc... | Beyond traditional security methods, unmanne... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19483 | 19484 | On density of subgraphs of Cartesian products | In this paper, we extend two classical resul... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19484 | 19485 | Replica Analysis for Maximization of Net Prese... | In this paper, we use replica analysis to de... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19485 | 19486 | On some properties of weak solutions to ellipt... | We discuss the local properties of weak solu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19486 | 19487 | The heptagon-wheel cocycle in the Kontsevich g... | The real vector space of non-oriented graphs... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19487 | 19488 | Maneuver Regulation for Accelerating Bodies in... | In order to address the need for an affordab... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19488 | 19489 | A Hybrid Deep Learning Approach for Texture An... | Texture classification is a problem that has... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19489 | 19490 | Accounting Noise and the Pricing of CoCos | Contingent Convertible bonds (CoCos) are deb... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19490 | 19491 | An Improved Algorithm for E-Generalization | E-generalization computes common generalizat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19491 | 19492 | On quartic double fivefolds and the matrix fac... | We study quartic double fivefolds from the p... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19492 | 19493 | Atmospheric thermal tides and planetary spin I... | Thermal atmospheric tides can torque telluri... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19493 | 19494 | Inferring Generative Model Structure with Stat... | Obtaining enough labeled data to robustly tr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19494 | 19495 | Maslov, Chern-Weil and Mean Curvature | We provide an integral formula for the Maslo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19495 | 19496 | Tuning Goodness-of-Fit Tests | As modern precision cosmological measurement... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19496 | 19497 | The Lubin-Tate stack and Gross-Hopkins duality | Morava $E$-theory $E$ is an $E_\infty$-ring ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19497 | 19498 | Generalized Probabilistic Bisection for Stocha... | We consider numerical schemes for root findi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19498 | 19499 | Towards Proof Synthesis Guided by Neural Machi... | Inspired by the recent evolution of deep neu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19499 | 19500 | Fibonacci words in hyperbolic Pascal triangles | The hyperbolic Pascal triangle ${\cal HPT}_{... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19500 | 19501 | A Review on Quantile Regression for Stochastic... | We report on an empirical study of the main ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19501 | 19502 | Scalability of Voltage-Controlled Filamentary ... | Much effort has been devoted to device and m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19502 | 19503 | Functional geometry of protein-protein interac... | Motivation: Protein-protein interactions (PP... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19503 | 19504 | A Two-Layer Component-Based Allocation for Emb... | Component-based development is a software en... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19504 | 19505 | Sales Forecast in E-commerce using Convolution... | Sales forecast is an essential task in E-com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19505 | 19506 | On normalization of inconsistency indicators i... | In this study, we provide mathematical and p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19506 | 19507 | Gamma factors of intertwining periods and dist... | Let $F$ be a $p$-adic fied, $E$ be a quadrat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19507 | 19508 | Spin-flip scattering selection in a controlled... | A simple double-decker molecule with magneti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19508 | 19509 | Mean-Field Sparse Jurdjevic--Quinn Control | We consider nonlinear transport equations wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19509 | 19510 | Sampling from Social Networks with Attributes | Sampling from large networks represents a fu... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19510 | 19511 | Exploiting Investors Social Network for Stock ... | Recent works have shown that social media pl... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19511 | 19512 | Singing Style Transfer Using Cycle-Consistent ... | Can we make a famous rap singer like Eminem ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19512 | 19513 | A Deep Learning Based 6 Degree-of-Freedom Loca... | We present a robust deep learning based 6 de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19513 | 19514 | On a cross-diffusion system arising in image d... | We study a generalization of a cross-diffusi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19514 | 19515 | Locally Repairable Codes with Multiple $(r_{i}... | In distributed storage systems, locally repa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19515 | 19516 | Reconciling Enumerative and Symbolic Search in... | Syntax-guided synthesis aims to find a progr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19516 | 19517 | Periodic solutions of semilinear Duffing equat... | In this paper we are concerned with the exis... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19517 | 19518 | Spectral and scattering theory for perturbed b... | We analyse spectral properties of a class of... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19518 | 19519 | Robust adaptive droop control for DC microgrids | There are tradeoffs between current sharing ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19519 | 19520 | Off-diagonal asymptotic properties of Bergman ... | We prove a new off-diagonal asymptotic of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19520 | 19521 | Network Backboning with Noisy Data | Networks are powerful instruments to study c... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19521 | 19522 | The 2017 DAVIS Challenge on Video Object Segme... | We present the 2017 DAVIS Challenge on Video... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19522 | 19523 | How to Ask for Technical Help? Evidence-based ... | Context: The success of Stack Overflow and o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19523 | 19524 | Advanced Quantizer Designs for FDD-Based FD-MI... | Massive multiple-input multiple-output (MIMO... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19524 | 19525 | A Novel Stretch Energy Minimization Algorithm ... | Surface parameterizations have been widely a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19525 | 19526 | Time Complexity Analysis of a Distributed Stoc... | In this paper, we consider a distributed sto... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19526 | 19527 | Robust Counterfactual Inferences using Feature... | In a wide variety of applications, including... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19527 | 19528 | Regularity of symbolic powers and Arboricity o... | Let $\Delta$ be a simplicial complex of a ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19528 | 19529 | Max-Pooling Loss Training of Long Short-Term M... | We propose a max-pooling based loss function... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19529 | 19530 | On Packet Scheduling with Adversarial Jamming ... | In Packet Scheduling with Adversarial Jammin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19530 | 19531 | Coarse-Grid Computational Fluid Dynamic (CG-CF... | Despite the progress in high performance com... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19531 | 19532 | EAC-Net: A Region-based Deep Enhancing and Cro... | In this paper, we propose a deep learning ba... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19532 | 19533 | Influence of surface and bulk water ice on the... | On the surface of icy dust grains in the den... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19533 | 19534 | Impact of energy dissipation on interface shap... | We revisit the fundamental problem of liquid... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19534 | 19535 | Resonance control of graphene drum resonator i... | We demonstrate the control of resonance char... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19535 | 19536 | Uncertainty quantification of coal seam gas pr... | A surrogate model approximates a computation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19536 | 19537 | Multi-objective Model-based Policy Search for ... | The most data-efficient algorithms for reinf... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19537 | 19538 | Non-Asymptotic Analysis of Robust Control from... | This work explores the trade-off between the... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19538 | 19539 | Construction,sensitivity index, and synchroniz... | The stability (or instability) of synchroniz... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19539 | 19540 | A Vorticity-Preserving Hydrodynamical Scheme f... | Vortices, turbulence, and unsteady non-lamin... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19540 | 19541 | Direct simulation of liquid-gas-solid flow wit... | Direct numerical simulation of liquid-gas-so... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19541 | 19542 | TALL: Temporal Activity Localization via Langu... | This paper focuses on temporal localization ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19542 | 19543 | 2D granular flows with the $μ(I)$ rheology and... | We present here numerical modelling of granu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19543 | 19544 | A scientists' view of scientometrics: Not ever... | Like it or not, attempts to evaluate and mon... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19544 | 19545 | On analyzing and evaluating privacy measures f... | Widespread usage of complex interconnected s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19545 | 19546 | Mitigation of Policy Manipulation Attacks on D... | Recent developments have established the vul... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19546 | 19547 | Multi-Observation Elicitation | We study loss functions that measure the acc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19547 | 19548 | Next Stop "NoOps": Enabling Cross-System Diagn... | Performing diagnostics in IT systems is an i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19548 | 19549 | Davenport-Heilbronn Theorems for Quotients of ... | We prove a generalization of the Davenport-H... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19549 | 19550 | Learning Universal Adversarial Perturbations w... | Neural networks are known to be vulnerable t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19550 | 19551 | Large-Scale Classification using Multinomial R... | We present a novel method for learning the w... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19551 | 19552 | First order dipolar phase transition in the Di... | We found analytically a first order quantum ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19552 | 19553 | Parsimonious Bayesian deep networks | Combining Bayesian nonparametrics and a forw... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19553 | 19554 | Learning to Play Othello with Deep Neural Netw... | Achieving superhuman playing level by AlphaG... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19554 | 19555 | A causal modelling framework for reference-bas... | We consider estimating the "de facto" or eff... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19555 | 19556 | The paradigm-shift of social spambots: Evidenc... | Recent studies in social media spam and auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19556 | 19557 | Weakly-Supervised Spatial Context Networks | We explore the power of spatial context as a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19557 | 19558 | Variation of ionizing continuum: the main driv... | We present a statistical analysis of the var... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19558 | 19559 | Low Dimensional Atomic Norm Representations in... | The line spectral estimation problem consist... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19559 | 19560 | The Trio Identity for Quasi-Monte Carlo Error | Monte Carlo methods approximate integrals by... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19560 | 19561 | Weak type operator Lipschitz and commutator es... | Let $f: \mathbb{R}^d \to\mathbb{R}$ be a Lip... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19561 | 19562 | Fast Spectral Ranking for Similarity Search | Despite the success of deep learning on repr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19562 | 19563 | Transition of multi-diffusive states in a bias... | We study a frequency-dependent damping model... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19563 | 19564 | Deformable Classifiers | Geometric variations of objects, which do no... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19564 | 19565 | Energy Dissipation in Hamiltonian Chains of Ro... | We discuss, in the context of energy flow in... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19565 | 19566 | Computational complexity, torsion-freeness of ... | Floer theory was originally devised to estim... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19566 | 19567 | Ancillarity-Sufficiency Interweaving Strategy ... | Bayesian inference for stochastic volatility... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19567 | 19568 | Simple root flows for Hitchin representations | We study simple root flows and Liouville cur... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19568 | 19569 | On the Origin of Deep Learning | This paper is a review of the evolutionary h... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19569 | 19570 | Control of Asynchronous Imitation Dynamics on ... | Imitation is widely observed in populations ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19570 | 19571 | Finsler structures on holomorphic Lie algebroids | Complex Finsler vector bundles have been stu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19571 | 19572 | The role of complex analysis in modeling econo... | Development and growth are complex and tumul... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19572 | 19573 | Inputs from Hell: Generating Uncommon Inputs f... | Generating structured input files to test pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19573 | 19574 | On equivariant formal deformation theory | Using the set-up of deformation categories o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19574 | 19575 | A self-consistent cloud model for brown dwarfs... | We developed a simple, physical and self-con... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19575 | 19576 | Consistency Between the Luminosity Function of... | Fermi Large Area Telescope data reveal an ex... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19576 | 19577 | First functionality tests of a 64 x 64 pixel D... | The European X-ray Free Electron Laser (XFEL... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19577 | 19578 | Label Propagation on K-partite Graphs with Het... | In this paper, for the first time, we study ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19578 | 19579 | On LoRaWAN Scalability: Empirical Evaluation o... | Appearing on the stage quite recently, the L... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19579 | 19580 | DeepSD: Generating High Resolution Climate Cha... | The impacts of climate change are felt by mo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19580 | 19581 | Statistical analysis of the ambiguities in the... | Among asteroids there exist ambiguities in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19581 | 19582 | The Assistive Multi-Armed Bandit | Learning preferences implicit in the choices... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19582 | 19583 | Localized Manifold Harmonics for Spectral Shap... | The use of Laplacian eigenfunctions is ubiqu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19583 | 19584 | How to Search the Internet Archive Without Ind... | Significant parts of cultural heritage are p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19584 | 19585 | Quantum Dot at a Luttinger liquid edge - Exact... | We study a system consisting of a Luttinger ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19585 | 19586 | Optimal Jittered Sampling for two Points in th... | Jittered Sampling is a refinement of the cla... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19586 | 19587 | Brain structural connectivity atrophy in Alzhe... | Analysis and quantification of brain structu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19587 | 19588 | Probabilistic Combination of Noisy Points and ... | This work proposes a visual odometry method ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19588 | 19589 | Autoignition of Butanol Isomers at Low to Inte... | Autoignition delay experiments for the isome... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19589 | 19590 | On the $k$-abelian complexity of the Cantor se... | In this paper, we prove that for every integ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19590 | 19591 | Sharp rates of convergence for accumulated spe... | We investigate an inverse problem in time-fr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19591 | 19592 | Putting a Face to the Voice: Fusing Audio and ... | In this paper, we present a system that asso... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19592 | 19593 | Topological Interplay between Knots and Entang... | In this paper, the Kelvin wave and knot dyna... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19593 | 19594 | The first and second fundamental theorems of i... | We develop the non-commutative polynomial ve... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19594 | 19595 | Poly-Spline Finite Element Method | We introduce an integrated meshing and finit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19595 | 19596 | Turing Completeness of Finite, Epistemic Programs | In this note, we show the class of finite, e... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19596 | 19597 | Spontaneous domain formation in disordered cop... | Motivated by the problem of domain formation... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19597 | 19598 | Reconstruction of Correlated Sources with Ener... | In this paper, we investigate the reconstruc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19598 | 19599 | Future of Flexible Robotic Endoscopy Systems | Robotics enables a variety of unconventional... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19599 | 19600 | Shear-driven parametric instability in a prece... | The present numerical study aims at shedding... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19600 | 19601 | Linear-Size Hopsets with Small Hopbound, and D... | For a positive parameter $\beta$, the $\beta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19601 | 19602 | The Openpipeflow Navier--Stokes Solver | Pipelines are used in a huge range of indust... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19602 | 19603 | Logical and Inequality Implications for Reduci... | The quadratic unconstrained binary optimizat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19603 | 19604 | Optimal Decentralized Economical-sharing Crite... | In order to address the economical dispatch ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19604 | 19605 | Unbiased inference for discretely observed hid... | We develop an importance sampling (IS) type ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19605 | 19606 | Electric propulsion reliability: statistical a... | With a few hundred spacecraft launched to da... | 0 | 1 | 0 | 1 | 0 | 0 |
| 19606 | 19607 | A Bayesian Framework for Cosmic String Searche... | There exists various proposals to detect cos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19607 | 19608 | Constraining the giant planets' initial config... | Recent works on planetary migration show tha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19608 | 19609 | General AI Challenge - Round One: Gradual Lear... | The General AI Challenge is an initiative to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19609 | 19610 | DeepAR: Probabilistic Forecasting with Autoreg... | A key enabler for optimizing business proces... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19610 | 19611 | Algebraic and logistic investigations on free ... | Lorenzen's "Algebraische und logistische Unt... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19611 | 19612 | Online Interactive Collaborative Filtering Usi... | Online interactive recommender systems striv... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19612 | 19613 | Learning Latent Features with Pairwise Penalti... | Low-rank matrix completion (MC) has achieved... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19613 | 19614 | Renewal theorems and mixing for non Markov flo... | We obtain results on mixing for a large clas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19614 | 19615 | Post-hoc labeling of arbitrary EEG recordings ... | Many cognitive, sensory and motor processes ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19615 | 19616 | Sums of two cubes as twisted perfect powers, r... | In this paper, we sharpen earlier work of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19616 | 19617 | A Review on Bilevel Optimization: From Classic... | Bilevel optimization is defined as a mathema... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19617 | 19618 | Speaker Recognition with Cough, Laugh and "Wei" | This paper proposes a speaker recognition (S... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19618 | 19619 | Explicit equations for two-dimensional water w... | Governing equations for two-dimensional invi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19619 | 19620 | On the Global Limiting Absorption Principle fo... | We prove a global limiting absorption princi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19620 | 19621 | Rotation Averaging and Strong Duality | In this paper we explore the role of duality... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19621 | 19622 | Active Learning with Gaussian Processes for Hi... | A looming question that must be solved befor... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19622 | 19623 | Comparative Autoignition Trends in the Butanol... | Autoignition experiments of stoichiometric m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19623 | 19624 | A cross-vendor and cross-state analysis of the... | Crowdsourced GPS probe data has become a maj... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19624 | 19625 | Determining Phonon Coherence Using Photon Side... | Generating and detection coherent high-frequ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19625 | 19626 | Landscape of Configurational Density of States... | For classical many-body systems, our recent ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19626 | 19627 | On the domain of Dirac and Laplace type operat... | We consider a generalized Dirac operator on ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19627 | 19628 | Modeling Influence with Semantics in Social Ne... | The discovery of influential entities in all... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19628 | 19629 | Differentiable Submodular Maximization | We consider learning of submodular functions... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19629 | 19630 | On the Support of Weight Modules for Affine Ka... | An irreducible weight module of an affine Ka... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19630 | 19631 | The middle-scale asymptotics of Wishart matrices | We study the behavior of a real $p$-dimensio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19631 | 19632 | Online Spatial Concept and Lexical Acquisition... | In this paper, we propose an online learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19632 | 19633 | The Method of Arbitrarily Large Moments to Cal... | We device a new method to calculate a large ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19633 | 19634 | Unraveling the escape dynamics and the nature ... | The escape mechanism of orbits in a star clu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19634 | 19635 | The ALMA Early Science View of FUor/EXor objec... | We present Atacama Large Millimeter/ sub-mil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19635 | 19636 | Hydrodynamical models of cometary HII regions | We have modelled the evolution of cometary H... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19636 | 19637 | Feature Selection based on the Local Lift Depe... | This paper uses a classical approach to feat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19637 | 19638 | Weyl Rings and enhanced susceptibilities in Py... | We match analytic results to numerical calcu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19638 | 19639 | Inconsistency of Template Estimation by Minimi... | We tackle the problem of template estimation... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19639 | 19640 | Surrogate-Based Bayesian Inverse Modeling of t... | Bayesian inverse modeling is important for a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19640 | 19641 | On The Construction of Extreme Learning Machin... | One-Class Classification (OCC) has been prim... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19641 | 19642 | 2nd order PDEs: geometric and functional consi... | INTRODUCTION\nThis papers deals with partial... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19642 | 19643 | Adversarial Perturbation Intensity Achieving C... | Machine Learning models have been shown to b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19643 | 19644 | Data Aggregation and Packet Bundling of Uplink... | In cellular massive Machine-Type Communicati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19644 | 19645 | The GTC exoplanet transit spectroscopy survey.... | We report the first detection of sodium abso... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19645 | 19646 | That's Enough: Asynchrony with Standard Choreo... | Choreographies are widely used for the speci... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19646 | 19647 | Doing Things Twice (Or Differently): Strategie... | The "reproducibility crisis" has been a high... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19647 | 19648 | SciSports: Learning football kinematics throug... | SciSports is a Dutch startup company special... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19648 | 19649 | A Model-based Projection Technique for Segment... | We consider the problem of segmenting a larg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19649 | 19650 | Distinct Effects of Cr Bulk Doping and Surface... | In this report, it is shown that Cr doped in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19650 | 19651 | High-Performance Code Generation though Fusion... | We present a technique for automatically tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19651 | 19652 | Language Model Pre-training for Hierarchical D... | Hierarchical neural architectures are often ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19652 | 19653 | Interpretation of Semantic Tweet Representations | Research in analysis of microblogging platfo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19653 | 19654 | LoIDE: a web-based IDE for Logic Programming -... | Logic-based paradigms are nowadays widely us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19654 | 19655 | Introduction to finite mixtures | Mixture models have been around for over 150... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19655 | 19656 | On the complexity of the projective splitting ... | In this work we study the pointwise and ergo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19656 | 19657 | Demystifying Relational Latent Representations | Latent features learned by deep learning app... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19657 | 19658 | A direct method to compute the galaxy count an... | In the near future, cosmology will enter the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19658 | 19659 | Contributors profile modelization in crowdsour... | The crowdsourcing consists in the externalis... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19659 | 19660 | Discrete versions of the Li-Yau gradient estimate | We study positive solutions to the heat equa... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19660 | 19661 | Efficient Modelling & Forecasting with range b... | This paper considers an alternative method f... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19661 | 19662 | A Constrained Shortest Path Scheme for Virtual... | Virtual network services that span multiple ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19662 | 19663 | Tunneling of Glashow-Weinberg-Salam model part... | Using the semiclassical WKB approximation an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19663 | 19664 | Symbolic, Distributed and Distributional Repre... | Natural language and symbols are intimately ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19664 | 19665 | Joint Embedding of Graphs | Feature extraction and dimension reduction f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19665 | 19666 | Tuples of polynomials over finite fields with ... | Let $q$ be a prime power. We estimate the nu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19666 | 19667 | Pythagorean theorem of Sharpe ratio | In the present paper, using a replica analys... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19667 | 19668 | Learning to Generate Posters of Scientific Pap... | Researchers often summarize their work in th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19668 | 19669 | Transformable Biomimetic Liquid Metal Chameleon | Liquid metal (LM) is of current core interes... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19669 | 19670 | Local Private Hypothesis Testing: Chi-Square T... | The local model for differential privacy is ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19670 | 19671 | Rapid point-of-care Hemoglobin measurement thr... | A low-cost, robust, and simple mechanism to ... | 0 | 1 | 0 | 1 | 0 | 0 |
| 19671 | 19672 | Families of sets with no matchings of sizes 3 ... | In this paper, we study the following classi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19672 | 19673 | Light fields in complex media: mesoscopic scat... | The newly emerging field of wave front shapi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19673 | 19674 | Tailoring Product Ownership in Large-Scale Agile | In large-scale agile projects, product owner... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19674 | 19675 | Gravitational wave, collider and dark matter s... | We analyse a simple extension of the SM with... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19675 | 19676 | Canonical correlation coefficients of high-dim... | Consider a Gaussian vector $\mathbf{z}=(\mat... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19676 | 19677 | Synthesizing Normalized Faces from Facial Iden... | We present a method for synthesizing a front... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19677 | 19678 | One-Shot Coresets: The Case of k-Clustering | Scaling clustering algorithms to massive dat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19678 | 19679 | Multiple nodal solutions of nonlinear Choquard... | In this paper, we consider the existence of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19679 | 19680 | Computational Sufficiency, Reflection Groups, ... | We study estimators with generalized lasso p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19680 | 19681 | Driving Simulator Platform for Development and... | According to data from the United Nations, m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19681 | 19682 | Electrical transient laws in neuronal microdom... | The current-voltage (I-V) conversion charact... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19682 | 19683 | Characterization of a Deuterium-Deuterium Plas... | We characterize the neutron output of a deut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19683 | 19684 | Turbulent Mass Inhomogeneities induced by a po... | We describe how turbulence distributes trace... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19684 | 19685 | Berezin-toeplitz quantization and complex weyl... | In this paper, we give a correspondence betw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19685 | 19686 | Conformal predictive distributions with kernels | This paper reviews the checkered history of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19686 | 19687 | Degree bound for toric envelope of a linear al... | Algorithms working with linear algebraic gro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19687 | 19688 | The Modified Lommel functions: monotonic patte... | This article studies the monotonicity, log-c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19688 | 19689 | Anticipating epileptic seizures through the an... | Epilepsy is a neurological disorder arising ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19689 | 19690 | On distances in lattices from algebraic number... | In this paper, we study a classical construc... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19690 | 19691 | Significance of distinct electron correlation ... | Parity and time-reversal violating electric ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19691 | 19692 | Facilitating information system development wi... | The increasing amount of information and the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19692 | 19693 | Neutron Diffraction and $μ$SR Studies of Two P... | Neutron diffraction and muon spin relaxation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19693 | 19694 | Semiclassical Propagation: Hilbert Space vs. W... | A unified viewpoint on the van Vleck and Her... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19694 | 19695 | Dynamic analysis and control PID path of a mod... | This paper presents an alternate form for th... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19695 | 19696 | Dynamic Minimum Spanning Forest with Subpolyno... | We present a Las Vegas algorithm for dynamic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19696 | 19697 | Quantization and Training of Neural Networks f... | The rising popularity of intelligent mobile ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19697 | 19698 | airpred: A Flexible R Package Implementing Met... | Fine particulate matter (PM$_{2.5}$) is one ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19698 | 19699 | Accurate and Efficient Profile Matching in Kno... | A profile describes a set of properties, e.g... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19699 | 19700 | Boötes-HiZELS: an optical to near-infrared sur... | We present a sample of $\sim 1000$ emission ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19700 | 19701 | Efficient Constrained Tensor Factorization by ... | Tensor factorization with hard and/or soft c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19701 | 19702 | Replay spoofing detection system for automatic... | In this paper, we propose a replay attack sp... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19702 | 19703 | On One Property of Tikhonov Regularization Alg... | For linear inverse problem with Gaussian ran... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19703 | 19704 | Observation of Extra Photon Recoil in a Distor... | Light carries momentum which induces on atom... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19704 | 19705 | Weak Poincaré Inequalities for Convergence Rat... | For a contraction $C_0$-semigroup on a separ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19705 | 19706 | rTraceroute: Réunion Traceroute Visualisation | Traceroute is the main tools to explore Inte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19706 | 19707 | Effects of heterogeneity in site-site coupling... | We studied the thermodynamic behaviors of no... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19707 | 19708 | Are generative deep models for novelty detecti... | Many deep models have been recently proposed... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19708 | 19709 | Minimizing the waiting time for a one-way shut... | Consider a terminal in which users arrive co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19709 | 19710 | Two weight bump conditions for matrix weights | In this paper we extend the theory of two we... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19710 | 19711 | Legendrian ribbons and strongly quasipositive ... | We show that a link in an open book can be r... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19711 | 19712 | Δ-cumulants in terms of moments | The \Delta-convolution of real probability m... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19712 | 19713 | A Fully Convolutional Network for Semantic Lab... | When classifying point clouds, a large amoun... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19713 | 19714 | Boundedness properties in function spaces | Some boundedness properties of function spac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19714 | 19715 | Linear-size CDAWG: new repetition-aware indexi... | In this paper, we propose a novel approach t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19715 | 19716 | Topic Lifecycle on Social Networks: Analyzing ... | Topic lifecycle analysis on Twitter, a branc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19716 | 19717 | Unstable Footwear as a Speed-Dependent Noise-B... | Previous research on unstable footwear has s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19717 | 19718 | Gaussian autoregressive process with dependent... | In this paper we introduce a modified versio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19718 | 19719 | Structured Peer Learning Program - An Innovati... | Structured Peer Learning (SPL) is a form of ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19719 | 19720 | Analysis of the possibility for time-optimal c... | The monograph represents analysis of the pos... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19720 | 19721 | Machine vs Machine: Minimax-Optimal Defense Ag... | Recently, researchers have discovered that t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19721 | 19722 | From Attention to Participation: Reviewing and... | Over the last decades, the Internet and mobi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19722 | 19723 | Circularizing Planet Nine through dynamical fr... | Unexpected clustering in the orbital element... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19723 | 19724 | Tactics of Adversarial Attack on Deep Reinforc... | We introduce two tactics to attack agents tr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19724 | 19725 | Differentially Private Distributed Learning fo... | One of the big challenges in machine learnin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19725 | 19726 | Tensor Train Neighborhood Preserving Embedding | In this paper, we propose a Tensor Train Nei... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19726 | 19727 | Explicit three dimensional topology optimizati... | Three dimensional (3D) topology optimization... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19727 | 19728 | The index of compact simple Lie groups | Let M be an irreducible Riemannian symmetric... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19728 | 19729 | Cell Tracking via Proposal Generation and Sele... | Microscopy imaging plays a vital role in und... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19729 | 19730 | Geometric Properties of Isostables and Basins ... | In this paper, we study geometric properties... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19730 | 19731 | Elongation and shape changes in organisms with... | The generation of anisotropic shapes occurs ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19731 | 19732 | Localic completion of uniform spaces | We extend the notion of localic completion o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19732 | 19733 | Kinetic inhibition of MHD-shocks in the vicini... | According to magnetohydrodynamics (MHD), the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19733 | 19734 | Squeezed Convolutional Variational AutoEncoder... | In this paper, we propose Squeezed Convoluti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19734 | 19735 | Global Weisfeiler-Lehman Graph Kernels | Most state-of-the-art graph kernels only tak... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19735 | 19736 | An analytical Model which Determines the Appar... | Quantitative nuclear magnetic resonance imag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19736 | 19737 | Updated Constraints on the Dark Matter Interpr... | We present an updated halo-dependent and hal... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19737 | 19738 | Emulating Simulations of Cosmic Dawn for 21cm ... | Current and upcoming radio interferometric e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19738 | 19739 | Fluctuations and Noise Signatures of Driven Ma... | Magnetic skyrmions are particle-like objects... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19739 | 19740 | Metallic maps between metallic Riemannian mani... | In this paper, we introduce metallic maps be... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19740 | 19741 | Hashing as Tie-Aware Learning to Rank | Hashing, or learning binary embeddings of da... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19741 | 19742 | Models of compact stars on paraboloidal spacet... | A new exact solution of Einstein's field equ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19742 | 19743 | Adversarial Connective-exploiting Networks for... | Implicit discourse relation classification i... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19743 | 19744 | An Input Reconstruction Approach for Command F... | The idea of posing a command following or tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19744 | 19745 | Simulation Framework for Cooperative Adaptive ... | Wireless communication plays a vital role in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19745 | 19746 | Synchronization of Kuramoto oscillators in a b... | This paper studies the synchronization of a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19746 | 19747 | On Exchangeability in Network Models | We derive representation theorems for exchan... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19747 | 19748 | Replicator equation on networks with degree re... | The replicator equation is one of the fundam... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19748 | 19749 | Go game formal revealing by Ising model | Go gaming is a struggle for territory contro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19749 | 19750 | High resolution structural characterisation of... | Laser writing with ultrashort pulses provide... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19750 | 19751 | Neural networks for post-processing ensemble w... | Ensemble weather predictions require statist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19751 | 19752 | Power maps in finite groups | In recent work, Pomerance and Shparlinski ha... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19752 | 19753 | Permutation polynomials, fractional polynomial... | In this note we prove a conjecture by Li, Qu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19753 | 19754 | Recursive Whitening Transformation for Speaker... | Recently in speaker recognition, performance... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19754 | 19755 | Learning Representations for Soft Skill Matching | Employers actively look for talents having n... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19755 | 19756 | Time-reversal and spatial reflection symmetry ... | We study a class of anomalies associated wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19756 | 19757 | Extending the modeling of the anisotropic gala... | We present a new model for the redshift-spac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19757 | 19758 | Finite rank and pseudofinite groups | It is proven that an infinite finitely gener... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19758 | 19759 | Thermographic measurements of the spin Peltier... | The spin Peltier effect (SPE), heat-current ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19759 | 19760 | Number-theoretic aspects of 1D localization: "... | We discuss the number-theoretic properties o... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19760 | 19761 | Super-Convergence: Very Fast Training of Neura... | In this paper, we describe a phenomenon, whi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19761 | 19762 | Space of initial conditions for a cubic Hamilt... | In this paper we perform the analysis that l... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19762 | 19763 | Electronic properties of WS$_2$ on epitaxial g... | This work reports an electronic and micro-st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19763 | 19764 | Electrical transport and optical band gap of N... | We fabricated NiFe$_\textrm{2}$O$_\textrm{x}... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19764 | 19765 | Towards parallelizable sampling-based Nonlinea... | This paper proposes a new sampling-based non... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19765 | 19766 | Quantum decoherence from entanglement during i... | We study the primary entanglement effect on ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19766 | 19767 | Breast density classification with deep convol... | Breast density classification is an essentia... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19767 | 19768 | Spatial Integration by a Dielectric Slab Waveg... | Motivated by the recent progress in analog c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19768 | 19769 | Modeling the Biological Pathology Continuum wi... | A crucial challenge in image-based modeling ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19769 | 19770 | Control Problems with Vanishing Lie Bracket Ar... | We study an optimal control problem arising ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19770 | 19771 | Teaching DevOps in Corporate Environments: An ... | This paper describes our experience of train... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19771 | 19772 | WKB solutions of difference equations and reco... | The purpose of this article is to analyze th... | 0 | 1 | 1 | 0 | 0 | 0 |
| 19772 | 19773 | Diagrammatic Exciton Basis Theory of the Photo... | Covalently linked acene dimers are of intere... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19773 | 19774 | Developing and evaluating an interactive tutor... | We discuss an investigation of student diffi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19774 | 19775 | Time optimal sampled-data controls for heat eq... | In this paper, we first design a time optima... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19775 | 19776 | Malware distributions and graph structure of t... | Knowledge about the graph structure of the W... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19776 | 19777 | Depth creates no more spurious local minima | We show that for any convex differentiable l... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19777 | 19778 | On the Application of ISO 26262 in Control Des... | Research on automated vehicles has experienc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19778 | 19779 | Semi-wavefront solutions in models of collecti... | This paper deals with a nonhomogeneous scala... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19779 | 19780 | Self-Regulated Transport in Photonic Crystals ... | Phase changing materials (PCM) are widely us... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19780 | 19781 | Assessing randomness in case assignment: the c... | Sortition, i.e., random appointment for publ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19781 | 19782 | Particle picture representation of the non-sym... | We provide a particle picture representation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19782 | 19783 | Houdini: Fooling Deep Structured Prediction Mo... | Generating adversarial examples is a critica... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19783 | 19784 | Don't relax: early stopping for convex regular... | We consider the problem of designing efficie... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19784 | 19785 | Interplay between social influence and competi... | We present a model that takes into account t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19785 | 19786 | Data Augmentation for Low-Resource Neural Mach... | The quality of a Neural Machine Translation ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19786 | 19787 | A Lagrangian approach to modeling heat flux dr... | Close-contact melting refers to the process ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19787 | 19788 | Spectral Graph Analysis: A Unified Explanation... | Complex networks or graphs are ubiquitous in... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19788 | 19789 | ARMDN: Associative and Recurrent Mixture Densi... | Accurate demand forecasts can help on-line r... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19789 | 19790 | Extreme Dimension Reduction for Handling Covar... | In the covariate shift learning scenario, th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19790 | 19791 | Landau-Zener transitions for Majorana fermions | One-dimensional systems obtained as low-ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19791 | 19792 | Deep Hyperspherical Learning | Convolution as inner product has been the fo... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19792 | 19793 | Robotic Pick-and-Place of Novel Objects in Clu... | This paper presents a robotic pick-and-place... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19793 | 19794 | Toward an enumerative geometry with quadratic ... | We develop various aspects of classical enum... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19794 | 19795 | Robust reputation-based ranking on multipartit... | The spread of online reviews, ratings and op... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19795 | 19796 | Duality and upper bounds in optimal stochastic... | A dual control problem is presented for the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19796 | 19797 | On Sampling from Massive Graph Streams | We propose Graph Priority Sampling (GPS), a ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19797 | 19798 | Optimal Investment, Demand and Arbitrage under... | This paper studies the optimal investment pr... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19798 | 19799 | Amplitude Mediated Chimera States with Active ... | The emergence and nature of amplitude mediat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19799 | 19800 | Astronomical random numbers for quantum founda... | Photons from distant astronomical sources ca... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19800 | 19801 | Application of generative autoencoder in de no... | A major challenge in computational chemistry... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19801 | 19802 | Prospects for Measuring Cosmic Microwave Backg... | Measurements of cosmic microwave background ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19802 | 19803 | The Fog of War: A Machine Learning Approach to... | For over a decade, scientists at NASA's Jet ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19803 | 19804 | Substrate inhibition imposes fitness penalty a... | Proteins are only moderately stable. It has ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19804 | 19805 | Exact relativistic Toda chain eigenfunctions f... | We provide a proposal, motivated by Separati... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19805 | 19806 | Simple Compact Monotone Tree Drawings | A monotone drawing of a graph G is a straigh... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19806 | 19807 | Context-Free Path Querying by Matrix Multiplic... | Graph data models are widely used in many ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19807 | 19808 | Equivalence of sparse and Carleson coefficient... | We remark that sparse and Carleson coefficie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19808 | 19809 | Discovering Business Rules from Business Proce... | Discovering business rules from business pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19809 | 19810 | Fast Learning and Prediction for Object Detect... | We combine features extracted from pre-train... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19810 | 19811 | N-body simulations of planet formation via peb... | Context. Planet formation with pebbles has b... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19811 | 19812 | Local character of Kim-independence | We show that NSOP$_{1}$ theories are exactly... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19812 | 19813 | A Further Analysis of The Role of Heterogeneit... | Heterogeneity has been studied as one of the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19813 | 19814 | Transport properties of the Azimuthal Magnetor... | The magnetorotational instability (MRI) is t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19814 | 19815 | New bounds for the Probability of Causation in... | An individual has been subjected to some exp... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19815 | 19816 | Searching for a cosmological preferred directi... | It is well known that the Milgrom's MOND (mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19816 | 19817 | MultiFIT: A Multivariate Multiscale Framework ... | We present a framework for testing independe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19817 | 19818 | Stability of algebraic varieties and Kahler ge... | This is a survey article, based on the autho... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19818 | 19819 | Scratch iridescence: Wave-optical rendering of... | The surface of metal, glass and plastic obje... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19819 | 19820 | An oscillation criterion for delay differentia... | The oscillatory behavior of the solutions to... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19820 | 19821 | Item Recommendation with Variational Autoencod... | In recent years, Variational Autoencoders (V... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19821 | 19822 | Boltzmann Exploration Done Right | Boltzmann exploration is a classic strategy ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19822 | 19823 | Deep reinforcement learning from human prefere... | For sophisticated reinforcement learning (RL... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19823 | 19824 | Entanglement spectroscopy on a quantum computer | We present a quantum algorithm to compute th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19824 | 19825 | Light Attenuation Length of High Quality Linea... | The Jiangmen Underground Neutrino Observator... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19825 | 19826 | OIL: Observational Imitation Learning | Recent work has explored the problem of auto... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19826 | 19827 | A Multi-Scan Labeled Random Finite Set Model f... | State space models in which the system state... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19827 | 19828 | On the Complexity of Sampling Nodes Uniformly ... | We study a number of graph exploration probl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19828 | 19829 | A structure theorem for almost low-degree func... | The Fourier-Walsh expansion of a Boolean fun... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19829 | 19830 | Oxygen-vacancy driven electron localization an... | Oxygen-deficient TiO$_2$ in the rutile struc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19830 | 19831 | 3D printable multimaterial cellular auxetics w... | Auxetic materials are a novel class of mecha... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19831 | 19832 | MACS J0416.1-2403: Impact of line-of-sight str... | Exploiting the powerful tool of strong gravi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19832 | 19833 | What can you do with a rock? Affordance extrac... | Autonomous agents must often detect affordan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19833 | 19834 | On Generalized Gibbs Ensembles with an infinit... | We revisit the question of whether and how t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19834 | 19835 | High resolution ion trap time-of-flight mass s... | Trapping molecular ions that have been sympa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19835 | 19836 | The role of local-geometrical-orders on the gr... | The precise nature of complex structural rel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19836 | 19837 | Snake: a Stochastic Proximal Gradient Algorith... | A regularized optimization problem over a la... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19837 | 19838 | Stability of the coexistent superconducting-ne... | We analyze the effect of intersite-interacti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19838 | 19839 | Multi-Advisor Reinforcement Learning | We consider tackling a single-agent RL probl... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19839 | 19840 | Using CMB spectral distortions to distinguish ... | The dissipation of small-scale perturbations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19840 | 19841 | Gradient Hyperalignment for multi-subject fMRI... | Multi-subject fMRI data analysis is an inter... | 0 | 0 | 0 | 1 | 1 | 0 |
| 19841 | 19842 | Using Task Descriptions in Lifelong Machine Le... | Knowledge transfer between tasks can improve... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19842 | 19843 | Giant Unification Theory of the Grand Unificat... | Because the grand unification theory of gaug... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19843 | 19844 | Generalized Rich-Club Ordering in Networks | Rich-club ordering refers to the tendency of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19844 | 19845 | Integrating Proactive Mode Changes in Mixed Cr... | In this work, we propose to integrate predic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19845 | 19846 | Leveraging Continuous Material Averaging for I... | Inverse electromagnetic design has emerged a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19846 | 19847 | Robust Speech Recognition Using Generative Adv... | This paper describes a general, scalable, en... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19847 | 19848 | Minimal inequalities for an infinite relaxatio... | We show that maximal $S$-free convex sets ar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19848 | 19849 | The population of SNe/SNRs in the starburst ga... | The nearby ultra-luminous infrared galaxy (U... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19849 | 19850 | Dirac and Chiral Quantum Spin Liquids on the H... | Motivated by recent experimental observation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19850 | 19851 | Secular Dynamics of an Exterior Test Particle:... | The behavior of an interior test particle in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19851 | 19852 | A pulsed, mono-energetic and angular-selective... | The KATRIN experiment aims to determine the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19852 | 19853 | Carrier frequency modulation of an acousto-opt... | The stabilization of lasers to absolute freq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19853 | 19854 | Solving a New 3D Bin Packing Problem with Deep... | In this paper, a new type of 3D bin packing ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19854 | 19855 | Entendendo o Pensamento Computacional | The goal of this article is to clarify the m... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19855 | 19856 | Estimation of samples relevance by their histo... | The problem of the estimation of relevance t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19856 | 19857 | On the synthesis of acoustic sources with cont... | In this paper we present a strategy for the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19857 | 19858 | Inverse Protein Folding Problem via Quadratic ... | This paper presents a method of reconstructi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19858 | 19859 | Spoken Language Understanding on the Edge | We consider the problem of performing Spoken... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19859 | 19860 | On the link between column density distributio... | We present a method to derive the density sc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19860 | 19861 | Measuring Effectiveness of Video Advertisements | Advertisements are unavoidable in modern soc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19861 | 19862 | Multilinear compressive sensing and an applica... | We study a deep linear network endowed with ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19862 | 19863 | Normalization of closed Ekedahl-Oort strata | We apply our theory of partial flag spaces d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19863 | 19864 | Robustness of functional networks at criticali... | The robustness of dynamical properties of ne... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19864 | 19865 | Semi-Supervised AUC Optimization based on Posi... | Maximizing the area under the receiver opera... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19865 | 19866 | Identifiability of Nonparametric Mixture Model... | Motivated by problems in data clustering, we... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19866 | 19867 | The geometric classification of Leibniz algebras | We describe all rigid algebras and all irred... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19867 | 19868 | Discrete fundamental groups of Warped Cones an... | In this paper we compute the discrete fundam... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19868 | 19869 | Simulated Tempering Method in the Infinite Swi... | We investigate the theoretical foundations o... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19869 | 19870 | Analysis and Modeling of 3D Indoor Scenes | We live in a 3D world, performing activities... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19870 | 19871 | Introduction to the Special Issue on Digital S... | Advances in astronomy are intimately linked ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19871 | 19872 | HPDedup: A Hybrid Prioritized Data Deduplicati... | Eliminating duplicate data in primary storag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19872 | 19873 | Two-domain and three-domain limit cycles in a ... | Freeplay is a significant source of nonlinea... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19873 | 19874 | Preference Modeling by Exploiting Latent Compo... | Understanding user preference is essential t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19874 | 19875 | Inductive Representation Learning on Large Graphs | Low-dimensional embeddings of nodes in large... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19875 | 19876 | Milnor and Tjurina numbers for a hypersurface ... | Assume that $f:(\mathbb{C}^n,0) \to (\mathbb... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19876 | 19877 | Analysis of the Gibbs Sampler for Gaussian hie... | We study the convergence properties of the G... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19877 | 19878 | A Cosmic Selection Rule for Glueball Dark Matt... | We point out a unique mechanism to produce t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19878 | 19879 | Multispectral and Hyperspectral Image Fusion U... | In this paper, we propose a method using a t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19879 | 19880 | The fundamental Lepage form in variational the... | A setting for global variational geometry on... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19880 | 19881 | Adding educational funcionalities to classic b... | In this paper we revisit some classic board ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19881 | 19882 | Conceptual Frameworks for Building Online Citi... | In recent years, citizen science has grown i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19882 | 19883 | SDN Architecture and Southbound APIs for IPv6 ... | The SRv6 architecture (Segment Routing based... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19883 | 19884 | Topology-optimized Dual-Polarization Dirac Cones | We apply a large-scale computational techniq... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19884 | 19885 | Reconstruction of Word Embeddings from Sub-Wor... | Pre-trained word embeddings improve the perf... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19885 | 19886 | Deep Submodular Functions | We start with an overview of a class of subm... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19886 | 19887 | Inverse problems for the wave equation with un... | We consider the inverse problems of determin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19887 | 19888 | Spatial interactions and oscillatory tragedies... | A tragedy of the commons (TOC) occurs when i... | 0 | 0 | 0 | 0 | 1 | 0 |
| 19888 | 19889 | An upper bound on transport | The linear growth of operators in local quan... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19889 | 19890 | Taylor expansion in linear logic is invertible | Each Multiplicative Exponential Linear Logic... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19890 | 19891 | Collision-Free Multi Robot Trajectory Optimiza... | Multi robot systems have the potential to be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19891 | 19892 | On the bottom of spectra under coverings | For a Riemannian covering $M_1\to M_0$ of co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19892 | 19893 | Theory of ground states for classical Heisenbe... | We extend the theory of ground states of cla... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19893 | 19894 | Aggressive Deep Driving: Model Predictive Cont... | We present a framework for vision-based mode... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19894 | 19895 | K-theory of line bundles and smooth varieties | We give a $K$-theoretic criterion for a quas... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19895 | 19896 | Local Two-Sample Testing: A New Tool for Analy... | Modern surveys have provided the astronomica... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19896 | 19897 | Are You Tampering With My Data? | We propose a novel approach towards adversar... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19897 | 19898 | Answering Spatial Multiple-Set Intersection Qu... | We show how to answer spatial multiple-set i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19898 | 19899 | A framework for cascade size calculations on r... | We present a framework to calculate the casc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19899 | 19900 | A Gaussian Process Regression Model for Distri... | Monge-Kantorovich distances, otherwise known... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19900 | 19901 | The intrinsic stable normal cone | We construct an analog of the intrinsic norm... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19901 | 19902 | Globular cluster formation with multiple stell... | Most old globular clusters (GCs) in the Gala... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19902 | 19903 | Multiple Source Domain Adaptation with Adversa... | While domain adaptation has been actively re... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19903 | 19904 | OSSOS: V. Diffusion in the orbit of a high-per... | We report the discovery of the minor planet ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19904 | 19905 | Solution of the Lindblad equation for spin hel... | Using Lindblad dynamics we study quantum spi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19905 | 19906 | Global bifurcation map of the homogeneus state... | We study the spatially homogeneous time depe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19906 | 19907 | Stochastic Composite Least-Squares Regression ... | We consider the minimization of composite ob... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19907 | 19908 | Fisher GAN | Generative Adversarial Networks (GANs) are p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19908 | 19909 | Language as a matrix product state | We propose a statistical model for natural l... | 1 | 1 | 0 | 1 | 0 | 0 |
| 19909 | 19910 | On the application of Mattis-Bardeen theory in... | The low energy optical conductivity of conve... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19910 | 19911 | Nanoscale Magnetic Imaging using Circularly Po... | This work demonstrates nanoscale magnetic im... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19911 | 19912 | Towards integrated superconducting detectors o... | Superconducting detectors are now well-estab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19912 | 19913 | The Hilbert scheme of 11 points in A^3 is irre... | We prove that the Hilbert scheme of 11 point... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19913 | 19914 | Dynamically reconfigurable metal-semiconductor... | We propose a novel type of tunable Yagi-Uda ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19914 | 19915 | Synthesis and In Situ Modification of Hierarch... | Modified structures of SAPO-34 were prepared... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19915 | 19916 | Support Feature Machines | Support Vector Machines (SVMs) with various ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19916 | 19917 | Voltage Control Using Eigen Value Decompositio... | Voltage deviations occur frequently in power... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19917 | 19918 | Convolutional neural networks for structured o... | Convolutional Neural Networks (CNNs) are a p... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19918 | 19919 | Neural Network Multitask Learning for Traffic ... | Traditional neural network approaches for tr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19919 | 19920 | A note on a new paradox in superluminal signal... | The Tolman paradox is well known as a base f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19920 | 19921 | The Compressed Overlap Index | For analysing text algorithms, for computing... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19921 | 19922 | An intuitive approach to the unified theory of... | Spin-relaxation is conventionally discussed ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19922 | 19923 | Weighted Random Walk Sampling for Multi-Relati... | In the information overloaded web, personali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19923 | 19924 | Understanding the Twitter Usage of Humanities ... | Scholarly communication has the scope to tra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19924 | 19925 | Privacy Risk in Machine Learning: Analyzing th... | Machine learning algorithms, when applied to... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19925 | 19926 | Nanoplatelets as material system between stron... | Recently, the fabrication of CdSe nanoplatel... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19926 | 19927 | Combined Thermal Control and GNC: An Enabling ... | Advances in GNC, particularly from miniaturi... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19927 | 19928 | Denoising Adversarial Autoencoders | Unsupervised learning is of growing interest... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19928 | 19929 | Monodromy map for tropical Dolbeault cohomology | We define monodromy maps for tropical Dolbea... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19929 | 19930 | Randomness Evaluation with the Discrete Fourie... | In this paper, we study the problems in the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19930 | 19931 | Analogies Explained: Towards Understanding Wor... | Word embeddings generated by neural network ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19931 | 19932 | Zero sum partition into sets of the same order... | We will say that an Abelian group $\Gamma$ o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19932 | 19933 | Strongly Coupled Dark Energy with Warm dark ma... | Cosmologies including strongly Coupled (SC) ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19933 | 19934 | Clausal Analysis of First-order Proof Schemata | Proof schemata are a variant of LK-proofs ab... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19934 | 19935 | Emotion Intensities in Tweets | This paper examines the task of detecting in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19935 | 19936 | Modelling the descent of nitric oxide during t... | Using simulations with a whole-atmosphere ch... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19936 | 19937 | Optimal Evidence Accumulation on Social Networks | A fundamental question in biology is how org... | 1 | 0 | 0 | 0 | 1 | 0 |
| 19937 | 19938 | Efficient Data-Driven Geologic Feature Detecti... | Conventional seismic techniques for detectin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19938 | 19939 | Metastable Modular Metastructures for On-Deman... | We present a novel approach to achieve adapt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19939 | 19940 | Learning to Plan Chemical Syntheses | From medicines to materials, small organic m... | 1 | 1 | 0 | 0 | 0 | 0 |
| 19940 | 19941 | Projective embedding of pairs and logarithmic ... | Let $\hat{L}$ be the projective completion o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19941 | 19942 | Motion Switching with Sensory and Instruction ... | To ensure that a robot is able to accomplish... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19942 | 19943 | The evolution of magnetic fields in hot stars | Over the last decade, tremendous strides hav... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19943 | 19944 | Polynomial-Time Methods to Solve Unimodular Qu... | We develop polynomial-time heuristic methods... | 1 | 0 | 1 | 0 | 0 | 0 |
| 19944 | 19945 | Can the Wild Bootstrap be Tamed into a General... | It is well known that the F test is severly ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19945 | 19946 | Efficient K-Shot Learning with Regularized Dee... | Feature representations from pre-trained dee... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19946 | 19947 | The cohomology ring of some Hopf algebras | Let p be a prime, and k be a field of charac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19947 | 19948 | Eckart ro-vibrational Hamiltonians via the gat... | Recently, a general expression for Eckart-fr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19948 | 19949 | Optimal Timing to Trade Along a Randomized Bro... | This paper studies an optimal trading proble... | 0 | 0 | 0 | 0 | 0 | 1 |
| 19949 | 19950 | Inflationary Features and Shifts in Cosmologic... | We explore the relationship between features... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19950 | 19951 | Tree based weighted learning for estimating in... | Estimating individualized treatment rules is... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19951 | 19952 | Fine-Tuning in the Context of Bayesian Theory ... | Fine-tuning in physics and cosmology is ofte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19952 | 19953 | Nuclear physics insights for new-physics searc... | Experiments using nuclei to probe new physic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19953 | 19954 | On the (Statistical) Detection of Adversarial ... | Machine Learning (ML) models are applied in ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19954 | 19955 | Search Rank Fraud De-Anonymization in Online S... | We introduce the fraud de-anonymization prob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19955 | 19956 | Instabilities in Interacting Binary Stars | The types of instability in the interacting ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19956 | 19957 | Interaction blockade for bosons in an asymmetr... | The interaction blockade phenomenon isolates... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19957 | 19958 | SPIDER: CMB polarimetry from the edge of space | SPIDER is a balloon-borne instrument designe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19958 | 19959 | Wind Shear and Turbulence on Titan : Huygens A... | Wind shear measured by Doppler tracking of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19959 | 19960 | Composable security in relativistic quantum cr... | Relativistic protocols have been proposed to... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19960 | 19961 | Tensor networks demonstrate the robustness of ... | We prove that all eigenstates of many-body l... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19961 | 19962 | Formation of Intermediate-Mass Black Holes thr... | We study the formation of massive black hole... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19962 | 19963 | Mean Reverting Portfolios via Penalized OU-Lik... | We study an optimization-based approach to c... | 0 | 0 | 0 | 1 | 0 | 1 |
| 19963 | 19964 | When the cookie meets the blockchain: Privacy ... | We show how third-party web trackers can dea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19964 | 19965 | Performance Evaluation of Container-based Virt... | Virtualization technologies have evolved alo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19965 | 19966 | An integral formula for the $Q$-prime curvatur... | We give an integral formula for the total $Q... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19966 | 19967 | Intelligent Device Discovery in the Internet o... | The Internet of Things (IoT) is continuously... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19967 | 19968 | Super-blockers and the effect of network struc... | Modelling information cascades over online s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19968 | 19969 | Super-Gaussian, super-diffusive transport of m... | Living cells exhibit multi-mode transport th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19969 | 19970 | Height functions for motives | We define various height functions for motiv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19970 | 19971 | On the dimension effect of regularized linear ... | This paper studies the dimension effect of t... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19971 | 19972 | Plasma Wake Accelerators: Introduction and His... | Fundamental questions on the nature of matte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19972 | 19973 | $R$-triviality of some exceptional groups | The main aim of this paper is to prove $R$-t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19973 | 19974 | Aperture synthesis imaging of the carbon AGB s... | We present near-infrared interferometry of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19974 | 19975 | Intrinsically Sparse Long Short-Term Memory Ne... | Long Short-Term Memory (LSTM) has achieved s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19975 | 19976 | Inferencing into the void: problems with impli... | I welcome the contribution from Falessi et a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19976 | 19977 | NoScope: Optimizing Neural Network Queries ove... | Recent advances in computer vision-in the fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19977 | 19978 | TensorQuant - A Simulation Toolbox for Deep Ne... | Recent research implies that training and in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19978 | 19979 | Information-geometrical characterization of st... | The probability simplex is the set of all pr... | 1 | 0 | 1 | 1 | 0 | 0 |
| 19979 | 19980 | The Network Nullspace Property for Compressed ... | We present a novel condition, which we term ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19980 | 19981 | On physically redundant and irrelevant feature... | Every linear system of partial differential ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19981 | 19982 | Transforming Musical Signals through a Genre C... | Convolutional neural networks (CNNs) have be... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19982 | 19983 | AMTnet: Action-Micro-Tube Regression by End-to... | Dominant approaches to action detection can ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19983 | 19984 | Adaptive Estimation in Structured Factor Model... | This work introduces a novel estimation meth... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19984 | 19985 | Asymptotic profile of solutions for some wave ... | We consider the Cauchy problem in R^n for so... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19985 | 19986 | Spontaneous generation of fractional vortex-an... | Unconventional d-wave superconductors with p... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19986 | 19987 | A Survey of Neuromorphic Computing and Neural ... | Neuromorphic computing has come to refer to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19987 | 19988 | Junctions of refined Wilson lines and one-para... | We study junctions of Wilson lines in refine... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19988 | 19989 | Online estimation of the asymptotic variance f... | Stochastic gradient algorithms are more and ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 19989 | 19990 | The response of the terrestrial bow shock and ... | The location of the terrestrial magnetopause... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19990 | 19991 | Superconductivity of barium-VI synthesized via... | Using a membrane-driven diamond anvil cell a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19991 | 19992 | Self-Supervised Damage-Avoiding Manipulation S... | Everyday robotics are challenged to deal wit... | 1 | 0 | 0 | 0 | 0 | 0 |
| 19992 | 19993 | Adversarial Deep Learning for Robust Detection... | Malware is constantly adapting in order to a... | 0 | 0 | 0 | 1 | 0 | 0 |
| 19993 | 19994 | Simple closed curves, finite covers of surface... | We construct examples of finite covers of pu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 19994 | 19995 | Hard Mixtures of Experts for Large Scale Weakl... | Training convolutional networks (CNN's) that... | 1 | 0 | 0 | 1 | 0 | 0 |
| 19995 | 19996 | Single-hole GPR reflection imaging of solute t... | Identifying transport pathways in fractured ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19996 | 19997 | Episodic Torque-Luminosity Correlations and An... | We analyse archival CGRO-BATSE X-ray flux an... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19997 | 19998 | Applications of Fractional Calculus to Newtoni... | We investigate some basic applications of Fr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19998 | 19999 | Radial Surface Density Profiles of Gas and Dus... | We present ~0.4 resolution images of CO(3-2)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 19999 | 20000 | Spontaneously broken translational symmetry at... | We investigate equilibrium properties, inclu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20000 | 20001 | Asymmetric Spin-wave Dispersion on Fe(110): Di... | The influence of the Dzyaloshinskii-Moriya i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20001 | 20002 | Consumption smoothing in the working-class hou... | I analyze Osaka factory worker households in... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20002 | 20003 | Observations and Modelling of the Pre-Flare Pe... | On the 29 March 2014 NOAA active region (AR)... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20003 | 20004 | Wild ramification and K(pi, 1) spaces | We prove that every connected affine scheme ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20004 | 20005 | A Deep Learning Interpretable Classifier for D... | Deep neural network models have been proven ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20005 | 20006 | Arabic Multi-Dialect Segmentation: bi-LSTM-CRF... | Arabic word segmentation is essential for a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20006 | 20007 | Iterative bidding in electricity markets: rati... | This paper studies an electricity market con... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20007 | 20008 | Short-baseline electron antineutrino disappear... | To investigate the existence of sterile neut... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20008 | 20009 | Temperature-dependent non-covalent protein-pro... | Protein crystal production is a major bottle... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20009 | 20010 | Planetary Candidates Observed by Kepler. VIII.... | We present the Kepler Object of Interest (KO... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20010 | 20011 | Dark Photons from Captured Inelastic Dark Matt... | The dark sector may contain a dark photon th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20011 | 20012 | A Polya Contagion Model for Networks | A network epidemics model based on the class... | 1 | 1 | 1 | 0 | 0 | 0 |
| 20012 | 20013 | Compressive Statistical Learning with Random F... | We describe a general framework --compressiv... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20013 | 20014 | Bandit Structured Prediction for Neural Sequen... | Bandit structured prediction describes a sto... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20014 | 20015 | Dynamic Input Structure and Network Assembly f... | The ability to learn from a small number of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20015 | 20016 | Face R-CNN | Faster R-CNN is one of the most representati... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20016 | 20017 | Multi-Sensor Data Pattern Recognition for Mult... | Data-target pairing is an important step tow... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20017 | 20018 | Calipso: Physics-based Image and Video Editing... | We present Calipso, an interactive method fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20018 | 20019 | Maximal (120,8)-arcs in projective planes of o... | The resolutions and maximal sets of compatib... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20019 | 20020 | First order sentences about random graphs: sma... | Spectrum of a first order sentence is the se... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20020 | 20021 | New Methods for Metadata Extraction from Scien... | Within the past few decades we have witnesse... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20021 | 20022 | Unexpected biases in prime factorizations and ... | We introduce a refinement of the classical L... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20022 | 20023 | Nonconvection and uniqueness in Navier-Stokes ... | In the presence of a certain class of functi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20023 | 20024 | An alternative approach for compatibility of t... | Conditional specification of distributions i... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20024 | 20025 | System of unbiased representatives for a colle... | Let $\mathcal{B}$ denote a set of bicoloring... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20025 | 20026 | Stability and instability in saddle point dyna... | In part I we considered the problem of conve... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20026 | 20027 | Refactoring Legacy JavaScript Code to Use Clas... | JavaScript systems are becoming increasingly... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20027 | 20028 | Parylene-C microfibrous thin films as phononic... | Phononic bandgaps of Parylene-C microfibrous... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20028 | 20029 | A General Theory for Training Learning Machine | Though the deep learning is pushing the mach... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20029 | 20030 | Semiparametric spectral modeling of the Drosop... | We present semiparametric spectral modeling ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20030 | 20031 | A Large Term Rewrite System Modelling a Pionee... | We present a term rewrite system that formal... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20031 | 20032 | Malleability of complex networks | Most complex networks are not static, but ev... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20032 | 20033 | Identifying Critical Risks of Cascading Failur... | Potential critical risks of cascading failur... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20033 | 20034 | Radiation Hardness Test of Eljen EJ-500 Optica... | We present a comprehensive account of the pr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20034 | 20035 | Triviality of the ground-state metastate in lo... | We consider the one-dimensional model of a s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20035 | 20036 | Thermodynamics of BTZ Black Holes in Gravity's... | In this paper, we deform the thermodynamics ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20036 | 20037 | Nondegeneracy and the Jacobi fields of rotatio... | In this paper we study rotationally symmetri... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20037 | 20038 | Quasiflats in hierarchically hyperbolic spaces | The rank of a hierarchically hyperbolic spac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20038 | 20039 | Learning to Skim Text | Recurrent Neural Networks are showing much p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20039 | 20040 | Using Deep Neural Networks to Automate Large S... | Statistical analysis (SA) is a complex proce... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20040 | 20041 | Duty to Delete on Non-Volatile Memory | We firstly suggest new cache policy applying... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20041 | 20042 | Geometry of Log-Concave Density Estimation | Shape-constrained density estimation is an i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20042 | 20043 | Antenna Arrays for Line-of-Sight Massive MIMO:... | The aim of this paper is to analyze the arra... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20043 | 20044 | Gravitational octree code performance evaluati... | In this study, the gravitational octree code... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20044 | 20045 | Instanton bundles on the flag variety F(0,1,2) | Instanton bundles on $\mathbb{P}^3$ have bee... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20045 | 20046 | Non-linear motor control by local learning in ... | Learning weights in a spiking neural network... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20046 | 20047 | Training Deep Neural Networks via Optimization... | In this work, we propose to train a deep neu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20047 | 20048 | Calculation of Effective Interaction Potential... | An analytical expression is received for the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20048 | 20049 | The Follower Count Fallacy: Detecting Twitter ... | Online Social Networks (OSN) are increasingl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20049 | 20050 | Bergman kernel estimates and Toeplitz operator... | We characterize operator-theoretic propertie... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20050 | 20051 | HST PanCET program: A Cloudy Atmosphere for th... | We present results from the first observatio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20051 | 20052 | Quantum gauge symmetry of reducible gauge theory | We derive the gaugeon formalism of the Kalb-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20052 | 20053 | The Tian Pseudo-Atom Method | In this work, the authors give a new method ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20053 | 20054 | The Phenotypes of Fluctuating Flow: Developmen... | Complex distribution networks are pervasive ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20054 | 20055 | Recent Trends in Deep Learning Based Natural L... | Deep learning methods employ multiple proces... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20055 | 20056 | Volatile memory forensics for the Robot Operat... | The increasing impact of robotics on industr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20056 | 20057 | HYDRA: HYbrid Design for Remote Attestation (U... | Remote Attestation (RA) allows a trusted ent... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20057 | 20058 | Social Robots for People with Developmental Di... | Social robots, also known as service or assi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20058 | 20059 | Inverse problem for multi-species mean field m... | In this paper we solve the inverse problem f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20059 | 20060 | Inertial Odometry on Handheld Smartphones | Building a complete inertial navigation syst... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20060 | 20061 | Asymptotic network models of subwavelength met... | We demonstrate that photonic and phononic cr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20061 | 20062 | The Hydrogen Epoch of Reionization Array Dish ... | The experimental efforts to detect the redsh... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20062 | 20063 | Unifying the micro and macro properties of AGN... | We unify the feeding and feedback of superma... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20063 | 20064 | Model-based Iterative Restoration for Binary D... | The inherent noise in the observed (e.g., sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20064 | 20065 | A First Look at Ad Blocking Apps on Google Play | Online advertisers and analytics services (o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20065 | 20066 | Nondegeneracy of the traveling lump solution t... | We consider the $2+1$ Toda system \[ \frac{1... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20066 | 20067 | One side continuity of meromorphic mappings be... | We prove that a meromorphic mapping, which s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20067 | 20068 | Generic Camera Attribute Control using Bayesia... | Cameras are the most widely exploited sensor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20068 | 20069 | Far-from-equilibrium energy flow and entanglem... | The time evolution of the energy transport t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20069 | 20070 | Algebraic Aspects of Conditional Independence ... | This chapter of the forthcoming Handbook of ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20070 | 20071 | A Survey of Riccati Equation Results in Negati... | This paper presents a survey of some new app... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20071 | 20072 | The circumstellar disk HD$\,$169142: gas, dust... | HD$\,$169142 is an excellent target to inves... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20072 | 20073 | Quantitative analysis of the influence of keV ... | The mechanism of ion bombardment induced mag... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20073 | 20074 | Automatic classification of automorphisms of l... | We implement two algorithms in MATHEMATICA f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20074 | 20075 | Information-Theoretic Understanding of Populat... | We show that model compression can improve t... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20075 | 20076 | Document Retrieval for Large Scale Content Ana... | This paper presents a procedure to retrieve ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20076 | 20077 | Cepheids with the eyes of photometric space te... | Space photometric missions have been steadil... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20077 | 20078 | Explicitly correlated formalism for second-ord... | We present an explicitly correlated formalis... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20078 | 20079 | Relative stability associated to quantised ext... | We study algebro-geometric consequences of t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20079 | 20080 | Beyond the EULA: Improving consent for data mi... | Companies and academic researchers may colle... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20080 | 20081 | Estimating a Separably-Markov Random Field (SM... | A fundamental problem in neuroscience is to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20081 | 20082 | Using Deep Reinforcement Learning for the Cont... | Deep reinforcement learning enables algorith... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20082 | 20083 | The First Detection of Gravitational Waves | This article deals with the first detection ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20083 | 20084 | Remarkably strong chemisorption of nitric oxid... | The remarkably strong chemical adsorption be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20084 | 20085 | Knowledge Transfer from Weakly Labeled Audio u... | In this work we propose approaches to effect... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20085 | 20086 | A priori estimates for the free-boundary Euler... | We derive a priori estimates for the incompr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20086 | 20087 | Koszul duality via suspending Lefschetz fibrat... | Let $M$ be a Liouville 6-manifold which is t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20087 | 20088 | Attractor of Cantor Type with Positive Measure | We construct an iterated function system con... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20088 | 20089 | Generating online social networks based on soc... | Recent years have seen tremendous growth of ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20089 | 20090 | Optimal control of diffuser shapes for confine... | A model for the development of turbulent she... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20090 | 20091 | Criteria for Solar Car Optimized Route Estimation | This paper gives a thorough overview of Sola... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20091 | 20092 | Dykes for filtering ocean waves using c-shaped... | The present study investigates a way to desi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20092 | 20093 | Origin of Non-axisymmetric Features of Virgo C... | A fraction of early-type dwarf galaxies in t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20093 | 20094 | First results from the DEAP-3600 dark matter s... | This paper reports the first results of a di... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20094 | 20095 | Camera Calibration by Global Constraints on th... | We address the problem of epipolar geometry ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20095 | 20096 | Ann: A domain-specific language for the effect... | This paper describes a new modelling languag... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20096 | 20097 | Fréchet ChemNet Distance: A metric for generat... | The new wave of successful generative models... | 0 | 0 | 0 | 1 | 1 | 0 |
| 20097 | 20098 | RANSAC Algorithms for Subspace Recovery and Su... | We consider the RANSAC algorithm in the cont... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20098 | 20099 | Convex Formulations for Fair Principal Compone... | Though there is a growing body of literature... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20099 | 20100 | Report: Dynamic Eye Movement Matching and Visu... | In the research of the impact of gestures us... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20100 | 20101 | Infinite symmetric ergodic index and related e... | We define an infinite measure-preserving tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20101 | 20102 | Exploiting gradients and Hessians in Bayesian ... | An exciting branch of machine learning resea... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20102 | 20103 | Permanency of the age-structured population mo... | We consider a system of nonlinear partial di... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20103 | 20104 | Rapid laser-induced photochemical conversion o... | We report the development of indium oxide (I... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20104 | 20105 | Testing for Change in Stochastic Volatility wi... | In this paper, change-point problems for lon... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20105 | 20106 | Kinematics effects of atmospheric friction in ... | Gravity assist manoeuvres are one of the mos... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20106 | 20107 | Interval vs. Point Temporal Logic Model Checki... | In the last years, model checking with inter... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20107 | 20108 | Calculations for electron-impact ionization of... | Next investigations in our program of transi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20108 | 20109 | An Information Theoretic Approach to Sample Ac... | An important and emerging component of plane... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20109 | 20110 | Global solvability of the Navier-Stokes equati... | We consider the motion of incompressible vis... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20110 | 20111 | The fundamental group of the complement of the... | We study the fundamental group of the comple... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20111 | 20112 | Nonconvex Sparse Spectral Clustering by Altern... | Spectral Clustering (SC) is a widely used da... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20112 | 20113 | Stable Geodesic Update on Hyperbolic Space and... | A hyperbolic space has been shown to be more... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20113 | 20114 | A Parameterized Approach to Personalized Varia... | We present a parameterized approach to produ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20114 | 20115 | Towards Robust Neural Networks via Random Self... | Recent studies have revealed the vulnerabili... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20115 | 20116 | Prospects for detection of intermediate-mass b... | The detection of intermediate mass black hol... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20116 | 20117 | A Multi-frequency analysis of possible Dark Ma... | We examine the possibility of a dark matter ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20117 | 20118 | Tensor Decompositions for Modeling Inverse Dyn... | Modeling inverse dynamics is crucial for acc... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20118 | 20119 | Synthesis and Hydrogen Sorption Characteristic... | New ternary Mg-Ni-Mn intermetallics have bee... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20119 | 20120 | Enhancing Network Embedding with Auxiliary Inf... | Recent advances in the field of network embe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20120 | 20121 | Incremental Principal Component Analysis Exact... | This paper describes some applications of an... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20121 | 20122 | More investment in Research and Development fo... | The question in this paper is whether R&D ef... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20122 | 20123 | Discriminative Modeling of Social Influence fo... | The global dynamics of event cascades are of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20123 | 20124 | Online codes for analog signals | We revisit a classical scenario in communica... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20124 | 20125 | Statistical test for fractional Brownian motio... | Motivated by contemporary and rich applicati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20125 | 20126 | Fast Radio Map Construction and Position Estim... | The main limitation that constrains the fast... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20126 | 20127 | Lagrangian solutions to the Vlasov-Poisson sys... | We consider the Cauchy problem for the repul... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20127 | 20128 | MITHRIL: Mining Sporadic Associations for Cach... | The growing pressure on cloud application sc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20128 | 20129 | On 2-level polytopes arising in combinatorial ... | 2-level polytopes naturally appear in severa... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20129 | 20130 | Learned Optimizers that Scale and Generalize | Learning to learn has emerged as an importan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20130 | 20131 | Toward Optimal Run Racing: Application to Deep... | This paper aims at one-shot learning of deep... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20131 | 20132 | Bernstein - von Mises theorems for statistical... | The inverse problem of determining the unkno... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20132 | 20133 | Tailoring Architecture Centric Design Method w... | Many engineering processes exist in the indu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20133 | 20134 | Easy High-Dimensional Likelihood-Free Inference | We introduce a framework using Generative Ad... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20134 | 20135 | Narrow-line Laser Cooling by Adiabatic Transfer | We propose and demonstrate a novel laser coo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20135 | 20136 | Assessing the Effect of Stellar Companions fro... | We report on 176 close (<2") stellar compani... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20136 | 20137 | Semi-Supervised Learning via New Deep Network ... | We exploit a recently derived inversion sche... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20137 | 20138 | Using English as Pivot to Extract Persian-Ital... | The effectiveness of a statistical machine t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20138 | 20139 | Intrinsic geometry and analysis of Finsler str... | In this short note, we prove that if $F$ is ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20139 | 20140 | Combining Prediction of Human Decisions with I... | Monte Carlo Tree Search (MCTS) has been exte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20140 | 20141 | The KLASH Proposal | We propose a search of galactic axions with ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20141 | 20142 | Dimensionality-Driven Learning with Noisy Labels | Datasets with significant proportions of noi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20142 | 20143 | Delving into adversarial attacks on deep policies | Adversarial examples have been shown to exis... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20143 | 20144 | On two functions arising in the study of the E... | We investigate two arithmetic functions natu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20144 | 20145 | Lurking Variable Detection via Dimensional Ana... | Lurking variables represent hidden informati... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20145 | 20146 | System calibration method for Fourier ptychogr... | Fourier ptychographic microscopy (FPM) is a ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20146 | 20147 | Categories for Dynamic Epistemic Logic | The primary goal of this paper is to recast ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20147 | 20148 | Accurate Pouring with an Autonomous Robot Usin... | Robotic assistants in a home environment are... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20148 | 20149 | Restriction of Odd Degree Characters of $\math... | Let $n$ and $k$ be natural numbers such that... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20149 | 20150 | CSGNet: Neural Shape Parser for Constructive S... | We present a neural architecture that takes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20150 | 20151 | Composite Weyl nodes stabilized by screw symme... | We classify the band degeneracies in 3D crys... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20151 | 20152 | Deep Neural Networks as 0-1 Mixed Integer Line... | Deep Neural Networks (DNNs) are very popular... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20152 | 20153 | Directionality Fields generated by a Local Hil... | We propose a new approach based on a local H... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20153 | 20154 | Bulk Eigenvalue Correlation Statistics of Rand... | This paper is the second chapter of three of... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20154 | 20155 | A local weighted Axler-Zheng theorem in $\math... | The well-known Axler-Zheng theorem character... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20155 | 20156 | Spatial modulation of Joule losses to increase... | This paper presents a simple approach to inc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20156 | 20157 | Vortex Thermometry for Turbulent Two-Dimension... | We introduce a new method of statistical ana... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20157 | 20158 | The Hurwitz-type theorem for the regular Coulo... | We derive a closed formula for the determina... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20158 | 20159 | An Empirical Analysis of Proximal Policy Optim... | In this technical report, we consider an app... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20159 | 20160 | On the density of sets avoiding parallelohedro... | The maximal density of a measurable subset o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20160 | 20161 | Adversarial Deep Structured Nets for Mass Segm... | Mass segmentation provides effective morphol... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20161 | 20162 | The downward directed grounds hypothesis and v... | A transitive model $M$ of ZFC is called a gr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20162 | 20163 | A Distributed Control Framework of Multiple Un... | Wild-land fire fighting is a hazardous job. ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20163 | 20164 | Rayleigh-Brillouin light scattering spectrosco... | High signal-to-noise and high-resolution lig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20164 | 20165 | Competition between Chaotic and Non-Chaotic Ph... | The Sachdev-Ye-Kitaev (SYK) model is a concr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20165 | 20166 | Symmetry Realization via a Dynamical Inverse H... | The Ward identities associated with spontane... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20166 | 20167 | Growth of strontium ruthenate films by hybrid ... | We report on the growth of epitaxial Sr2RuO4... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20167 | 20168 | Possible Evidence for the Stochastic Accelerat... | The antiproton-to-proton ratio in the cosmic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20168 | 20169 | The Host Galaxy and Redshift of the Repeating ... | The precise localization of the repeating fa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20169 | 20170 | Thicket Density | Thicket density is a new measure of the comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20170 | 20171 | Uniformizations of stable $(γ,n)$-gonal Rieman... | A $(\gamma,n)$-gonal pair is a pair $(S,f)$,... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20171 | 20172 | If you are not paying for it, you are the prod... | Online advertising is progressively moving t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20172 | 20173 | Circularly polarized vacuum field in three-dim... | The quantum nature of light-matter interacti... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20173 | 20174 | Critical behavior of quasi-two-dimensional sem... | The critical properties of the single-crysta... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20174 | 20175 | Scale-free Monte Carlo method for calculating ... | We implement a scale-free version of the piv... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20175 | 20176 | The quadratic M-convexity testing problem | M-convex functions, which are a generalizati... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20176 | 20177 | Distributed Bayesian Matrix Factorization with... | Bayesian matrix factorization (BMF) is a pow... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20177 | 20178 | Optimized Certificate Revocation List Distribu... | The successful deployment of safe and trustw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20178 | 20179 | Optical response of highly reflective film use... | The XENON1T experiment is the most recent st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20179 | 20180 | On spectral partitioning of signed graphs | We argue that the standard graph Laplacian i... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20180 | 20181 | Sensor Fusion for Public Space Utilization Mon... | Public space utilization is crucial for urba... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20181 | 20182 | Symplectic integrators for second-order linear... | Two families of symplectic methods specially... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20182 | 20183 | Deep Reinforcement Learning: Framework, Applic... | The recent breakthroughs of deep reinforceme... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20183 | 20184 | Experimental observation of node-line-like sur... | In a Dirac nodal line semimetal, the bulk co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20184 | 20185 | Manin's conjecture for a class of singular cub... | Let $n$ be a positive multiple of $4$. We es... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20185 | 20186 | A Flexible Approach to Automated RNN Architect... | The process of designing neural architecture... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20186 | 20187 | Convexification of Neural Graph | Traditionally, most complex intelligence arc... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20187 | 20188 | Pseudogaps in strongly interacting Fermi gases | A central challenge in modern condensed matt... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20188 | 20189 | Resolution-Exact Planner for Thick Non-Crossin... | We consider the path planning problem for a ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20189 | 20190 | Easing Embedding Learning by Comprehensive Tra... | Heterogeneous information networks (HINs) ar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20190 | 20191 | Generic Dynamical Phase Transition in One-Dime... | Dynamical phase transitions are crucial feat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20191 | 20192 | Semianalytical calculation of the zonal-flow o... | Due to their capability to reduce turbulent ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20192 | 20193 | Geometric phase of a moving dipole under a mag... | We predict a geometric quantum phase shift o... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20193 | 20194 | A refined count of Coxeter element factorizations | For well-generated complex reflection groups... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20194 | 20195 | Tuning the magnetism of the top-layer FeAs on ... | The magnetic properties of BaFe$_{2}$As$_{2}... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20195 | 20196 | Cubature methods to solve BSDEs: Error expansi... | We obtain an explicit error expansion for th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20196 | 20197 | An Earth-mass Planet in a 1-AU Orbit around an... | We combine $Spitzer$ and ground-based KMTNet... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20197 | 20198 | Distributed Statistical Estimation and Rates o... | This paper presents a class of new algorithm... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20198 | 20199 | Connecting HL Tau to the Observed Exoplanet Sa... | The Atacama Large Millimeter/submilimeter Ar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20199 | 20200 | How Should a Robot Assess Risk? Towards an Axi... | Endowing robots with the capability of asses... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20200 | 20201 | Pitfalls and Best Practices in Algorithm Confi... | Good parameter settings are crucial to achie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20201 | 20202 | Critical behaviors in contagion dynamics | We study the critical behavior of a general ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20202 | 20203 | Machine Learning in Appearance-based Robot Sel... | An appearance-based robot self-localization ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20203 | 20204 | Towards Communication-Aware Robust Topologies | We currently witness the emergence of intere... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20204 | 20205 | Zero-shot Domain Adaptation without Domain Sem... | We propose a method to infer domain-specific... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20205 | 20206 | Network modelling of topological domains using... | Genome-wide chromosome conformation capture ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20206 | 20207 | On a Possible Giant Impact Origin for the Colo... | It is proposed and substantiated that an ext... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20207 | 20208 | Reversing Parallel Programs with Blocks and Pr... | We show how to reverse a while language exte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20208 | 20209 | Detection of the Stellar Intracluster Medium i... | Hubble Space Telescope photometry from the A... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20209 | 20210 | Binets: fundamental building blocks for phylog... | Phylogenetic networks are a generalization o... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20210 | 20211 | G-Deformations of maps into projective space | $G$-deformability of maps into projective sp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20211 | 20212 | Cloudless atmospheres for young low-gravity su... | Atmospheric modeling of low-gravity (VL-G) y... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20212 | 20213 | On the State of the Art of Evaluation in Neura... | Ongoing innovations in recurrent neural netw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20213 | 20214 | Weakly Supervised Audio Source Separation via ... | Separating audio mixtures into individual in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20214 | 20215 | Proof of a conjecture of Kløve on permutation ... | Let $d$ be a positive integer and $x$ a real... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20215 | 20216 | Herschel observations of the Galactic HII regi... | Triggered star formation around HII regions ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20216 | 20217 | Software-Defined Robotics -- Idea & Approach | The methodology of Software-Defined Robotics... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20217 | 20218 | Stability interchanges in a curved Sitnikov pr... | We consider a curved Sitnikov problem, in wh... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20218 | 20219 | Hardy Spaces over Half-strip Domains | We define Hardy spaces $H^p(\Omega_\pm)$ on ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20219 | 20220 | An Optimization Framework with Flexible Inexac... | In recent years, numerous vision and learnin... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20220 | 20221 | Attitude and angular velocity tracking for a r... | The control task of tracking a reference poi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20221 | 20222 | Miscomputation in software: Learning to live w... | Computer programs do not always work as expe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20222 | 20223 | The Combinatorics of Weighted Vector Compositions | A vector composition of a vector $\mathbf{\e... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20223 | 20224 | Fast Linear Model for Knowledge Graph Embeddings | This paper shows that a simple baseline base... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20224 | 20225 | Deep learning for plasma tomography using the ... | Deep learning is having a profound impact in... | 0 | 1 | 0 | 1 | 0 | 0 |
| 20225 | 20226 | Assembly Bias and Splashback in Galaxy Clusters | We use publicly available data for the Mille... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20226 | 20227 | Accelerating Kernel Classifiers Through Border... | Support vector machines (SVM) and other kern... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20227 | 20228 | Information Criterion for Minimum Cross-Entrop... | This paper considers the problem of approxim... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20228 | 20229 | Scaling relations in large-Prandtl-number natu... | In this study we follow Grossmann and Lohse,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20229 | 20230 | The renormalization method from continuous to ... | The renormalization method based on the Tayl... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20230 | 20231 | A Stress/Displacement Virtual Element Method f... | The numerical approximation of 2D elasticity... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20231 | 20232 | Estimation of the lead-lag parameter between t... | In this paper, we consider the problem of es... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20232 | 20233 | Multi-resolution polymer Brownian dynamics wit... | A polymer model given in terms of beads, int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20233 | 20234 | Learning Theory of Distributed Regression with... | Distributed learning is an effective way to ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20234 | 20235 | Cluster-based Kriging Approximation Algorithms... | Kriging or Gaussian Process Regression is ap... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20235 | 20236 | How to model fake news | Over the past three years it has become evid... | 1 | 0 | 0 | 0 | 0 | 1 |
| 20236 | 20237 | Analysis of Dropout in Online Learning | Deep learning is the state-of-the-art in fie... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20237 | 20238 | TADPOLE Challenge: Prediction of Longitudinal ... | The Alzheimer's Disease Prediction Of Longit... | 0 | 0 | 0 | 1 | 1 | 0 |
| 20238 | 20239 | A Deep Cascade of Convolutional Neural Network... | The acquisition of Magnetic Resonance Imagin... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20239 | 20240 | Advances in Joint CTC-Attention based End-to-E... | We present a state-of-the-art end-to-end Aut... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20240 | 20241 | The Social and Work Structure of an Afterschoo... | This study focuses on the social structure a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20241 | 20242 | Fourier Transform of Schwartz Algebras on Grou... | It is well-known that the Harish-Chandra tra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20242 | 20243 | Mutual Information and Optimality of Approxima... | We consider the estimation of a signal from ... | 1 | 1 | 1 | 0 | 0 | 0 |
| 20243 | 20244 | A Memristor-Based Optimization Framework for A... | Memristors have recently received significan... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20244 | 20245 | Estimating parameters of a directed weighted g... | We introduce a directed, weighted random gra... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20245 | 20246 | On the Performance of Reduced-Complexity Trans... | In this letter, we investigate the performan... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20246 | 20247 | Internal migration and education: A cross-nati... | Migration the main process shaping patterns ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20247 | 20248 | Free differential Lie Rota-Baxter algebras and... | We establish the Gröbner-Shirshov bases theo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20248 | 20249 | Conversion Rate Optimization through Evolution... | Conversion optimization means designing a we... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20249 | 20250 | Emergence of spatial curvature | This paper investigates the phenomenon of em... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20250 | 20251 | Asymptotic generalized bivariate extreme with ... | In many biological, agricultural, military a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20251 | 20252 | On problems in the calculus of variations in i... | We consider minimization problems in the cal... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20252 | 20253 | Inequalities related to Symmetrized Harmonic C... | In this paper, we extend the Hermite-Hadamar... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20253 | 20254 | Parameter estimation for fractional Ornstein-U... | This paper provides several statistical esti... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20254 | 20255 | E-polynomials of $PGL(2,\mathbb{C})$-character... | In this paper, we compute the E-polynomials ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20255 | 20256 | Security Analysis of Cache Replacement Policies | Modern computer architectures share physical... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20256 | 20257 | Supercongruences related to ${}_3F_2(1)$ invol... | We show various supercongruences for truncat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20257 | 20258 | Dynamic Layer Normalization for Adaptive Neura... | Layer normalization is a recently introduced... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20258 | 20259 | First-Order vs. Second-Order Encodings for LTL... | Translating formulas of Linear Temporal Logi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20259 | 20260 | Regularity results and parametrices of semi-li... | This short note describes the benefit one ob... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20260 | 20261 | $\left( β, \varpi \right)$-stability for cross... | In this paper, we introduce a new concept of... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20261 | 20262 | Directional convexity of harmonic mappings | The convolution properties are discussed for... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20262 | 20263 | Optimal Non-uniform Deployments in Ultra-Dense... | Network densification and heterogenisation t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20263 | 20264 | Plan, Attend, Generate: Character-level Neural... | We investigate the integration of a planning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20264 | 20265 | Deep Recurrent NMF for Speech Separation by Un... | In this paper, we propose a novel recurrent ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20265 | 20266 | Birth of isolated nested cylinders and limit c... | Our start point is a 3D piecewise smooth vec... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20266 | 20267 | The difficulty of folding self-folding origami | Why is it difficult to refold a previously f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20267 | 20268 | Integrable Trotterization: Local Conservation ... | We discuss a general procedure to construct ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20268 | 20269 | The Multivariate Hawkes Process in High Dimens... | The Hawkes process is a class of point proce... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20269 | 20270 | Aerial-Ground collaborative sensing: Third-Per... | Rapid deployment and operation are key requi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20270 | 20271 | A universal thin film model for Ginzburg-Landa... | We present an analytical treatment of a thre... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20271 | 20272 | LOCATA challenge: speaker localization with a ... | This document describes our submission to th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20272 | 20273 | Less Is More: A Comprehensive Framework for th... | The number of component classifiers chosen f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20273 | 20274 | Large-Scale Low-Rank Matrix Learning with Nonc... | Low-rank modeling has many important applica... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20274 | 20275 | Computational Eco-Systems for Handwritten Digi... | Inspired by the importance of diversity in b... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20275 | 20276 | Compressing networks with super nodes | Community detection is a commonly used techn... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20276 | 20277 | Mode specific electronic friction in dissociat... | Electronic friction and the ensuing nonadiab... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20277 | 20278 | The quantum auxiliary linear problem & quantum... | We explore the notion of the quantum auxilia... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20278 | 20279 | Simplified Minimal Gated Unit Variations for R... | Recurrent neural networks with various types... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20279 | 20280 | Parallel G-duplex and C-duplex DNA with Uninte... | Hydrogen bonding between nucleobases produce... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20280 | 20281 | Constraints on Vacuum Energy from Structure Fo... | This paper derives an upper limit on the den... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20281 | 20282 | Dynamic Mobile Edge Caching with Location Diff... | Mobile edge caching enables content delivery... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20282 | 20283 | Online Learning for Distribution-Free Prediction | We develop an online learning method for pre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20283 | 20284 | Thermal transitions, pseudogap behavior and BC... | We study the mass imbalanced Fermi-Fermi mix... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20284 | 20285 | Spectral Approximation for Ergodic CMV Operato... | We establish concrete criteria for fully sup... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20285 | 20286 | Quantitative Photoacoustic Imaging in the Acou... | While in standard photoacoustic imaging the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20286 | 20287 | Integrated Deep and Shallow Networks for Salie... | Deep convolutional neural network (CNN) base... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20287 | 20288 | Feedback Capacity over Networks | In this paper, we investigate the fundamenta... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20288 | 20289 | Flexural phonons in supported graphene: from p... | We identify graphene layer on a disordered s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20289 | 20290 | Test them all, is it worth it? Assessing confi... | Many approaches for testing configurable sof... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20290 | 20291 | Q-Learning Algorithm for VoLTE Closed-Loop Pow... | We propose a reinforcement learning (RL) bas... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20291 | 20292 | Ancient shrinking spherical interfaces in the ... | We consider the parabolic Allen-Cahn equatio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20292 | 20293 | Measuring the Eccentricity of Items | The long-tail phenomenon tells us that there... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20293 | 20294 | Dataset: Rare Event Classification in Multivar... | A real-world dataset is provided from a pulp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20294 | 20295 | Experimental verification of stopping-power pr... | An experimental setup for consecutive measur... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20295 | 20296 | How to Beat Science and Influence People: Poli... | In their recent book Merchants of Doubt [New... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20296 | 20297 | A complete and partial integrability technique... | In this paper we deal with the well-known no... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20297 | 20298 | Comparision of the definitions of generalized ... | In preprint we consider and compare differen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20298 | 20299 | On The Complexity of Sparse Label Propagation | This paper investigates the computational co... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20299 | 20300 | Detecting Qualia in Natural and Artificial Agents | The Hard Problem of consciousness has been d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20300 | 20301 | The interplay between Steinberg algebras and p... | We study the interplay between Steinberg alg... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20301 | 20302 | Type-II Dirac Photons | The Dirac equation for relativistic electron... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20302 | 20303 | Improving Network Robustness against Adversari... | Though Convolutional Neural Networks (CNNs) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20303 | 20304 | From sudden quench to adiabatic dynamics in th... | We study the crossover between the sudden qu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20304 | 20305 | Strongly exchange-coupled and surface-state-mo... | We report strong interfacial exchange coupli... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20305 | 20306 | Survivable Probability of SDN-enabled Cloud Ne... | Software-driven cloud networking is a new pa... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20306 | 20307 | Model-Based Policy Search for Automatic Tuning... | PID control architectures are widely used in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20307 | 20308 | Engineering a Simplified 0-Bit Consistent Weig... | The Min-Hashing approach to sketching has be... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20308 | 20309 | Quantifying macroeconomic expectations in stoc... | Among other macroeconomic indicators, the mo... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20309 | 20310 | Effects of Incomplete Ionization on Beta - Ga2... | Understanding the origin of unintentional do... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20310 | 20311 | A single coordinate framework for optic flow a... | Optic flow is two dimensional, but no specia... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20311 | 20312 | Gain control with A-type potassium current: IA... | Neurons process information by transforming ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20312 | 20313 | Cyclic Datatypes modulo Bisimulation based on ... | Cyclic data structures, such as cyclic lists... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20313 | 20314 | High-order harmonic generation from highly-exc... | High-order harmonic generation (HHG) from al... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20314 | 20315 | Cellulyzer - Automated analysis and interactiv... | Here we report on a set of programs develope... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20315 | 20316 | Vprop: Variational Inference using RMSprop | Many computationally-efficient methods for B... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20316 | 20317 | Hidden symmetries in $N$-layer dielectric stacks | The optical properties of a multilayer syste... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20317 | 20318 | Solvability regions of affinely parameterized ... | Quadratic systems of equations appear in sev... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20318 | 20319 | Mid-price estimation for European corporate bo... | In most illiquid markets, there is no obviou... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20319 | 20320 | Matching RGB Images to CAD Models for Object P... | We propose a novel method for 3D object pose... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20320 | 20321 | A Model for Paired-Multinomial Data and Its Ap... | In human microbiome studies, sequencing read... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20321 | 20322 | Adhesion-induced Discontinuous Transitions and... | Transition points mark qualitative changes i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20322 | 20323 | Numerical simulation of polynomial-speed conve... | We provide a hybrid method that captures the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20323 | 20324 | Efficient determination of optimised multi-arm... | Primarily motivated by the drug development ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20324 | 20325 | Application of the Waveform Relaxation Techniq... | In this paper we present the co-simulation o... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20325 | 20326 | Some Investigations about the Properties of Ma... | Here, in this paper it has been considered a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20326 | 20327 | Some Insights on Synthesizing Optimal Linear Q... | This paper revisits the problem of optimal c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20327 | 20328 | Schumann resonance transients and the search f... | Schumann resonance transients which propagat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20328 | 20329 | Learning to Fly by Crashing | How do you learn to navigate an Unmanned Aer... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20329 | 20330 | Estimating Graphlet Statistics via Lifting | Exploratory analysis over network data is of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20330 | 20331 | Calibration for the (Computationally-Identifia... | As algorithms increasingly inform and influe... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20331 | 20332 | The distribution of old stars around the Milky... | (abridged) In this paper we revisit the prob... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20332 | 20333 | On infinite order differential operators in fr... | In this paper we discuss some general proper... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20333 | 20334 | Gap structure of FeSe determined by field-angl... | Quasiparticle excitations in FeSe were studi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20334 | 20335 | Recurrent Neural Networks for anomaly detectio... | This paper presents a model based on Deep Le... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20335 | 20336 | Electro-Oxidation of Ni42 Steel: A highly Acti... | Janus type Water-Splitting Catalysts have at... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20336 | 20337 | Shape-constrained partial identification of a ... | A prevailing challenge in the biomedical and... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20337 | 20338 | Warped metrics for location-scale models | This paper argues that a class of Riemannian... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20338 | 20339 | Detecting Changes in Time Series Data using Vo... | This work develops techniques for the sequen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20339 | 20340 | A minimax and asymptotically optimal algorithm... | We propose the kl-UCB ++ algorithm for regre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20340 | 20341 | Eigenfunctions of Periodic Differential Operat... | Ordinary differential operators with periodi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20341 | 20342 | Infinite ergodic index of the ehrenfest wind-t... | The set of all possible configurations of th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20342 | 20343 | Arrays of strongly-coupled atoms in a one-dime... | We study the cooperative optical coupling be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20343 | 20344 | MEG-Derived Functional Tractography, Results f... | Measures of neuroelectric activity from each... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20344 | 20345 | Coincidence of magnetic and valence quantum cr... | We present accurate electrical resistivity m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20345 | 20346 | Sequential Inverse Approximation of a Regulari... | One of the goals in scaling sequential machi... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20346 | 20347 | Sesqui-arrays, a generalisation of triple arrays | A triple array is a rectangular array contai... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20347 | 20348 | Investigating how well contextual features are... | Learning algorithms for natural language pro... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20348 | 20349 | A Hybridizable Discontinuous Galerkin solver f... | In axisymmetric fusion reactors, the equilib... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20349 | 20350 | Sketching Linear Classifiers over Data Streams | We introduce a new sub-linear space sketch--... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20350 | 20351 | Tamed to compatible when b^(2+) = 1 and b^1 = 2 | Weiyi Zhang noticed recently a gap in the pr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20351 | 20352 | The Mass Transference Principle: Ten Years On | In this article we discuss the Mass Transfer... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20352 | 20353 | Ground-state properties of Ca$_2$ from narrow ... | By two-color photoassociation of $^{40}$Ca f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20353 | 20354 | On the semisimplicity of the cyclotomic quiver... | We provide criteria for the cyclotomic quive... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20354 | 20355 | On the origin of the shallow and "replica" ban... | We compare electronic structures of single F... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20355 | 20356 | A Matrix Factorization Approach for Learning S... | Regularization techniques are widely employe... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20356 | 20357 | A Bootstrap Method for Goodness of Fit and Mod... | Network models are applied in numerous domai... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20357 | 20358 | Nonlinear Acceleration of Stochastic Algorithms | Extrapolation methods use the last few itera... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20358 | 20359 | Motion of Massive Particles in Rindler Space a... | The motion of a massive particle in Rindler ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20359 | 20360 | Measuring Sample Quality with Kernels | Approximate Markov chain Monte Carlo (MCMC) ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20360 | 20361 | Diversity of preferences can increase collecti... | In search engines, online marketplaces and o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20361 | 20362 | Epidemic spread in interconnected directed net... | In the real world, many complex systems inte... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20362 | 20363 | Controllability and maximum matchings of compl... | Previously, the controllability problem of a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20363 | 20364 | Dimers, crystals and quantum Kostka numbers | We relate the counting of honeycomb dimer co... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20364 | 20365 | Generalized Task-Parameterized Skill Learning | Programming by demonstration has recently ga... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20365 | 20366 | Nonparametric Bayesian volatility learning und... | Aiming at financial applications, we study t... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20366 | 20367 | Multi-Speaker DOA Estimation Using Deep Convol... | Supervised learning based methods for source... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20367 | 20368 | Follow-up of eROSITA and Euclid Galaxy Cluster... | A revolution in galaxy cluster science is on... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20368 | 20369 | Effect of viscosity ratio on the self-sustaine... | Previous studies have shown that intermediat... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20369 | 20370 | On the Effects of Batch and Weight Normalizati... | Generative adversarial networks (GANs) are h... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20370 | 20371 | A noise-immune cavity-assisted non-destructive... | We present and implement a non-destructive d... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20371 | 20372 | Remarks on planar edge-chromatic critical graphs | The only open case of Vizing's conjecture th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20372 | 20373 | The LOFAR window on star-forming galaxies and ... | We present a study of the low-frequency radi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20373 | 20374 | Interplay between the Inverse Scattering Metho... | It is known that the initial-boundary value ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20374 | 20375 | GNC of the SphereX Robot for Extreme Environme... | Wheeled ground robots are limited from explo... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20375 | 20376 | Stable Signatures for Dynamic Graphs and Dynam... | When studying flocking/swarming behaviors in... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20376 | 20377 | A Data-driven Approach Towards Human-robot Col... | We are developing a system for human-robot c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20377 | 20378 | Discursive Landscapes and Unsupervised Topic M... | The recent turn towards quantitative text-as... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20378 | 20379 | Lattice Gas with Molecular Dynamics Collision ... | We introduce a lattice gas implementation th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20379 | 20380 | From dynamical systems with time-varying delay... | In the present paper we investigate the infl... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20380 | 20381 | Engineering Frequency-dependent Superfluidity ... | Unconventional superconductivity or superflu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20381 | 20382 | In-Silico Proportional-Integral Moment Control... | The problem of controlling the mean and the ... | 1 | 0 | 0 | 0 | 1 | 0 |
| 20382 | 20383 | Big enterprise registration data imputation: S... | Big, fine-grained enterprise registration da... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20383 | 20384 | Fast Simulation of Vehicles with Non-deformabl... | This paper presents a novel technique that a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20384 | 20385 | Persistent Hidden States and Nonlinear Transfo... | Recurrent neural networks (RNNs) have been d... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20385 | 20386 | Satellite Image-based Localization via Learned... | We propose a vision-based method that locali... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20386 | 20387 | Optimality of codes with respect to error prob... | We consider geometrical optimization problem... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20387 | 20388 | Improved TDNNs using Deep Kernels and Frequenc... | Time delay neural networks (TDNNs) are an ef... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20388 | 20389 | A Structured Self-attentive Sentence Embedding | This paper proposes a new model for extracti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20389 | 20390 | When Neurons Fail | We view a neural network as a distributed sy... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20390 | 20391 | Heavy Traffic Limit for a Tandem Queue with Id... | We consider a two-node tandem queueing netwo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20391 | 20392 | Autonomous Sweet Pepper Harvesting for Protect... | In this letter, we present a new robotic har... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20392 | 20393 | AMI SZ observation of galaxy-cluster merger CI... | AMI observations towards CIZA J2242+5301, in... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20393 | 20394 | Development of a computer-aided design softwar... | In the orthognathic surgery, dental splints ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20394 | 20395 | Energy-transport systems for optical lattices:... | Energy-transport equations for the transport... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20395 | 20396 | First principles study of structural, magnetic... | We report ab initio density functional calcu... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20396 | 20397 | Subspace Robust Wasserstein distances | Making sense of Wasserstein distances betwee... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20397 | 20398 | Wind accretion onto compact objects | X-ray emission associated to accretion onto ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20398 | 20399 | Riemannian Stein Variational Gradient Descent ... | We develop Riemannian Stein Variational Grad... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20399 | 20400 | Suspension-thermal noise in spring-antispring ... | Spring-antispring systems have been investig... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20400 | 20401 | Fooling Sets and the Spanning Tree Polytope | In the study of extensions of polytopes of c... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20401 | 20402 | From Azéma supermartingales of finite honest t... | Given a finite honest time, we derive repres... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20402 | 20403 | Single versus Double Blind Reviewing at WSDM 2017 | In this paper we study the implications for ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20403 | 20404 | Scale-variant Topological Information for Char... | Real-world networks are difficult to charact... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20404 | 20405 | Topological orbital superfluid with chiral d-w... | Topological superfluid is an exotic state of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20405 | 20406 | Optimal client recommendation for market maker... | The process of liquidity provision in financ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20406 | 20407 | Design of an Audio Interface for Patmos | This paper describes the design and implemen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20407 | 20408 | A Classifying Variational Autoencoder with App... | The variational autoencoder (VAE) is a popul... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20408 | 20409 | On Estimation of Isotonic Piecewise Constant S... | Consider a sequence of real data points $X_1... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20409 | 20410 | Deep Stacked Stochastic Configuration Networks... | The concept of stochastic configuration netw... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20410 | 20411 | Extracting Syntactic Patterns from Databases | Many database columns contain string or nume... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20411 | 20412 | Aggressive Sampling for Multi-class to Binary ... | We address the problem of multi-class classi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20412 | 20413 | Understanding and predicting travel time with ... | Travel time on a route varies substantially ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20413 | 20414 | The power of sum-of-squares for detecting hidd... | We study planted problems---finding hidden s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20414 | 20415 | An active-learning algorithm that combines spa... | Polynomial chaos expansions (PCE) have seen ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20415 | 20416 | Experimental Tests of Spirituality | We currently harness technologies that could... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20416 | 20417 | Chern classes and Gromov--Witten theory of pro... | We prove that the Gromov--Witten theory (GWT... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20417 | 20418 | Numerical Gaussian Processes for Time-dependen... | We introduce the concept of numerical Gaussi... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20418 | 20419 | Learning from Experience: A Dynamic Closed-Loo... | The quality of experience (QoE) is known to ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20419 | 20420 | Deep CNN based feature extractor for text-prom... | Deep learning is still not a very common too... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20420 | 20421 | Data-Injection Attacks in Stochastic Control S... | Consider a stochastic process being controll... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20421 | 20422 | Efficient Version-Space Reduction for Visual T... | Discrminative trackers, employ a classificat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20422 | 20423 | Context2Name: A Deep Learning-Based Approach t... | Most of the JavaScript code deployed in the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20423 | 20424 | Reconstructing fluid dynamics with micro-finit... | In the theory of the Navier-Stokes equations... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20424 | 20425 | Towards Black-box Iterative Machine Teaching | In this paper, we make an important step tow... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20425 | 20426 | On Generalization and Regularization in Deep L... | Why do large neural network generalize so we... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20426 | 20427 | Nonparametric Inference for Auto-Encoding Vari... | We would like to learn latent representation... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20427 | 20428 | Imbalanced Malware Images Classification: a CN... | Deep convolutional neural networks (CNNs) ca... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20428 | 20429 | Integrated optical force sensors using focusin... | Mechanical oscillators are at the heart of m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20429 | 20430 | Comparison of Signaling and Media Approaches t... | IP networks became the most dominant type of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20430 | 20431 | Coupling functions: Universal insights into dy... | The dynamical systems found in Nature are ra... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20431 | 20432 | Uncertainty quantification for radio interfero... | Uncertainty quantification is a critical mis... | 0 | 1 | 0 | 1 | 0 | 0 |
| 20432 | 20433 | Semialgebraic Invariant Synthesis for the Kann... | The \emph{Orbit Problem} consists of determi... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20433 | 20434 | Design and characterization of the Large-Apert... | The Large-Aperture Experiment to Detect the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20434 | 20435 | Automatic Bayesian Density Analysis | Making sense of a dataset in an automatic an... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20435 | 20436 | MLCapsule: Guarded Offline Deployment of Machi... | With the widespread use of machine learning ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20436 | 20437 | Brownian forgery of statistical dependences | The balance held by Brownian motion between ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20437 | 20438 | Internal sizes in $μ$-abstract elementary classes | Working in the context of $\mu$-abstract ele... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20438 | 20439 | Seasonal forecasts of the summer 2016 Yangtze ... | The Yangtze River has been subject to heavy ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20439 | 20440 | Modeling Interference Via Symmetric Treatment ... | Classical causal inference assumes a treatme... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20440 | 20441 | A Bayesian algorithm for distributed network l... | A reliable, accurate, and affordable positio... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20441 | 20442 | Bounds for multivariate residues and for the p... | We present several upper bounds for the heig... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20442 | 20443 | An adsorbed gas estimation model for shale gas... | Shale gas plays an important role in reducin... | 0 | 1 | 0 | 1 | 0 | 0 |
| 20443 | 20444 | A Semantic Loss Function for Deep Learning wit... | This paper develops a novel methodology for ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20444 | 20445 | Chaotic properties of a turbulent isotropic fluid | By tracking the divergence of two initially ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20445 | 20446 | White light emission from silicon nanoparticles | As one of the most important semiconductors,... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20446 | 20447 | The collapse of ecosystem engineer populations | Humans are the ultimate ecosystem engineers ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20447 | 20448 | Highly Viscous Microjet Generator | This paper describes a simple yet novel syst... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20448 | 20449 | Section problems for configuration spaces of s... | In this paper we give a close-to-sharp answe... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20449 | 20450 | Odd-triplet superconductivity in single-level ... | We study the interplay of spin and charge co... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20450 | 20451 | From Neuronal Models to Neuronal Dynamics and ... | This paper is an introduction to the membran... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20451 | 20452 | A compilation of LEGO Technic parts to support... | We present a compilation of LEGO Technic par... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20452 | 20453 | On the Casas-Alvero conjecture | The conjecture is formulated in an affine st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20453 | 20454 | Effect of compressibility and aspect ratio on ... | Recent experiments show no statistical impac... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20454 | 20455 | Integral models of reductive groups and integr... | Let $G$ be a reductive algebraic group over ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20455 | 20456 | A proof of Boca's Theorem | We give a general method of extending unital... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20456 | 20457 | Vico-Greengard-Ferrando quadratures in the ten... | Convolution with Green's function of a diffe... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20457 | 20458 | Mott insulators of hardcore bosons in 1D: many... | Many-body phenomena were always an integral ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20458 | 20459 | Fast Monte Carlo Markov chains for Bayesian sh... | When performing Bayesian data analysis using... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20459 | 20460 | Distributed Optimal Vehicle Grid Integration S... | With the increasing of electric vehicle (EV)... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20460 | 20461 | Horcrux: A Password Manager for Paranoids | Vulnerabilities in password managers are unr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20461 | 20462 | Cross-validation | This text is a survey on cross-validation. W... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20462 | 20463 | Learning from Label Proportions in Brain-Compu... | Objective: Using traditional approaches, a B... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20463 | 20464 | Generalized Index Coding Problem and Discrete ... | The index coding problem has been generalize... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20464 | 20465 | Reconstruction via the intrinsic geometric str... | We are concerned with the inverse scattering... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20465 | 20466 | Thermoelectric phase diagram of the SrTiO3-SrN... | Thermoelectric energy conversion - the explo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20466 | 20467 | AMPA, NMDA and GABAA receptor mediated network... | In this work we study the excitatory AMPA, a... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20467 | 20468 | Coarse fundamental groups and box spaces | We use a coarse version of the fundamental g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20468 | 20469 | Algebraic entropy of (integrable) lattice equa... | We study the growth of degrees in many auton... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20469 | 20470 | Measurement of mirror birefringence with laser... | A laser heterodyne polarimeter (LHP) designe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20470 | 20471 | Individual position diversity in dependence so... | The availability of big data recorded from m... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20471 | 20472 | A formula for the nonsymmetric Opdam's hyperge... | The aim of this paper is to give an explicit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20472 | 20473 | A new algorithm for irreducible decomposition ... | An algorithm for irreducible decomposition o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20473 | 20474 | Stability and Grothendieck | This note is a commentary on the model-theor... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20474 | 20475 | Visual Analogies between Atari Games for Study... | In this work, we ask the following question:... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20475 | 20476 | Learning in the Repeated Secretary Problem | In the classical secretary problem, one atte... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20476 | 20477 | Flexible Mixture Modeling on Constrained Spaces | This paper addresses challenges in flexibly ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20477 | 20478 | Universal equilibrium scaling functions at sho... | By analyzing spin-spin correlation functions... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20478 | 20479 | First Results from CUORE: A Search for Lepton ... | The CUORE experiment, a ton-scale cryogenic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20479 | 20480 | Bernoulli-Carlitz and Cauchy-Carlitz numbers w... | Recently, the Cauchy-Carlitz number was defi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20480 | 20481 | Irreducible network backbones: unbiased graph ... | Networks provide an informative, yet non-red... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20481 | 20482 | Synkhronos: a Multi-GPU Theano Extension for D... | We present Synkhronos, an extension to Thean... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20482 | 20483 | The PomXYZ Proteins Self-Organize on the Bacte... | Cell division site positioning is precisely ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20483 | 20484 | Quantitative Results on Diophantine Equations ... | We consider a system of polynomials $f_1,\ld... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20484 | 20485 | Generalized Springer correspondence for symmet... | Let $G = GL_N$ over an algebraically closed ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20485 | 20486 | An Ensemble Boosting Model for Predicting Tran... | Our work focuses on the problem of predictin... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20486 | 20487 | Effects of Network Structure on the Performanc... | We propose a minority route choice game to i... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20487 | 20488 | Sneak into Devil's Colony- A study of Fake Pro... | Massive content about user's social, persona... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20488 | 20489 | Preserving Data-Privacy with Added Noises: Opt... | Networked system often relies on distributed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20489 | 20490 | Geometric tuning of self-propulsion for Janus ... | Catalytic swimmers have attracted much atten... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20490 | 20491 | On the Bogolubov-de Gennes Equations | We consider the Bogolubov-de Gennes equation... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20491 | 20492 | High-dimensional regression in practice: an em... | Penalized likelihood methods are widely used... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20492 | 20493 | Using Human Brain Activity to Guide Machine Le... | Machine learning is a field of computer scie... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20493 | 20494 | Anesthesiologist-level forecasting of hypoxemi... | We use a deep learning model trained only on... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20494 | 20495 | Merging fragments of classical logic | We investigate the possibility of extending ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20495 | 20496 | Variational Bayes Estimation of Discrete-Margi... | We propose a new variational Bayes estimator... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20496 | 20497 | COSMO: Contextualized Scene Modeling with Bolt... | Scene modeling is very crucial for robots th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20497 | 20498 | Learning Large-Scale Topological Maps Using Su... | In order to perform complex actions in human... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20498 | 20499 | Entanglement scaling and spatial correlations ... | We study numerically the entanglement entrop... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20499 | 20500 | Anyonic excitations of hardcore anyons | Strongly interacting many-body systems consi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20500 | 20501 | Chaotic behavior in Casimir oscillators: A cas... | Casimir forces between material surfaces at ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20501 | 20502 | Confluence in Probabilistic Rewriting | Driven by the interest of reasoning about pr... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20502 | 20503 | Structure preserving schemes for mean-field eq... | In this paper we consider the development of... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20503 | 20504 | Localization optoacoustic tomography | Localization-based imaging has revolutionize... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20504 | 20505 | Reduced-basis approach to many-body localization | Within the standard model of many-body local... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20505 | 20506 | Electron-correlation study of Y III-Tc VII ion... | Spectroscopic properties, useful for plasma ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20506 | 20507 | Align and Copy: UZH at SIGMORPHON 2017 Shared ... | This paper presents the submissions by the U... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20507 | 20508 | Krylov methods for low-rank commuting generali... | We consider generalizations of the Sylvester... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20508 | 20509 | Atomic-scale origin of dynamic viscoelastic re... | Viscoelasticity has been described since the... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20509 | 20510 | On-sky closed loop correction of atmospheric d... | Adaptive optic (AO) systems delivering high ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20510 | 20511 | Experimental observations and modelling of int... | The progress made in understanding spontaneo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20511 | 20512 | Where, When, and How mmWave is Used in 5G and ... | Wireless engineers and business planners com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20512 | 20513 | A simple script language for choreography of m... | The scripting language described in this doc... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20513 | 20514 | Stability results for abstract evolution equat... | We consider abstract evolution equations wit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20514 | 20515 | Solar wind turbulent cascade from MHD to sub-i... | Spectral properties of the turbulent cascade... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20515 | 20516 | Blind source separation of tensor-valued time ... | The blind source separation model for multiv... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20516 | 20517 | Mixed Cages | We introduce the notion of a $[z, r; g]$-mix... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20517 | 20518 | Single-beam dielectric-microsphere trapping wi... | A technique to levitate and measure the thre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20518 | 20519 | An Empirical Analysis of Traceability in the M... | Monero is a privacy-centric cryptocurrency t... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20519 | 20520 | Automatic Face Image Quality Prediction | Face image quality can be defined as a measu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20520 | 20521 | Stochastic Block Models are a Discrete Surface... | Networks, which represent agents and interac... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20521 | 20522 | Robust d-wave pairing symmetry in multi-orbita... | The pairing symmetry of the newly proposed c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20522 | 20523 | Thermodynamic properties of Ba$_2$CoSi$_2$O$_6... | The search for flat-band solid-state realiza... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20523 | 20524 | Fisher Information and Natural Gradient Learni... | A deep neural network is a hierarchical nonl... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20524 | 20525 | Dynamic of plumes and scaling during the melti... | We identify and describe the main dynamic re... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20525 | 20526 | Parallel mean curvature surfaces in four-dimen... | We survey different classification results f... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20526 | 20527 | Recent implementations, applications, and exte... | Since introduction [A. Knyazev, Toward the o... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20527 | 20528 | An evaluation of cosmological models from expa... | We compare a large suite of theoretical cosm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20528 | 20529 | The variety of $2$-dimensional algebras over a... | The work is devoted to the variety of $2$-di... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20529 | 20530 | A Variational Observation Model of 3D Object f... | We present a Bayesian object observation mod... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20530 | 20531 | Generation of optical frequency combs via four... | We investigate the generation of optical fre... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20531 | 20532 | Cross-referencing Social Media and Public Surv... | Physical media (like surveillance cameras) a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20532 | 20533 | Nonlinear Dynamics of a Viscous Bubbly Fluid | A physical model of a three-dimensional flow... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20533 | 20534 | ConvNet-Based Localization of Anatomical Struc... | Localization of anatomical structures is a p... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20534 | 20535 | Gradient estimates for heat kernels and harmon... | Let $(X,d,\mu)$ be a doubling metric measure... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20535 | 20536 | The Deep Underground Neutrino Experiment -- DU... | The last decade was remarkable for neutrino ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20536 | 20537 | Variations of $q$-Garnier system | We study several variants of q-Garnier syste... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20537 | 20538 | Quantum Quench dynamics in Non-local Luttinger... | We investigate, in the Luttinger model with ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20538 | 20539 | Dynamics of Relaxed Inflation | The cosmological relaxation of the electrowe... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20539 | 20540 | Clustering is semidefinitely not that hard: No... | In solving hard computational problems, semi... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20540 | 20541 | Dispersive optical detection of magnetic Feshb... | Magnetically tunable Feshbach resonances in ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20541 | 20542 | Unveiling Bias Compensation in Turbo-Based Alg... | In Compressed Sensing, a real-valued sparse ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20542 | 20543 | Accelerated Linear Convergence of Stochastic M... | Momentum methods such as Polyak's heavy ball... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20543 | 20544 | Compressed sensing with sparse corruptions: Fa... | The recovery of approximately sparse or comp... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20544 | 20545 | Learning to Remember Rare Events | Despite recent advances, memory-augmented de... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20545 | 20546 | Stacking-dependent electronic structure of tri... | The crystallographic stacking order in multi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20546 | 20547 | Interaction energy between vortices of vector ... | We study a variational Ginzburg-Landau type ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20547 | 20548 | Multimodal Nonlinear Microscope based on a Com... | We present a multimodal non-linear optical (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20548 | 20549 | The Diffuse Light of the Universe - On the mic... | In 1965, the discovery of a new type of unif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20549 | 20550 | Classification of $5$-Dimensional Complex Nilp... | Leibniz algebras are certain generalization ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20550 | 20551 | Haptics of Screwing and Unscrewing for its App... | Reconstruction of skilled humans sensation a... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20551 | 20552 | $G$-invariant Szegö kernel asymptotics and CR ... | Let $(X, T^{1,0}X)$ be a compact connected o... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20552 | 20553 | Self-similar resistive circuits as fractal-lik... | In the present work we explore resistive cir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20553 | 20554 | DynaPhoPy: A code for extracting phonon quasip... | We have developed a computational code, Dyna... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20554 | 20555 | Lower Bounds for Two-Sample Structural Change ... | The change detection problem is to determine... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20555 | 20556 | How Usable are Rust Cryptography APIs? | Context: Poor usability of cryptographic API... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20556 | 20557 | Augmenting End-to-End Dialog Systems with Comm... | Building dialog agents that can converse nat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20557 | 20558 | A framework for Multi-A(rmed)/B(andit) testing... | We propose an alternative framework to exist... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20558 | 20559 | Statistical Speech Enhancement Based on Probab... | This paper presents a statistical method of ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20559 | 20560 | BPGrad: Towards Global Optimality in Deep Lear... | Understanding the global optimality in deep ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20560 | 20561 | Lagrangian Flow Network approach to an open fl... | Concepts and tools from network theory, the ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20561 | 20562 | Some new gradient estimates for two nonlinear ... | In this paper, by maximum principle and cuto... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20562 | 20563 | On the pointwise iteration-complexity of a dyn... | In this paper, we extend the improved pointw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20563 | 20564 | DeepBrain: Functional Representation of Neural... | This paper presents a novel deep learning-ba... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20564 | 20565 | Nonlocal heat equations in the Heisenberg group | We study the following nonlocal diffusion eq... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20565 | 20566 | Motion Planning Networks | Fast and efficient motion planning algorithm... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20566 | 20567 | Query Expansion Techniques for Information Ret... | With the ever increasing size of web, releva... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20567 | 20568 | Method for Aspect-Based Sentiment Annotation U... | This paper fills a gap in aspect-based senti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20568 | 20569 | Commutativity of integral quasi-arithmetic mea... | Let $(X, \mathscr{L}, \lambda)$ and $(Y, \ma... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20569 | 20570 | Moderate Deviation for Random Elliptic PDEs wi... | Partial differential equations with random i... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20570 | 20571 | Music Transformer | Music relies heavily on repetition to build ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20571 | 20572 | Residual-Based Detections and Unified Architec... | Massive multiple-input multiple-output (M-MI... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20572 | 20573 | Sparsity constrained split feasibility for dos... | A split feasibility formulation for the inve... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20573 | 20574 | On 2-Verma modules for quantum $\mathfrak{sl}_2$ | In this paper we study the superalgebra $A_n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20574 | 20575 | On the Number of Single-Peaked Narcissistic or... | We investigate preference profiles for a set... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20575 | 20576 | Planet formation and disk-planet interactions | This review is based on lectures given at th... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20576 | 20577 | Cherednik algebras and Calogero-Moser cells | Using the representation theory of Cherednik... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20577 | 20578 | Khovanov complexes of rational tangles | We show that the Khovanov complex of a ratio... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20578 | 20579 | Asymmetric Connectedness of Fears in the U.S. ... | We study how shocks to the forward-looking e... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20579 | 20580 | Neural Network Based Speaker Classification an... | This work presents a novel framework based o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20580 | 20581 | Slimness of graphs | Slimness of a graph measures the local devia... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20581 | 20582 | SirenAttack: Generating Adversarial Audio for ... | Despite their immense popularity, deep learn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20582 | 20583 | k-server via multiscale entropic regularization | We present an $O((\log k)^2)$-competitive ra... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20583 | 20584 | Some Large Sample Results for the Method of Re... | We present a general framework for studying ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20584 | 20585 | Coregionalised Locomotion Envelopes - A Qualit... | 'Sharing of statistical strength' is a phras... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20585 | 20586 | Optimal Invariant Tests in an Instrumental Var... | This paper uses model symmetries in the inst... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20586 | 20587 | Longitudinal electric field: from Maxwell equa... | In this paper we use the classical electrody... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20587 | 20588 | Estimating linear functionals of a sparse fami... | Assume that we observe a sample of size n co... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20588 | 20589 | Fabrication of porous microrings via laser pri... | Pulsed-laser dry printing of noble-metal mic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20589 | 20590 | Performance Measurements of Supercomputing and... | Increasing amounts of data from varied sourc... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20590 | 20591 | Multi-Objective Event-triggered Consensus of L... | This paper proposes a distributed consensus ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20591 | 20592 | Private and Secure Coordination of Match-Makin... | A secure and private framework for inter-age... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20592 | 20593 | Kernel Robust Bias-Aware Prediction under Cova... | Under covariate shift, training (source) dat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20593 | 20594 | Degeneration in VAE: in the Light of Fisher In... | While enormous progress has been made to Var... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20594 | 20595 | Room-temperature spin transport in n-Ge probed... | We demonsrtate electrical spin injection and... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20595 | 20596 | Synthesizing Neural Network Controllers with P... | We present an algorithm for rapidly learning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20596 | 20597 | Stealthy Deception Attacks Against SCADA Systems | SCADA protocols for Industrial Control Syste... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20597 | 20598 | Beta-rhythm oscillations and synchronization t... | Despite their significant functional roles, ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20598 | 20599 | Renyi Differential Privacy | We propose a natural relaxation of different... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20599 | 20600 | Enhancing Quality for VVC Compressed Videos by... | In this paper, we propose a quality enhancem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20600 | 20601 | Discrete CMC surfaces in R^3 and discrete mini... | The main result of this paper is a discrete ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20601 | 20602 | Network Model Selection Using Task-Focused Min... | Networks are fundamental models for data use... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20602 | 20603 | Concentration of curvature and Lipschitz invar... | By combining analytic and geometric viewpoin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20603 | 20604 | Beam tuning and bunch length measurement in th... | Realization of a short bunch beam by manipul... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20604 | 20605 | Long-Lived Ultracold Molecules with Electric a... | We create fermionic dipolar $^{23}$Na$^6$Li ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20605 | 20606 | Bilinear generalized Radon transforms in the p... | Let $\sigma$ be arc-length measure on $S^1\s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20606 | 20607 | Diffusion of new products with recovering cons... | We consider the diffusion of new products in... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20607 | 20608 | Answering Complex Questions Using Open Informa... | While there has been substantial progress in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20608 | 20609 | On Testing Quantum Programs | A quantum computer (QC) can solve many compu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20609 | 20610 | Degree weighted recurrence networks for the an... | Recurrence networks are powerful tools used ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20610 | 20611 | Parcels v0.9: prototyping a Lagrangian Ocean A... | As Ocean General Circulation Models (OGCMs) ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20611 | 20612 | TFLMS: Large Model Support in TensorFlow by Gr... | While accelerators such as GPUs have limited... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20612 | 20613 | Machine Learning for Quantum Dynamics: Deep Le... | Understanding the relationship between the s... | 0 | 1 | 0 | 1 | 0 | 0 |
| 20613 | 20614 | Multi-Player Bandits: A Trekking Approach | We study stochastic multi-armed bandits with... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20614 | 20615 | High-resolution investigation of spinal cord a... | High-resolution non-invasive 3D study of int... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20615 | 20616 | Bohr--Rogosinski radius for analytic functions | There are a number of articles which deal wi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20616 | 20617 | Methods to locate Saddle Points in Complex Lan... | We present a class of simple algorithms that... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20617 | 20618 | On the Complexity of Opinions and Online Discu... | In an increasingly polarized world, demagogu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20618 | 20619 | Free energy distribution of the stationary O'C... | We study the semi-discrete directed polymer ... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20619 | 20620 | Personalized Gaussian Processes for Forecastin... | In this paper, we introduce the use of a per... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20620 | 20621 | Analysis and Control of a Non-Standard Hyperbo... | The paper provides results for a non-standar... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20621 | 20622 | Learning Robust Representations for Computer V... | Unsupervised learning techniques in computer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20622 | 20623 | Detection Estimation and Grid matching of Mult... | In this work, we explore the problems of det... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20623 | 20624 | Small-Variance Asymptotics for Nonparametric B... | The latent feature relational model (LFRM) i... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20624 | 20625 | Towards a Science of Mind | The ancient mind/body problem continues to b... | 1 | 0 | 0 | 0 | 1 | 0 |
| 20625 | 20626 | Resistance distance criterion for optimal slac... | We investigate the dependence of transmissio... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20626 | 20627 | Interpolation in the Presence of Domain Inhomo... | Standard interpolation techniques are implic... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20627 | 20628 | Lectures on the mean values of functionals -- ... | This is an elementary introduction to infini... | 0 | 1 | 1 | 1 | 0 | 0 |
| 20628 | 20629 | Synthesis of Optimal Resilient Control Strategies | Repair mechanisms are important within resil... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20629 | 20630 | Limits of the Kucera-Gacs coding method | Every real is computable from a Martin-Loef ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20630 | 20631 | Subspace Tracking Algorithms for Millimeter Wa... | This paper proposes the use of subspace trac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20631 | 20632 | Thomas Precession for Dressed Particles | We consider a particle dressed with boundary... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20632 | 20633 | Exponential random graphs behave like mixtures... | We study the behavior of exponential random ... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20633 | 20634 | Certificate Enhanced Data-Flow Analysis | Proof-carrying-code was proposed as a soluti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20634 | 20635 | Small cells in a Poisson hyperplane tessellation | Until now, little was known about properties... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20635 | 20636 | Privacy-Aware Guessing Efficiency | We investigate the problem of guessing a dis... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20636 | 20637 | Positioning services of a travel agency in soc... | In this paper the methods of forming a trave... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20637 | 20638 | Inverse Mapping for Rainfall-Runoff Models usi... | In this paper, we consider two rainfall-runo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20638 | 20639 | Geometric SMOTE: Effective oversampling for im... | Classification of imbalanced datasets is a c... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20639 | 20640 | Liveness Verification and Synthesis: New Algor... | We consider the problems of liveness verific... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20640 | 20641 | A semiparametric approach for bivariate extrem... | Inference over tails is performed by applyin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20641 | 20642 | Prolongation of SMAP to Spatio-temporally Seam... | The Soil Moisture Active Passive (SMAP) miss... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20642 | 20643 | Note on Green Function Formalism and Topologic... | It has been discovered previously that the t... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20643 | 20644 | Unsupervised Document Embedding With CNNs | We propose a new model for unsupervised docu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20644 | 20645 | A metric model for the functional architecture... | The purpose of this work is to construct a m... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20645 | 20646 | Bayesian parameter identification in Cahn-Hill... | We consider the inverse problem of parameter... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20646 | 20647 | Transport Phase Diagram and Anderson Localizat... | Hyperuniform disordered photonic materials (... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20647 | 20648 | Nearly Maximally Predictive Features and Their... | Scientific explanation often requires inferr... | 1 | 1 | 0 | 1 | 0 | 0 |
| 20648 | 20649 | A Survey Of Cross-lingual Word Embedding Models | Cross-lingual representations of words enabl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20649 | 20650 | Space-efficient classical and quantum algorith... | A lattice is the integer span of some linear... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20650 | 20651 | Low Power SI Class E Power Amplifier and RF Sw... | This research was to design a 2.4 GHz class ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20651 | 20652 | Improved approximation algorithm for the Dense... | The study of Dense-$3$-Subhypergraph problem... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20652 | 20653 | A Survey of Security Assessment Ontologies | A literature survey on ontologies concerning... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20653 | 20654 | Distributed Online Learning of Event Definitions | Logic-based event recognition systems infer ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20654 | 20655 | Solving Graph Isomorphism Problem for a Specia... | Graph isomorphism is an important computer s... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20655 | 20656 | Selective inference for effect modification vi... | Effect modification occurs when the effect o... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20656 | 20657 | Is Climate Change Controversial? Modeling Cont... | A growing body of research focuses on comput... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20657 | 20658 | Defending Against Adversarial Attacks by Lever... | Recent work has shown that state-of-the-art ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20658 | 20659 | Spectral Graph Convolutions for Population-bas... | Exploiting the wealth of imaging and non-ima... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20659 | 20660 | An independence system as knot invariant | An independence system (with respect to the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20660 | 20661 | A cavity-induced artificial gauge field in a B... | We consider theoretically ultracold interact... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20661 | 20662 | A Review of Laser-Plasma Ion Acceleration | An overview of research on laser-plasma base... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20662 | 20663 | Minimax Optimal Estimators for Additive Scalar... | In this paper, we consider estimators for an... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20663 | 20664 | Van der Waals Heterostructures Based on Allotr... | The van der Waals heterostructures of allotr... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20664 | 20665 | On separated solutions of logistic population ... | We provide a surprising answer to a question... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20665 | 20666 | Nonreciprocal Electromagnetic Scattering from ... | Scattering of obliquely incident electromagn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20666 | 20667 | Story Cloze Ending Selection Baselines and Dat... | This paper describes two supervised baseline... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20667 | 20668 | Linear Quadratic Optimal Control Problems with... | This paper is concerned with a linear quadra... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20668 | 20669 | A new sampling density condition for shift-inv... | Let $X=\{x_i:i\in\mathbb{Z}\}$, $\dots<x_{i-... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20669 | 20670 | Experimental Design via Generalized Mean Objec... | The mean objective cost of uncertainty (MOCU... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20670 | 20671 | Parallelizing Over Artificial Neural Network T... | Artificial neural networks are a popular and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20671 | 20672 | Learning the Structure of Generative Models wi... | Curating labeled training data has become th... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20672 | 20673 | Robust Loss Functions under Label Noise for De... | In many applications of classifier learning,... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20673 | 20674 | A quality model for evaluating and choosing a ... | Today, we have to deal with many data (Big d... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20674 | 20675 | On the Hardness of Inventory Management with C... | We consider a repeated newsvendor problem wh... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20675 | 20676 | Social Media Analysis For Organizations: Us No... | Social networking sites such as Twitter have... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20676 | 20677 | Weakly tripotent rings | We study the class of rings $R$ with the pro... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20677 | 20678 | ML for Flood Forecasting at Scale | Effective riverine flood forecasting at scal... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20678 | 20679 | Spectral proper orthogonal decomposition and i... | We consider the frequency domain form of pro... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20679 | 20680 | An optimal transportation approach for assessi... | When stochastic dominance $F\leq_{st}G$ does... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20680 | 20681 | The Effect of Electron Lens as Landau Damping ... | An electron lens can serve as an effective m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20681 | 20682 | Search for sterile neutrinos in holographic da... | We search for sterile neutrinos in the holog... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20682 | 20683 | Simulation of high temperature superconductors... | In this work, we present a parallel, fully-d... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20683 | 20684 | Hardware Translation Coherence for Virtualized... | To improve system performance, modern operat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20684 | 20685 | MotifMark: Finding Regulatory Motifs in DNA Se... | The interaction between proteins and DNA is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20685 | 20686 | Discovery of Latent 3D Keypoints via End-to-en... | This paper presents KeypointNet, an end-to-e... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20686 | 20687 | Multi-State Trajectory Approach to Non-Adiabat... | A general theoretical framework is derived f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20687 | 20688 | Combining Homotopy Methods and Numerical Optim... | This paper presents a systematic approach fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20688 | 20689 | High quality atomically thin PtSe2 films grown... | Atomically thin PtSe2 films have attracted e... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20689 | 20690 | NAVREN-RL: Learning to fly in real environment... | We present NAVREN-RL, an approach to NAVigat... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20690 | 20691 | Fast, Accurate and Fully Parallelizable Digita... | Digital image correlation (DIC) is a widely ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20691 | 20692 | Discovering the effect of nonlocal payoff calc... | The classical idea of evolutionarily stable ... | 0 | 0 | 0 | 0 | 1 | 0 |
| 20692 | 20693 | Analysis of the measurements of anisotropic a.... | Measurements of the high-frequency complex r... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20693 | 20694 | Deep Convolutional Neural Network to Detect J-... | This paper presents an empirical study on ap... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20694 | 20695 | Observing Power-Law Dynamics of Position-Veloc... | In this letter we present a measurement of t... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20695 | 20696 | Modular curves, invariant theory and $E_8$ | The $E_8$ root lattice can be constructed fr... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20696 | 20697 | Analysis of Approximate Stochastic Gradient Us... | We present convergence rate analysis for the... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20697 | 20698 | Invariant holomorphic discs in some non-convex... | We give a description of complex geodesics a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20698 | 20699 | MIMIX: a Bayesian Mixed-Effects Model for Micr... | Recent advances in bioinformatics have made ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20699 | 20700 | SpatEntropy: Spatial Entropy Measures in R | This article illustrates how to measure the ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20700 | 20701 | Evidence for universality in the initial plane... | Planetesimals may form from the gravitationa... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20701 | 20702 | On covering systems of integers | A covering system of the integers is a finit... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20702 | 20703 | Asymptotically safe cosmology - a status report | Asymptotic Safety, based on a non-Gaussian f... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20703 | 20704 | Generalized Earley Parser: Bridging Symbolic G... | Future predictions on sequence data (e.g., v... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20704 | 20705 | COCrIP: Compliant OmniCrawler In-pipeline Robot | This paper presents a modular in-pipeline cl... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20705 | 20706 | An Inversion-Based Learning Approach for Impro... | This paper presents a learning-based approac... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20706 | 20707 | Decay Estimates for 1-D Parabolic PDEs with Bo... | In this work decay estimates are derived for... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20707 | 20708 | GEANT4 Simulation of Nuclear Interaction Induc... | A simple and self-consistent approach has be... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20708 | 20709 | Analysis and Measurement of the Transfer Matri... | Superconducting linacs are capable of produc... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20709 | 20710 | Size-aware Sharding For Improving Tail Latenci... | This paper introduces the concept of size-aw... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20710 | 20711 | Abell 2744 may be a supercluster aligned along... | To explain the unusual richness and compactn... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20711 | 20712 | Classification of Pressure Gradient of Human C... | The current work is done to see which artery... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20712 | 20713 | Second-order and local characteristics of netw... | The last decade has witnessed an increase of... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20713 | 20714 | Modeling of hysteresis loop and its applicatio... | In order to understand the physical hysteres... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20714 | 20715 | Online Factorization and Partition of Complex ... | Finding the reduced-dimensional structure is... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20715 | 20716 | Powerful genome-wide design and robust statist... | Two-sample summary-data Mendelian randomizat... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20716 | 20717 | A Benchmark on Reliability of Complex Discrete... | This paper contains two parts: the descripti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20717 | 20718 | Riemannian Gaussian distributions on the space... | Recently, Riemannian Gaussian distributions ... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20718 | 20719 | Analisis of the power flow in Low Voltage DC g... | Power flow in a low voltage direct current g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20719 | 20720 | Multi-scale bilinear restriction estimates for... | We prove (adjoint) bilinear restriction esti... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20720 | 20721 | Program algebra for Turing-machine programs | This note presents an algebraic theory of in... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20721 | 20722 | CTD: Fast, Accurate, and Interpretable Method ... | How can we find patterns and anomalies in a ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20722 | 20723 | Memory Augmented Control Networks | Planning problems in partially observable en... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20723 | 20724 | Community Recovery in a Preferential Attachmen... | A message passing algorithm is derived for r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20724 | 20725 | The descriptive look at the size of subsets of... | We explore the Borel complexity of some basi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20725 | 20726 | The Impact of Antenna Height Difference on the... | Capable of significantly reducing cell size ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20726 | 20727 | Spin-wave propagation in cubic anisotropic mat... | The information carrier of modern technologi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20727 | 20728 | Relaxing Exclusive Control in Boolean Games | In the typical framework for boolean games (... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20728 | 20729 | Representing de Rham cohomology classes on an ... | Let $X$ be a connected open Riemann surface.... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20729 | 20730 | Unidirectional control of optically induced sp... | Unidirectional control of optically induced ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20730 | 20731 | Value Prediction Network | This paper proposes a novel deep reinforceme... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20731 | 20732 | Scalable Generalized Linear Bandits: Online Co... | Generalized Linear Bandits (GLBs), a natural... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20732 | 20733 | Dome of magnetic order inside the nematic phas... | The pressure dependence of the structural, m... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20733 | 20734 | ConceptNet at SemEval-2017 Task 2: Extending W... | This paper describes Luminoso's participatio... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20734 | 20735 | The symmetrized topological complexity of the ... | We determine the symmetrized topological com... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20735 | 20736 | Intertwining operators among twisted modules a... | We introduce intertwining operators among tw... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20736 | 20737 | Enabling Visual Design Verification Analytics ... | The ever-increasing architectural complexity... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20737 | 20738 | Self-regulation promotes cooperation in social... | Cooperative behavior in real social dilemmas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20738 | 20739 | Magnetic properties of nanoparticles compacts ... | Binary random compacts with different propor... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20739 | 20740 | A Generative Model for Exploring Structure Reg... | Many real-world networks known as attributed... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20740 | 20741 | On the maximal halfspace depth of permutation-... | We compute the maximal halfspace depth for a... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20741 | 20742 | Theoretical Evaluation of Li et al.'s Approach... | This letter is about a principal weakness of... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20742 | 20743 | Bioinformatics and Medicine in the Era of Deep... | Many of the current scientific advances in t... | 0 | 0 | 0 | 1 | 1 | 0 |
| 20743 | 20744 | A Weakly Supervised Approach to Train Temporal... | Capabilities of detecting temporal relations... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20744 | 20745 | Privacy with Estimation Guarantees | We study the central problem in data privacy... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20745 | 20746 | A line of CFTs: from generalized free fields t... | We point out that there is a simple variant ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20746 | 20747 | Miura transformations for discrete Painlevé eq... | We derive integrable equations starting from... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20747 | 20748 | Virtual Molecular Dynamics | Molecular dynamics is based on solving Newto... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20748 | 20749 | Regression with genuinely functional errors-in... | Contamination of covariates by measurement e... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20749 | 20750 | The distance between a naive cumulative estima... | We consider the process $\widehat\Lambda_n-\... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20750 | 20751 | Controllability of impulse controlled systems ... | This paper studies the approximate and null ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20751 | 20752 | Nearly Optimal Constructions of PIR and Batch ... | In this work we study two families of codes ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20752 | 20753 | Submillimeter Array CO(2-1) Imaging of the NGC... | We present a CO(2-1) mosaic map of the spira... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20753 | 20754 | Optical and Near-Infrared Spectra of sigma Ori... | We have obtained low-resolution optical (0.7... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20754 | 20755 | The Blackbird Dataset: A large-scale dataset f... | The Blackbird unmanned aerial vehicle (UAV) ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20755 | 20756 | An integration of fast alignment and maximum-l... | Motivation: Cellular Electron CryoTomography... | 0 | 0 | 0 | 1 | 1 | 0 |
| 20756 | 20757 | Local and global existence of solutions to a s... | This article focuses on a quasilinear wave e... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20757 | 20758 | Quasi-flat representations of uniform groups a... | Given a discrete group $\Gamma=<g_1,\ldots,g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20758 | 20759 | Nonparametric Preference Completion | We consider the task of collaborative prefer... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20759 | 20760 | Real-Time Reconstruction of Counting Process t... | For the emerging Internet of Things (IoT), o... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20760 | 20761 | Discrepancy-Based Algorithms for Non-Stationar... | We study the multi-armed bandit problem wher... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20761 | 20762 | Kondo lattice heavy fermion behavior in CeRh2Ga2 | The physical properties of an intermetallic ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20762 | 20763 | Khovanov homology and periodic links | Based on the results of the second author, w... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20763 | 20764 | A Note on Spectral Clustering and SVD of Graph... | Spectral clustering and Singular Value Decom... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20764 | 20765 | An explicit analysis of the entropic penalty i... | Solving linear programs by using entropic pe... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20765 | 20766 | Deconstructing the Tail at Scale Effect Across... | Network latencies have become increasingly i... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20766 | 20767 | Deep Neural Generative Model of Functional MRI... | Accurate diagnosis of psychiatric disorders ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20767 | 20768 | Deep Learning for Patient-Specific Kidney Graf... | An accurate model of patient-specific kidney... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20768 | 20769 | When is a Network a Network? Multi-Order Graph... | We introduce a framework for the modeling of... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20769 | 20770 | Outlier-robust moment-estimation via sum-of-sq... | We develop efficient algorithms for estimati... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20770 | 20771 | Clustering High Dimensional Dynamic Data Streams | We present data streaming algorithms for the... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20771 | 20772 | Edge contact angle and modified Kelvin equatio... | We consider capillary condensation transitio... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20772 | 20773 | Thresholds for hanger slackening and cable sho... | The Melan equation for suspension bridges is... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20773 | 20774 | Bendable Cuboid Robot Path Planning with Colli... | Optimal path planning problems for rigid and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20774 | 20775 | Quotients of triangulated categories and Equiv... | We give a sufficient condition for a Verdier... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20775 | 20776 | Sorting sums of binary decision summands | A sum where each of the $N$ summands can be ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20776 | 20777 | A Pursuit of Temporal Accuracy in General Acti... | Detecting activities in untrimmed videos is ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20777 | 20778 | Adjusting systematic bias in high dimensional ... | Principal component analysis continues to be... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20778 | 20779 | Dynamical Exploration of Amplitude Bistability... | Nonlinear systems, whose outputs are not dir... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20779 | 20780 | Map Memorization and Forgetting in the IARA Au... | In this work, we present a novel strategy fo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20780 | 20781 | Effective Subgroup Separability of Finitely Ge... | This paper studies effective separability fo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20781 | 20782 | External Prior Guided Internal Prior Learning ... | Most of existing image denoising methods lea... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20782 | 20783 | A Study of MAC Address Randomization in Mobile... | MAC address randomization is a privacy techn... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20783 | 20784 | Completion of the integrable coupling systems | In this paper, we proposed an procedure to c... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20784 | 20785 | On the wildness of cambrian lattices | In this note, we investigate the representat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20785 | 20786 | Random Projections For Large-Scale Regression | Fitting linear regression models can be comp... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20786 | 20787 | Properties of linear groups with restricted un... | We consider linear groups which do not conta... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20787 | 20788 | Sparse Approximation of 3D Meshes using the Sp... | The discrete Laplace operator is ubiquitous ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20788 | 20789 | Improved Convergence Rates for Distributed Res... | In this paper, we develop a class of decentr... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20789 | 20790 | Sensory Metrics of Neuromechanical Trust | Today digital sources supply an unprecedente... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20790 | 20791 | Quantum algorithms for training Gaussian Proce... | Gaussian processes (GPs) are important model... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20791 | 20792 | Detecting Oriented Text in Natural Images by L... | Most state-of-the-art text detection methods... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20792 | 20793 | Factorizable Module Algebras | The aim of this paper is to introduce and st... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20793 | 20794 | Simultaneous Feature and Body-Part Learning fo... | Robot awareness of human actions is an essen... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20794 | 20795 | Off-diagonal estimates of some Bergman-type op... | We obtain some necessary and sufficient cond... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20795 | 20796 | Provenance and Pseudo-Provenance for Seeded Le... | Many methods for automated software test gen... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20796 | 20797 | Learning Solving Procedure for Artificial Neur... | It is expected that progress toward true art... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20797 | 20798 | On primordial black holes from an inflection p... | Recently, it has been claimed that inflation... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20798 | 20799 | Dropout as a Low-Rank Regularizer for Matrix F... | Regularization for matrix factorization (MF)... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20799 | 20800 | Introduction to a Temporal Graph Benchmark | A temporal graph is a data structure, consis... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20800 | 20801 | Orbifold equivalence: structure and new examples | Orbifold equivalence is a notion of symmetry... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20801 | 20802 | Efficient Attention using a Fixed-Size Memory ... | The standard content-based attention mechani... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20802 | 20803 | Multiplicities of bifurcation sets of Pham sin... | The local multiplicities of the Maxwell sets... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20803 | 20804 | Fast and scalable Gaussian process modeling wi... | The growing field of large-scale time domain... | 0 | 1 | 0 | 1 | 0 | 0 |
| 20804 | 20805 | Toward perfect reads: self-correction of short... | Motivations Short-read accuracy is important... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20805 | 20806 | Learning Pain from Action Unit Combinations: A... | Patient pain can be detected highly reliably... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20806 | 20807 | A Causal And-Or Graph Model for Visibility Flu... | Tracking humans that are interacting with th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20807 | 20808 | Exact Affine Counter Automata | We introduce an affine generalization of cou... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20808 | 20809 | Preorder characterizations of lower separation... | In this paper, we characterize several lower... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20809 | 20810 | Convergence of row sequences of simultaneous P... | We consider row sequences of vector valued P... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20810 | 20811 | A Deep Convolutional Neural Network for Backgr... | In this work, we present a novel background ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20811 | 20812 | A second main theorem for holomorphic curve in... | In this paper, we establish a second main th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20812 | 20813 | Partially hyperbolic diffeomorphisms with one-... | We prove that for any partially hyperbolic d... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20813 | 20814 | Audio-Visual Speech Enhancement based on Multi... | Speech enhancement (SE) aims to reduce noise... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20814 | 20815 | Finding structure in the dark: coupled dark en... | We reexamine interactions between the dark s... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20815 | 20816 | Semantic Autoencoder for Zero-Shot Learning | Existing zero-shot learning (ZSL) models typ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20816 | 20817 | An Information-Theoretic Optimality Principle ... | We methodologically address the problem of Q... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20817 | 20818 | Noise-synchronizability of opinion dynamics | With the analysis of noise-induced synchroni... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20818 | 20819 | Conformer-selection by matter-wave interference | We establish that matter-wave interference a... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20819 | 20820 | Building a Neural Machine Translation System U... | Recent works have shown that synthetic paral... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20820 | 20821 | Learning to Predict Indoor Illumination from a... | We propose an automatic method to infer high... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20821 | 20822 | $H^\infty$-calculus for semigroup generators o... | We prove that the negative infinitesimal gen... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20822 | 20823 | A Bayesian Game without epsilon equilibria | We present a three player Bayesian game for ... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20823 | 20824 | Towards Robust Interpretability with Self-Expl... | Most recent work on interpretability of comp... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20824 | 20825 | Deep Learning Scaling is Predictable, Empirically | Deep learning (DL) creates impactful advance... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20825 | 20826 | Coupled Self-Organized Hydrodynamics and Stoke... | We derive macroscopic dynamics for self-prop... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20826 | 20827 | Tunable Spin-Orbit Torques in Cu-Ta Binary All... | The spin Hall effect (SHE) is found to be st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20827 | 20828 | On Properties of Nests: Some Answers and Quest... | By considering nests on a given space, we ex... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20828 | 20829 | Differential Characters of Drinfeld Modules an... | We introduce differential characters of Drin... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20829 | 20830 | Strong submeasures and several applications | A strong submeasure on a compact metric spac... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20830 | 20831 | Understanding Career Progression in Baseball T... | Professional baseball players are increasing... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20831 | 20832 | Testing the validity of the local and global G... | When deriving a master equation for a multip... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20832 | 20833 | Unsupervised Contact Learning for Humanoid Est... | This work presents a method for contact stat... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20833 | 20834 | Learning to Sequence Robot Behaviors for Visua... | Recent literature in the robotics community ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20834 | 20835 | Evaluation complexity bounds for smooth constr... | Evaluation complexity for convexly constrain... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20835 | 20836 | One level density of low-lying zeros of quadra... | In this paper, we prove some one level densi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20836 | 20837 | An Online Convex Optimization Approach to Dyna... | Existing approaches to online convex optimiz... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20837 | 20838 | Learning causal Bayes networks using intervent... | Causal discovery from empirical data is a fu... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20838 | 20839 | The Fredholm alternative for the $p$-Laplacian... | We investigate the Fredholm alternative for ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20839 | 20840 | Thermodynamic Stabilization of Precipitates th... | Precipitation hardening, which relies on a h... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20840 | 20841 | Wavelength Does Not Equal Pressure: Vertical C... | Multi-band phase variations in principle all... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20841 | 20842 | Supervised Learning of Labeled Pointcloud Diff... | We introduce a new algorithm, called CDER, f... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20842 | 20843 | Design Considerations for Proposed Fermilab In... | Integrable optics is an innovation in partic... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20843 | 20844 | Consistent Estimation in General Sublinear Pre... | We propose an empirical estimator of the pre... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20844 | 20845 | Learned Watershed: End-to-End Learning of Seed... | Learned boundary maps are known to outperfor... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20845 | 20846 | MAGIC Contributions to the 35th International ... | MAGIC (Major Atmospheric Gamma Imaging Chere... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20846 | 20847 | Efficient Hidden Vector Encryptions and Its Ap... | Predicate encryption is a new paradigm of pu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20847 | 20848 | The Galaxy Clustering Crisis in Abundance Matc... | Galaxy clustering on small scales is signifi... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20848 | 20849 | Supplying Dark Energy from Scalar Field Dark M... | We consider the hypothesis that dark matter ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20849 | 20850 | GHz-Band Integrated Magnetic Inductors | The demand on mobile electronics to continue... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20850 | 20851 | Acylindrical actions on projection complexes | We simplify the construction of projection c... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20851 | 20852 | Introducing Geometric Algebra to Geometric Com... | Designing software systems for Geometric Com... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20852 | 20853 | Recovering Nonuniform Planted Partitions via I... | In the planted partition problem, the $n$ ve... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20853 | 20854 | Data-driven Analytics for Business Architectur... | Business Architecture (BA) plays a significa... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20854 | 20855 | Beyond Sparsity: Tree Regularization of Deep M... | The lack of interpretability remains a key b... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20855 | 20856 | Phase-type distributions in population genetics | Probability modelling for DNA sequence evolu... | 0 | 0 | 0 | 1 | 1 | 0 |
| 20856 | 20857 | Robust Wald-type test in GLM with random desig... | We consider the problem of robust inference ... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20857 | 20858 | Locally Smoothed Neural Networks | Convolutional Neural Networks (CNN) and the ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20858 | 20859 | Asymptotic properties of a componentwise ARH(1... | This paper presents new results on predictio... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20859 | 20860 | The Effect of Population Control Policies on S... | Population control policies are proposed and... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20860 | 20861 | Optimizing Beam Transport in Rapidly Compressi... | The Neutralized Drift Compression Experiment... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20861 | 20862 | Learn from Your Neighbor: Learning Multi-modal... | Many structured prediction problems (particu... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20862 | 20863 | Direct and indirect seismic inversion: interpr... | Quantitative methods are more familiar to mo... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20863 | 20864 | Kan's combinatorial spectra and their sheaves ... | We define a right Cartan-Eilenberg structure... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20864 | 20865 | Adiabatic Quantum Computing for Binary Clustering | Quantum computing for machine learning attra... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20865 | 20866 | Similarity Search Over Graphs Using Localized ... | This paper provides a new similarity detecti... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20866 | 20867 | Reminiscences of Julian Schwinger: Late Harvar... | These are reminiscences of my interactions w... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20867 | 20868 | Site-resolved imaging of a bosonic Mott insula... | We demonstrate site-resolved imaging of a st... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20868 | 20869 | A unified continuum and variational multiscale... | We develop a unified continuum modeling fram... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20869 | 20870 | Time Assignment System and Its Performance abo... | Fast timing capability in X-ray observation ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20870 | 20871 | Common fixed points via $λ$-sequences in $G$-m... | In this article, we use $\lambda$-sequences ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20871 | 20872 | Bidirectional Nested Weighted Automata | Nested weighted automata (NWA) present a rob... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20872 | 20873 | Uniform Shapiro-Lopatinski conditions and boun... | We study the regularity of the solutions of ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20873 | 20874 | A Fourier-Chebyshev Spectral Method for Cavita... | A Fourier-Chebyshev spectral method is propo... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20874 | 20875 | Learning Criticality in an Embodied Boltzmann ... | Many biological and cognitive systems do not... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20875 | 20876 | A contemporary look at Hermann Hankel's 1861 p... | The present paper is a companion to the pape... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20876 | 20877 | A Dynamic Edge Exchangeable Model for Sparse T... | We propose a dynamic edge exchangeable netwo... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20877 | 20878 | Current-mode Memristor Crossbars for Neuromemr... | Motivated by advantages of current-mode desi... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20878 | 20879 | Incomplete Gauss sums modulo primes | We obtain a new bound for incomplete Gauss s... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20879 | 20880 | FAST Adaptive Smoothing and Thresholding for I... | Functional Magnetic Resonance Imaging is a n... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20880 | 20881 | Improper multiferroicity and colossal dielectr... | The layered cuprate Bi$_{2}$CuO$_{4}$ is inv... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20881 | 20882 | Suppression of plasma echoes and Landau dampin... | In this paper, we study Landau damping in th... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20882 | 20883 | Deep Learning for Semantic Segmentation on Min... | Deep learning has revolutionised many fields... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20883 | 20884 | Overpartition $M2$-rank differences, class num... | We prove that the generating function of ove... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20884 | 20885 | Communication-Efficient and Decentralized Mult... | We study the decentralized machine learning ... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20885 | 20886 | On the well-posedness of SPDEs with singular d... | We prove existence and uniqueness of strong ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20886 | 20887 | Trace norm regularization and faster inference... | We propose and evaluate new techniques for c... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20887 | 20888 | Scalable and Robust Sparse Subspace Clustering... | Sparse subspace clustering (SSC) is one of t... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20888 | 20889 | Deep Health Care Text Classification | Health related social media mining is a valu... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20889 | 20890 | Study of cost functionals for ptychographic ph... | Recently, efforts have been made to improve ... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20890 | 20891 | Predicting Native Language from Gaze | A fundamental question in language learning ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20891 | 20892 | A form of Schwarz's lemma and a bound for the ... | We present a form of Schwarz's lemma for hol... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20892 | 20893 | The COM-negative binomial distribution: modeli... | In this paper, we focus on the COM-type nega... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20893 | 20894 | Efficient Contextual Bandits in Non-stationary... | Most contextual bandit algorithms minimize r... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20894 | 20895 | Search Engine Drives the Evolution of Social N... | The search engine is tightly coupled with so... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20895 | 20896 | End-to-End Learning of Semantic Grasping | We consider the task of semantic robotic gra... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20896 | 20897 | Von Neumann Regular Cellular Automata | For any group $G$ and any set $A$, a cellula... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20897 | 20898 | A Distance Between Filtered Spaces Via Tripods | We present a simplified treatment of stabili... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20898 | 20899 | Robust Shape Estimation for 3D Deformable Obje... | Existing shape estimation methods for deform... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20899 | 20900 | Beyond Winning and Losing: Modeling Human Moti... | In recent years, reinforcement learning (RL)... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20900 | 20901 | Genetic Algorithms for Mentor-Assisted Evaluat... | In this paper we demonstrate how genetic alg... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20901 | 20902 | Universal Constraints on the Location of Extre... | We derive a lower bound on the location of g... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20902 | 20903 | InScript: Narrative texts annotated with scrip... | This paper presents the InScript corpus (Nar... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20903 | 20904 | Semimetallic and charge-ordered $α$-(BEDT-TTF)... | $\alpha$-(BEDT-TTF)$_2$I$_3$ is a prominent ... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20904 | 20905 | Robust Photometric Stereo Using Learned Image ... | Photometric stereo is a method for estimatin... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20905 | 20906 | Toward Low-Flying Autonomous MAV Trail Navigat... | We present a micro aerial vehicle (MAV) syst... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20906 | 20907 | Origin of Charge Separation at Organic Photovo... | The high efficiency of charge generation wit... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20907 | 20908 | Spectral Decimation for Families of Self-Simil... | We construct a one-parameter family of Lapla... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20908 | 20909 | Identification of multi-object dynamical syste... | Learning the model parameters of a multi-obj... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20909 | 20910 | Elliptic curves maximal over extensions of fin... | Given an elliptic curve $E$ over a finite fi... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20910 | 20911 | CURE: Curvature Regularization For Missing Dat... | Missing data recovery is an important and ye... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20911 | 20912 | Nonlinear parametric excitation effect induces... | Microscopic artificial swimmers have recentl... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20912 | 20913 | $L^p$ Mapping Properties for the Cauchy-Rieman... | We show that on bounded Lipschitz pseudoconv... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20913 | 20914 | Fast dose optimization for rotating shield bra... | Purpose: To provide a fast computational met... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20914 | 20915 | 3D Modeling of Electric Fields in the LUX Dete... | This work details the development of a three... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20915 | 20916 | Optimal Communication Strategies in Networked ... | This paper studies optimal communication and... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20916 | 20917 | First- and Second-Order Models of Recursive Ar... | We study a quadruple of interrelated subexpo... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20917 | 20918 | Land Cover Classification via Multi-temporal S... | Nowadays, modern earth observation programs ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20918 | 20919 | Disentangling by Factorising | We define and address the problem of unsuper... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20919 | 20920 | Symmetries and synchronization in multilayer r... | In the light of the recently proposed scenar... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20920 | 20921 | Application of Decision Rules for Handling Cla... | As part of autonomous car driving systems, s... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20921 | 20922 | Muchnik degrees and cardinal characteristics | We provide a pair of dual results, each stat... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20922 | 20923 | Existence of solutions for a semirelativistic ... | We prove the existence of a solution to the ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20923 | 20924 | Lattice Operations on Terms over Similar Signa... | Unification and generalization are operation... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20924 | 20925 | Towards Physically Safe Reinforcement Learning... | This paper addresses the question of how a p... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20925 | 20926 | Complex Valued Risk Diversification | Risk diversification is one of the dominant ... | 0 | 0 | 0 | 0 | 0 | 1 |
| 20926 | 20927 | An Overview on Application of Machine Learning... | Today's telecommunication networks have beco... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20927 | 20928 | Study of Minor Actinides Transmutation in PWR ... | The management of long-lived radionuclides i... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20928 | 20929 | Undesired parking spaces and contractible piec... | There are two natural simplicial complexes a... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20929 | 20930 | Breaking the Nonsmooth Barrier: A Scalable Par... | Due to their simplicity and excellent perfor... | 1 | 0 | 1 | 1 | 0 | 0 |
| 20930 | 20931 | Sparsity-promoting and edge-preserving maximum... | We consider the inverse problem of recoverin... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20931 | 20932 | Non-LTE line formation of Fe in late-type star... | Our ability to model the shapes and strength... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20932 | 20933 | Transmission clusters in the HIV-1 epidemic am... | Background. Several studies have used phylog... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20933 | 20934 | Conformal blocks attached to twisted groups | The aim of this paper is to generalize the n... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20934 | 20935 | Statistical study on propagation characteristi... | This paper shows a statistical analysis of 1... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20935 | 20936 | Thermally induced stresses in boulders on airl... | This work investigates the macroscopic therm... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20936 | 20937 | Some observations about generalized quantifier... | We analyze the definitions of generalized qu... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20937 | 20938 | Predicting Demographics of High-Resolution Geo... | In this paper, we consider the problem of pr... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20938 | 20939 | Text Compression for Sentiment Analysis via Ev... | Can textual data be compressed intelligently... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20939 | 20940 | Training large margin host-pathogen protein-pr... | Detection of protein-protein interactions (P... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20940 | 20941 | A Useful Solution of the Coupon Collector's Pr... | The Coupon Collector's Problem is one of the... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20941 | 20942 | Accretion driven turbulence in filaments I: No... | We study accretion driven turbulence for dif... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20942 | 20943 | Contextual Outlier Interpretation | Outlier detection plays an essential role in... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20943 | 20944 | Game Theory for Secure Critical Interdependent... | A city's critical infrastructure such as gas... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20944 | 20945 | Implicit Entity Linking in Tweets | Over the years, Twitter has become one of th... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20945 | 20946 | Non-cocompact Group Actions and $π_1$-Semistab... | A finitely presented 1-ended group $G$ has {... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20946 | 20947 | Robust Distributed Control of DC Microgrids wi... | This paper addresses the problem of output v... | 1 | 0 | 1 | 0 | 0 | 0 |
| 20947 | 20948 | Quantum Lower Bounds for Tripartite Versions o... | In this paper, we study quantum query comple... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20948 | 20949 | A Parallel Direct Cut Algorithm for High-Order... | Overset methods are commonly employed to ena... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20949 | 20950 | A data assimilation algorithm: the paradigm of... | In this paper we survey the various implemen... | 0 | 1 | 1 | 0 | 0 | 0 |
| 20950 | 20951 | Playing a true Parrondo's game with a three st... | Playing a Parrondo's game with a qutrit is t... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20951 | 20952 | Cross-modal Recurrent Models for Weight Object... | We analyse multimodal time-series data corre... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20952 | 20953 | Spatial Variational Auto-Encoding via Matrix-V... | The key idea of variational auto-encoders (V... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20953 | 20954 | Optimal Ramp Schemes and Related Combinatorial... | In 1996, Jackson and Martin proved that a st... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20954 | 20955 | Do Neural Nets Learn Statistical Laws behind N... | The performance of deep learning in natural ... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20955 | 20956 | Super-speeds with Zero-RAM: Next Generation La... | This article presents the novel breakthrough... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20956 | 20957 | Recoverable Energy of Dissipative Electromagne... | Ambiguities in the definition of stored ener... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20957 | 20958 | Elliptic Hall algebra on $\mathbb{F}_1$ | We construct Hall algebra of elliptic curve ... | 0 | 0 | 1 | 0 | 0 | 0 |
| 20958 | 20959 | Approximate Bayesian inference with queueing n... | Queueing networks are systems of theoretical... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20959 | 20960 | Universal features of price formation in finan... | Using a large-scale Deep Learning approach a... | 0 | 0 | 0 | 1 | 0 | 1 |
| 20960 | 20961 | A New Tracking Algorithm for Multiple Colloida... | In this paper, we propose a new algorithm ba... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20961 | 20962 | Critical Percolation Without Fine Tuning on th... | We present numerical evidence that most two-... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20962 | 20963 | Low-luminosity stellar wind accretion onto neu... | Features and applications of quasi-spherical... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20963 | 20964 | Faithful Inversion of Generative Models for Ef... | Inference amortization methods share informa... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20964 | 20965 | A social Network Analysis of the Operations Re... | We study the U.S. Operations Research/Indust... | 1 | 0 | 0 | 1 | 0 | 0 |
| 20965 | 20966 | One-sample aggregate data meta-analysis of med... | An aggregate data meta-analysis is a statist... | 0 | 0 | 0 | 1 | 0 | 0 |
| 20966 | 20967 | QuickCast: Fast and Efficient Inter-Datacenter... | Large inter-datacenter transfers are crucial... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20967 | 20968 | Contemporary machine learning: a guide for pra... | Machine learning is finding increasingly bro... | 1 | 1 | 0 | 0 | 0 | 0 |
| 20968 | 20969 | Uniform diamond coatings on WC-Co hard alloy c... | Polycrystalline diamond coatings have been g... | 0 | 1 | 0 | 0 | 0 | 0 |
| 20969 | 20970 | Analysing Soccer Games with Clustering and Con... | We present a new approach for identifying si... | 1 | 0 | 0 | 0 | 0 | 0 |
| 20970 | 20971 | On the Efficient Simulation of the Left-Tail o... | The sum of Log-normal variates is encountere... | 0 | 0 | 1 | 1 | 0 | 0 |
| 20971 | 20972 | Why optional stopping is a problem for Bayesians | Recently, optional stopping has been a subje... | 0 | 0 | 1 | 1 | 0 | 0 |
Step 3.4: Drop rows with NaN values in the text column¶
Handling NaN Values in the Text Column¶
Definition of NaN Values¶
NaN stands for "Not a Number" and is used to represent missing or undefined values in a dataset. In the context of text data, NaN values indicate that a particular entry in the text column is missing or empty.
Purpose of Dropping Rows with NaN Values¶
Dropping rows with NaN values is an essential pre-processing step to ensure that the dataset is clean and complete. Working with incomplete data can lead to errors and unreliable results in text analysis and machine learning models. By removing rows with NaN values, we can:
- Ensure Data Quality: Removing incomplete data entries helps maintain the integrity and quality of the dataset.
- Prevent Errors: Many text processing functions and machine learning algorithms cannot handle NaN values and will raise errors if they encounter them.
- Improve Model Performance: Clean and complete data contributes to more accurate and reliable model performance.
# Sample data without Droping Rows with NAN Values
print(len(data))
20972
# Drop rows with NaN values in the text column
data = data.dropna(subset=[ 'ABSTRACT'])
# Sample data After Droping Rows with NAN Values
print(len(data))
20972
Step 3.5: Apply Data Cleaning¶
Remove symbol and numbers Data in original format
data[ 'ABSTRACT']
0 Predictive models allow subject-specific inf...
1 Rotation invariance and translation invarian...
2 We introduce and develop the notion of spher...
3 The stochastic Landau--Lifshitz--Gilbert (LL...
4 Fourier-transform infra-red (FTIR) spectra o...
5 Let $\Omega \subset \mathbb{R}^n$ be a bound...
6 We observed the newly discovered hyperbolic ...
7 The ability of metallic nanoparticles to sup...
8 We model large-scale ($\approx$2000km) impac...
9 Time varying susceptibility of host at indiv...
10 We present a systematic global sensitivity a...
11 "Three is a crowd" is an old proverb that ap...
12 We study the exciton magnetic polaron (EMP) ...
13 The classical Eilenberg correspondence, base...
14 Using low-temperature Magnetic Force Microsc...
15 The recent discovery that the exponent of ma...
16 The process that leads to the formation of t...
17 We describe a variant construction of the un...
18 When investigators seek to estimate causal e...
19 Assigning homogeneous boundary conditions, s...
20 The impact of random fluctuations on the dyn...
21 Rare regions with weak disorder (Griffiths r...
22 The Fault Detection and Isolation Tools (FDI...
23 Detectability of discrete event systems (DES...
24 Let $X$ be a partially ordered set with the ...
25 Efficient methods are proposed, for computin...
26 We present a novel sound localization algori...
27 In this paper we introduce the notion of $\z...
28 We consider the problem of estimating the $L...
29 We investigate the density large deviation f...
30 Large deep neural networks are powerful, but...
31 In 1978 Brakke introduced the mean curvature...
32 With recent advancements in drone technology...
33 Electronic health records (EHR) contain a la...
34 Artificial Neural Network computation relies...
35 In this work, we establish a full single-let...
36 This work discusses the numerical approximat...
37 There are many web-based visualization syste...
38 We present an investigation of the supernova...
39 Previous approaches to training syntax-based...
40 Mean-field Variational Bayes (MFVB) is an ap...
41 In this paper, we empirically study models f...
42 Ballistic point contact (BPC) with zigzag ed...
43 Sparse superposition (SS) codes were origina...
44 When developing general purpose robots, the ...
45 We propose an approach to estimate 3D human ...
46 We extend the work of Fouvry, Kowalski and M...
47 Nonclassical states of a quantized light are...
48 Following the recent progress in image class...
49 Real time large scale streaming data pose ma...
50 Machine learning algorithms such as linear r...
51 We consider multi-time correlators for outpu...
52 Constraint Handling Rules is an effective co...
53 Many people are suffering from voice disorde...
54 Computing a basis for the exponent lattice o...
55 Investigating the emergence of a particular ...
56 Stimuli-responsive materials that modify the...
57 Today's landscape of robotics is dominated b...
58 Machine learning models, especially based on...
59 We study the query complexity of cake cuttin...
60 This paper studies the emotion recognition f...
61 We consider previous models of Timed, Probab...
62 We present muon spin rotation measurements o...
63 Here we reveal details of the interaction be...
64 We report on experimentally measured light s...
65 We describe a novel weakly supervised deep l...
66 We establish the C^{1,1} regularity of quasi...
67 Let $M$ be a complex manifold of dimension $...
68 Reinforcement learning methods require caref...
69 In this paper we are interested in the class...
70 We propose a new multivariate dependency mea...
71 The pyrochlore metal Cd2Re2O7 has been recen...
72 In evolutionary biology, the speciation hist...
73 Subject of research is complex networks and ...
74 We study the effect of domain growth on the ...
75 This paper discusses minimum distance estima...
76 Mobile edge clouds (MECs) bring the benefits...
77 Analog black/white hole pairs, consisting of...
78 Let $K$ be a function field over a finite fi...
79 We study the evolution of spin-orbital corre...
80 For autonomous agents to successfully operat...
81 End-to-end approaches have drawn much attent...
82 Elasticity is a cloud property that enables ...
83 This is an exposition of homotopical results...
84 Answer Set Programming (ASP) is a well-estab...
85 The advances in geometric approaches to opti...
86 We investigate crack propagation in a simple...
87 The fundamental group $\pi$ of a Kodaira fib...
88 Transistors incorporating single-wall carbon...
89 This paper derives two new optimization-driv...
90 Yes, but only for a parameter value that mak...
91 The interest in the extracellular vesicles (...
92 The processes of the averaged regression qua...
93 We study primordial perturbations from hyper...
94 Vanadium pentoxide (V2O5), the most stable m...
95 In this paper, we presented a novel convolut...
96 A variety of representation learning approac...
97 Motivated by Perelman's Pseudo Locality Theo...
98 We bound an exponential sum that appears in ...
99 We investigate the effect of dimensional cro...
100 Humans can learn in a continuous manner. Old...
101 In this paper, we study the generalized poly...
102 Over the last decade, wireless networks have...
103 We report on a combined study of the de Haas...
104 Atar, Chowdhary and Dupuis have recently exh...
105 Bilayer van der Waals (vdW) heterostructures...
106 We construct the algebraic cobordism theory ...
107 People with profound motor deficits could pe...
108 Object detection in wide area motion imagery...
109 Monte Carlo Tree Search (MCTS), most famousl...
110 We study the Fermi-edge singularity, describ...
111 Retrosynthesis is a technique to plan the ch...
112 The class of stochastically self-similar set...
113 We report on the influence of spin-orbit cou...
114 In this work we examine how the updates addr...
115 Gene regulatory networks are powerful abstra...
116 Glaucoma is the second leading cause of blin...
117 The life of the modern world essentially dep...
118 This paper considers the actor-critic contex...
119 In 1933 Kolmogorov constructed a general the...
120 Recently a new fault tolerant and simple mec...
121 This work presents a new method to quantify ...
122 The first transiting planetesimal orbiting a...
123 In this review article, we discuss recent st...
124 Stacking-based deep neural network (S-DNN), ...
125 In spite of Anderson's theorem, disorder is ...
126 We investigate beam loading and emittance pr...
127 In this paper, we propose a practical receiv...
128 According to astrophysical observations valu...
129 Dynamic languages often employ reflection pr...
130 Reductions for transition systems have been ...
131 Poynting's theorem is used to obtain an expr...
132 Let M be a compact Riemannian manifold and l...
133 We examine the representation of numbers as ...
134 Regression for spatially dependent outcomes ...
135 One of the most important parameters in iono...
136 For the particles undergoing the anomalous d...
137 Stabilizing the magnetic signal of single ad...
138 We study a minimal model for the growth of a...
139 Electronic Health Records (EHR) are data gen...
140 Mission critical data dissemination in massi...
141 We develope a two-species exclusion process ...
142 We introduce a large class of random Young d...
143 We explicitly compute the critical exponents...
144 We obtain a Bernstein-type inequality for su...
145 The temperature-dependent evolution of the K...
146 Hegarty conjectured for $n\neq 2, 3, 5, 7$ t...
147 An immersion $f : {\mathcal D} \rightarrow \...
148 Resolving the relationship between biodivers...
149 The principle of democracy is that the peopl...
150 With the increasing commoditization of compu...
151 We rework and generalize equivariant infinit...
152 We prove that any open subset $U$ of a semi-...
153 We show that nonlocal minimal cones which ar...
154 Let $f_1,\ldots,f_k : \mathbb{N} \rightarrow...
155 The apparent gas permeability of the porous ...
156 In previous papers, threshold probabilities ...
157 Runtime enforcement can be effectively used ...
158 The atomic norm provides a generalization of...
159 We study the problem of causal structure lea...
160 We present a novel data-driven nested optimi...
161 We explore the topological properties of qua...
162 Most of the codes that have an algebraic dec...
163 Motivated by the study of Nishinou-Nohara-Ue...
164 Ensemble data assimilation methods such as t...
165 In this paper, we consider the Tensor Robust...
166 Galaxies in the local Universe are known to ...
167 We introduce a minimal model for the evoluti...
168 The handwritten string recognition is still ...
169 We note that the necessary and sufficient co...
170 These lectures notes were written for a summ...
171 It has been shown recently that changing the...
172 To identify the estimand in missing data pro...
173 In this paper, we provide an analysis of sel...
174 Understanding smart grid cyber attacks is ke...
175 We propose a family of near-metrics based on...
176 Recommender system is an important component...
177 This paper describes the Stockholm Universit...
178 Neuroscientists classify neurons into differ...
179 The extremely low efficiency is regarded as ...
180 A numerical method for particle-laden fluids...
181 We construct a Schwinger-Keldysh effective f...
182 Observables have a dual nature in both class...
183 Let $(M,g)$ be a smooth compact Riemannian m...
184 Random feature maps are ubiquitous in modern...
185 The calculation of minimum energy paths for ...
186 Social media has changed the ways of communi...
187 Let $E_n(f)_{\alpha,\beta,\gamma}$ denote th...
188 Due to the increasing dependency of critical...
189 We implement an efficient numerical method t...
190 Bulk and surface electronic structures, calc...
191 It is often recommended that identifiers for...
192 Deep learning methods have achieved high per...
193 We propose a linear-time, single-pass, top-d...
194 In this paper, we consider a Hamiltonian sys...
195 We relate the concepts used in decentralized...
196 Time-varying network topologies can deeply i...
197 A long-standing obstacle to progress in deep...
198 We study the band structure topology and eng...
199 Boundary value problems for Sturm-Liouville ...
200 The topological morphology--order of zeros a...
201 The purpose of this paper is to formulate an...
202 This paper considers the problem of autonomo...
203 This study explores the validity of chain ef...
204 Developing neural network image classificati...
205 We propose a new multi-frame method for effi...
206 Let $\K$ be an algebraically closed field of...
207 We present the mixed Galerkin discretization...
208 The regularity of earthquakes, their destruc...
209 In this paper, we prove some difference anal...
210 Large-scale datasets have played a significa...
211 Observational data collected during experime...
212 For a knot $K$ in a homology $3$-sphere $\Si...
213 Sparse feature selection is necessary when w...
214 In this letter, we consider the joint power ...
215 A ROSAT survey of the Alpha Per open cluster...
216 Realistic music generation is a challenging ...
217 Young asteroid families are unique sources o...
218 We provide a graph formula which describes a...
219 Tomography has made a radical impact on dive...
220 Generative Adversarial Networks (GANs) excel...
221 Based on optical high-resolution spectra obt...
222 Inferring directional connectivity from poin...
223 Support vector machines (SVMs) are an import...
224 Estimating vaccination uptake is an integral...
225 We show that every invertible strong mixing ...
226 Development of a mesoscale neural circuitry ...
227 The system that we study in this paper conta...
228 In this paper we present a novel methodology...
229 As a measure for the centrality of a point i...
230 When a two-dimensional electron gas is expos...
231 In many applications involving large dataset...
232 In the work of Peng et al. in 2012, a new me...
233 Categories of polymorphic lenses in computer...
234 We present an efficient algorithm to compute...
235 We give a new example of an automata group o...
236 The crossover from Bardeen-Cooper-Schrieffer...
237 Model compression is essential for serving l...
238 200 nm thick SiO2 layers grown on Si substra...
239 Corrosion of Indian RAFMS (reduced activatio...
240 This paper presents an overview and discussi...
241 For the problem of nonparametric detection o...
242 Metabolic flux balance analyses are a standa...
243 We introduce a robust estimator of the locat...
244 In glass forming liquids close to the glass ...
245 We propose a new Pareto Local Search Algorit...
246 We identify the components of bio-inspired a...
247 In the present work we study Bayesian nonpar...
248 We will show that $(1-q)(1-q^2)\dots (1-q^m)...
249 In this paper, we develop a position estimat...
250 We study the decomposition of a multivariate...
251 Linear time-periodic (LTP) dynamical systems...
252 Broad efforts are underway to capture metada...
253 Recently, digital music libraries have been ...
254 One key requirement for effective supply cha...
255 We propose a deformable generator model to d...
256 The Gaussian kernel is a very popular kernel...
257 Security, privacy, and fairness have become ...
258 The difficulty of modeling energy consumptio...
259 This paper studies a recently proposed conti...
260 When the brain receives input from multiple ...
261 A common problem in large-scale data analysi...
262 The unusually high surface tension of room t...
263 Hamiltonian Monte Carlo (HMC) is a powerful ...
264 We present a new method for the automated sy...
265 In the present paper we consider numerical m...
266 This paper re-investigates the estimation of...
267 We experimentally confirmed the threshold be...
268 The paper proposes an expanded version of th...
269 In processing human produced text using natu...
270 The asymptotic variance of the maximum likel...
271 Fully automating machine learning pipelines ...
272 We provide a comprehensive study of the conv...
273 Magnetic Particle Imaging (MPI) is a novel i...
274 Draft of textbook chapter on neural machine ...
275 Let $D$ be a bounded domain $D$ in $\mathbb ...
276 The novel unseen classes can be formulated a...
277 In this paper, we study the performance of t...
278 In recent years, the proliferation of online...
279 Deep convolutional neural networks (CNNs) ha...
280 The task of calibration is to retrospectivel...
281 Cyclotron resonant scattering features (CRSF...
282 This paper is devoted to the study of the co...
283 We present a unified categorical treatment o...
284 Recent advances in stochastic gradient techn...
285 We study the problems related to the estimat...
286 Training a neural network using backpropagat...
287 We study a diagrammatic categorification (th...
288 Recently, we have predicted that the modulat...
289 A three-dimensional spin current solver base...
290 This paper aims to explore models based on t...
291 Immiscible fluids flowing at high capillary ...
292 Quantum charge pumping phenomenon connects b...
293 Heart disease is the leading cause of death,...
294 The theory of integral quadratic constraints...
295 Foreshock transients upstream of Earth's bow...
296 The quantum speed limit (QSL), or the energy...
297 This paper mainly discusses the diffusion on...
298 This paper proposes a non-parallel many-to-m...
299 Informed by LES data and resolvent analysis ...
300 One of the popular approaches for low-rank t...
301 Nous tentons dans cet article de proposer un...
302 X-ray computed tomography (CT) using sparse ...
303 A singular (or Hermann) foliation on a smoot...
304 The Weyl semimetal phase is a recently disco...
305 A sequence of pathological changes takes pla...
306 This work bridges the technical concepts und...
307 Fragility curves are commonly used in civil ...
308 We consider continuous-time Markov chains wh...
309 We construct embedded minimal surfaces which...
310 We report the discovery of three small trans...
311 We define a family of quantum invariants of ...
312 We propose Sparse Neural Network architectur...
313 Computer vision has made remarkable progress...
314 A numerical analysis of heat conduction thro...
315 This paper provides short proofs of two fund...
316 Nefarious actors on social media and other p...
317 Recent advances in adversarial Deep Learning...
318 Users form information trails as they browse...
319 We analyze two novel randomized variants of ...
320 In this paper, we prove a mean value formula...
321 In this work, we investigate the value of un...
322 Superconductor-Ferromagnet (SF) heterostruct...
323 We present the first general purpose framewo...
324 Long-term load forecasting plays a vital rol...
325 Many empirical studies document power law be...
326 In topological quantum computing, informatio...
327 $ \def\vecc#1{\boldsymbol{#1}} $We design a ...
328 Self-supervised learning (SSL) is a reliable...
329 Deep reinforcement learning on Atari games m...
330 We consider the problem of isotonic regressi...
331 Heating, Ventilation, and Cooling (HVAC) sys...
332 In this paper, we consider the problem of id...
333 Identification of patients at high risk for ...
334 Tropical recurrent sequences are introduced ...
335 An interesting approach to analyzing neural ...
336 We explore whether useful temporal neural ge...
337 Kitaev quantum spin liquid is a topological ...
338 Identifying the mechanism by which high ener...
339 Dependently typed languages such as Coq are ...
340 Any generic closed curve in the plane can be...
341 Consider a channel with a given input distri...
342 Let $L_0$ and $L_1$ be two distinct rays ema...
343 A habitable exoplanet is a world that can ma...
344 In this paper, we evaluate the accuracy of d...
345 The distance standard deviation, which arise...
346 One of the most basic skills a robot should ...
347 In this paper, we give a complete characteri...
348 We derive the mean squared error convergence...
349 Widespread use of social media has led to th...
350 The vortex method is a common numerical and ...
351 Let $R$ be an associative ring with unit and...
352 For an arbitrary finite family of semi-algeb...
353 Riemannian geometry is a particular case of ...
354 We investigate how a neural network can lear...
355 In this paper, we present a combinatorial ap...
356 Many giant exoplanets are found near their R...
357 A new Short-Orbit Spectrometer (SOS) has bee...
358 Capacitive deionization (CDI) is a fast-emer...
359 We present bilateral teleoperation system fo...
360 We propose two multimodal deep learning arch...
361 Educational research has shown that narrativ...
362 Hospital acquired infections (HAI) are infec...
363 We advocate the use of curated, comprehensiv...
364 In this article, we study orbifold construct...
365 Deconstruction of the theme of the 2017 FQXi...
366 The Atacama Large millimetre/submillimetre A...
367 In this paper, we study the $\mu$-ordinary l...
368 Charts are an excellent way to convey patter...
369 We consider a modification to the standard c...
370 We describe the configuration space $\mathbf...
371 This paper discusses a Metropolis-Hastings a...
372 Luke P. Lee is a Tan Chin Tuan Centennial Pr...
373 Topology has appeared in different physical ...
374 We study the scale and tidy subgroups of an ...
375 The coupled exciton-vibrational dynamics of ...
376 In the first part of this work we show the c...
377 We study the Nonparametric Maximum Likelihoo...
378 Parametric resonance is among the most effic...
379 The 1+1 REMPI spectrum of SiO in the 210-220...
380 Robots and automated systems are increasingl...
381 With the use of ontologies in several domain...
382 In this short note, we present a novel metho...
383 Visualizing a complex network is computation...
384 We prove that every triangle-free graph with...
385 We study the two-dimensional topology of the...
386 The new index of the author's popularity est...
387 We compute the genus 0 Belyi map for the spo...
388 Our goal is to find classes of convolution s...
389 CMO Council reports that 71\% of internet us...
390 We prove the Lefschetz duality for intersect...
391 All possible removals of $n=5$ nodes from ne...
392 In this paper, we study stochastic non-conve...
393 Lower bounds on the smallest eigenvalue of a...
394 This paper describes the development of a ma...
395 One advantage of decision tree based methods...
396 For decades, conventional computers based on...
397 We generalise some well-known graph paramete...
398 During the ionization of atoms irradiated by...
399 We are interested in extending operators def...
400 Convolutional Neural Networks (CNNs) can lea...
401 We present an efficient second-order algorit...
402 Swarm systems constitute a challenging probl...
403 We describe the design and implementation of...
404 Controlling embodied agents with many actuat...
405 Let $n >3$ and $ 0< k < \frac{n}{2} $ be int...
406 Recently software development companies star...
407 Generative Adversarial Networks (GANs) produ...
408 We study the phase space dynamics of cosmolo...
409 In this work, we propose an end-to-end deep ...
410 In this paper, we prove that there exists a ...
411 To probe the star-formation (SF) processes, ...
412 We present novel oblivious routing algorithm...
413 We study functional graphs generated by quad...
414 Helmholtz decomposition theorem for vector f...
415 We use Richter's $2$-primary proof of Gray's...
416 We show that certain orderable groups admit ...
417 Machine learning classifiers are known to be...
418 Tidal streams of disrupting dwarf galaxies o...
419 The response of an electron system to electr...
420 A new generation of solar instruments provid...
421 In the past decade, the information security...
422 Permutation polynomials over finite fields h...
423 Ben-David and Shelah proved that if $\lambda...
424 The real Scarf II potential is discussed as ...
425 This paper presents a novel model for multim...
426 In a single winner election with several can...
427 In the framework of the Einstein-Maxwell-aet...
428 The $p$-set, which is in a simple analytic f...
429 This paper presents the design and implement...
430 This work proposes a new algorithm for train...
431 Learning-based approaches to robotic manipul...
432 A 1-ended finitely presented group has semis...
433 Developing and testing algorithms for autono...
434 Let $G$ be a finitely generated pro-$p$ grou...
435 Brain-Machine Interaction (BMI) system motiv...
436 Road networks in cities are massive and is a...
437 In this Letter, we study the motion and wake...
438 Theory of Mind is the ability to attribute m...
439 We study families of varieties endowed with ...
440 Large-scale extragalactic magnetic fields ma...
441 Predicting the future state of a system has ...
442 We show that for an elliptic curve E defined...
443 Wireless backhaul communication has been rec...
444 Feature engineering has been the key to the ...
445 We investigate the spin structure of a uni-a...
446 Several natural satellites of the giant plan...
447 A number of fundamental quantities in statis...
448 Let $E/\mathbb{Q}$ be an elliptic curve of l...
449 The Tu--Deng Conjecture is concerned with th...
450 In this paper, we made an extension to the c...
451 We further progress along the line of Ref. [...
452 Marker-based and marker-less optical skeleta...
453 Diffusion maps are an emerging data-driven t...
454 We present a set of effective outflow/open b...
455 The recent detection of two faint and extend...
456 Fundamental relations between information an...
457 Galaxy cluster centring is a key issue for p...
458 The goal of this article is to provide an us...
459 The ongoing progress in quantum theory empha...
460 Non-conding RNAs play a key role in the post...
461 We show that in Grayson's model of higher al...
462 We study the min-cost seed selection problem...
463 We propose a new splitting criterion for a m...
464 Variational approaches for the calculation o...
465 In this work, we present a methodology that ...
466 Recent studies on diffusion-based sampling m...
467 We use automatic speech recognition to asses...
468 We consider bilinear optimal control problem...
469 We carry out a comprehensive analysis of let...
470 A hybrid mobile/fixed device cloud that harn...
471 Despite numerous studies the exact nature of...
472 We study $SU(N)$ Quantum Chromodynamics (QCD...
473 Investigation of the autoignition delay of t...
474 Choi et. al (2011) introduced a minimum span...
475 Variational Bayesian neural nets combine the...
476 We define rules for cellular automata played...
477 In the present work, we explore the existenc...
478 For a class of partially observed diffusions...
479 We study the motion of an electron bubble in...
480 We present new JVLA multi-frequency measurem...
481 We develop an on-line monitoring procedure t...
482 A susceptibility propagation that is constru...
483 This paper analyzes the downlink performance...
484 We demonstrate the first application of deep...
485 Strong-coupling of monolayer metal dichalcog...
486 Positioning data offer a remarkable source o...
487 BiHom-Lie Colour algebra is a generalized Ho...
488 We consider the problem related to clusterin...
489 Baker, Harman, and Pintz showed that a weak ...
490 Improved Phantom cell is a new scenario whic...
491 We address the problem of localisation of ob...
492 All people have to make risky decisions in e...
493 Modeling the interior of exoplanets is essen...
494 In this paper we discuss the characteristics...
495 Schoof's classic algorithm allows point-coun...
496 Let $L/K$ be a tame and Galois extension of ...
497 Transformative AI technologies have the pote...
498 Let $G,H$ be groups, $\phi: G \rightarrow H$...
499 A matrix is said to possess the Restricted I...
500 We present a compact design for a velocity-m...
501 Batch codes, first introduced by Ishai, Kush...
502 The energy efficiency and power of a three-t...
503 In recent years, a number of methods for ver...
504 During exploratory testing sessions the test...
505 We demonstrate the parallel and non-destruct...
506 In this work we apply Amplitude Modulation S...
507 We propose a novel class of dynamic shrinkag...
508 The monitoring of the lifestyles may be perf...
509 The extreme value index is a fundamental par...
510 The spread of opinions, memes, diseases, and...
511 We study the problem of testing identity aga...
512 Component-based design is a different way of...
513 Dust devils are likely the dominant source o...
514 With the help of first principles calculatio...
515 Lowpass envelope approximation of smooth con...
516 We study the spectral properties of curl, a ...
517 This paper presents a topology optimization ...
518 It is pointed out that the generalized Lambe...
519 Motivated by applications in cancer genomics...
520 Smart cities are a growing trend in many cit...
521 Bayesian estimation is increasingly popular ...
522 Reaction-diffusion equations appear in biolo...
523 Drivable free space information is vital for...
524 In this paper, the fundamental problem of di...
525 High-mass stars are expected to form from de...
526 The Lennard-Jones (LJ) potential is a corner...
527 Thompson sampling has emerged as an effectiv...
528 In recent years, Deep Learning has become th...
529 Proxima Centauri is known as the closest sta...
530 In this paper, we propose an optimization-ba...
531 Using density-functional theory calculations...
532 MicroRNAs play important roles in many biolo...
533 We present a simultaneous localization and m...
534 This survey is about old and new results abo...
535 A high redundant non-holonomic humanoid mobi...
536 This article discusses a framework to suppor...
537 The amount of ultraviolet irradiation and ab...
538 Online video services, messaging systems, ga...
539 We prove that the homotopy algebraic K-theor...
540 Screened modified gravity (SMG) is a kind of...
541 Selective weed treatment is a critical step ...
542 Let $G:=\widehat{SL_2}$ denote the affine Ka...
543 The existing measurement theory interprets t...
544 Researchers are often interested in analyzin...
545 This paper deals with some simple results ab...
546 In this study, we determine all modular curv...
547 In the framework of multi-body dynamics, suc...
548 Capsule Networks envision an innovative poin...
549 The effects of MHD boundary layer flow of no...
550 Resting-state functional Arterial Spin Label...
551 We propose a novel end-to-end neural network...
552 The collective magnetic excitations in the s...
553 We report the proximity induced anomalous tr...
554 Networked control systems (NCS) have attract...
555 Given a property of representations satisfyi...
556 A novel adaptive local surface refinement te...
557 This paper introduces a general method to ap...
558 Large-scale computational experiments, often...
559 We provide an overview of several non-linear...
560 Advancements in deep learning over the years...
561 Our desire and fascination with intelligent ...
562 Conventional crystalline magnets are charact...
563 We introduce the new version of SimProp, a M...
564 Given a collection of data points, non-negat...
565 Muon reconstruction in the Daya Bay water po...
566 We present a method to improve the accuracy ...
567 The primary function of memory allocators is...
568 We extend a data-based model-free multifract...
569 We formulate and analyze a novel hypothesis ...
570 This work is motivated by a particular probl...
571 Telescopes based on the imaging atmospheric ...
572 Transition metal dichalcogenides (TMDs) are ...
573 In a classical regression model, it is usual...
574 We present a clustering-based language model...
575 We study special circle bundles over two ele...
576 We report a method to control the positions ...
577 Let $f$ be a primitive cusp form of weight $...
578 Hierarchical graph clustering is a common te...
579 A two-dimensional bidisperse granular fluid ...
580 We study the \emph{Proximal Alternating Pred...
581 Chemical or enzymatic cross-linking of casei...
582 We investigate a construction of an integral...
583 Nowadays, online video platforms mostly reco...
584 Exploration of asteroids and small-bodies ca...
585 In automatic speech processing systems, spea...
586 Predicting when rupture occurs or cracks pro...
587 This paper investigates the multiplicative s...
588 We present a representation learning algorit...
589 Consider a social network where only a few n...
590 In this paper, we present a novel structure,...
591 We show how a characteristic length scale im...
592 Starting from isentropic compressible Navier...
593 We study a stochastic primal-dual method for...
594 We investigate a new sampling scheme aimed a...
595 We report the measurements of de Haas-van Al...
596 Statistical inference can be computationally...
597 Mitochondrial oxidative phosphorylation (mOx...
598 Using a representation theorem of Erik Alfse...
599 High-pressure neutron powder diffraction, mu...
600 This paper presents a fixturing strategy for...
601 Labeled Latent Dirichlet Allocation (LLDA) i...
602 Multimedia Forensics allows to determine whe...
603 We present an informal review of recent work...
604 We consider the problem of learning sparse p...
605 The KdV equation can be derived in the shall...
606 This paper proposes a new actor-critic-style...
607 Counting dominating sets in a graph $G$ is c...
608 High signal to noise ratio (SNR) consistency...
609 Reduction of communication and efficient par...
610 In this paper, we focus on fully automatic t...
611 The success of autonomous systems will depen...
612 This paper presents a distance-based discrim...
613 Molecular reflections on usual wall surfaces...
614 Let $f(a,b,c,d)=\sqrt{a^2+b^2}+\sqrt{c^2+d^2...
615 We consider the task of generating draws fro...
616 Using holography, we model experiments in wh...
617 In this paper, we study random subsampling o...
618 Both hybrid automata and action languages ar...
619 In this paper, an enthalpy-based multiple-re...
620 Barchan dunes are crescentic shape dunes wit...
621 Isotonic regression is a standard problem in...
622 This paper considers a time-inconsistent sto...
623 The Internet of Things (IoT) demands authent...
624 The increasing number of protein-based metam...
625 Recent advances in the field of network repr...
626 Numerous studies have been carried out to me...
627 We study the problem of constructing a (near...
628 We begin by introducing the main ideas of th...
629 Time series shapelets are discriminative sub...
630 In this work, we present an experimental stu...
631 Recent work on the representation of functio...
632 Measurement error in observational datasets ...
633 An extremely simple, description of Karmarka...
634 We consider a wireless sensor network that u...
635 Transfer operators such as the Perron--Frobe...
636 In this paper we consider the three-dimensio...
637 In this paper, a comparative study was condu...
638 Tension-network (`tensegrity') robots encoun...
639 The statistical behaviour of the smallest ei...
640 Dam breach models are commonly used to predi...
641 We study the near-infrared properties of 690...
642 There is an inherent need for autonomous car...
643 We consider the problem of dynamic spectrum ...
644 We design a new myopic strategy for a wide c...
645 Deep convolutional neural networks have libe...
646 Numerical simulations of the G.O. Roberts dy...
647 Using a projection-based decoupling of the F...
648 We offer a generalization of a formula of Po...
649 In this paper, we show that any compact mani...
650 Given the importance of crystal symmetry for...
651 Several social, medical, engineering and bio...
652 This paper is concerned with the online esti...
653 Computed tomography (CT) examinations are co...
654 The turbulent Rayleigh--Taylor system in a r...
655 In the animal world, the competition between...
656 With approximately half of the world's popul...
657 The best summary of a long video differs amo...
658 Recently, heavily doped semiconductors are e...
659 It is shown that using beam splitters with n...
660 In this paper, we consider a partial informa...
661 In recent years, research has been done on a...
662 Shock wave interactions with defects, such a...
663 We propose factor models for the cross-secti...
664 Many signals on Cartesian product graphs app...
665 The double exponential formula was introduce...
666 Strain engineering has attracted great atten...
667 A complex system can be represented and anal...
668 Neural network based generative models with ...
669 Detection of interactions between treatment ...
670 The limitations in performance of the presen...
671 Given a klt singularity $x\in (X, D)$, we sh...
672 Condensed-matter analogs of the Higgs boson ...
673 Well-known for its simplicity and effectiven...
674 We study the problem of sparsity constrained...
675 We present a communication- and data-sensiti...
676 This paper outlines a methodology for Bayesi...
677 Failing to distinguish between a sheepdog an...
678 Achieving the goals in the title (and others...
679 We present a scalable, black box, perception...
680 This paper presents a novel generative model...
681 The two-stage least-squares (2SLS) estimator...
682 An unsupervised learning classification mode...
683 We investigate the predictability of several...
684 Correlated random walks (CRW) have been used...
685 This paper presents a novel context-based ap...
686 We present E NERGY N ET , a new framework fo...
687 Finding the dense regions of a graph and rel...
688 We propose a robust gesture-based communicat...
689 Unique among alkali-doped $\textit {A}$$_3$C...
690 Improving the performance of superconducting...
691 This paper will detail changes in the operat...
692 We consider the withdrawal of a ball from a ...
693 We disentangle all the individual degrees of...
694 Motivated by the recently proposed parallel ...
695 The particular type of four-kink multi-solit...
696 Estimates of the Hubble constant, $H_0$, fro...
697 A multi-user multi-armed bandit (MAB) framew...
698 In this paper, we analyze the effects of con...
699 The challenge of assigning importance to ind...
700 An elementary rheory of concatenation is int...
701 JavaBIP allows the coordination of software ...
702 In rapid release development processes, patc...
703 Examining games from a fresh perspective we ...
704 We establish the convergence rates and asymp...
705 The study of relays with the scope of energy...
706 Generative Adversarial Networks (GANs) were ...
707 This paper is concerned with the computation...
708 We present possible explanations of pulsatio...
709 Recently introduced composition operator for...
710 Internet-of-Things end-nodes demand low powe...
711 During the last two decades, Genetic Program...
712 The control of dynamical, networked systems ...
713 We construct constant mean curvature surface...
714 We discuss various universality aspects of n...
715 The relativistic jets created by some active...
716 A new synthesis scheme is proposed to effect...
717 We present a machine learning based informat...
718 In today's databases, previous query answers...
719 Beam search is a desirable choice of test-ti...
720 In 1997 B. Weiss introduced the notion of me...
721 In this paper, we show how to construct grap...
722 Let $f(x,y)=ax^2+bxy+cy^2$ be a binary quadr...
723 The numerical availability of statistical in...
724 Phaseless super-resolution is the problem of...
725 This paper is the first chapter of three of ...
726 Photoelectron yields of extruded scintillati...
727 We report a precise measurement of hyperfine...
728 We study a dynamical system induced by the A...
729 We introduce a new invariant, the real (loga...
730 Effective communication is required for team...
731 The discovery of 1I/2017 U1 ('Oumuamua) has ...
732 In the context of orientable circuits and su...
733 Purpose: Basic surgical skills of suturing a...
734 Many complex systems share two characteristi...
735 Even- and odd-frequency superconductivity co...
736 Let X be an irreducible smooth projective cu...
737 With $\Fq$ the finite field of $q$ elements,...
738 In this paper we exhibit Morse geodesics, of...
739 We study the ultimate bounds on the estimati...
740 We show that publishing results using the st...
741 The center-of-mass motion of a single optica...
742 We introduce new techniques to the analysis ...
743 We describe a 20-year survey carried out by ...
744 Artificial intelligence methods have often b...
745 Let a and b be algebraic numbers such that e...
746 This note establishes the input-to-state sta...
747 The problem of reliable communication over t...
748 We present a new paradigm for understanding ...
749 We propose a probabilistic model for interpr...
750 Macronovae (kilonovae) that arise in binary ...
751 The calculation of caloric properties such a...
752 We study well-posedness of a velocity-vortic...
753 Generative Adversarial Networks (GANs) repre...
754 A database of minima and transition states c...
755 Asynchronous distributed machine learning so...
756 This paper describes an English audio and te...
757 Deep learning has been demonstrated to achie...
758 We develop the theoretical foundations of a ...
759 Using the Panama Papers, we show that the be...
760 Mammography screening for early detection of...
761 Small depth networks arise in a variety of n...
762 Knowledge-intensive companies that adopt Agi...
763 Recent 60Fe results have suggested that the ...
764 The surface tension of flowing soap films is...
765 Indoor localization based on Visible Light C...
766 We show that the output of a (residual) conv...
767 Detecting attacks in control systems is an i...
768 For people with visual impairments, tactile ...
769 Very often features come with their own vect...
770 We give a short proof of the $L^{1}$ criteri...
771 Social media users often make explicit predi...
772 Applications involving autonomous navigation...
773 We apply a method that combines the tight-bi...
774 In this lecture note, we describe high dynam...
775 We classify pro-$p$ Poincaré duality pairs i...
776 Sports data analysis is becoming increasingl...
777 In kernel methods, temporal information on t...
778 We consider the problem of sequential learni...
779 We develop a new approach to learn the param...
780 The intricate interplay between optically da...
781 In this article, we develop a notion of Quil...
782 In this paper we define canonical sine and c...
783 Compressed sensing (CS) is a sampling theory...
784 Predictive models for music are studied by r...
785 Many real-world data sets, especially in bio...
786 In this research, we propose a deep learning...
787 We present and evaluate a technique for comp...
788 The next generation of cosmological surveys ...
789 Playing the game of heads or tails in zero g...
790 The variational autoencoder (VAE) is a popul...
791 Synchronization on multiplex networks have a...
792 We continue to investigate binary sequence $...
793 A central question in science of science con...
794 Excited states of a single donor in bulk sil...
795 We present a statistical study on the [C I](...
796 We study large-scale kernel methods for acou...
797 We determine the composition factors of the ...
798 Current understanding of how contractility e...
799 This work encompasses Rate-Splitting (RS), p...
800 We prove a general width duality theorem for...
801 Network pruning is aimed at imposing sparsit...
802 Graph models are widely used to analyse diff...
803 Training neural networks involves finding mi...
804 We study the homogenization process for fami...
805 A polynomial $p\in\mathbb{R}[z_1,\dots,z_n]$...
806 This volume contains the proceedings of the ...
807 This chapter presents an H-infinity filterin...
808 In this work we introduce a time- and memory...
809 This paper introduces a new approach to Larg...
810 We consider the problem of inference in a ca...
811 The weighted Maximum Satisfiability problem ...
812 We show that in the presence of magnetic fie...
813 We have recently established some integral i...
814 The support vector machine (SVM) is a powerf...
815 Data analytics and data science play a signi...
816 In this paper, we present a new task that in...
817 Recent progress in applying complex network ...
818 Under suitable conditions, a substitution ti...
819 We prove that the Tutte embeddings (a.k.a. h...
820 Muroga [M52] showed how to express the Shann...
821 Let $R$ be a two-sided noetherian ring and $...
822 Regression based methods are not performing ...
823 We consider systems with memory represented ...
824 We discuss the concept of inner function in ...
825 Data center networks are an important infras...
826 In the setting of high-dimensional linear re...
827 Finding patterns in data and being able to r...
828 As a natural extension of compressive sensin...
829 We present an exhaustive census of Lyman alp...
830 Building on insights of Jovanovic (1982) and...
831 OSIRIS-REx will return pristine samples of c...
832 We consider $d$-dimensional linear stochasti...
833 We study the fundamental tradeoffs between s...
834 Audio-visual speech recognition (AVSR) syste...
835 The goal of this survey article is to explai...
836 White dwarf stars have been used as flux sta...
837 Most existing approaches address multi-view ...
838 The P300 event-related potential (ERP), evok...
839 The purpose of this paper is to study stable...
840 Segmentation in dynamic outdoor environments...
841 Stochastic bandit algorithms can be used for...
842 Dynamic security analysis is an important pr...
843 Second order conic programming (SOCP) has be...
844 We present the multi-hop extensions of the r...
845 Instructional labs are widely seen as a uniq...
846 The formation of pattern in biological syste...
847 Named-entity recognition (NER) aims at ident...
848 Blocking objects (blockages) between a trans...
849 We present an introduction to a novel model ...
850 Convolutional Neural Networks (CNNs) are com...
851 In this paper, we obtain some formulae for h...
852 In this paper we develop cyclic proof system...
853 In this paper, we introduce a new model for ...
854 We describe a neural network model that join...
855 For $n\ge5$, it is well known that the modul...
856 The radio interferometric positioning system...
857 We present an affine analog of the evaluatio...
858 In this paper we present a framework for ris...
859 Ground-based astronomical observations may b...
860 Gossip protocols aim at arriving, by means o...
861 We examine discrete vortex dynamics in two-d...
862 In this paper we study a non-linear partial ...
863 An important, yet largely unstudied, problem...
864 A Schottky structure on a handlebody $M$ of ...
865 In this paper we propose a new method of spe...
866 This paper describes an implementation of th...
867 Networks of vertically c-oriented prism shap...
868 Machine Learning focuses on the construction...
869 This paper presents a simple agent-based mod...
870 The variability response function (VRF) is g...
871 We show that training a deep network using b...
872 In this paper we consider a single-cell down...
873 The block bootstrap approximates sampling di...
874 Given a polynomial system f associated with ...
875 It can be difficult to tell whether a traine...
876 Refraction represents one of the most fundam...
877 We reconsider the classic problem of estimat...
878 The Landau collision integral is an accurate...
879 In this paper we combine a survey of the mos...
880 The Butler-Portugal algorithm for obtaining ...
881 The mass-preconditioning (MP) technique has ...
882 A model in which a three-dimensional elastic...
883 We analyze the response of a type II superco...
884 Classical principal component analysis (PCA)...
885 In antiferromagnets, the Dzyaloshinskii-Mori...
886 In disordered elastic systems, driven by dis...
887 The search for a superconductor with non-s-w...
888 The extension complexity $\mathsf{xc}(P)$ of...
889 This work provides a comprehensive scaling l...
890 In view of a resurgence of concern about the...
891 We explore the response of Ir $5d$ orbitals ...
892 An infinite convergent sum of independent an...
893 We consider the problem of estimating from s...
894 The state-of-the-art (SOTA) for mixed precis...
895 The foreseen implementations of the Small Si...
896 We obtain bounded for all $t$ solutions of o...
897 Waveforms of gravitational waves provide inf...
898 A simple DNA-based data storage scheme is de...
899 This paper presents VEC-NBT, a variation on ...
900 We have used soft x-ray photoemission electr...
901 A set function $f$ on a finite set $V$ is su...
902 Quick Shift is a popular mode-seeking and cl...
903 In recent years Deep Neural Networks (DNNs) ...
904 Convolutional Neural Networks (CNNs) have be...
905 We present a terahertz spectroscopic study o...
906 We compare the social character networks of ...
907 Motivated by the recent experimental realiza...
908 Exoplanet host star activity, in the form of...
909 Developers of Molecular Dynamics (MD) codes ...
910 We obtain the non-linear generalization of t...
911 We prove sharp decoupling inequalities for a...
912 In this paper, we introduce a simple, yet po...
913 Our purpose is to focus attention on a new c...
914 Stochastic variance reduction algorithms hav...
915 The algorithmic Markov condition states that...
916 The recently proposed Temporal Ensembling ha...
917 We present a new code for astrophysical magn...
918 Virtual Network Functions as a Service (VNFa...
919 The Zika virus has been found in individual ...
920 This paper considers the problem of decentra...
921 Recent studies have demonstrated that near-d...
922 Historically, machine learning in computer s...
923 Deep learning has demonstrated tremendous po...
924 This paper introduces a method, based on dee...
925 One of the most challenging problems in corr...
926 Cosmological parameter constraints from obse...
927 We characterize the response of the quiet ti...
928 Let R be a local ring of dimension d. Buchwe...
929 Learning to make decisions from observed dat...
930 Based on the KP hierarchy reduction method, ...
931 Deep learning has been successfully applied ...
932 The modular Gromov-Hausdorff propinquity is ...
933 We present a prototype of a software tool fo...
934 Word sense disambiguation (WSD) improves man...
935 We develop a theory for non-degenerate param...
936 Generic generation and manipulation of text ...
937 Our eyes sample a disproportionately large a...
938 Molecular dynamics simulates the~movements o...
939 Developers increasingly rely on text matchin...
940 We prove the existence of an optimal feedbac...
941 How can we enable novice users to create eff...
942 The (torsion) complexity of a finite edge-we...
943 Neutronic performance is investigated for a ...
944 We prove that the only entrywise transforms ...
945 The most popular and widely used subtract-wi...
946 We consider the refined topological vertex o...
947 We investigate bias voltage effects on the s...
948 Extensive efforts have been devoted to recog...
949 We found an easy and quick post-learning met...
950 As traditional neural network consumes a sig...
951 Mobile robots are increasingly being used to...
952 Mixed effects models are widely used to desc...
953 We show that a positive Borel measure of pos...
954 The Large European Array for Pulsars combine...
955 In this paper, we discuss how a suitable fam...
956 Deep Learning models are vulnerable to adver...
957 The recent discovery of the planetary system...
958 We show that $\mathbb{Q}$-Fano varieties of ...
959 We consider quantum, nondterministic and pro...
960 We study the relation between the microscopi...
961 We study a generic one-dimensional model for...
962 We report experiments on an agarose gel tabl...
963 Artificial intelligence is revolutionizing o...
964 In this letter, we define the homodyne $q$-d...
965 Graph edit distance (GED) is an important si...
966 We introduce canonical measures on a locally...
967 Reusing passwords across multiple websites i...
968 As affordability pressures and tight rental ...
969 Interbank markets are often characterised in...
970 We present a novel algorithm that uses exact...
971 Everything in the world is being connected, ...
972 Recently, an Atacama Large Millimeter/submil...
973 The existence of weak solutions to the stati...
974 New results on the Baire product problem are...
975 In the Ultimatum Game (UG) one player, named...
976 In this work, we study the tradeoffs between...
977 Constructing tests or confidence regions tha...
978 Generalized Bäcklund-Darboux transformations...
979 We describe a procedure called panel collaps...
980 The recently proposed self-ensembling method...
981 Efficient algorithms and techniques to detec...
982 With the tremendous increase of the Internet...
983 We consider a fundamental integer programmin...
984 In wireless communication, heterogeneous tec...
985 We have derived background corrected intensi...
986 The `beta' is one of the key quantities in t...
987 In partially observed environments, it can b...
988 Open problems abound in the theory of comple...
989 The high-energy non-thermal universe is domi...
990 We develop estimates for the solutions and d...
991 In modern election campaigns, political part...
992 In 1840 Jacob Steiner on Christian Rudolf's ...
993 Anomaly detecting as an important technical ...
994 We survey the dimension theory of self-affin...
995 Buoyancy-thermocapillary convection in a lay...
996 In the paper we consider a graph model of me...
997 In this article, we derive a Bayesian model ...
998 We introduce a new family of thermostat flow...
999 We introduce the shifted quantum affine alge...
1000 The analysis of mixed data has been raising ...
1001 The development of spintronic technology wit...
1002 Motivation: P values derived from the null h...
1003 We develop high temperature series expansion...
1004 The Baran metric $\delta_E$ is a Finsler met...
1005 We consider a condensate of exciton-polarito...
1006 We consider the statistical problem of recov...
1007 We consider the problem of estimating an exp...
1008 Generalized cross validation (GCV) is one of...
1009 Biochemical oscillations are prevalent in li...
1010 Algorithms are often used to produce decisio...
1011 In this work we present a technique to use n...
1012 In light of the classic impossibility result...
1013 In this paper, we investigate a coverage ext...
1014 We introduce a new paradigm that is importan...
1015 We reevaluate the Zemach, recoil and polariz...
1016 Ising models describe the joint probability ...
1017 Direct experimental investigations of the lo...
1018 We establish a fundamental property of bivar...
1019 This work compares several node (and network...
1020 We consider a programming language based on ...
1021 We propose an extended variant of the reform...
1022 Continuing the study of preduals of spaces $...
1023 EPG graphs, introduced by Golumbic et al. in...
1024 The Web is an important resource for underst...
1025 For an effect algebra $A$, we examine the ca...
1026 In a previous work we have detailed the requ...
1027 We study magnetic Taylor-Couette flow in a s...
1028 Compared with the two-component Camassa-Holm...
1029 The two dimensional incompressible Navier-St...
1030 Training model to generate data has increasi...
1031 We introduce a pliable lasso method for esti...
1032 We report on the experimental realization of...
1033 We prove versions of Khintchine's Theorem (1...
1034 Neural networks with random hidden nodes hav...
1035 Artificial neural networks have been success...
1036 Suppose the data consist of a set $S$ of poi...
1037 Let $k$ be a fixed integer. We determine the...
1038 These notes are intended to provide a brief ...
1039 In this paper, we extend the Atiyah--Guillem...
1040 This paper is concerned with learning of mix...
1041 By the certain macroscopic perturbations in ...
1042 Light traveling through the vacuum interacts...
1043 Many asteroid databases with lightcurve brig...
1044 We present the calibrated-projection MATLAB ...
1045 We use an atomic fountain clock to measure q...
1046 A quantitative understanding of how sensory ...
1047 It has been argued in [EPL {\bf 90} (2010) 5...
1048 We estimate the spin distribution of primord...
1049 Deep convolutional neural networks (CNN) bas...
1050 Objective: to establish an algorithmic frame...
1051 Convolutional neural networks have recently ...
1052 Compute the coarsest simulation preorder inc...
1053 A principle on the macroscopic motion of sys...
1054 CaFe2As2 exhibits collapsed tetragonal (cT) ...
1055 We study a mathematical model of cell popula...
1056 The extraction system of CSNS mainly consist...
1057 Many real-world analytics problems involve t...
1058 Novel data acquisition schemes have been an ...
1059 We consider a registration-based approach fo...
1060 How might a smooth probability distribution ...
1061 In the context of commutative differential g...
1062 Both the human brain and artificial learning...
1063 Fifth Generation (5G) telecommunication syst...
1064 Consider reconstructing a signal $x$ by mini...
1065 This document is a response to a report from...
1066 The stochastic Gross-Pitaevskii equation is ...
1067 Let $\theta, \theta'$ be irrational numbers ...
1068 This paper proposes a new convex model predi...
1069 We unveil the geometric nature of the multip...
1070 We present a selective review of statistical...
1071 Pipelines combining SQL-style business intel...
1072 In this paper, we propose a simple but effec...
1073 In this paper, we investigate the umbral rep...
1074 In this paper, a brief review of delay popul...
1075 I show that propositional intuitionistic log...
1076 We present a newly discovered correlation be...
1077 Plumbene, similar to silicene, has a buckled...
1078 Providing a background discrimination tool i...
1079 We obtain upper bounds on the composition le...
1080 In this article we present a Bernstein inequ...
1081 We explore different approaches to integrati...
1082 We study two dispersive regimes in the dynam...
1083 We design and implement the first private an...
1084 In this paper, we will show an unprecedented...
1085 Background: As most of the software developm...
1086 In this paper our aim is to present the comp...
1087 Despite the effectiveness of convolutional n...
1088 Real and complex Clifford bundles and Dirac ...
1089 The Next Generation Transit Survey (NGTS), o...
1090 We present the evolution of the Cosmic Spect...
1091 Let $f$ be a Hecke cusp form of weight $k$ f...
1092 Recent studies have highlighted the vulnerab...
1093 Maximizing product use is a central goal of ...
1094 In this paper, we enumerate Newton polygons ...
1095 By applying invariant-based inverse engineer...
1096 In this paper, the authors consider leaf spa...
1097 We discuss a backward Monte-Carlo technique ...
1098 Noise is an inherent part of neuronal dynami...
1099 Policy evaluation is a crucial step in many ...
1100 We develope a self-consistent description of...
1101 When internal states of atoms are manipulate...
1102 Modern processors are highly optimized syste...
1103 Semantic segmentation and object detection r...
1104 Matrix factorization is a key tool in data a...
1105 Mild Cognitive Impairment (MCI) is a mental ...
1106 Slater's condition -- existence of a "strict...
1107 We extend the homotopy theories based on poi...
1108 For characterizing the Brownian motion in a ...
1109 Since its inception Bohmian mechanics has be...
1110 While conventional lasers are based on gain ...
1111 The evaluation of possible climate change co...
1112 We study the problem of finding the cycle of...
1113 Polarized extinction and emission from dust ...
1114 Gaussian processes (GPs) are powerful non-pa...
1115 Bandit based optimisation has a remarkable a...
1116 Intel Software Guard Extension (SGX) offers ...
1117 Sensor setups consisting of a combination of...
1118 In paper, we study the representation theory...
1119 Software developers frequently issue generic...
1120 The Ethereum blockchain network is a decentr...
1121 Conjunctivochalasis is a common cause of tea...
1122 Here we report the preparation and supercond...
1123 A numerical method for free boundary problem...
1124 Neural-Network Quantum States have been rece...
1125 We reported the usage of grating-based X-ray...
1126 Most state-of-the-art information extraction...
1127 We prove Lipschitz continuity of viscosity s...
1128 Hardware acceleration is an enabler for ubiq...
1129 We propose a new localized inference algorit...
1130 We study simultaneous collisions of two, thr...
1131 We introduce InverseFaceNet, a deep convolut...
1132 The Partial Information Decomposition (PID) ...
1133 We present convolutional neural network (CNN...
1134 For fluctuating currents in non-equilibrium ...
1135 With the proliferation of mobile devices and...
1136 Understanding the origin, nature, and functi...
1137 The main challenge of online multi-object tr...
1138 Classical plasma with arbitrary degree of de...
1139 The paper studies a PDE model for the growth...
1140 The discovery of multiple stellar population...
1141 We establish a large deviation theorem for t...
1142 A reinforcement learning agent that needs to...
1143 Photoionized nebulae, comprising HII regions...
1144 The prediction of cancer prognosis and metas...
1145 We propose a novel estimation procedure for ...
1146 We consider a general branching population w...
1147 As the distribution grid moves toward a tigh...
1148 Investigation of the electron-phonon interac...
1149 The magnetic phases of a triangular-lattice ...
1150 The remarkable development of deep learning ...
1151 We show that a sufficient condition for the ...
1152 Consider the classical Erdos-Renyi random gr...
1153 The Least Significant Bit (LSB) substitution...
1154 In this work we outline the mechanisms contr...
1155 Machine learning has shown much promise in h...
1156 Lenses are crucial to light-enabled technolo...
1157 We present the extension of variational Mont...
1158 This paper studies power allocation for dist...
1159 Using algebraic methods, and motivated by th...
1160 Motivated by recent experiments on $\alpha$-...
1161 The aim of this study is to investigate the ...
1162 In the new approach to study the optical res...
1163 Overfitting, which happens when the number o...
1164 Russell is a logical framework for the speci...
1165 "Let us call the novel quantities which, in ...
1166 Distances between sequences based on their $...
1167 In the exciton-polariton system, a linear di...
1168 We present the results of our search for the...
1169 A recent paper [X. Guo, A. Mandelis, J. Tole...
1170 A fundamental question in systems biology is...
1171 We address the problem of temporal action lo...
1172 Cassava is the third largest source of carbo...
1173 Ability to continuously learn and adapt from...
1174 We investigate the use of alternative diverg...
1175 The curvature properties of Robinson-Trautma...
1176 We prove that the Dehn invariant of any flex...
1177 Skillful mobile operation in three-dimension...
1178 We utilize variational method to investigate...
1179 Human action recognition in videos is one of...
1180 Reconstruction of population histories is a ...
1181 Source localization in ocean acoustics is po...
1182 Illegal insider trading of stocks is based o...
1183 Using deep multi-wavelength photometry of ga...
1184 Boron subphthalocyanine chloride is an elect...
1185 Recent machine learning models have shown th...
1186 In the present paper we consider the problem...
1187 For a given many-electron molecule, it is po...
1188 Using the formalism of the classical nucleat...
1189 Most machine learning classifiers give predi...
1190 Deep reinforcement learning for multi-agent ...
1191 We study the data reliability problem for a ...
1192 This paper studies a mean-variance portfolio...
1193 We obtain estimation error rates for estimat...
1194 In this paper, we are interested in a Neuman...
1195 In this paper, we investigate the integral o...
1196 For the past three years we have been conduc...
1197 We propose a new mathematical model for the ...
1198 In a given problem, the Bayesian statistical...
1199 The Network of Noisy Leaky Integrate and Fir...
1200 The distinguishing index of a simple graph $...
1201 Pseudo healthy synthesis, i.e. the creation ...
1202 Given a poset $P$ and a standard closure ope...
1203 The work is devoted to constructing a wide c...
1204 Modeling agent behavior is central to unders...
1205 We design a jamming-resistant receiver schem...
1206 The behavior of many complex systems is dete...
1207 Clause Learning is one of the most important...
1208 We consider the squared singular values of t...
1209 In this paper, we consider the 3D primitive ...
1210 The Eisenhart geometric formalism, which tra...
1211 This paper formulates a time-varying social-...
1212 The object of the present paper is to study ...
1213 This paper gives drastically faster gossip a...
1214 Magnesium and its alloys are ideal for biode...
1215 Publishing reproducible analyses is a long-s...
1216 Google uses continuous streams of data from ...
1217 To obtain a better understanding of the trad...
1218 The adaptive zero-error capacity of discrete...
1219 With increasing complexity and heterogeneity...
1220 We focus on nonconvex and nonsmooth minimiza...
1221 In online discussion communities, users can ...
1222 Bayesian optimization has recently attracted...
1223 We propose a map-aided vehicle localization ...
1224 We present an adaptive grasping method that ...
1225 Algorithm-dependent generalization error bou...
1226 The Deep Impact spacecraft fly-by of comet 1...
1227 In this paper we suggest a macroscopic toy s...
1228 We consider the class of measurable function...
1229 We carried out a Bayesian homogeneous determ...
1230 This paper is the first one in a series of t...
1231 Eigenvector centrality is a standard network...
1232 Neural networks allow Q-learning reinforceme...
1233 We perform a detailed analytical study of th...
1234 We study the heavy path decomposition of con...
1235 We consider a firm that sells a large number...
1236 We present a new algorithm which detects the...
1237 We perform a detailed comparison of the Dira...
1238 The ability to recognize objects is an essen...
1239 To convert standard Brownian motion $Z$ into...
1240 General relativity's no-hair theorem states ...
1241 By drawing an analogy with superfluid 4He vo...
1242 Clouds play a significant role in the fluctu...
1243 Predicting the response of a system to pertu...
1244 An Electronic Health Record (EHR) is designe...
1245 The least-squares support vector machine is ...
1246 We propose a simple subsampling scheme for f...
1247 A Bernoulli Mixture Model (BMM) is a finite ...
1248 In this paper, we prove pointwise convergenc...
1249 In many societies alcohol is a legal and com...
1250 The motion of a viscous deformable droplet s...
1251 We study Principal Component Analysis (PCA) ...
1252 The spot pricing scheme has been considered ...
1253 We consider free rotation of a body whose pa...
1254 Recent progress in deep learning for audio s...
1255 We prove a path-by-path regularization by no...
1256 We present a novel end-to-end trainable neur...
1257 Recently, neural models for information retr...
1258 Diamond Light Source is the UK's National Sy...
1259 Let ${\bf M}=(M_1,\ldots, M_k)$ be a tuple o...
1260 The main goal of the paper is the full proof...
1261 By analyzing energy-efficient management of ...
1262 We analyze a rich dataset including Subaru/S...
1263 Adaptive designs for multi-armed clinical tr...
1264 Mixed-Integer Second-Order Cone Programs (MI...
1265 A Discriminative Deep Forest (DisDF) as a me...
1266 A simple robust genuinely multidimensional c...
1267 We prove the optimal strong convergence rate...
1268 A Boolean network is a finite state discrete...
1269 Gamma-ray and fast-neutron imaging was perfo...
1270 The task board is an essential artifact in m...
1271 Hydrogeologic models are commonly over-smoot...
1272 Suszko's problem is the problem of finding t...
1273 In this paper we introduce a new classificat...
1274 We study the Galois descent of semi-affinoid...
1275 We have synthesized a new layered oxychalcog...
1276 Is perfect matching in NC? That is, is there...
1277 In this paper, we investigate the common sce...
1278 Using deep reinforcement learning, we train ...
1279 We study the following generalization of sin...
1280 It is undeniable that the worldwide computer...
1281 Using contiguous relations we construct an i...
1282 This paper gives upper and lower bounds on t...
1283 With Bell's inequalities one has a formal ex...
1284 Improving endurance is crucial for extending...
1285 The Surjective H-Colouring problem is to tes...
1286 This paper proposes a modal typing system th...
1287 Recommender System research suffers currentl...
1288 This paper considers the problem of implemen...
1289 Stacking is a general approach for combining...
1290 The two-dimensional discrete wavelet transfo...
1291 We apply the Min-Sum message-passing protoco...
1292 In the last few years, we have seen the tran...
1293 The aim of Galactic Archaeology is to recove...
1294 We propose a general framework for entropy-r...
1295 We present some basic integer arithmetic qua...
1296 We analyzed the longitudinal activity of nea...
1297 The beyond worst-case synthesis problem was ...
1298 VAEs (Variational AutoEncoders) have proved ...
1299 Rotating radio transients (RRATs), loosely d...
1300 Low-dimensional plasmonic materials can func...
1301 In this paper, we analyse the interaction be...
1302 The first author introduced a relative sympl...
1303 We report on the design and sensitivity of a...
1304 Invoking Maxwell's classical equations in co...
1305 In this work we perform outlier detection us...
1306 The local electronic and magnetic properties...
1307 We prove the unique assembly and unique shap...
1308 One of the defining characteristics of human...
1309 This paper addresses the problem of large sc...
1310 Scientific collaborations shape ideas as wel...
1311 Complex interactions between entities are of...
1312 Drone racing is becoming a popular sport whe...
1313 The combustion characteristics of ethanol/Je...
1314 The graph Laplacian plays key roles in infor...
1315 Manipulating topological disclination networ...
1316 Generative Adversarial Networks (GAN) have r...
1317 We revisit the classification problem and fo...
1318 The development of chemical reaction models ...
1319 We consider the Cauchy problem for the incom...
1320 Inspired by the success of deep learning tec...
1321 We introduce a two-parameter family of birat...
1322 The integrable nonlocal nonlinear Schrodinge...
1323 While bigger and deeper neural network archi...
1324 A novel approach towards the spectral analys...
1325 We propose a method (TT-GP) for approximate ...
1326 In the second edition of the congruence latt...
1327 Vasculature is known to be of key biological...
1328 We report the results of a sensitive search ...
1329 In this paper, we propose a probabilistic pa...
1330 Modularity is designed to measure the streng...
1331 Vision science, particularly machine vision,...
1332 Next generation radio telescopes, namely the...
1333 In this letter, we propose a new identificat...
1334 Supervisory control synthesis encounters wit...
1335 Agents vote to choose a fair mixture of publ...
1336 We give criteria on an inverse system of fin...
1337 Recent advances in learning Deep Neural Netw...
1338 In this article the issues are discussed wit...
1339 In spite of decades of research, much remain...
1340 We consider generalizations of the familiar ...
1341 We establish the Iwasawa main conjecture for...
1342 We consider induced emission of ultrarelativ...
1343 Measuring gases for air quality monitoring i...
1344 In this paper, the problem of maximizing a b...
1345 We present a method for conditional time ser...
1346 Bias is a common problem in today's media, a...
1347 Many astronomical sources produce transient ...
1348 A method is developed for generating pseudop...
1349 We offer a general Bayes theoretic framework...
1350 Following the presentation and proof of the ...
1351 Detecting and evaluating regions of brain un...
1352 The global sensitivity analysis of a numeric...
1353 Ridesourcing platforms like Uber and Didi ar...
1354 Managing dynamic information in large multi-...
1355 We describe a fully data driven model that l...
1356 We present the results of the spectroscopic ...
1357 Given a projective hyperkahler manifold with...
1358 Calcium imaging permits optical measurement ...
1359 We investigate multiparticle excitation effe...
1360 In the present article we describe how one c...
1361 The popular Alternating Least Squares (ALS) ...
1362 Domain generalization is the problem of assi...
1363 We study two colored operads of configuratio...
1364 This paper proposes a data-driven approach, ...
1365 Tunneling of electrons into a two-dimensiona...
1366 We consider the problem of diagnosis where a...
1367 This work explores the feasibility of steeri...
1368 Locality-sensitive hashing (LSH) is a fundam...
1369 A commonly cited inefficiency of neural netw...
1370 We establish a Pontryagin maximum principle ...
1371 A system of $N$ particles in a chemical medi...
1372 It is well established that neural networks ...
1373 For any stream of time-stamped edges that fo...
1374 We revisit the generation of balanced octree...
1375 With the advent of the era of artificial int...
1376 In the artificial intelligence field, learni...
1377 The involution Stanley symmetric functions $...
1378 In this paper, we focus on subspace learning...
1379 Topologists are sometimes interested in spac...
1380 An ancient repertoire of UV absorbing pigmen...
1381 Output impedances are inherent elements of p...
1382 The quest to observe gravitational waves cha...
1383 Finite Gaussian mixture models are widely us...
1384 We document the data transfer workflow, data...
1385 Datasets are often reused to perform multipl...
1386 Regression or classification? This is perhap...
1387 Anthropogenic climate change increased the p...
1388 In this paper boundary regularity for p-harm...
1389 In this paper, we propose to construct confi...
1390 Finding actions that satisfy the constraints...
1391 A major challenge in brain tumor treatment p...
1392 In a localization network, the line-of-sight...
1393 We investigate the relation between kinemati...
1394 In this paper, we introduce the BMT distribu...
1395 While learning visuomotor skills in an end-t...
1396 We searched high resolution spectra of 5600 ...
1397 Learning large scale nonlinear ordinary diff...
1398 Clustering mixtures of Gaussian distribution...
1399 In this study, we developed a method to esti...
1400 Detect facial keypoints is a critical elemen...
1401 One initial and essential question of magnet...
1402 In this paper, we exhibit the tradeoffs betw...
1403 Estimates of population size for hidden and ...
1404 Single ion solvation free energies are one o...
1405 We consider estimation of worker skills from...
1406 Recent deep learning based denoisers often o...
1407 Here we consider some well-known facts in sy...
1408 We study the moduli space of stable sheaves ...
1409 The development of efficient (heuristic) alg...
1410 We study a demand response problem from util...
1411 This paper presents a triangular lattice pho...
1412 The Epicurean Philosophy is commonly thought...
1413 The use of low-precision fixed-point arithme...
1414 Person re-identification task has been great...
1415 We consider the task of unsupervised extract...
1416 The many-body localization (MBL) is commonly...
1417 Verifying that a statistically significant r...
1418 In this paper, we adopt a new noisy wireless...
1419 We study the problem of constructing synthet...
1420 Recognition of Handwritten Mathematical Expr...
1421 This is an expository article on properties ...
1422 In this paper, we theoretically study x-ray ...
1423 Magnetic materials hosting correlated electr...
1424 Large amount of image denoising literature f...
1425 In this paper, we analyze in depth a simplic...
1426 Blockchains are distributed data structures ...
1427 We prove in a mathematically rigorous way th...
1428 We give a simple optimistic algorithm for wh...
1429 We study the superradiant evolution of a set...
1430 We introduce a self-consistent multi-species...
1431 In a recent paper, it was claimed that any h...
1432 Observational and theoretical arguments supp...
1433 We provide $L^p$-versus $L^\infty$-bounds fo...
1434 We consider a strongly interacting quantum d...
1435 The Cherenkov Telescope Array (CTA) is the n...
1436 The increase in customer expectation in term...
1437 Although the cusp-core controversy for dwarf...
1438 A* is a best-first search algorithm for find...
1439 Integrated waveguides exhibiting efficient s...
1440 In this paper, we revisit the large-scale co...
1441 We study the key domain wall properties in s...
1442 This article improves the existing proven ra...
1443 We investigate the magnetic properties of th...
1444 The friendship paradox states that in a soci...
1445 Many stochastic optimization algorithms work...
1446 Robust reinforcement learning aims to produc...
1447 The central theme of this work is that a sta...
1448 We present NMR spectra of remote-magnetized ...
1449 Large datasets often have unreliable labels-...
1450 Modern networks are of huge sizes as well as...
1451 Continuous latent time series models are pre...
1452 We prove upper bounds on the $L^p$ norms of ...
1453 A key resource for distributed quantum-enhan...
1454 Most end devices are now equipped with multi...
1455 In this paper we show how the defense relati...
1456 While optimizing convex objective (loss) fun...
1457 A photodetector may be characterized by vari...
1458 All living systems can function only far awa...
1459 We numerically study jamming transitions in ...
1460 Survival analysis has been developed and app...
1461 The study of time-varying (dynamic) networks...
1462 We consider the multi-label ranking approach...
1463 Wave-particle duality in quantum mechanics a...
1464 We prove a quantitative Fourth Moment Theore...
1465 Generative Adversarial Networks (GANs) have ...
1466 We show that the l-adic realization functor ...
1467 Software startups face with multiple technic...
1468 We show that a generalized Dirac structure s...
1469 A generative model based on training deep ar...
1470 Single magnetic skyrmions are localized whir...
1471 We complement the theory developed in Preine...
1472 Effect modification means the magnitude or s...
1473 Many internet ventures rely on advertising f...
1474 Calculating the value of $C^{k\in\{1,\infty\...
1475 Let $P$ and $Q$ be two convex polytopes both...
1476 Existence of steady states in elastic media ...
1477 The field of plasma-based particle accelerat...
1478 In this paper, we propose a novel applicatio...
1479 A clustering algorithm is applied to Cassini...
1480 We re-examine the notion of stress in peridy...
1481 Successful human-robot cooperation hinges on...
1482 We present a prototype for a news search eng...
1483 Models of complex systems are widely used in...
1484 Color names based image representation is su...
1485 This PhD thesis is devoted to the low-energy...
1486 Phase transitions in isotropic quantum antif...
1487 From philosophers of ancient times to modern...
1488 Deep neural networks are increasingly being ...
1489 In this paper, we develop new first-order me...
1490 Recent progress in variational inference has...
1491 The ADR algebra $R_A$ of a finite-dimensiona...
1492 We study the structure of the $(\mathfrak{g}...
1493 We study theoretically and experimentally th...
1494 It is shown that the non-relativistic ground...
1495 Traditional data cleaning identifies dirty d...
1496 Three complementary methods have been implem...
1497 The thermoregulation system in animals remov...
1498 We introduce a notion of Koszul A-infinity a...
1499 By exploiting the property that the RBM log-...
1500 We consider a theory of a two-component Dira...
1501 Pair Hidden Markov Models (PHMMs) are probab...
1502 This study focuses on the formation of two m...
1503 In this paper, prediction for linear systems...
1504 We study ionic liquids composed 1-alkyl-3-me...
1505 Tick is a statistical learning library for P...
1506 We present a well-posedness and stability re...
1507 In this paper, we consider the Graphical Las...
1508 We prove that the orthogonal free quantum gr...
1509 We studied the temperature dependence of the...
1510 In this paper, we will use the interior func...
1511 Imagine that a malicious hacker is trying to...
1512 We consider the global consensus problem for...
1513 Let $H \subseteq K$ be two subgroups of a fi...
1514 This work proposes the variable exponent Leb...
1515 We present radio observations at 1.5 GHz of ...
1516 Deep neural networks (DNNs) have emerged as ...
1517 In 1998, R. Gompf defined a homotopy invaria...
1518 We enumerate all circulant good matrices wit...
1519 Spectral mapping uses a deep neural network ...
1520 Gravitational wave astronomy has set in moti...
1521 We present a stochastic CA modelling approac...
1522 We give a bordered extension of involutive H...
1523 This comprehensive study of comet C/1995 O1 ...
1524 In this paper, we investigate property testi...
1525 The Cauchy-Rayleigh (CR) distribution has be...
1526 In Paris Basin, we evaluate how HTEM data co...
1527 The methods to access large relational datab...
1528 This paper proposes a novel adaptive algorit...
1529 The multi-indexed orthogonal polynomials (th...
1530 We describe an approach to understand the pe...
1531 Location-based augmented reality games have ...
1532 Most interesting proofs in mathematics conta...
1533 A near pristine atomic cooling halo close to...
1534 Graphs are commonly used to encode relations...
1535 Due to economic globalization, each country'...
1536 In this work we compare different batch cons...
1537 In the Drury-Arveson space, we consider the ...
1538 In this paper we present the results of a $\...
1539 A new search strategy for the detection of t...
1540 We present an algorithm that computes the pr...
1541 We study the stochastic multi-armed bandit (...
1542 The goal of unbounded program verification i...
1543 We present a simple proof of the fact that t...
1544 Modern multiscale type segmentation methods ...
1545 For the architecture community, reasonable s...
1546 Neighborhood regression has been a successfu...
1547 Pseudo-random sequences with good statistica...
1548 A bilevel hierarchical clustering model is c...
1549 Generalized Lambda-semiflows are an abstract...
1550 We consider variants of trust-region and cub...
1551 We analyze the space of differentiable funct...
1552 Bangla handwriting recognition is becoming a...
1553 In this article, we continue the study of th...
1554 In recent years, MEMS inertial sensors (3D a...
1555 In classical mechanics, a nonrelativistic pa...
1556 A new Bayesian framework is presented that c...
1557 Molecular interactions have widely been mode...
1558 If accreting white dwarfs (WD) in binary sys...
1559 If the face-cycles at all the vertices in a ...
1560 We consider the dynamics of porous icy dust ...
1561 Urbach tails in semiconductors are often ass...
1562 Recent work has provided ample evidence that...
1563 Shrinkage estimation usually reduces varianc...
1564 Continuous integration (CI) tools integrate ...
1565 Amyloid precursor with 770 amino acids dimer...
1566 An ever-important issue is protecting infras...
1567 In this paper, we introduce a method for ada...
1568 The over threshold carbon-loadings (~50 at.%...
1569 Several theorems on the volume computing of ...
1570 Organic material in anoxic sediment represen...
1571 With the recent development of high-end LiDA...
1572 Motivated by the proposal of topological qua...
1573 A graph is said to be well-dominated if all ...
1574 We describe here the latest results of calcu...
1575 Affiliation network is one kind of two-mode ...
1576 We analyze the running time of the Saukas-So...
1577 Agent-based Internet of Things (IoT) applica...
1578 In this study, we introduce a new approach t...
1579 The paper is concerned with an in-body syste...
1580 We present FLASH (\textbf{F}ast \textbf{L}SH...
1581 We propose a new neural sequence model train...
1582 Deep neural networks (NN) are extensively us...
1583 Projection theorems of divergences enable us...
1584 Advanced persistent threats (APTs) are steal...
1585 In an influential recent paper, Harvey et al...
1586 Analyzing available FAO data from 176 countr...
1587 Debate and deliberation play essential roles...
1588 Modelling gene regulatory networks not only ...
1589 As David Berlinski writes (1997), the existe...
1590 Technology is an extremely potent tool that ...
1591 The central aim in this paper is to address ...
1592 Assessment of the motor activity of group-ho...
1593 The origin of ultrahigh-energy cosmic rays (...
1594 It is widely recognized that citation counts...
1595 Since their inception in the 1980's, regress...
1596 Oral Disintegrating Tablets (ODTs) is a nove...
1597 Calcium imaging has emerged as a workhorse m...
1598 Field-aligned currents in the Earth's magnet...
1599 Theoretical predictions of pressure-induced ...
1600 We derive the uniqueness of weak solutions t...
1601 The main task in oil and gas exploration is ...
1602 We tackle the problem of template estimation...
1603 High-index dielectric nanoparticles have bec...
1604 We propose a bio-inspired, agent-based appro...
1605 Consider the linear congruence equation $x_1...
1606 Bismuth substituted lutetium iron garnet (BL...
1607 We present a new variable selection method b...
1608 A semicalssical method based on surface-hopp...
1609 Random tensor networks provide useful models...
1610 Persistent spread measurement is to count th...
1611 In the last few years, an extensive literatu...
1612 The optical emission of InGaN quantum dots e...
1613 We propose a novel computational method to e...
1614 Membership Inference Attack (MIA) determines...
1615 We identify [Se III] 1.0994 micron in the pl...
1616 In this paper, locally Lipschitz regular fun...
1617 This thesis investigates unsupervised time s...
1618 In this work, we aim at building a bridge fr...
1619 The purpose this article is to try to unders...
1620 This article concerns a class of elliptic eq...
1621 In this paper, we represent Raptor codes as ...
1622 The package cleanNLP provides a set of fast ...
1623 We propose a modified expectation-maximizati...
1624 We report point contact Andreev Reflection (...
1625 Doubly occupied configuration interaction (D...
1626 We first investigate the evolution of openin...
1627 We present measurements of the hyperfine spl...
1628 We address the issue of limit cycling behavi...
1629 In the field of cold atom inertial sensors, ...
1630 We study statistical models for one-dimensio...
1631 Meaningful topological invariants for mixed ...
1632 Deep learning (DL) advances state-of-the-art...
1633 A space $G(M, \varPhi)$ of infinitely differ...
1634 An accurate description of spatial variation...
1635 We study the influence of degree correlation...
1636 Multi-source transfer learning has been prov...
1637 We show that black-hole High-Mass X-ray Bina...
1638 We study syzygies of (maximal) Cohen-Macaula...
1639 Chirality in shape and motility can evolve r...
1640 We propose a simple algorithm to train stoch...
1641 This note proposes a simple and general fram...
1642 We investigate the emergence of ${\cal N}=1$...
1643 Adaptive gradient methods have become recent...
1644 We study connections between Dykstra's algor...
1645 Techniques from higher categories and higher...
1646 We introduce dynamic nested sampling: a gene...
1647 Multistage design has been used in a wide ra...
1648 We investigate powerspace constructions on t...
1649 A numerical method is presented which conven...
1650 We prove near-tight concentration of measure...
1651 This paper proposes an exploration method fo...
1652 In this paper, based on the framework of tra...
1653 We propose a method to solve the initial val...
1654 Quantum confinement and interference often g...
1655 The gamma distribution arises frequently in ...
1656 In this paper, we present two algorithms bas...
1657 We address the problem of a lightly doped sp...
1658 Nonconvex optimization problems arise in dif...
1659 This paper considers the problem of phase re...
1660 Inverse problems in statistical physics are ...
1661 We propose a novel mechanism which explains ...
1662 Recommender systems have been successfully a...
1663 We prove a lower bound of $\Omega(n^2/\log^2...
1664 We introduce the concept of saturated absorp...
1665 In this work, we investigate the combined in...
1666 We report the observation of magnetic domain...
1667 Phylogenetic networks are becoming of increa...
1668 In this paper, we prove the short-time exist...
1669 We identify a trade-off between robustness a...
1670 The DArk Matter Particle Explorer (DAMPE) is...
1671 Representation learning is a fundamental but...
1672 We address in this paper the problem of modi...
1673 Margin-based classifiers have been popular i...
1674 Let $k$ be a nonperfect separably closed fie...
1675 In a general linear model, this paper derive...
1676 In this article we construct three explicit ...
1677 We demonstrate the use of semantic object de...
1678 There have been numerous breakthroughs with ...
1679 One of the primary questions when characteri...
1680 With ever-increasing productivity targets in...
1681 Laman graphs model planar frameworks that ar...
1682 We demonstrate an InAlN/GaN-on-Si HEMT based...
1683 This paper is the first attempt to learn the...
1684 The problem of Time's Arrow is rigorously so...
1685 Phone sensors could be useful in assessing c...
1686 In view of recent intense experimental and t...
1687 When measuring quadratic values representati...
1688 How does our motor system solve the problem ...
1689 Oeljeklaus-Toma (OT) manifolds are complex n...
1690 We investigate different strategies for acti...
1691 We study a possible connection between diffe...
1692 We show that the partial transposes of compl...
1693 The technique for constructing conformally i...
1694 A well-known result says that the Euclidean ...
1695 Multiple imputation (MI) inference handles m...
1696 Given samples from a distribution, how many ...
1697 We construct new continued fraction expansio...
1698 The convolution of galaxy images by the poin...
1699 Given a traveling salesman problem (TSP) tou...
1700 In many modern machine learning applications...
1701 Kuniba, Okado, Takagi and Yamada have found ...
1702 Scientists and engineers commonly use simula...
1703 Reinforcement Learning is gaining attention ...
1704 Non-reversible Markov chain Monte Carlo sche...
1705 These are lecture notes for the course "MATS...
1706 Recent studies show that widely used deep ne...
1707 We prove that the arrow category of a monoid...
1708 Given a suitable ordering of the positive ro...
1709 This paper consists of two parts. The first ...
1710 As online fraudsters invest more resources, ...
1711 We provide new approximation guarantees for ...
1712 The topology of a power grid affects its dyn...
1713 We present Wasserstein introspective neural ...
1714 Let $\Omega$ be an unbounded domain in $\mat...
1715 We introduce new skein invariants of links b...
1716 Big data streaming applications require util...
1717 The interest in higher derivatives field the...
1718 In this work, we study the spin Hall effect ...
1719 This paper explores the application of Koopm...
1720 Turbulence is a challenging feature common t...
1721 In the setting of nonparametric regression, ...
1722 In this work, we present theoretical results...
1723 Certain sufficient homological and ring-theo...
1724 Let $G$ be an undirected graph. An edge of $...
1725 Hecke-Hopf algebras were defined by A. Beren...
1726 Length-matching is an important technique to...
1727 The yeast Saccharomyces cerevisiae is one of...
1728 Advances in deep generative networks have le...
1729 A number of recent papers have provided evid...
1730 We examine the nature, possible orbits and p...
1731 In the present note we study certain arrange...
1732 We investigate the problem of inferring the ...
1733 In state space models, smoothing refers to t...
1734 Nonlinear dynamics of the free surface of an...
1735 Given $n$ vectors $\mathbf{x}_i\in \mathbb{R...
1736 While being of persistent interest for the i...
1737 We define outliers as a set of observations ...
1738 We propose a DC proximal Newton algorithm fo...
1739 In reinforcement learning, agents learn by p...
1740 Network integration studies try to assess th...
1741 We report ALMA Cycle 2 observations of 230 G...
1742 The astonishing success of AlphaGo Zero\cite...
1743 Electron-doped Eu(Fe$_{0.93}$Rh$_{0.07}$)$_2...
1744 Chapter 16 in High-Luminosity Large Hadron C...
1745 It is shown that the relativistic quantum me...
1746 A new type of absorbing boundary conditions ...
1747 This paper deals with the homotopy theory of...
1748 We consider the nonlinear Kalman filtering p...
1749 We prove that if $X---> X^+$ is a threefold ...
1750 The Helioseismic and Magnetic Imager (HMI) p...
1751 In contact with a superconductor, a normal m...
1752 Functional data analysis is typically conduc...
1753 In this work we explore a straightforward va...
1754 Galaxy cross-correlations with high-fidelity...
1755 We initiate the study of the completely boun...
1756 Black-box risk scoring models permeate our l...
1757 To improve the efficiency of elderly assessm...
1758 We present a GPU-accelerated version of a hi...
1759 The Auger Engineering Radio Array (AERA) aim...
1760 Painting is an art form that has long functi...
1761 Glassy dynamics is intermittent, as particle...
1762 Hidden Markov model based various phoneme re...
1763 In this paper, we prove that the arithmetic ...
1764 In this chapter we analyze the multiple ioni...
1765 In this paper, we reconsider a circular cyli...
1766 This paper considers the problem of switchin...
1767 As more aspects of social interaction are di...
1768 We report the application of femtosecond fou...
1769 We introduce computable actions of computabl...
1770 Programming is a valuable skill in the labor...
1771 We express two CR invariant surface area ele...
1772 In this article we address the general appro...
1773 We show that every $H$-minor-free graph has ...
1774 Generative Adversarial Networks (GANs) have ...
1775 We present the first good evidence for exoco...
1776 We analyze the charge- and spin response fun...
1777 We introduce and study a notion of canonical...
1778 As the number of Internet of Things (IoT) de...
1779 PARAFAC2 has demonstrated success in modelin...
1780 We model the intracluster medium as a weakly...
1781 An event structure is a mathematical abstrac...
1782 Many real-world networks are known to exhibi...
1783 We study interacting Majorana fermions in tw...
1784 We present a new class of polynomial-time al...
1785 PT-symmetry in optics is a condition whereby...
1786 Single phase, uniform size (~9 nm) Cobalt Fe...
1787 The Mid-Infrared Instrument (MIRI) for the {...
1788 This paper describes an Open Source Software...
1789 This paper is concerned with qualitative pro...
1790 We have developed an Electron Tracking Compt...
1791 Using large-scale simulations based on matri...
1792 {\it Ellsberg thought experiments} and empir...
1793 Event learning is one of the most important ...
1794 Review of the third edition of "Interferomet...
1795 Data augmentation, a technique in which a tr...
1796 Transition metal oxides are well known for t...
1797 An important problem in training deep networ...
1798 Recent large cancer studies have measured so...
1799 The paper introduces Laplace-type operators ...
1800 Private record linkage (PRL) is the problem ...
1801 Despite the recent popularity of deep genera...
1802 We consider the optimal coverage problem whe...
1803 A novel and scalable geometric multi-level a...
1804 Recently, the k-induction algorithm has prov...
1805 Gaussian process (GP) regression has been wi...
1806 Using movement primitive libraries is an eff...
1807 Radio astronomy observational facilities are...
1808 Data quality of Phasor Measurement Unit (PMU...
1809 We provide a detailed (and fully rigorous) d...
1810 We address the controversy over the proximit...
1811 This paper presents a novel method for struc...
1812 We propose to introduce the concept of excep...
1813 In this paper we consider a location model o...
1814 We show that the Poisson centre of truncated...
1815 Motivated by the question of whether the rec...
1816 Recent years have seen growing interest in t...
1817 The metal-to-metal clearances of a steam tur...
1818 Summary statistics of genome-wide associatio...
1819 Biological networks are a very convenient mo...
1820 Bytewise approximate matching algorithms hav...
1821 GANDALF is a new hydrodynamics and N-body dy...
1822 We consider Boltzmann-Gibbs measures associa...
1823 The design of good heuristics or approximati...
1824 This paper studies the optimal extraction po...
1825 Scattering for the mass-critical fractional ...
1826 Developer preferences, language capabilities...
1827 The demand for single photon sources at $\la...
1828 As enjoying the closed form solution, least ...
1829 We consider the networked multi-agent reinfo...
1830 Non-interactive Local Differential Privacy (...
1831 Statistical learning relies upon data sample...
1832 This work is a technical approach to modelin...
1833 Despite intense interest in realizing topolo...
1834 We examine topological solitons in a minimal...
1835 Plasma wake-field acceleration is one of the...
1836 We obtain a rigorous upper bound on the resi...
1837 This paper introduces and addresses a wide c...
1838 While modern day web applications aim to cre...
1839 We discuss the relative merits of optimistic...
1840 Size, weight, and power constrained platform...
1841 We consider four-dimensional gravity coupled...
1842 We show the hardness of the geodetic hull nu...
1843 Using etale cohomology, we define a biration...
1844 We propose novel semi-supervised and active ...
1845 We consider the problem of recovering a func...
1846 Automatic conflict detection has grown in re...
1847 Assuming a conjecture about factorization ho...
1848 We discover a population of short-period, Ne...
1849 Describing the dimension reduction (DR) tech...
1850 Many practical problems are characterized by...
1851 Summarization of long sequences into a conci...
1852 A first order theory T is said to be "tight"...
1853 We investigate the accuracy and robustness o...
1854 During software maintenance, developers usua...
1855 The use of computers in statistical physics ...
1856 We consider a helical system of fermions wit...
1857 We study correlations in fermionic lattice s...
1858 We present an integrated microsimulation fra...
1859 Stochastic optimization naturally arises in ...
1860 We consider a variation on the problem of pr...
1861 Subsequence clustering of multivariate time ...
1862 In this paper we consider a nonlocal energy ...
1863 Recently, the advancement in industrial auto...
1864 We present an approach to testing the gravit...
1865 We present a novel approach to fast on-the-f...
1866 We consider the potential for positioning wi...
1867 In this expository work we discuss the asymp...
1868 Artificial Spin Ice (ASI), consisting of a t...
1869 Since the events of the Arab Spring, there h...
1870 We initiate the algorithmic study of the fol...
1871 We derive a semi-analytic formula for the tr...
1872 Recurrent Neural Networks (RNNs) are used in...
1873 With any (not necessarily proper) edge $k$-c...
1874 The celebrated Nadaraya-Watson kernel estima...
1875 We consider the problem of bandit optimizati...
1876 We theoretically study a scheme to develop a...
1877 The Kalman Filter has been called one of the...
1878 We present a new method for the separation o...
1879 GC-1 and GC-2 are two globular clusters (GCs...
1880 We present a method to generate renewable sc...
1881 Many social and economic systems are natural...
1882 In this article Hopf parametric adjunctions ...
1883 Solving symmetric positive definite linear p...
1884 Despite remarkable achievements in its pract...
1885 These notes aim at presenting an overview of...
1886 Extracting useful entities and attribute val...
1887 This tutorial provides a gentle introduction...
1888 State-level minimum Bayes risk (sMBR) traini...
1889 The increasing illegal parking has become mo...
1890 We discuss some extensions of results from t...
1891 We tightly analyze the sample complexity of ...
1892 We propose a novel approach to address the S...
1893 This paper introduces the combinatorial Bool...
1894 On September 10, 2017, Hurricane Irma made l...
1895 Human behavioural patterns exhibit selfish o...
1896 We study the special central configurations ...
1897 Following the selection of The Gravitational...
1898 Empirical Bayes is a versatile approach to `...
1899 Techniques for reducing the variance of grad...
1900 Binary mixtures of dry grains avalanching do...
1901 Given a set of $n$ points $P$ in the plane, ...
1902 This paper mainly focus on the front-like en...
1903 In this paper, we classify the fundamental s...
1904 To predict the final result of an athlete in...
1905 Nowadays, multiprocessing is mainstream with...
1906 We study the dynamics of an isotropic spin-1...
1907 Erasure codes play an important role in stor...
1908 Machine learning libraries such as TensorFlo...
1909 We devise a new high order local absorbing b...
1910 We describe some necessary conditions for th...
1911 We introduce two new bootstraps for exchange...
1912 In this paper, we shall prove that any subse...
1913 We present $\texttt{BHM}$, a tool for restor...
1914 We develop a general polynomial chaos (gPC) ...
1915 We study the seasonal evolution of Titan's l...
1916 Multi-agent approach has become popular in c...
1917 We present an introductory survey to first o...
1918 The Percus-Yevick theory for monodisperse ha...
1919 We test the $\mathbb{C}P^{N-1}$ sigma models...
1920 In the framework of matrix valued observable...
1921 Evaluating generative adversarial networks (...
1922 The intersecting pedestrian flow on the 2D l...
1923 LiOsO$_3$ is the first example of a new clas...
1924 Convolutional neural networks (CNNs) are the...
1925 Retrieving the most similar objects in a lar...
1926 Let $A$ be a finite dimensional real algebra...
1927 In this paper, we first discuss the relation...
1928 We consider a Josephson junction consisting ...
1929 Rashba spin orbit coupling in topological in...
1930 A Floquet systems is a periodically driven q...
1931 This paper maps out the relation between dif...
1932 In this work, we consider diffusion-based mo...
1933 We define variable parameter analogues of th...
1934 We study the problem of estimating finite sa...
1935 Extreme-scale computational science increasi...
1936 Uranium beryllium-13 is a heavy fermion syst...
1937 In this article we study the behavior as $p ...
1938 We show that a finite unitary group which ha...
1939 Multivariate time series (MTS) have become i...
1940 For parabolic equations of the form $$ \frac...
1941 Many radiological studies can reveal the pre...
1942 We provide a complete classification of all ...
1943 We revisit the study of the phenomenology as...
1944 Consider the following asynchronous, opportu...
1945 We give a fully polynomial-time randomized a...
1946 Sparse coding is a crucial subroutine in alg...
1947 Reduced-rank regression is a dimensionality ...
1948 We find asymptotic formulas for error probab...
1949 The visual focus of attention (VFOA) has bee...
1950 We introduce the fully-dynamic conflict-free...
1951 A systematic experimental study of Gilbert d...
1952 Learning to detect fraud in large-scale acco...
1953 We consider a problem of learning a binary c...
1954 We show, in the case of a special dipolar so...
1955 We propose a novel randomized linear program...
1956 This report summarizes the discussions, open...
1957 Statisticians increasingly face the problem ...
1958 A locally repairable code with availability ...
1959 We present a general form of Renormalization...
1960 We study duality spectral sequences for Weie...
1961 In this short communication we study a fluid...
1962 We introduce the class of affine forward var...
1963 The free loops space $\Lambda X$ of a space ...
1964 Cosmic ray muons with the average energy of ...
1965 A number of microorganisms leave persistent ...
1966 In the present paper we study the existence ...
1967 We show that there exist complete and minima...
1968 In this paper, we describe a new Las Vegas a...
1969 These are lecture notes for a short course a...
1970 When two identical (coherent) beams are inje...
1971 We prove a Structure Identity Principle for ...
1972 In recent years, constrained optimization ha...
1973 We study how small a local set of the contin...
1974 In a prediction market, individuals can sequ...
1975 Several dihedral angles prediction methods w...
1976 A simple recurrence relation for the even or...
1977 A long range corrected range separated hybri...
1978 Deep networks often perform well on the data...
1979 In spite of the close connection between the...
1980 The Sagnac effect has been shown in inertial...
1981 Anisotropic displacement parameters (ADPs) a...
1982 Robotic motion planning problems are typical...
1983 In this article we consider hook removal ope...
1984 In the present paper we consider modal propo...
1985 Neural network (NN) model chemistries (MCs) ...
1986 Automated service classification plays a cru...
1987 We study the photoinduced breakdown of a two...
1988 We draw a formal connection between using sy...
1989 Learning and memory are intertwined in our b...
1990 The non-linear response of entangled polymer...
1991 We demonstrate the generation of higher-orde...
1992 Magnetic trilayers having large perpendicula...
1993 Grain boundary diffusion in severely deforme...
1994 The quantum Schrodinger-Newton equation is s...
1995 We consider learning a predictor which is no...
1996 Many brown dwarfs exhibit photometric variab...
1997 Traveling fronts describe the transition bet...
1998 We propose an original concept of compressiv...
1999 Advantages of electric vehicles (EV) include...
2000 Interactive Music Systems (IMS) have introdu...
2001 We study the relationship between informatio...
2002 How do regions acquire the knowledge they ne...
2003 We analyze the problem of learning a single ...
2004 It is widely observed that deep learning mod...
2005 Artifical Neural Networks are a particular c...
2006 Macquarie University's contribution to the B...
2007 Internet-of-things (IoT) architectures conne...
2008 We report $T=0$ diffusion Monte Carlo result...
2009 We prove that that the number p of positive ...
2010 Motivated by the study of collapsing Calabi-...
2011 When it comes to searches for extensions to ...
2012 This paper presents the design of a nonlinea...
2013 Probabilistic representations of movement pr...
2014 Access to the transverse spin of light has u...
2015 In survival studies, classical inferences fo...
2016 We present a strongly interacting quadruple ...
2017 We develop the notion of higher Cheeger cons...
2018 Petri nets are an established graphical form...
2019 We consider the problem of low canonical pol...
2020 We introduce a statistical method to investi...
2021 We study a new model of interactive particle...
2022 We present pricing mechanisms for several on...
2023 Case-Based Reasoning (CBR) has been widely u...
2024 In this paper we present a new method for de...
2025 The CALICE collaboration is developing highl...
2026 Hamiltonian Monte Carlo has emerged as a sta...
2027 In this paper, we derive the pointwise upper...
2028 For simulating large networks of neurons Hin...
2029 This paper describes our submission to the 2...
2030 Recently, decentralised (on-blockchain) plat...
2031 We demonstrate electro-mechanical control of...
2032 People speak at different levels of specific...
2033 We prove that the meet level $m$ of the Trot...
2034 Aboria is a powerful and flexible C++ librar...
2035 In classical mechanics well-known cryptograp...
2036 Autoencoders have been successful in learnin...
2037 We consider a large market model of defaulta...
2038 Life-expectancy is a complex outcome driven ...
2039 Recent several years have witnessed the surg...
2040 We define some new invariants for 3-manifold...
2041 In this paper, we propose an image encryptio...
2042 The recently developed bag-of-paths framewor...
2043 Recent advances in analysis of subband ampli...
2044 We study the Vladimirov fractional different...
2045 We propose position-velocity encoders (PVEs)...
2046 Convolutional neural networks (CNNs) are one...
2047 Linear regression models contaminated by Gau...
2048 This paper addresses the problem of depth es...
2049 One of the fundamental results in computabil...
2050 Research on mobile collocated interactions h...
2051 Instrumental variable (IV) methods are widel...
2052 We prove that the length function for perver...
2053 Deep neural networks are commonly developed ...
2054 We show that the expected size of the maximu...
2055 A systematic first-principles study has been...
2056 Answering a question of the second listed au...
2057 Statistical relational AI (StarAI) aims at r...
2058 Gravitinos are a fundamental prediction of s...
2059 We study networks of human decision-makers w...
2060 Membrane proteins constitute a large portion...
2061 We present spectroscopic redshifts of S(870)...
2062 The paper treats several aspects of the trun...
2063 Let $\Omega$ be a pseudoconvex domain in $\m...
2064 In observational studies and sample surveys,...
2065 Recent studies have shown that frame-level d...
2066 Collective urban mobility embodies the resid...
2067 We investigate the macroeconomic consequence...
2068 Convolutional Neural Networks (CNNs) are wid...
2069 Neurofeedback is a form of brain training in...
2070 Image and video analysis is often a crucial ...
2071 We give a survey of recent results on weak-s...
2072 Accurate diagnosis of Alzheimer's Disease (A...
2073 We introduce a novel approach for training a...
2074 The potential for machine learning (ML) syst...
2075 The prospect of pileup induced backgrounds a...
2076 We report the first result on Ge-76 neutrino...
2077 Keywords are important for information retri...
2078 Free space optical communication techniques ...
2079 This work focuses on the question of how ide...
2080 We develop theory for nonlinear dimensionali...
2081 Hashing has been widely used for large-scale...
2082 Based upon the idea that network functionali...
2083 In this paper we use Gaussian Process (GP) r...
2084 We propose a new method to evaluate GANs, na...
2085 We use superconducting rings with asymmetric...
2086 Human societies around the world interact wi...
2087 This paper presents a proposal (story) of ho...
2088 We define a symmetric monoidal (4,3)-categor...
2089 Permutation codes, in the form of rank modul...
2090 (349) Dembowska, a large, bright main-belt a...
2091 We propose CM3, a new deep reinforcement lea...
2092 This work addresses the problem of robust at...
2093 With its origin in sociology, Social Network...
2094 Accounting fraud is a global concern represe...
2095 Gaussian processes (GPs) are a good choice f...
2096 The complex electric modulus and the ac cond...
2097 Uniform convergence rates are provided for a...
2098 Predicting Arctic sea ice extent is a notori...
2099 Plasmids are autonomously replicating geneti...
2100 Distributional approximations of (bi--) line...
2101 We introduce a criterion, resilience, which ...
2102 Space out of a topological defect of the Abr...
2103 An accurate assessment of the risk of extrem...
2104 We answer the question to what extent homoto...
2105 We formulate part I of a rigorous theory of ...
2106 A promising research area that has recently ...
2107 We use Monte Carlo simulations to explore th...
2108 With recent developments in remote sensing t...
2109 We consider the reproducing kernel function ...
2110 In this paper, we consider a concentration o...
2111 JPEG is one of the most widely used image fo...
2112 We study the problems of clustering with out...
2113 Real-valued word representations have transf...
2114 Contemporary software documentation is as co...
2115 In an $\mathsf{L}$-embedding of a graph, eac...
2116 We develop a novel family of algorithms for ...
2117 Objective: We investigate whether deep learn...
2118 This paper is concerned with finite sample a...
2119 All previous experiments in open turbulent f...
2120 We propose a method inspired from discrete l...
2121 Phylogenetic networks generalise phylogeneti...
2122 Bibliometric indicators, citation counts and...
2123 Unprecedented human mobility has driven the ...
2124 Flexibility in shape and scale of Burr XII d...
2125 Argo floats measure seawater temperature and...
2126 Theories of knowledge reuse posit two distin...
2127 We consider the problem of matching applican...
2128 One of the most challenging problems in tech...
2129 In this paper we study the ideal variable ba...
2130 The increase of vehicle in highways may caus...
2131 For VSLAM (Visual Simultaneous Localization ...
2132 Dielectronic recombination (DR) is the domin...
2133 Structural nested mean models (SNMMs) are am...
2134 We develop a reinforcement learning based se...
2135 A nonparametric fuel consumption model is de...
2136 A vast majority of computation in the brain ...
2137 Winds from the North-West quadrant and lack ...
2138 We study randomly initialized residual netwo...
2139 We obtain a structure theorem for the group ...
2140 The vision systems of the eagle and the snak...
2141 I present a web service for querying an embe...
2142 We describe MELEE, a meta-learning algorithm...
2143 We present a many-body theory that explains ...
2144 The potential of an efficient ride-sharing s...
2145 Pillared Graphene Frameworks are a novel cla...
2146 Recent progress in computer vision has been ...
2147 We prove that for every $n \in \mathbb{N}$ a...
2148 We theoretically address spin chain analogs ...
2149 Motivated by applications in biological scie...
2150 Motivated by applications that arise in onli...
2151 PBW degenerations are a particularly nice fa...
2152 This paper is concerned with the problem of ...
2153 Weyl semimetals (WSMs) have recently attract...
2154 We analyze performance of a class of time-de...
2155 We explore the problem of intersection class...
2156 We study the Liouville heat kernel (in the $...
2157 Isoperimetric inequalities form a very intui...
2158 This chapter revisits the concept of excitab...
2159 We give the first examples of closed Laplaci...
2160 The Markoff group of transformations is a gr...
2161 Consider a spin manifold M, equipped with a ...
2162 Participatory budgeting is one of the exciti...
2163 This paper presents the first estimate of th...
2164 We give a simple proof of a standard zero-fr...
2165 Binary stars can interact via mass transfer ...
2166 This paper deals with skew ruled surfaces in...
2167 Ultrafast X-ray imaging provides high resolu...
2168 We decompose returns for portfolios of botto...
2169 Nearly all autonomous robotic systems use so...
2170 For years, recursive neural networks (RvNNs)...
2171 Consider the Navier-Stokes flow in 3-dimensi...
2172 Metabolic fluxes in cells are governed by ph...
2173 Archetypal analysis is a type of factor anal...
2174 A function from Baire space to the natural n...
2175 We consider the problem of universal joint c...
2176 We consider a general relation between fixed...
2177 The redundancy for universal lossless compre...
2178 In deep learning, performance is strongly af...
2179 We propose ultranarrow dynamical control of ...
2180 Bryant, Horsley, Maenhaut and Smith recently...
2181 Modern statistical inference tasks often req...
2182 Passive Kerr cavities driven by coherent las...
2183 We present a framework that connects three i...
2184 Previous studies have demonstrated the empir...
2185 The bound to factor large integers is domina...
2186 The increasing uptake of residential batteri...
2187 The evolution of cellular technologies towar...
2188 Training deep neural networks with Stochasti...
2189 We report the design, fabrication and charac...
2190 We investigate spatial evolutionary games wi...
2191 We provide the first analysis of a non-trivi...
2192 This paper proposes a detailed optimal sched...
2193 Justification Awareness Models, JAMs, were p...
2194 The splendid success of convolutional neural...
2195 Thomassen conjectured that triangle-free pla...
2196 This paper presents a continuous-time equili...
2197 The brain can display self-sustained activit...
2198 Several important applications, such as stre...
2199 Heavy-tailed errors impair the accuracy of t...
2200 In this paper we analyse the benefits of inc...
2201 Neutron beam monitors with high efficiency, ...
2202 Previous studies have shown the filamentary ...
2203 Pandeia is the exposure time calculator (ETC...
2204 A basic combinatorial invariant of a convex ...
2205 Recently, the integration of geographical co...
2206 Fitch-style modal deduction, in which modali...
2207 Recently, the first installment of data from...
2208 We consider randomly distributed mixtures of...
2209 In this paper we propose a general framework...
2210 This paper will cover several studies and de...
2211 We consider multidimensional optimization pr...
2212 A graph is a powerful concept for representa...
2213 This paper considers the assignment of multi...
2214 Cyclic codes have efficient encoding and dec...
2215 We prove that indecomposable $\Sigma$-pure-i...
2216 We present a novel continuous optimization m...
2217 We provide a microeconomic framework for dec...
2218 In recent years, Deep Reinforcement Learning...
2219 We consider the problem of identifying any $...
2220 Recommender systems (RS) help users navigate...
2221 We develop a new technique, based on Stein's...
2222 In this paper, we propose a novel and elegan...
2223 The literature on Inverse Reinforcement Lear...
2224 In recent work it was shown how recursive fa...
2225 This paper seeks to combine differential gam...
2226 We introduce the notion of the depth of a fi...
2227 Cosmic rays originating from extraterrestria...
2228 Our aim in this paper is to establish some s...
2229 This paper develops theory for feasible esti...
2230 Generating realistic artificial preference d...
2231 Let $(M,\Omega)$ be a closed $8$-dimensional...
2232 Deep learning methods have recently achieved...
2233 Point clouds provide a flexible and natural ...
2234 A new challenge for learning algorithms in c...
2235 The study of the restricted isometry propert...
2236 We propose new positive definite kernels for...
2237 We study a connection between synchronizing ...
2238 The quest for performant networks has been a...
2239 We analyze the loss landscape and expressive...
2240 We formulated and implemented a procedure to...
2241 Let $G$ be a quasi-simple algebraic group de...
2242 Let $f:\{0,1\}^n \rightarrow \{0,1\}$ be a B...
2243 Oshima's Lemma describes the orbits of parab...
2244 In human-in-the-loop machine learning, the u...
2245 We employ the exponentially improved asympto...
2246 In data summarization we want to choose k pr...
2247 The brms package allows R users to easily sp...
2248 In this paper, we prove the characterization...
2249 Anomalies in the abundance measurements of s...
2250 We establish a geometric condition guarantee...
2251 This paper proposes a family of weighted bat...
2252 Gradient-based optimization is the foundatio...
2253 Dirichlet process mixture models (DPMM) are ...
2254 We study the existence and uniqueness of min...
2255 We study the stationary photon output and st...
2256 Many applied settings in empirical economics...
2257 Periodograms are used as a key significance ...
2258 In this work, we consider the problem of pre...
2259 In this paper we present the state of the ar...
2260 Link discovery is an active field of researc...
2261 The minimum $k$-enclosing ball problem seeks...
2262 Dependency parses are an effective way to in...
2263 The motion of a mechanical system can be def...
2264 We give a polynomial-time algorithm for lear...
2265 Machine learning techniques have been used i...
2266 The main properties of the climate of waves ...
2267 Estimating covariances between financial ass...
2268 We present a thorough analysis of the interp...
2269 Android has been the most popular smartphone...
2270 This paper presents a framework for the impl...
2271 Motivated by the intriguing behavior display...
2272 We present a software tool that employs stat...
2273 Knowledge graph embedding aims at translatin...
2274 I present a simple phenomenological model fo...
2275 Convolutional neural networks (CNNs) have be...
2276 The positive impacts of platooning on travel...
2277 This paper studies the role of dg-Lie algebr...
2278 This paper presents a novel method to reduce...
2279 Artificial ice systems have unique physical ...
2280 Node-perturbation learning is a type of stat...
2281 Recently $S_{b}$-metric spaces have been int...
2282 Designing decentralized policies for wireles...
2283 In this paper we propose and analyze a finit...
2284 This paper investigates power control and re...
2285 We introduce and study ternary $f$-distribut...
2286 The important unsolved problem in theory of ...
2287 In this work we study the impact of chromati...
2288 Anisotropy describes the directional depende...
2289 Logistic linear mixed model is widely used i...
2290 We prove that any non-adaptive algorithm tha...
2291 Language understanding is a key component in...
2292 A novel delay-based spacing policy for the c...
2293 The Reidemeister number of an endomorphism o...
2294 In this paper, we propose a framework for cr...
2295 Many important problems can be modeled as a ...
2296 A functional version of the Kato one-paramet...
2297 Recent breakthroughs in computer vision and ...
2298 Objective: To evaluate unsupervised clusteri...
2299 We report structural, optical, temperature a...
2300 Let $X\rightarrow {\mathbb P}^1$ be an ellip...
2301 In this paper we propose the use of quantum ...
2302 We present a vision-only model for gaming AI...
2303 Several kinds of differential relations for ...
2304 This paper studies holomorphic semicocycles ...
2305 In this work, we plan to develop a system to...
2306 The emergence of intellectual property as an...
2307 In this paper, we consider the cubic fourth-...
2308 In this thesis, we study the problem of feat...
2309 We introduce new boundary integral operators...
2310 Granular materials are complex multi-particl...
2311 In the stochastic matching problem, we are g...
2312 The prevention of domestic violence (DV) hav...
2313 In this paper we show how to attain the capa...
2314 Avionics is one kind of domain where prevent...
2315 Recent research has revealed that the output...
2316 We investigate of a special dam optimal loca...
2317 Proton-driven plasma wakefield acceleration ...
2318 Convolutional Neural Networks have been a su...
2319 This paper is the first work to perform spat...
2320 This paper studies the structure of a parabo...
2321 In this paper, we generally formulate the dy...
2322 Graphs are an important tool to model data i...
2323 Context: In the past decade, sensitive, reso...
2324 Disjoint-Set forests, consisting of Union-Fi...
2325 In this paper, we study the problem of explo...
2326 The present paper shows that warped Riemanni...
2327 We look at stochastic optimization problems ...
2328 We study the single machine scheduling probl...
2329 Rural building mapping is paramount to suppo...
2330 The problem of suppressing the scattering fr...
2331 The accurate and robust simulation of transc...
2332 Given a substitution tiling $T$ of the plane...
2333 The detection of molecular species in the at...
2334 I discuss several issues related to "classic...
2335 We study the convergence of the parameter fa...
2336 For stationary, homogeneous Markov processes...
2337 We consider smooth, complex quasi-projective...
2338 We describe a list of open problems in rando...
2339 We proposed a semi-parametric estimation pro...
2340 The spectra of 413 star-forming (or HII) reg...
2341 The problem of output-only parameter identif...
2342 Over half a million individuals are diagnose...
2343 We consider the problem of detecting a few t...
2344 A number of image-processing problems can be...
2345 An adversarial example is an example that ha...
2346 We propose a homotopy continuation method ca...
2347 User participation is considered an effectiv...
2348 In this article, we consider the equivariant...
2349 A collection of arbitrarily-shaped solid obj...
2350 A reinforcement learning agent tries to maxi...
2351 The structure, composition and electrophysic...
2352 This work describes the development of a hig...
2353 The upcoming Fermilab E989 experiment will m...
2354 In their previous work, S. Koenig, S. Ovsien...
2355 Telecom companies are severely damaged by by...
2356 It is observed that many thin superconductin...
2357 The goal of scenario reduction is to approxi...
2358 The relationship of scientific knowledge dev...
2359 The learning of mixture models can be viewed...
2360 Resolving abstract anaphora is an important,...
2361 We present an effective harmonic density int...
2362 Many problems in computer vision and recomme...
2363 Classical novae show a rapid rise in optical...
2364 In this work, we compare the thermophysical ...
2365 Recovering low-rank structures via eigenvect...
2366 We present the use of the fitted Q iteration...
2367 Finite rank median spaces are a simultaneous...
2368 Explaining underlying causes or effects abou...
2369 We propose a type system for reasoning on pr...
2370 A homomorphism from a graph G to a graph H i...
2371 We consider the spatially homogeneous Boltzm...
2372 Materials science has adopted the term of au...
2373 Asymptotics of maximum likelihood estimation...
2374 Deep Neural Networks (DNNs) have emerged as ...
2375 Marshall and Olkin (1997, Biometrika, 84, 64...
2376 Rapid improvements in machine learning over ...
2377 This paper studies the dynamics of a network...
2378 For every $q\in \mathbb N$ let $\textrm{FO}_...
2379 Community analysis is an important way to as...
2380 Composite adaptive control schemes, which us...
2381 We introduce a new critical value $c_\infty(...
2382 We analyze a decentralized random walk-based...
2383 The Fan Region is one of the dominant featur...
2384 Determining the redshift distribution $n(z)$...
2385 In this paper we develop a novel computation...
2386 Nowadays, the construction of a complex robo...
2387 The joint sparse recovery problem is a gener...
2388 The dynamics of infectious diseases spread i...
2389 We investigate the dynamical complexity of C...
2390 Mathematical modelers have long known of a "...
2391 Egbert Brieskorn died on July 11, 2013, a fe...
2392 Exploiting full-duplex (FD) technology on ba...
2393 We consider task and motion planning in comp...
2394 Recently, deep neural networks (DNNs) have b...
2395 Sequential Monte Carlo (SMC) methods are a c...
2396 An incoming electron is reflected back as a ...
2397 We examine the dynamics of entanglement entr...
2398 Aggressive incentive schemes that allow indi...
2399 The nearby space surrounding the Earth is de...
2400 We characterize photonic transport in a boun...
2401 We show empirically that the optimal strateg...
2402 We compare the long-term fractional frequenc...
2403 The bootstrap current and flow velocity of a...
2404 We use the Hubble Space Telescope to obtain ...
2405 Society faces a fundamental global problem o...
2406 This paper establishes convergence rate boun...
2407 In this paper, we address the basic problem ...
2408 Klavs F. Jensen is Warren K. Lewis Professor...
2409 The complexity and size of state-of-the-art ...
2410 We introduce a new method for building model...
2411 In this paper we propose a Hamiltonian appro...
2412 This paper considers the non-Hermitian Zakha...
2413 The central goal of this thesis is to develo...
2414 Given a matrix $\mathbf{A}\in\mathbb{R}^{n\t...
2415 Autonomous robots increasingly depend on thi...
2416 Silicon photomultipliers (SiPMs) are potenti...
2417 Experiments may not reveal their full import...
2418 We study the statistical and computational a...
2419 We consider a population of $n$ agents which...
2420 In this note we show that a mutation theory ...
2421 We use the "generalized hierarchical equatio...
2422 We consider the ground-state properties of R...
2423 Solving the global method of Weighted Least ...
2424 This work builds on earlier results. We defi...
2425 Residual Network (ResNet) is the state-of-th...
2426 A second generation of gravitational wave de...
2427 A surprising diversity of different products...
2428 Simple scaling consideration and NRG solutio...
2429 This paper proposes a deep Convolutional Neu...
2430 Recurrent Neural Networks (RNNs) with attent...
2431 The paper describes the Faraday room that sh...
2432 We describe a benchmark study of collective ...
2433 Correlated random fields are a common way to...
2434 Deep learning approaches such as convolution...
2435 A SPaT (Signal Phase and Timing) message des...
2436 In this paper, we propose a novel method to ...
2437 In this work, a novel approach is presented ...
2438 Flexibility is a key enabler for the smart g...
2439 This paper describes the Duluth system that ...
2440 This work presents an innovative application...
2441 Stellar evolution models are most uncertain ...
2442 We study complexity of short sentences in Pr...
2443 Mean square error (MSE) has been the preferr...
2444 We introduce a new application of measuring ...
2445 We consider the problem of undirected graphi...
2446 High-dose-rate brachytherapy is a tumor trea...
2447 We use the scattering network as a generic a...
2448 We studied how lagged linear regression can ...
2449 We develop a complexity measure for large-sc...
2450 The net contribution of the strange quark sp...
2451 Carmesin, Federici, and Georgakopoulos [arXi...
2452 We consider machine learning in a comparison...
2453 Predicting the completion time of business p...
2454 Quantum annealing (QA) is a generic method f...
2455 Unwanted variation can be highly problematic...
2456 We present ALMA CO (2-1) detections in 11 ga...
2457 Anatomical and biophysical modeling of left ...
2458 Data assimilation is widely used to improve ...
2459 The presence of ubiquitous magnetic fields i...
2460 We study a model of two species of one-dimen...
2461 The positive semidefinite rank of a convex b...
2462 We investigate the holonomy group of singula...
2463 Selective classification techniques (also kn...
2464 Cognitive computing systems require human la...
2465 We demonstrate a random bit streaming system...
2466 We have investigated the electronic states a...
2467 A quality assurance and performance qualific...
2468 We search for the signature of universal pro...
2469 We present a search for metal absorption lin...
2470 By year 2020, the number of smartphone users...
2471 Motivated by the model- independent pricing ...
2472 This paper aims to provide a better understa...
2473 The ease of integration coupled with large s...
2474 We prove that any cyclic quadrilateral can b...
2475 We prove that for a free noncyclic group $F$...
2476 Intentional or unintentional contacts are bo...
2477 The number of published findings in biomedic...
2478 We consider a classical problem of control o...
2479 Refactoring is a maintenance activity that a...
2480 This is the second in a series of papers whe...
2481 Bayesian inference via standard Markov Chain...
2482 The kernel trick concept, formulated as an i...
2483 The seminal paper of Caponnetto and de Vito ...
2484 We propose a supervised algorithm for genera...
2485 Network embedding aims to find a way to enco...
2486 Automated program repair (APR) has attracted...
2487 This study tries to explain the connection b...
2488 We introduce a model of anonymous games with...
2489 In this work, we study the problem of minimi...
2490 We show that after forming a connected sum w...
2491 We introduce a technique that can automatica...
2492 In this paper, we introduce two new non-sing...
2493 In several domains obtaining class annotatio...
2494 The number of studies for the analysis of re...
2495 The multi-armed restless bandit problem is s...
2496 Iteratively reweighted $\ell_1$ algorithm is...
2497 In object oriented software development, the...
2498 This Perspective provides examples of curren...
2499 An explicit description of the virtualizatio...
2500 The mechanisms underlying cardiac fibrillati...
2501 In this paper, we propose an information-the...
2502 We introduce the Probabilistic Generative Ad...
2503 The reversible jump Markov chain Monte Carlo...
2504 We define compactifications of vector spaces...
2505 We show that the m-fold connected sum $m\#\m...
2506 We present a microscopic theory of Raman sca...
2507 In this work, we study the robust subspace t...
2508 In this paper, we argue for the adoption of ...
2509 Understanding tie strength in social network...
2510 The paper considers non-stationary responses...
2511 Investigation of social influence dynamics r...
2512 The weighted k-nearest neighbors algorithm i...
2513 An important novelty of 5G is its role in tr...
2514 We consider a reinforcement learning (RL) se...
2515 We study a three-wave truncation of a recent...
2516 With the future likely to see even more perv...
2517 Skoda's 1972 result on ideal generation is a...
2518 One of the defining properties of deep learn...
2519 Dielectric microstructures have generated mu...
2520 Given a zero-dimensional ideal I in a polyno...
2521 In this paper, we introduce the concept of a...
2522 We present a self-contained proof of Uhlenbe...
2523 We consider the problem of making distribute...
2524 We present a straightforward source-to-sourc...
2525 We investigate the open dynamics of an atomi...
2526 Composition and lattice join (transitive clo...
2527 We propose a simple risk-limiting audit for ...
2528 In this paper we study the category LCA(2) o...
2529 We study how to sample paths of a random wal...
2530 Cell migration is a fundamental process invo...
2531 Recent work has proposed various adversarial...
2532 The detection of thousands of extrasolar pla...
2533 We define nearest-neighbour point processes ...
2534 One of the challenges in model-based control...
2535 Health care is one of the most exciting fron...
2536 Let $X$ be a normal, connected and projectiv...
2537 A pressure driven flow in contact interface ...
2538 Species tree reconstruction from genomic dat...
2539 In this paper we establish the characterizat...
2540 We represent Matérn functions in terms of Sc...
2541 The Hasse-Witt matrix of a hypersurface in $...
2542 We propose to study the problem of few-shot ...
2543 We report on the precise measurement of the ...
2544 Distribution of cold gas in the post-reioniz...
2545 Assume that $T$ is a self-adjoint operator o...
2546 We formulate and propose an algorithm (Multi...
2547 Given a combinatorial design $\mathcal{D}$ w...
2548 The growing literature on affect among softw...
2549 We propose a typesafe abstraction to tensors...
2550 Exploiting sparsity enables hardware systems...
2551 Density-based clustering techniques are used...
2552 We propose a fast proximal Newton-type algor...
2553 We use grey forecast model to predict the fu...
2554 Text password has long been the dominant use...
2555 Randomized experiments have been critical to...
2556 The planets of the Solar System divide neatl...
2557 When plated onto substrates, cell morphology...
2558 Agent-Based Computing is a diverse research ...
2559 As novel topological phases in correlated el...
2560 Motivated by the current interest in the und...
2561 Opinion mining and sentiment analysis in soc...
2562 Developing a dialogue agent that is capable ...
2563 A weak-strong uniqueness result is proved fo...
2564 Gradient descent and coordinate descent are ...
2565 Inverse reinforcement learning (IRL) aims to...
2566 On one hand, consider the problem of finding...
2567 The step of expert taxa recognition currentl...
2568 Thermoelectric (TE) materials achieve locali...
2569 Over 50 million scholarly articles have been...
2570 Bayesian optimization is a sample-efficient ...
2571 We present a MUSE and KMOS dynamical study 4...
2572 The aim of fine-grained recognition is to id...
2573 There are many hard conjectures in graph the...
2574 Modern theories of galaxy formation predict ...
2575 Deep learning involves a difficult non-conve...
2576 The attention for personalized mental health...
2577 Robust estimation is much more challenging i...
2578 The graphene/MoS2 heterojunction formed by j...
2579 Let $p$ be a prime. A $p$-group $G$ is defin...
2580 The lack of diversity in a genetic algorithm...
2581 In this work, we analyze the problem of adop...
2582 We prove Cherlin's conjecture, concerning bi...
2583 This article concerns the expressive power o...
2584 Jiří Matoušek (1963-2015) had many breakthro...
2585 Modern neural networks are often augmented w...
2586 Intrinsically motivated spontaneous explorat...
2587 Previous research has traditionally analyzed...
2588 The concept of a C-class of differential equ...
2589 Interval estimation of quantiles has been tr...
2590 In recent years, a large body of research ha...
2591 Texture characterization is a key problem in...
2592 Images and spectra of the open cluster NGC 3...
2593 We present an exact ground state solution of...
2594 We study the instability of standing wave so...
2595 This paper proposes the matrix-weighted cons...
2596 We study a strategic version of the multi-ar...
2597 With the recent focus in the accessibility f...
2598 Machine learning and quantum computing are t...
2599 Using password based authentication techniqu...
2600 In this paper, we study an analytical approa...
2601 In this paper we study the behavior of the f...
2602 Biomedical events describe complex interacti...
2603 Nowadays it is quite evident that knowledge-...
2604 Bilinear matrix inequality (BMI) problems in...
2605 We have carried out the transient nonlinear ...
2606 Compression and computational efficiency in ...
2607 In the discrete modeling approach for hybrid...
2608 This paper proposes a privacy-preserving dis...
2609 We study methods to estimate drivers' postur...
2610 We propose new smoothed median and the Wilco...
2611 We study the never-worse relation (NWR) for ...
2612 In a network, a tunnel is a part of a path w...
2613 The paper summarizes the development of the ...
2614 To understand narrative, humans draw inferen...
2615 We define the notion of hom-Batalin-Vilkovis...
2616 The paper should be viewed as complement of ...
2617 We establish four supercongruences between t...
2618 A multiple classifiers fusion localization t...
2619 Embedding graph nodes into a vector space ca...
2620 We introduce a kernel Lasso (kLasso) optimiz...
2621 We consider the problem of reconstructing si...
2622 We identify multirole logic as a new form of...
2623 In this work we present the novel ASTRID met...
2624 In this paper, we propose a modified Levy ju...
2625 We present a test to quantify how well some ...
2626 Advances in Wireless Sensor Network (WSN) ha...
2627 Samples with a common mean but possibly diff...
2628 We report the discovery and constrain the ph...
2629 This article proposes a numerical scheme for...
2630 The reproducibility of scientific research h...
2631 We prove that the Tate, Beilinson and Parshi...
2632 The dueling bandits problem is an online lea...
2633 The presence of dusty debris around main seq...
2634 Based on a quasi-one-dimensional limit of qu...
2635 With onboard operating systems becoming incr...
2636 We obtain a spectral gap characterization of...
2637 Dynamic neural network toolkits such as PyTo...
2638 Clustering is the process of finding and ana...
2639 Deep learning models require extensive archi...
2640 The actions of an autonomous vehicle on the ...
2641 This paper introduces a method for efficient...
2642 Understanding the structure of ZnO surface r...
2643 In this paper, we consider the problem of de...
2644 The quantile ratio index introduced by Prend...
2645 This paper considers a practical scenario wh...
2646 The persistence diagram of Cohen-Steiner, Ed...
2647 First-order optimization algorithms, often p...
2648 Datacenter-based Cloud Computing services pr...
2649 We prove that when $q$ is a power of $2$, ev...
2650 In this paper, we discuss the application of...
2651 With the help of transfer entropy, we analyz...
2652 Many problems in machine learning and relate...
2653 In the previous article we derived a detaile...
2654 In this work, we propose a novel robot learn...
2655 Scientific publishing conveys the outputs of...
2656 We present a multi-query recovery policy for...
2657 t-distributed Stochastic Neighborhood Embedd...
2658 Winds arising from galaxies, star clusters, ...
2659 Neural models enjoy widespread use across a ...
2660 In this paper, we propose a novel ranking fr...
2661 This paper introduces consensus-based primal...
2662 The proportional odds model gives a method o...
2663 We describe global embeddings of fractional ...
2664 Consider a nilpotent element e in a simple c...
2665 We consider the problem of proving that each...
2666 The estimation of a log-concave density on $...
2667 Metric graphs are special types of metric sp...
2668 The critcal exponent $\omega$ is evaluated a...
2669 This article presents a framework and develo...
2670 Active learning is relevant and challenging ...
2671 Over the last few decades, psychologists hav...
2672 Comprehensive Two dimensional gas chromatogr...
2673 Panel data analysis is an important topic in...
2674 In order to understand the origin of observe...
2675 We theoretically investigate the dispersion ...
2676 In this paper, we develop a new approach to ...
2677 There is a digraph corresponding to every sq...
2678 We study the Loschmidt echo for quenches in ...
2679 A new prior is proposed for representation l...
2680 We propose a multi-scale edge-detection algo...
2681 Inspired by recent work of I. Baoulina, we g...
2682 In this paper, we study the fractional Poiss...
2683 Adaptive Fourier decomposition (AFD, precise...
2684 Due to the growth of geo-tagged images, rece...
2685 Electron Cryo-Tomography (ECT) enables 3D vi...
2686 We use the Kotliar-Ruckenstein slave-boson f...
2687 Schmerl and Beklemishev's work on iterated r...
2688 Internet of Things (IoT) is the next big evo...
2689 In this paper, we propose a new approach to ...
2690 Uncertainty analysis in the form of probabil...
2691 Asynchronous-parallel algorithms have the po...
2692 The ground-state magnetic response of fuller...
2693 We show that discrete distributions on the $...
2694 The incorporation of macro-actions (temporal...
2695 The current dominant visual processing parad...
2696 We describe algorithms for symbolic reasonin...
2697 For Time-Domain Global Similarity (TDGS) met...
2698 If dark matter interactions with Standard Mo...
2699 We develop a strong diagnostic for bubbles a...
2700 The formaldehyde MegaMaser emission has been...
2701 Inference, prediction and control of complex...
2702 This paper presents a new framework for anal...
2703 Ferromagnetic semiconductors (FMSs), which h...
2704 Efficient extraction of useful knowledge fro...
2705 Accretion of planetary material onto host st...
2706 We use a co-trapped ion ($^{88}\mathrm{Sr}^{...
2707 Infra-Red(IR) astronomical databases, namely...
2708 Decisions by Machine Learning (ML) models ha...
2709 This activity has been developed as a resour...
2710 In this work we propose to fit a sparse logi...
2711 We study the complexity of approximating the...
2712 This paper considers the use of Machine Lear...
2713 We present a near-infrared direct imaging se...
2714 We prove that if a contact 3-manifold admits...
2715 Under the usual condition that the volume of...
2716 Uncertainty computation in deep learning is ...
2717 Availability of research datasets is keyston...
2718 Deep learning models for graphs have achieve...
2719 From the energy-momentum tensors of the elec...
2720 The control of electric currents in solids i...
2721 We present the results from the first measur...
2722 This paper provides a mathematical approach ...
2723 At CCS 2015 Naveed et al. presented first at...
2724 Condensate of spin-1 atoms frozen in a uniqu...
2725 Empirically, neural networks that attempt to...
2726 When conducting large scale inference, such ...
2727 Objects moving in fluids experience patterns...
2728 Recent studies show that the fast growing ex...
2729 Short-circuit evaluation denotes the semanti...
2730 We describe a communication game, and a conj...
2731 For a finite field of odd cardinality $q$, w...
2732 We present 1-second cadence observations of ...
2733 Bipartite networks manifest as a stream of e...
2734 Background: Performance bugs can lead to sev...
2735 Classical coupling constructions arrange for...
2736 The primary motivation of much of software a...
2737 The increasing richness in volume, and espec...
2738 Taxi demand prediction is an important build...
2739 We have explored the optimal frequency of in...
2740 We present an asymptotic criterion to determ...
2741 In this note we study the Seifert rational h...
2742 We investigate the impact of resonant gravit...
2743 We present the detection of long-period RV v...
2744 A personalized learning system needs a large...
2745 This paper is a contribution to the study of...
2746 Supermassive black hole (SMBH) binaries resi...
2747 Web applications require access to the file-...
2748 Fully realizing the potential of acceleratio...
2749 The physical layer security in the up-link o...
2750 We develop a new modeling framework for Inte...
2751 Nanoscale quantum probes such as the nitroge...
2752 Optimization plays a key role in machine lea...
2753 Centrality metrics are among the main tools ...
2754 The removal of noise typically correlated in...
2755 The understanding of variations in genome se...
2756 How can we design reinforcement learning age...
2757 We introduce the State Classification Proble...
2758 Tree ensemble models such as random forests ...
2759 The formalism to augment the classical model...
2760 Knowledge distillation (KD) consists of tran...
2761 The annual cost of Cybercrime to the global ...
2762 Surface plasmon waves carry an intrinsic tra...
2763 In this work we introduce declarative statis...
2764 In Phase 2 of CRESST-II 18 detector modules ...
2765 The problem of construction of ladder operat...
2766 By a classical principle of probability theo...
2767 We have synthesized 10 new iron oxyarsenides...
2768 The present paper introduces the initial imp...
2769 Time Projection Chamber (TPC) has been chose...
2770 We classify all invariants of the functor $I...
2771 In this paper, we first present an adaptive ...
2772 Recent results of Laca, Raeburn, Ramagge and...
2773 In manufacture, steel and other metals are m...
2774 It was recently shown that architectural, re...
2775 We define a second-order neural network stoc...
2776 Word embeddings are a powerful approach for ...
2777 We analyse the homotopy types of gauge group...
2778 We define an integral form of the deformed W...
2779 The aim of this paper is to present a new lo...
2780 Plasmons, the collective excitations of elec...
2781 We describe a procedure naturally associatin...
2782 We study the challenges of applying deep lea...
2783 Novel low-band-gap copolymer oligomers are p...
2784 We propose an efficient and accurate measure...
2785 In this paper we study how to learn stochast...
2786 A publication trend in Physics Education by ...
2787 Self-organization is a natural phenomenon th...
2788 A finite abstract simplicial complex G defin...
2789 Chaos and ergodicity are the cornerstones of...
2790 Over the years, many different indexing tech...
2791 Contour integration is a crucial technique i...
2792 The goal of this study is to develop an effi...
2793 Goldstone modes are massless particles resul...
2794 This paper provides a link between causal in...
2795 Traditional medicine typically applies one-s...
2796 Leakage of polarized Galactic diffuse emissi...
2797 This paper proposes a joint framework wherei...
2798 Here we present a working framework to estab...
2799 We investigate the problem of testing the eq...
2800 Physical-layer group secret-key (GSK) genera...
2801 Interactive reinforcement learning (IRL) ext...
2802 As South and Central American countries prep...
2803 In this study, we systematically investigate...
2804 Let $\Gamma \leq \mathrm{Aut}(T_{d_1}) \time...
2805 We present in this paper algorithms for solv...
2806 Machine learning algorithms for prediction a...
2807 An introduction to the Zwanzig-Mori-Götze-Wö...
2808 The multilabel learning problem with large n...
2809 We correct one erroneous statement made in o...
2810 Next-generation 802.11ax WLANs will make ext...
2811 The belief that three dimensional space is i...
2812 Twinning is an important deformation mode of...
2813 Femtosecond optical pulses at mid-infrared f...
2814 In Optical diffraction tomography, the multi...
2815 Optical tweezers have enabled important insi...
2816 In this Essay we investigate the observation...
2817 In many modern machine learning applications...
2818 Correlation networks were used to detect cha...
2819 Existing neural conversational models proces...
2820 In this paper, energy efficient power alloca...
2821 The composite fermion (CF) formalism produce...
2822 In the $k$-Cut problem, we are given an edge...
2823 This paper analyses in detail the dynamics i...
2824 This paper deals with existence and regulari...
2825 Among the manifold takes on world literature...
2826 We investigate task clustering for deep-lear...
2827 The roles played by learning and memorizatio...
2828 Evaluating the return on ad spend (ROAS), th...
2829 Neville's algorithm is known to provide an e...
2830 Traditional linear methods for forecasting m...
2831 The continually increasing number of documen...
2832 We present a method for efficient learning o...
2833 We prove upper bounds for the mean square of...
2834 We define a novel, extensional, three-valued...
2835 Spectroscopic surveys require fast and effic...
2836 Microservice Architecture (MSA) is a novel s...
2837 RoboJam is a machine-learning system for gen...
2838 We report measurements of the de Haas-van Al...
2839 We associate an Albert form to any pair of c...
2840 A nonlinear cyclic system with delay and the...
2841 Automatic welding of tubular TKY joints is a...
2842 We prove that the killing rate of certain de...
2843 Neural models have become ubiquitous in auto...
2844 Diffusion MRI (dMRI) is a valuable tool in t...
2845 Empirical risk minimization (ERM) is ubiquit...
2846 Deep learning searches for nonlinear factors...
2847 ADMM is a popular algorithm for solving conv...
2848 We prove finite jet determination for (finit...
2849 We present a mathematical analysis of a non-...
2850 Inspired by biophysical principles underlyin...
2851 The entropy of a random variable is well-kno...
2852 In this paper, we consider solving a class o...
2853 In this paper, we present a novel deep fusio...
2854 Recently, two-dimensional canonical correlat...
2855 The wide adoption of smartphones and mobile ...
2856 Hybridized molecule/metal interfaces are ubi...
2857 Detection of the mostly geomagnetically gene...
2858 We study how the regret guarantees of nonsto...
2859 The paper presents a novel concept that anal...
2860 We study classes of atomic models At_T of a ...
2861 We study the problem of estimating the mean ...
2862 We study the problem of containing epidemic ...
2863 In this paper, we investigate the possibilit...
2864 In computer vision applications, such as dom...
2865 Among mobile cloud applications, mobile clou...
2866 Cosmic ray intensities (CRIs) recorded by si...
2867 In many developing countries, public transit...
2868 We consider a class of magnetic fields defin...
2869 Some lung diseases are related to bronchial ...
2870 In this paper, we present the design and imp...
2871 In recent years, a number of prominent compu...
2872 There are a number of examples of variations...
2873 Recent results in coupled or temporal graphi...
2874 A distributed algorithm is described for fin...
2875 For a metric measure space, we treat the set...
2876 Distributed ledger technologies rely on cons...
2877 We study the complexity of approximations to...
2878 As training data rapid growth, large-scale p...
2879 Hyperparameter tuning is the black art of au...
2880 We present Deep Generalized Canonical Correl...
2881 A main question in graphical models and caus...
2882 We give a lower bound for the multipliers of...
2883 We show that, within a linear approximation ...
2884 Predicting personality is essential for soci...
2885 We propose a novel couple mappings method fo...
2886 Various sectors are likely to carry a set of...
2887 Let $G$ be the circulant graph $C_n(S)$ with...
2888 Barrier options are one of the most widely t...
2889 Generalized-ensemble Monte Carlo simulations...
2890 We compared positions of the Gaia first data...
2891 The analysis of manifold-valued data require...
2892 The paper presents the graph Fourier transfo...
2893 Dempster-Shafer evidence theory is wildly ap...
2894 Could we use Computer Vision in the Internet...
2895 Interpretability of deep neural networks is ...
2896 Graph matching in two correlated random grap...
2897 Semi-supervised learning deals with the prob...
2898 We obtain an essential spectral gap for a co...
2899 In this work several semantic approaches to ...
2900 During the start of a survey program using F...
2901 For $n\in \mathbb{N}$ let $S_n$ be the small...
2902 The advection equation is the basis for math...
2903 Functional time series have become an integr...
2904 Benford's law is an empirical observation, f...
2905 Synchronization, that occurs both for non-ch...
2906 The deformation of disordered solids relies ...
2907 The reproducing kernel Hilbert space (RKHS) ...
2908 In this work we consider the presence of con...
2909 We develop a unified valuation theory that i...
2910 We use trace class scattering theory to excl...
2911 Weyl fermions are shown to exist inside a pa...
2912 The recent success of Deep Neural Networks (...
2913 Despite a long record of intense efforts, th...
2914 This paper addresses image classification th...
2915 Recurrent neural nets (RNN) and convolutiona...
2916 We derive new estimates for the number of di...
2917 Recently low displacement rank (LDR) matrice...
2918 Classification rules can be severely affecte...
2919 Finding the exact integrality gap $\alpha$ f...
2920 Gaussian mixture models are widely used in S...
2921 In this paper we will consider a generalized...
2922 Intensionality is a phenomenon that occurs i...
2923 This two-part paper details a theory of solv...
2924 It is a neat result from functional programm...
2925 In this article we study the role of the Gre...
2926 The rising need of secret image sharing with...
2927 In this paper we introduce MATMPC, an open s...
2928 We propose a copula based method to handle m...
2929 Cooling the rotation and the vibration of mo...
2930 Numerous pattern recognition applications ca...
2931 When participating in electricity markets, o...
2932 We design and analyse variations of the clas...
2933 We experimentally study steady Marangoni-dri...
2934 We study the asymptotic behavior of the homo...
2935 In rectangle packing problems we are given t...
2936 The aim of this work is to study the existen...
2937 Understanding the entanglement structure of ...
2938 Transfer learning has the potential to reduc...
2939 The Erdős-Ginzburg-Ziv constant of an abelia...
2940 The success of deep learning in numerous app...
2941 We show that discourse structure, as defined...
2942 Grid based binary holography (GBH) is an att...
2943 We present spatially and spectrally-resolved...
2944 Nowadays, the availability of large-scale da...
2945 We present a homogeneous set of accurate atm...
2946 A procedure for the design of fixed-gain tra...
2947 Magnetically active stars possess stellar wi...
2948 We report the electronic band structures and...
2949 Given a set of data, one central goal is to ...
2950 Active particles, which interact hydrodynami...
2951 Many applications of machine learning, for e...
2952 We experimentally study the stability of a b...
2953 We present a scheme for nanoscopic imaging o...
2954 We present a deep learning approach to the I...
2955 In nonlinear dynamics, and to a lesser exten...
2956 The ungrammatical sentence "The key to the c...
2957 This is a photographic dataset collected for...
2958 Human learning is a complex process in which...
2959 We follow the dual approach to Coxeter syste...
2960 In the emerging advancement in the branch of...
2961 Game theory has emerged as a novel approach ...
2962 Advances in deep learning have led to substa...
2963 Being able to fall safely is a necessary mot...
2964 The collisional shift of a transition consti...
2965 Generating music medleys is about finding an...
2966 We investigate the focusing coupled PT-symme...
2967 We have performed magnetic susceptibility, h...
2968 The goal of this paper is to present an end-...
2969 The SPIRou near infrared spectro-polarimeter...
2970 We construct energy-dependent potentials for...
2971 This paper is intended both an introduction ...
2972 The principle of the common cause claims tha...
2973 We report the discovery and analysis of the ...
2974 In this paper, we explore remarkable similar...
2975 Existing works on building a soliton transmi...
2976 In this paper we are concerned with the appr...
2977 Health economic evaluation studies are widel...
2978 Today freshwater is more important than ever...
2979 Despite of the appearance of numerous new ma...
2980 We study the bulk and surface nonlinear mode...
2981 A possibility of the topological Kosterlitz-...
2982 The short coherence lengths characteristic o...
2983 In this work we investigate the potential of...
2984 The joint Value at Risk (VaR) and expected s...
2985 The paper addresses the hydrodynamic behavio...
2986 In many real-world binary classification tas...
2987 Researchers have attempted to model informat...
2988 The extended form of the classical polynomia...
2989 We develop a method to study the implied vol...
2990 We consider the problem of designing risk-se...
2991 One of the most significant goals of modern ...
2992 For $G$ an algebraic group of type $A_l$ ove...
2993 We report the detection of the prebiotic mol...
2994 A qualgebra $G$ is a set having two binary o...
2995 Dimension reduction and visualization is a s...
2996 We introduce a new model for building condit...
2997 In this work, we build on recent advances in...
2998 The bacterial genome is organized in a struc...
2999 For a single equation in a system of linear ...
3000 We consider spatially extended systems of in...
3001 The Global Historical Climatology Network-Da...
3002 Understanding the mechanism of the heterojun...
3003 About two decades ago, Tsfasman and Boguslav...
3004 When a vortex refracts surface waves, the mo...
3005 Microtubules (MTs) are filamentous protein p...
3006 The intrinsic stacking fault energy (ISFE) $...
3007 In this paper we address the problem of elec...
3008 Estimating the structure of directed acyclic...
3009 We consider the problem of efficient packet ...
3010 Much attention has been given in the literat...
3011 DNA is a flexible molecule, but the degree o...
3012 Although aviation accidents are rare, safety...
3013 Adaptive optimization algorithms, such as Ad...
3014 Model-based optimization methods and discrim...
3015 Effects of spin-orbit interactions in conden...
3016 In this paper, we study two-sided tilting co...
3017 We propose and analyze a method for semi-sup...
3018 Staphylococcus aureus responsible for nosoco...
3019 Understanding how ideas relate to each other...
3020 This paper presents a general graph represen...
3021 Trajectory optimization of a controlled dyna...
3022 In monolayer semiconductor transition metal ...
3023 Policy evaluation or value function or Q-fun...
3024 We prove that for $1<c<4/3$ the subsequence ...
3025 This paper extends the method introduced in ...
3026 Wigner's little groups are the subgroups of ...
3027 We present the MOA Collaboration light curve...
3028 We develop a no-go theorem for two-dimension...
3029 Neural Networks are function approximators t...
3030 Polarised neutron diffraction measurements h...
3031 In this paper we generalize the main result ...
3032 A streaming graph is a graph formed by a seq...
3033 We study existence and multiplicity of semi-...
3034 Recently there is a flourishing and notable ...
3035 We obtain minimal dimension matrix represent...
3036 Motivated by the increasing integration amon...
3037 Providing diagnostic feedback about growth i...
3038 The machine learning community has become in...
3039 Simulation systems have become an essential ...
3040 We investigate a scheme-theoretic variant of...
3041 VO2 samples are grown with different oxygen ...
3042 We present a state interaction spin-orbit co...
3043 Quantum transport is studied for the nonequi...
3044 Correct classification of breast cancer sub-...
3045 Semi-Lagrangian methods are numerical method...
3046 Many studies have been undertaken by using m...
3047 Nearest-neighbor search dominates the asympt...
3048 A minimal deterministic finite automaton (DF...
3049 Applications for deep learning and big data ...
3050 In cryptography, block ciphers are the most ...
3051 We present numerical studies of two photonic...
3052 This paper is about an extension of monadic ...
3053 Calcium imaging data promises to transform t...
3054 Sequential decision making problems, such as...
3055 Patient-specific cranial implants are import...
3056 Information concentration of probability mea...
3057 In this paper we will give an account of Dan...
3058 Compression of Neural Networks (NN) has beco...
3059 In this paper, we propose a method of design...
3060 Modern large scale machine learning applicat...
3061 Bacterial communities have rich social lives...
3062 We study Frobenius extensions which are free...
3063 We consider the Burgers equation posed on th...
3064 We describe a Markov latent state space (MLS...
3065 A new characterization of CMO(R^n) is establ...
3066 We show that the task of question answering ...
3067 We define a map $f\colon X\to Y$ to be a pha...
3068 The current ISO standards pertaining to the ...
3069 We prove two main results concerning mesopri...
3070 Emerging economies frequently show a large c...
3071 We find that cusp densities of hyperbolic kn...
3072 Accurate on-device keyword spotting (KWS) wi...
3073 This paper presents a new compact canonical-...
3074 We generalize the natural cross ratio on the...
3075 In our previous work, we studied an intercon...
3076 We introduce the multiplexing of a crossing,...
3077 This paper presents the development of an Ad...
3078 We investigate the automatic differentiation...
3079 Initial RV characterisation of the enigmatic...
3080 Building effective, enjoyable, and safe auto...
3081 A periodic array of atomic sites, described ...
3082 This paper proposes a deep cerebellar model ...
3083 Transient stability simulation of a large-sc...
3084 Web portals have served as an excellent medi...
3085 The role of portfolio construction in the im...
3086 In this paper we propose a function space ap...
3087 We construct a model of random groups of ran...
3088 We theoretically study transport properties ...
3089 The lasso and elastic net linear regression ...
3090 The El Niño-Southern Oscillation (ENSO) is a...
3091 One of the key challenges for operations res...
3092 The optimization of algorithm (hyper-)parame...
3093 This paper develops detailed mathematical st...
3094 A sum of a large-dimensional random matrix p...
3095 The composition of web services is a promisi...
3096 We present an automatic measurement platform...
3097 In 1991 J.F. Aarnes introduced the concept o...
3098 We extend the framework for complexity of op...
3099 Deep generative models provide powerful tool...
3100 Advances in deep learning for natural images...
3101 We investigate the frequentist properties of...
3102 A convex optimization-based method is propos...
3103 The enactive approach to cognition is typica...
3104 We study computable topological spaces and s...
3105 We present a theoretical and experimental st...
3106 The dynamic and secondary spectra of many pu...
3107 In the presented study Parent/Teacher Disrup...
3108 The Poisson-Fermi model is an extension of t...
3109 We study several aspects of the recently int...
3110 We introduce coroICA, confounding-robust ind...
3111 Diversification-Based Learning (DBL) derives...
3112 Canonical correlation analysis is a family o...
3113 The field of brain-computer interfaces is po...
3114 Many phenomena in collisionless plasma physi...
3115 In this paper we have generalized the notion...
3116 Using a probabilistic argument we show that ...
3117 Programming Computable Functions (PCF) is a ...
3118 Analysis of solar magnetic fields using obse...
3119 Topological data analysis, such as persisten...
3120 We study the problem of computing the \texts...
3121 It has been pointed out that non-singular co...
3122 NMDA receptors (NMDA-R) typically contribute...
3123 Aligning sequencing reads on graph represent...
3124 Ensembles of classifier models typically del...
3125 A rotating continuum of particles attracted ...
3126 We have studied the critical properties of t...
3127 A new Strouhal-Reynolds number relationship,...
3128 The randomized-feature approach has been suc...
3129 The recent discovery of a direct link betwee...
3130 This paper proposes new specification tests ...
3131 Integrating different semiconductor material...
3132 We survey the main ideas in the early histor...
3133 In this paper we investigate an emerging app...
3134 We prove that for a finitely generated field...
3135 This paper considers a version of the Wiener...
3136 Robust navigation in urban environments has ...
3137 This report has several purposes. First, our...
3138 This paper studies density estimation under ...
3139 Let U be the complement of a smooth anticano...
3140 Model-free deep reinforcement learning has b...
3141 Temporal cavity solitons (CS) are optical pu...
3142 New system for i-vector speaker recognition ...
3143 Many machine learning models are reformulate...
3144 We define a Newman property for BLD-mappings...
3145 In this paper, we study a variant of the fra...
3146 Time series (TS) occur in many scientific an...
3147 In this work, we investigate the value of em...
3148 Online programming discussion platforms such...
3149 Prior works, such as the Tallinn manual on t...
3150 We observe that derived equivalent K3 surfac...
3151 Motivated by recent advance of machine learn...
3152 Microplasma generation using microwaves in a...
3153 We investigate Banach algebras of convolutio...
3154 Spiking neural networks (SNNs) possess energ...
3155 Suicide is an important but often misunderst...
3156 This paper proposes a principled information...
3157 Twin Support Vector Machines (TWSVMs) have e...
3158 Recurrent Neural Networks (RNNs) are powerfu...
3159 In this paper, we propose deep learning arch...
3160 Self-admitted technical debt refers to situa...
3161 A better understanding and anticipation of n...
3162 For a given $(X,S,\beta)$, where $S,\beta\co...
3163 We present a new extensible and divisible ta...
3164 The CREATE database is composed of 14 hours ...
3165 Mobile-phones have facilitated the creation ...
3166 In this paper, we consider an estimation pro...
3167 Given a conjunctive Boolean network (CBN) wi...
3168 Starting from a summary of detection statist...
3169 Complex Ornstein-Uhlenbeck (OU) processes ha...
3170 We consider estimating the parametric compon...
3171 We define Dirac operators on $\mathbb{S}^3$ ...
3172 Latent tree models are graphical models defi...
3173 Program synthesis is the process of automati...
3174 Applications which use human speech as an in...
3175 Let $G$ be a sofic group, and let $\Sigma = ...
3176 Visual localization and mapping is a crucial...
3177 A key problem in research on adversarial exa...
3178 While the analysis of airborne laser scannin...
3179 We study the ground-state properties of a do...
3180 We propose a novel approach for loss reservi...
3181 In this paper a new distributed asynchronous...
3182 For developers concerned with a performance ...
3183 We present a novel controller synthesis appr...
3184 Recently, research on accelerated stochastic...
3185 Gradient reconstruction is a key process for...
3186 The Jordan decomposition theorem states that...
3187 We compute the semiflat positive cone $K_0^{...
3188 We have measured the magnetization of the or...
3189 Class imbalance is a challenging issue in pr...
3190 In order to handle undesirable failures of a...
3191 A method for inverse design of horizontal ax...
3192 We report Chandra X-ray observations and opt...
3193 We introduce superdensity operators as a too...
3194 We study properties of magnetic nanoparticle...
3195 We introduce an asymptotically unbiased esti...
3196 Counterfactual learning is a natural scenari...
3197 The 32-bit Mersenne Twister generator MT1993...
3198 Numerical QCD is often extremely resource de...
3199 The electronic structure and energetic stabi...
3200 For high-dimensional sparse linear models, h...
3201 At the core of many important machine learni...
3202 Class imbalance classification is a challeng...
3203 In this paper we study the problem of discov...
3204 We study configuration spaces of linkages wh...
3205 The small-cluster exact-diagonalization calc...
3206 Process discovery techniques return process ...
3207 Formal languages theory is useful for the st...
3208 In this paper, we find an upper bound for th...
3209 This paper proposes a new algorithm for Gaus...
3210 Pairwise comparisons are an important tool o...
3211 We study the existence of monotone heterocli...
3212 I describe a method for computer algebra tha...
3213 This paper describes a micro fluorescence in...
3214 Neural time-series data contain a wide varie...
3215 We describe two recently proposed machine le...
3216 Polyphonic sound event detection (polyphonic...
3217 The global gyrokinetic toroidal code (GTC) h...
3218 A nanofabrication process for realizing opti...
3219 We consider the connections among `clumped' ...
3220 Rydberg atoms have attracted considerable in...
3221 In this paper, we propose a novel variable s...
3222 Background. Models of cancer-induced neuropa...
3223 We present a novel method for frequentist st...
3224 Massive network exploration is an important ...
3225 We consider the Bradlow equation for vortice...
3226 Let $\Pi_q$ be an arbitrary finite projectiv...
3227 Following the seminal work of Nesterov, acce...
3228 We study the conditions under which one is a...
3229 Stability is an important aspect of a classi...
3230 In this paper we analyze the capacitary pote...
3231 Non-Gaussian component analysis (NGCA) is a ...
3232 Recent years have seen a surprising connecti...
3233 Computational Thinking (CT) has been describ...
3234 Spincaloritronic signal generation due to th...
3235 We quantify uncertainties in the location an...
3236 Pollution in urban centres is becoming a maj...
3237 During the accretion phase of a core-collaps...
3238 From only positive (P) and unlabeled (U) dat...
3239 The possibly unbiased selection process in s...
3240 A fundamental goal in network neuroscience i...
3241 A boundary behavior of ring mappings on Riem...
3242 Recently, cloud storage and processing have ...
3243 This work provides a simplified proof of the...
3244 It is becoming increasingly common to see la...
3245 We define the Abelian distribution and study...
3246 We introduce PULSEDYN, a particle dynamics p...
3247 This paper presents the design of a control ...
3248 Big data sets must be carefully partitioned ...
3249 In this paper, we present a family of bivari...
3250 Machine learning can extract information fro...
3251 We consider the problem of recovering a low-...
3252 Supervised learning based on a deep neural n...
3253 We propose a Monte Carlo algorithm to sample...
3254 Convolutional dictionary learning (CDL) esti...
3255 This paper derives new formulations for desi...
3256 In this note we present an $\infty$-categori...
3257 There has been relatively little attention t...
3258 This paper addresses the boundary stabilizat...
3259 We study vertex colourings of digraphs so th...
3260 Locality Sensitive Hashing (LSH) based algor...
3261 For a group $H$ and a non empty subset $\Gam...
3262 Using the energy method we investigate the s...
3263 We present an elementary proof of a conjectu...
3264 In this paper we prove the following pointwi...
3265 We report experimental results of the static...
3266 We investigate the formation of multiple-cor...
3267 Few ideas have enjoyed as large an impact on...
3268 We study the ideal structure of reduced cros...
3269 Understanding and discovering knowledge from...
3270 We focus on two supervised visual reasoning ...
3271 We offer the proofs that complete our articl...
3272 These lecture notes on entanglement in topol...
3273 In this paper, we study the existence and th...
3274 Synthetic biological macromolecule of magnet...
3275 Most multispectral remote sensors (e.g. Quic...
3276 Empirical scoring functions based on either ...
3277 We define the $L$-measure on the set of Diri...
3278 In the present study, superheating treatment...
3279 We discuss different types of human-robot in...
3280 Background: Choosing the most performing met...
3281 This contribution will show how Access play ...
3282 In this work we mainly consider the dynamics...
3283 Incommensurately modulated twin structure of...
3284 The cortex exhibits self-sustained highly-ir...
3285 This paper deals with relative normalization...
3286 GeTe wins the renewed research interest due ...
3287 We show, theoretically, that the phase of th...
3288 Observations of the CMB today allow us to an...
3289 We describe a parallel, adaptive, multi-bloc...
3290 Triangle counting is a key algorithm for lar...
3291 The growing importance and utilization of me...
3292 Diet design for vegetarian health is challen...
3293 We show that learning methods interpolating ...
3294 Search of new frustrated magnetic systems is...
3295 Previous CNN-based video super-resolution ap...
3296 Large organizations often have users in mult...
3297 We show that some results from the theory of...
3298 Multicarrier-low density spreading multiple ...
3299 Many important problems are characterized by...
3300 We present a distributed control strategy fo...
3301 Our contribution is to widen the scope of ex...
3302 We describe a mechanism by which artificial ...
3303 We propose a novel approach for the generati...
3304 Following a new microlensing constraint on p...
3305 It is well known the concept of the conditio...
3306 In this paper, we study further properties a...
3307 Honeycomb structures of group IV elements ca...
3308 The motion of electrons and nuclei in photoc...
3309 With the advent of public access to small ga...
3310 In our previous works, a relationship betwee...
3311 In this paper we develop linear transfer Per...
3312 Machine learning algorithms based on deep ne...
3313 We analyze large-scale data sets about colla...
3314 We study quantum tunnelling in Dante's Infer...
3315 Highly automated robot ecologies (HARE), or ...
3316 The multilinear normal distribution is a wid...
3317 Data driven activism attempts to collect, an...
3318 Deep convolutional neural networks have achi...
3319 Nanographitic structures (NGSs) with multitu...
3320 We present the first theoretical evidence of...
3321 We present a simple electromechanical finite...
3322 Frustrated Lewis pairs (FLPs) are known for ...
3323 Cataloging is challenging in crowded fields ...
3324 We analyze the local convergence of proximal...
3325 Causal relationships among variables are com...
3326 The holy grail of deep learning is to come u...
3327 It is shown that for a given ordered node-la...
3328 Delay is omnipresent in modern control syste...
3329 This paper discusses the time series trend a...
3330 Dietzfelbinger and Weidling [DW07] proposed ...
3331 Consider the problem of modeling memory for ...
3332 We show that a closed almost Kähler 4-manifo...
3333 In this study, we consider preliminary test ...
3334 Conventional fracture data collection method...
3335 Influenza remains a significant burden on he...
3336 This paper shows how to recover stochastic v...
3337 Mobile edge computing (MEC) is expected to b...
3338 Given a regular cardinal $\kappa$ such that ...
3339 We describe a new training methodology for g...
3340 In all supersymmetric theories, gravitinos, ...
3341 Automatic abusive language detection is a di...
3342 We show how the massive data compression alg...
3343 Electronic medical records (EMR) contain lon...
3344 We examine knotted solutions, the most simpl...
3345 We present a method that automatically evalu...
3346 Legal professionals worldwide are currently ...
3347 Accurate modeling of light scattering from n...
3348 In 2009, Joselli et al introduced the Neighb...
3349 We investigate the structure of join tensors...
3350 Complex computer simulators are increasingly...
3351 We show that the equations of reinforcement ...
3352 We consider the sparse high-dimensional line...
3353 Several fundamental problems that arise in o...
3354 This paper considers channel estimation and ...
3355 We investigate the relationship between seve...
3356 In this note we investigate the $p$-degree f...
3357 In \cite{y1} Yin generalized the definition ...
3358 Mazur, Rubin, and Stein have recently formul...
3359 There has been an increasing demand for form...
3360 We study the effects of local perturbations ...
3361 We study the indices of the geodesic central...
3362 The controversy regarding the precise nature...
3363 We report Raman sideband cooling of a single...
3364 Meaningful climate predictions must be accom...
3365 Situational awareness in vehicular networks ...
3366 Spatial-temporal prediction is a fundamental...
3367 We prove Runge-type theorems and universalit...
3368 In recent times, the use of separable convol...
3369 We present recent improvements in the simula...
3370 In recent years, social bots have been using...
3371 A set of Smoothed Particle Hydrodynamics sim...
3372 A number of formal methods exist for capturi...
3373 We propose and analyze a new estimator of th...
3374 We propose a novel computational strategy fo...
3375 We consider the two-armed bandit problem as ...
3376 Accurate estimates of the under-5 mortality ...
3377 Strong external difference family (SEDF) and...
3378 Using a Multiple Scattering Theory algorithm...
3379 Typically, AI researchers and roboticists tr...
3380 We consider Schrödinger equation with a non-...
3381 Let $F_n$ denote the $n^{th}$ term of the Fi...
3382 Social dilemmas have been regarded as the es...
3383 We study the diffusion (or heat) equation on...
3384 In this work, we perform an empirical compar...
3385 By combining Shannon's cryptography model wi...
3386 Generative models, either by simple clusteri...
3387 We study a spectral initialization method th...
3388 Generative Adversarial Networks (GANs) have ...
3389 {The numerical approximation of the solution...
3390 In interactive information retrieval, resear...
3391 The excited states of polyatomic systems are...
3392 This work offers a design of a video surveil...
3393 Recent work by Cohen \emph{et al.} has achie...
3394 Catastrophic events, though rare, do occur a...
3395 The quantum anomalous Hall (QAH) phase is a ...
3396 The automatic analysis of ultrasound sequenc...
3397 Data analysis plays an important role in the...
3398 Dynamics of a system in general depends on i...
3399 We study laser-driven isomerization reaction...
3400 In this paper, a theory of quandle rings is ...
3401 The polynomial eigenvalue problem arises in ...
3402 In this paper we study the Teichmüller harmo...
3403 In this note, we give a nature action of the...
3404 In higher category theory, we use fibrations...
3405 We have examined the effects of embedded pit...
3406 Star clusters interact with the interstellar...
3407 We present a new method, called Analysis-of-...
3408 Shelf and coastal sea processes extend from ...
3409 The Giornata Sesta about the Force of Percus...
3410 A brief introduction to radar: principles, D...
3411 One of the challenges in computational acous...
3412 In this paper, we strengthen the splitting t...
3413 We present an approach for building an activ...
3414 Significant parts of the recent learning lit...
3415 This paper introduces a novel approach to te...
3416 Analyzing the behaviour of a concurrent prog...
3417 Extended strongly periodic links have been i...
3418 Over the past decade, the idea of smart home...
3419 Deep learning models can take weeks to train...
3420 We deduce a simple closed formula for illiqu...
3421 Long linear codes constructed from toric var...
3422 Often the challenge associated with tasks li...
3423 We construct firstly the complete list of fi...
3424 A method to control results of gradient desc...
3425 Graphs (networks) are ubiquitous and allow u...
3426 Disk migration and high-eccentricity migrati...
3427 The combination of photometry, spectroscopy ...
3428 A new majority and minority voted redundancy...
3429 We present a tight analysis for the well-stu...
3430 Using state-of-the-art techniques combining ...
3431 According to the theory of urban scaling, ur...
3432 Living cells move thanks to assemblies of ac...
3433 There is an increasing interest in exploitin...
3434 Cardiac indices estimation is of great impor...
3435 We characterize certain noncommutative domai...
3436 We consider the problem of estimating a regr...
3437 Chimera states, namely complex spatiotempora...
3438 Technologies have become important part of o...
3439 We study the neural-linear bandit model for ...
3440 We present two-dimensional hydrodynamical si...
3441 First-passage times in random walks have a v...
3442 Video prediction has been an active topic of...
3443 In this paper we cluster 330 classical music...
3444 For random quantum spin models, the strong d...
3445 We introduce a semi-supervised discrete choi...
3446 Mean motion commensurabilities in multi-plan...
3447 In van der Waals heterostructures, the perio...
3448 We conjecture that bounded generalised polyn...
3449 We will give general sufficient conditions u...
3450 We provide a mathematical analysis of a ther...
3451 We consider the motion of small bodies in ge...
3452 Impervious surface area is a direct conseque...
3453 We study the problem% \[ -\Delta v+\lambda v...
3454 PCA is a classical statistical technique who...
3455 End user privacy is a critical concern for a...
3456 We study the orbital properties of dark matt...
3457 In this paper we are concerned with the anal...
3458 Studying the internal structure of complex s...
3459 We verify a conjecture of Perelman, which st...
3460 Hyperuniform geometries feature correlated d...
3461 This paper proposes a new loss using short-t...
3462 We study continuum Schrödinger operators on ...
3463 The log-det distance between two aligned DNA...
3464 In this paper we focus on the construction o...
3465 There are several different modalities, e.g....
3466 A great deal of effort has gone into trying ...
3467 We study conditional independence relationsh...
3468 A current-aided inertial navigation framewor...
3469 In February 2016, World Health Organization ...
3470 The low-energy constants, namely the spin st...
3471 Political and social polarization are a sign...
3472 Despite decades of inquiry, the origin of gi...
3473 Several applications of slicing require a pr...
3474 Physicists at the Large Hadron Collider (LHC...
3475 We study ancient Khmer ephemerides described...
3476 Model-based compression is an effective, fac...
3477 Matrix factorisation methods decompose multi...
3478 Developers often try to find occurrences of ...
3479 A new method to improve the accuracy and eff...
3480 We examine the growth and evolution of quenc...
3481 We study $SU(2)$ calorons, also known as per...
3482 Natural disasters can have catastrophic impa...
3483 The Simultaneous Localization And Mapping (S...
3484 We study an asynchronous online learning set...
3485 Convolutional neural networks (CNNs) have ma...
3486 We study Brauer's long-standing $k(B)$-conje...
3487 The Sloan Digital Sky Survey (SDSS) is the f...
3488 We compare a global high resolution resistiv...
3489 Algorithms for detecting communities in comp...
3490 This paper investigates reverse auctions tha...
3491 In deterministic optimization, line searches...
3492 Hydrogen (H)-doped LaFeAsO is a prototypical...
3493 We consider co-rotational wave maps from (1+...
3494 We consider a closed chain of even number of...
3495 We construct non-semisimple $2+1$-TQFTs yiel...
3496 Deep Reinforcement Learning (RL) recently em...
3497 Games of timing aim to determine the optimal...
3498 Humans are not only adept in recognizing wha...
3499 A new semiclassical "divide-and-conquer" met...
3500 In this letter we establish Yangian symmetry...
3501 Conventional dark matter direct detection ex...
3502 We propose a novel approach to allocating re...
3503 Networks provide a powerful formalism for mo...
3504 A minimal constructed language (conlang) is ...
3505 Nonparametric models are versatile, albeit c...
3506 Anomaly detection (AD) has garnered ample at...
3507 Time reversal is one of the most intriguing ...
3508 We present a series of definitions and theor...
3509 We study the global consequences in the halo...
3510 We propose new methods for Support Vector Ma...
3511 We show that each limiting semiclassical mea...
3512 Atmospheric moist available potential energy...
3513 Many seminal results in Interactive Proofs (...
3514 Quantum magnetic phases near the magnetic sa...
3515 We consider the problem of finding local min...
3516 Syntax errors are generally easy to fix for ...
3517 Predicting the popularity of news article is...
3518 In this paper, we give a negative answer to ...
3519 Forecasts of mortality provide vital informa...
3520 Machine learning is usually defined in behav...
3521 Acoustic wave attenuation due to vibrational...
3522 A Lagrangian fluctuation-dissipation relatio...
3523 This paper examines the limit properties of ...
3524 Density estimation is a fundamental problem ...
3525 Existing strategies for finite-armed stochas...
3526 Asynchronous parallel computing and sparse r...
3527 State-of-the-art neural networks are vulnera...
3528 One of the challenges in testing gravity wit...
3529 Let $A$ be a free hyperplane arrangement. In...
3530 The integration of III-V on silicon is still...
3531 This volume contains a selection of the pape...
3532 We investigate the asymptotic behavior of se...
3533 Canards are special solutions to ordinary di...
3534 In this paper we study selected argument for...
3535 We propose a DTCWT ScatterNet Convolutional ...
3536 Let $\tau(n)$ be the number of divisors of $...
3537 In this study, we present the preliminary te...
3538 We present an efficient coresets-based neura...
3539 Active Galactic Nuclei (AGN) are energetic a...
3540 A recent result characterizes the fully orde...
3541 The optimization of composition and processi...
3542 Consider the noncrossing set partitions of a...
3543 In this paper, we focus on finding clusters ...
3544 Large bundles of myelinated axons, called wh...
3545 We present a strengthening of the lemma on t...
3546 Functional Analysis of Variance (FANOVA) fro...
3547 We present a method that gets as input an au...
3548 Identifying causal relationships from observ...
3549 Telepresence is a necessity for present time...
3550 In the industry of video content providers s...
3551 We prove the following continuous analogue o...
3552 We present a novel method to measure precise...
3553 We show that Müntz spaces, as subspaces of $...
3554 This article describes a sequence of rationa...
3555 We analyze new far-ultraviolet spectra of 13...
3556 Quaternionic tori are defined as quotients o...
3557 A Danish computer, GIER, from 1961 played a ...
3558 Several recent papers investigate Active Lea...
3559 Here we write in a unified fashion (using "R...
3560 A rising topic in computational journalism i...
3561 In this paper, we introduce certain $n$-th o...
3562 As robots begin to cohabit with humans in se...
3563 We pursue a novel morphometric analysis to d...
3564 This work develops a tracking system based o...
3565 We present an efficient score statistic, cal...
3566 The increase in network connectivity has als...
3567 With the increasing popularity of smart devi...
3568 The Ricci iteration is a discrete analogue o...
3569 RNA sequencing allows one to study allelic i...
3570 Bound-to-Bound Data Collaboration (B2BDC) pr...
3571 Hydra is a header-only, templated and C++11-...
3572 Deep learning is the state-of-the-art in fie...
3573 Mounting evidence connects the biomechanical...
3574 Message Passing Interface (MPI) is the stand...
3575 The modified Cholesky decomposition is commo...
3576 This is a comment on Reinhart's "Review of S...
3577 We have compared the magnetic, transport, ga...
3578 In this paper we present conjoined constrain...
3579 The dynamics of a circular thin vortex ring ...
3580 Measurements of $\sigma_8$ from large scale ...
3581 We invoke a Gaussian mixture model (GMM) to ...
3582 We present a quantum repeater scheme that is...
3583 In recent years, the logic of questions and ...
3584 There is a strong demand for precise means f...
3585 This paper considers utility optimal power c...
3586 Magnetic frustration and low dimensionality ...
3587 Gaussian processes are popular and flexible ...
3588 As an attempt to further elucidate the opera...
3589 Many theories have emerged which investigate...
3590 We show that for every finitely generated cl...
3591 Convolutional sparse representations are a f...
3592 Suppose some future technology enables the s...
3593 We present the results of a direct-imaging s...
3594 The dimension is a key measure of complexity...
3595 We define the \emph{visual complexity} of a ...
3596 We report new multi-colour photometry and hi...
3597 The success of various applications includin...
3598 The defect of valued field extensions is a m...
3599 Neural networks are known to be vulnerable t...
3600 We study the statistical properties of an es...
3601 In this paper, we investigate the multi-vari...
3602 A virtual network (VN) contains a collection...
3603 We propose a communicationally and computati...
3604 The extraction of natural gas from the earth...
3605 We present numerical simulations of magnetic...
3606 A well-know drawback of l_1-penalized estima...
3607 Using supercharacter theory, we identify the...
3608 We study the asymptotic behavior of the Max ...
3609 Topological data analysis is an emerging mat...
3610 The exponential-time hypothesis (ETH) states...
3611 We propose a structured low rank matrix comp...
3612 This article lays the foundations for the st...
3613 Research in UAV scheduling has obtained an e...
3614 We report temperature (T) dependence of dc m...
3615 We develop an assume-guarantee contract fram...
3616 This paper presents an active search traject...
3617 In recent years, the optical control of exch...
3618 The predictive power of neural networks ofte...
3619 Tracking and controlling the shape of contin...
3620 In this paper we present some new results on...
3621 The increasing accuracy of automatic chord e...
3622 Blooms Taxonomy (BT) have been used to class...
3623 The need to test whether two random vectors ...
3624 We report measurements of the magnetoresista...
3625 This paper introduces two classes of totally...
3626 We present some elementary but foundational ...
3627 A hidden truncation hyperbolic (HTH) distrib...
3628 We reinvestigate a claimed sample of 22 X-ra...
3629 We present a new approach to testing file-sy...
3630 In this paper we construct entire solutions ...
3631 The wave turbulence equation is an effective...
3632 Multi-label text classification is a popular...
3633 We consider a network design problem with ra...
3634 Consider an infinite chain of masses, each c...
3635 The general procedure underlying Hartree-Foc...
3636 Recent studies suggest that the quenching pr...
3637 In young starburst galaxies, the X-ray popul...
3638 In this paper, we present a concolic executi...
3639 Innovation and entrepreneurship have a very ...
3640 The exact law for fully developed homogeneou...
3641 CMS-HF Calorimeters have been undergoing a m...
3642 The ambitious goals of precision cosmology w...
3643 We present results from a non-cosmological, ...
3644 Causal inference in multivariate time series...
3645 Differential privacy promises to enable gene...
3646 Industrie 4.0 is originally a future vision ...
3647 Future wireless systems are expected to prov...
3648 We show that there is no C^{k+1} diffeomorph...
3649 We provide excess risk guarantees for statis...
3650 We study the inference of a model of dynamic...
3651 Available possibilities to prevent a biped r...
3652 A key challenge for modern Bayesian statisti...
3653 A method for determining quantum variance as...
3654 Virtual heart models have been proposed to e...
3655 The consistency of a bootstrap or resampling...
3656 Dynamic scaling analyses of linear and nonli...
3657 Bayesian hierarchical models are used to sha...
3658 We adapt the Ping-Pong Lemma, which historic...
3659 CodRep is a machine learning competition on ...
3660 Mixed volumes $V(K_1,\dots, K_d)$ of convex ...
3661 There has recently been significant interest...
3662 Many problems in signal processing require f...
3663 Hybrid quantum mechanical-molecular mechanic...
3664 In this study, we develop a theoretical mode...
3665 Multi-core CPUs are a standard component in ...
3666 Low-rank modeling plays a pivotal role in si...
3667 Accurate delineation of the left ventricle (...
3668 The Jacobian-based Saliency Map Attack is a ...
3669 Reinforcement learning (RL) has been success...
3670 BL Lacertae is the prototype of the blazar s...
3671 Experiment and theory indicate that UPt3 is ...
3672 The appearance of a Nano-jet in the micro-sp...
3673 We define triangulated factorization systems...
3674 Cloud storage services have become accessibl...
3675 We consider two-dimensional (2D) Dirac quant...
3676 We study the arithmetically Cohen-Macaulay (...
3677 Point clouds obtained from photogrammetry ar...
3678 The unique information ($UI$) is an informat...
3679 We study distributionally robust optimizatio...
3680 Privacy is a major issue in learning from di...
3681 This paper deals with the establishment of I...
3682 Neural machine translation (NMT) has recentl...
3683 Bayesian networks, or directed acyclic graph...
3684 We present TriviaQA, a challenging reading c...
3685 Many people dream to become famous, YouTube ...
3686 In this work, we introduce the class of $h$-...
3687 Achieving high performance for sparse applic...
3688 With pressure to increase graduation rates a...
3689 Meteoritic abundances of r-process elements ...
3690 We present SAVITR, a system that leverages t...
3691 The resonances associated with a fractional ...
3692 Let $X_{1},\ldots,X_{n}$ be i.i.d. sample in...
3693 A locally recoverable code is a code over a ...
3694 In the following text we introduce specifica...
3695 We report the discovery of tidal tails aroun...
3696 We propose Scheduled Auxiliary Control (SAC-...
3697 We describe a generalization of the Hierarch...
3698 In the framework of shape constrained estima...
3699 In this paper, we have explored the effects ...
3700 The subject of Polynomiography deals with al...
3701 This is a no brainer. Using bicycles to comm...
3702 We define a kind of moduli space of nested s...
3703 Manually labeled corpora are expensive to cr...
3704 Spectral topic modeling algorithms operate o...
3705 Future observations of terrestrial exoplanet...
3706 Although the definition of what empathetic p...
3707 We construct non-commutative analogs of tran...
3708 Support vector data description (SVDD) is a ...
3709 A trigonal phase existing only as small patc...
3710 We study the problem of estimating an unknow...
3711 By a labeled graph $C^*$-algebra we mean a $...
3712 2 Diabetes is a leading worldwide public hea...
3713 In recent years, randomized methods for nume...
3714 Results of investigations of the near-horizo...
3715 The demand for low-dissipation nanoscale mem...
3716 Licas (lightweight internet-based communicat...
3717 In this paper, we introduce new technique fo...
3718 This manuscript is a preprint version of Par...
3719 We describe general multilevel Monte Carlo m...
3720 The sensing of magnetic fields has important...
3721 For more than a century, it has been believe...
3722 When sexual violence is a product of organiz...
3723 We investigate the problem of truth discover...
3724 This document presents HiPS, a hierarchical ...
3725 Applying deep learning methods to mammograph...
3726 In order to optimize the performance of the ...
3727 Linear parameter-varying (LPV) models form a...
3728 We perform a set of general relativistic, ra...
3729 Correlated oxide heterostructures pose a cha...
3730 The two state-of-the-art implementations of ...
3731 We consider the task of automated estimation...
3732 Ages and masses of young stars are often est...
3733 We report a study of the structural phase tr...
3734 The solution path of the 1D fused lasso for ...
3735 Hydrogen-rich compounds are important for un...
3736 The Future Circular Collider (FCC), currentl...
3737 Let $\xi(t\,,x)$ denote space-time white noi...
3738 For an arbitrary group $G$, it is shown that...
3739 Starting from a dataset with input/output ti...
3740 In this paper we propose a 'knee-like' appro...
3741 In this study, an alloy phase-field model is...
3742 We have previously proposed the partial quan...
3743 We present PFDCMSS, a novel message-passing ...
3744 The Minkowski inequality is a classical ineq...
3745 This paper studies the concept of instantane...
3746 We study the complexity of approximating Was...
3747 Modern implicit generative models such as ge...
3748 Transfer learning leverages the knowledge in...
3749 We develop a new class of path transformatio...
3750 The visual representation of concepts or ide...
3751 Schmidt's game is generally used to deduce q...
3752 Locally Checkable Labeling (LCL) problems in...
3753 In this paper, we propose a novel continuous...
3754 A CM-order is a reduced order equipped with ...
3755 Cross-correlations in the activity in neural...
3756 Despite the fact that JSON is currently one ...
3757 The present study introduce the human capita...
3758 In Diffusion Tensor Imaging (DTI) or High An...
3759 This paper presents a new multi-objective de...
3760 Finding optimal correction of errors in gene...
3761 Finding semantically rich and computer-under...
3762 For a safe, natural and effective human-robo...
3763 Continuous-time trajectory representations a...
3764 In this paper, we consider testing the homog...
3765 We exhibit Borel probability measures on the...
3766 PCA is one of the most widely used dimension...
3767 Associating image regions with text queries ...
3768 The open and closed \textit{symmetrized poly...
3769 Partial differential equations with distribu...
3770 Fracton order is a new kind of quantum order...
3771 Min-SEIS-Cluster is an optimization problem ...
3772 The statistical distribution of galaxies is ...
3773 Causal mediation analysis can improve unders...
3774 Finding an intermediate-mass black hole (IMB...
3775 A successful grasp requires careful balancin...
3776 Let $\mathcal{A}$ be a $C^*$-algebra of boun...
3777 We present Shrinking Horizon Model Predictiv...
3778 Scientific evaluation is a determinant of ho...
3779 Topological effects typically discussed in t...
3780 A high degree of consensus exists in the cli...
3781 In the Convex Body Chasing problem, we are g...
3782 We introduce a notion of cocycle-induction f...
3783 Auxiliary variables are often needed for ver...
3784 In this paper we will present a homological ...
3785 In this contribution we are concerned with t...
3786 This paper proposes novel tests for the abse...
3787 Deriving the optimal safety stock quantity w...
3788 In this article, we prove Carleman estimates...
3789 Unsupervised domain mapping has attracted su...
3790 The spin of Wolf-Rayet (WR) stars at low met...
3791 There is surprisingly little known about age...
3792 Complex networks are often used to represent...
3793 The choice of tuning parameter in Bayesian v...
3794 We introduce a metric of mutual energy for a...
3795 Volvox barberi is a multicellular green alga...
3796 Accuracy is one of the basic principles of j...
3797 It has recently become possible to study the...
3798 A set is called recurrent if its minimal aut...
3799 This paper presents the concept of an In sit...
3800 We describe the road which led to the constr...
3801 Consider an ample and globally generated lin...
3802 We propose a method for recognizing moving v...
3803 We study principal component analysis (PCA) ...
3804 The aim of this paper is to give a short ove...
3805 We introduce variational obstacle avoidance ...
3806 This paper introduces an extension of Heron'...
3807 In representation learning (RL), how to make...
3808 Distributed storage systems suffer from sign...
3809 We report on the optimization process to syn...
3810 As a dedicated solar radio interferometer, t...
3811 We present Deep Voice 3, a fully-convolution...
3812 Every year, 3 million newborns die within th...
3813 We propose a novel fluid-structure interacti...
3814 In this article, we advance divide-and-conqu...
3815 Robust and fast motion estimation and mappin...
3816 Most existing theories of dark energy and/or...
3817 Video analytics requires operating with larg...
3818 Recent development of large-scale question a...
3819 Introducing inequality constraints in Gaussi...
3820 Cyclic codes and their various generalizatio...
3821 A method for efficiently successive cancella...
3822 OpenML is an online machine learning platfor...
3823 Cultural activity is an inherent aspect of u...
3824 Accurate measurements of the physical struct...
3825 Conditional expectiles are becoming an incre...
3826 The choice that a solid system "makes" when ...
3827 This paper presents an alternative approach ...
3828 Image Registration is the process of alignin...
3829 This work initiates a general study of learn...
3830 A graph is $H$-free if it has no induced sub...
3831 The design of electrically driven quantum do...
3832 This paper studies directed exploration for ...
3833 Bayesian models that mix multiple Dirichlet ...
3834 We present a new matched filter algorithm fo...
3835 3D non-LTE radiative transfer problems are c...
3836 Recently, several Test Case Prioritization (...
3837 The magnetism in Mn$_3$Si$_2$Te$_6$ has been...
3838 The Big Data phenomenon has spawned large-sc...
3839 This work is concerned with a unique combina...
3840 In this paper, a deep domain adaptation base...
3841 Under ambient conditions, we directly observ...
3842 The development of plasmonic and metamateria...
3843 We study the Anderson-like localization tran...
3844 Recent developments in specialized computer ...
3845 Dynamic Mode Decomposition (DMD) has emerged...
3846 Social relationships can be divided into dif...
3847 We construct a linear system non-local game ...
3848 This note corrects the mistakes in the splic...
3849 We show tight upper and lower bounds for swi...
3850 The kinetic effects of electrons are importa...
3851 A major bottleneck for developing general re...
3852 Developing an intelligent vehicle which can ...
3853 "How much energy is consumed for an inferenc...
3854 We investigate the association between music...
3855 We propose a general algorithm to compute al...
3856 Using cohomological methods, we prove a crit...
3857 The generators of the classical Specht modul...
3858 In this paper, we investigate the Cauchy pro...
3859 In this paper we describe two fully mass con...
3860 In this paper, we are concerned with the pro...
3861 Batygin and Brown (2016) have suggested the ...
3862 We propose a fast method with statistical gu...
3863 We prove existence results for small present...
3864 Image matting is a longstanding problem in c...
3865 We present the combined Chandra and Swift-BA...
3866 LISA is a proposed space-based laser interfe...
3867 Generative Adversarial Networks (GANs) have ...
3868 We provide examples of operators $T(D)+V$ wi...
3869 In real human robot interaction (HRI) scenar...
3870 We present a deterministic algorithm for Rus...
3871 Objective: A clinical decision support tool ...
3872 The same concept can mean different things o...
3873 M. Hanzer and I. Matic have proved that the ...
3874 This article explores the geometric algebra ...
3875 We are concerned with unbounded sets of $\ma...
3876 Mathematical models for physiological proces...
3877 We provide a derivation of the Poisson multi...
3878 Surface properties are examined in a chiral ...
3879 Modern threats have emerged from the prevale...
3880 The contribution of $O^{2-}$ ions to antifer...
3881 Networks describe a range of social, biologi...
3882 We used a multiple-scale homogenization meth...
3883 Mobile network operators can track subscribe...
3884 Taipan is a multi-object spectroscopic galax...
3885 Online learning algorithms, widely used to p...
3886 This paper is concerned with the blowup phen...
3887 The object of the present paper is to study ...
3888 Dynamic epidemic models have proven valuable...
3889 This paper considers the problem of designin...
3890 The \emph{word problem} of a group $G = \lan...
3891 Models in econophysics, i.e., the emerging f...
3892 Spatially extended population dynamics model...
3893 We consider the problem of learning a policy...
3894 As autonomous vehicles become an every-day r...
3895 A finite word is closed if it contains a fac...
3896 We construct a continuous time model for pri...
3897 In 2000, Dergachev and Kirillov introduced s...
3898 Let $M$ be an even-dimensional, oriented clo...
3899 Transformation models are a very important t...
3900 We study polynomial generalizations of the K...
3901 Coordinate descent methods employ random par...
3902 Stochasticity and limited precision of synap...
3903 A congruence is a surface in the Grassmannia...
3904 We investigate the behavior of the deviation...
3905 In this paper, we prove the pointwise conver...
3906 We give a criterion which characterizes a ho...
3907 The Moon often appears larger near the perce...
3908 We study field-driven magnetic domain wall d...
3909 We show that the UCT problem for separable, ...
3910 Recent outbreaks of Ebola, H1N1 and other in...
3911 We investigate the entanglement properties o...
3912 We present a nonlocal electrostatic formulat...
3913 Transfer learning borrows knowledge from a s...
3914 Although the property of strong metric subre...
3915 We present the SILVERRUSH program strategy a...
3916 Magnetosphere at ion kinetic scales, or mini...
3917 We study soliton solutions of matrix Kadomts...
3918 Low-Power Wide-Area Networks (LPWANs) are be...
3919 A compacted tree is a graph created from a b...
3920 The PiXeL detector (PXL) for the Heavy Flavo...
3921 Let $C({\bf n})$ be a complete intersection ...
3922 The dynamics of a quantum vortex torus knot ...
3923 Quantum-dot cellular automata (QCA) is a lik...
3924 Two major momentum-based techniques that hav...
3925 We give characterizations of a finite group ...
3926 In this paper, the biderivations without the...
3927 When the residents of Flint learned that lea...
3928 In this paper, we introduce a stochastic pro...
3929 We compute the integral of a function or the...
3930 We address the problem of \emph{instance lab...
3931 Computational procedures to foresee the 3D s...
3932 In this paper we propose a finite element me...
3933 This paper introduces a new probabilistic ar...
3934 The energetic particle environment on the Ma...
3935 The growth in variety and volume of OLTP (On...
3936 Until recently, social media was seen to pro...
3937 The local event detection is to use posting ...
3938 We prove that, given a closure function the ...
3939 Evolutionary games on graphs describe how st...
3940 We focus on the analysis of planar shapes an...
3941 The learning of domain-invariant representat...
3942 Encoder-decoder networks using convolutional...
3943 ShuffleNet is a state-of-the-art light weigh...
3944 Once a failure is observed, the primary conc...
3945 This volume contains a final and revised sel...
3946 Recent observations of lensed galaxies at co...
3947 The graph Laplacian is a standard tool in da...
3948 In this paper we propose a modified version ...
3949 Major histocompatibility complex class two (...
3950 Speechreading is the task of inferring phone...
3951 Fedotovite K$_2$Cu$_3$O(SO$_4$)$_3$ is a can...
3952 We call a simple abelian variety over $\math...
3953 Multivariate techniques based on engineered ...
3954 Tangent measure and blow-up methods, are pow...
3955 Programmers often write code which have simi...
3956 In this paper, we shall prove the equality \...
3957 We demonstrate sub-picosecond wavelength con...
3958 In this paper, we develop a new accelerated ...
3959 MapReduce is a popular programming paradigm ...
3960 In this paper, we propose a unified view of ...
3961 Over almost three decades the TAUP conferenc...
3962 Diagnosis and risk stratification of cancer ...
3963 In this paper, the notion of $(L,M)$-fuzzy c...
3964 This paper presents a passive compliance con...
3965 In this paper we consider the phase retrieva...
3966 A family of subsets of $\{1,\ldots,n\}$ is c...
3967 Magnetic skyrmions are swirling spin texture...
3968 Training deep neural network policies end-to...
3969 Interpretability has become an important iss...
3970 We propose an optimal sequential methodology...
3971 A linear Boltzmann equation with nonautonomo...
3972 For any $n\geq 3$ and $ q\geq 3$, we prove t...
3973 The deconfined quantum critical point (QCP),...
3974 Deep learning has become the state of the ar...
3975 In this letter we prove that the unrolled sm...
3976 Increasing safety and automation in transpor...
3977 With the advent of numerous online content p...
3978 Accurately predicting and detecting intersti...
3979 We study whether a depth two neural network ...
3980 Since the development of higher local class ...
3981 The classic algorithm of Bodlaender and Klok...
3982 Let $ (T_i)_i$ be a sequence of independent ...
3983 This paper presents an intelligent home ener...
3984 This paper develops a general framework for ...
3985 We investigate the use of optimization to co...
3986 We develop parametric classes of covariance ...
3987 Cell injection is a technique in the domain ...
3988 We present a visually grounded model of spee...
3989 This paper considers the challenging task of...
3990 Cooperation is a difficult proposition in th...
3991 We consider the parabolic-elliptic model for...
3992 Microservice Architectures (MA) have the pot...
3993 The strong-interaction limit of the Hohenber...
3994 The coupling of Reynolds and Rayleigh-Plesse...
3995 State-of-the-art algorithms for sparse subsp...
3996 Steady State Superconducting Tokamak (SST-1)...
3997 Pseudo-one dimensional (pseudo-1D) materials...
3998 This paper outlines a methodological approac...
3999 The Frank-Wolfe (FW) algorithm has been wide...
4000 On the probability simplex, we can consider ...
4001 The search of unconventional magnetic and no...
4002 A wide variety of phenomena of engineering a...
4003 The endogenous adaptation of agents, that ma...
4004 Although the existence of quasi-bound rotati...
4005 The dark ages of the Universe end with the f...
4006 In this project, we propose a novel approach...
4007 In this paper, we consider the problem of ma...
4008 Directed latent variable models that formula...
4009 For a graph $G$, let $odd(G)$ and $\omega(G)...
4010 Gradient boosting is a state-of-the-art pred...
4011 A decentralized payment system is not secure...
4012 Let $M$ and $N$ be two monomials of the same...
4013 We give a new expression for the law of the ...
4014 Given a curve defined over an algebraically ...
4015 We consider importance sampling to estimate ...
4016 Most network studies rely on an observed net...
4017 Let ${\cal X }=XX^{\prime}$ be a random matr...
4018 Bandwidth selection is crucial in the kernel...
4019 Immunogenicity is a major problem during the...
4020 Probit regression was first proposed by Blis...
4021 In this paper, first, we prove that the Diop...
4022 A lot of scientific works are published in d...
4023 The main theorem is incorrectly stated.\n
4024 We study fractional quantum Hall states at f...
4025 We prove that Artin groups from a class cont...
4026 The chemotactic dynamics of cells and organi...
4027 A general procedure for constructing Yetter-...
4028 We present a method to reconstruct autocorre...
4029 An optimization-based approach for the Tucke...
4030 The optical absorption of CdWO$_4$ is report...
4031 Convolutional neural networks (CNNs) have re...
4032 In this paper we study right $S$-Noetherian ...
4033 The oddball paradigm is widely applied to th...
4034 A common problem in machine learning is to r...
4035 Human activities from hunting to emailing ar...
4036 In this paper the problem of selecting $p$ o...
4037 We study anisotropic undersampling schemes l...
4038 Given a graph, the sparsest cut problem asks...
4039 In this paper we propose a well-justified sy...
4040 A recent stacking analysis of Planck HFI dat...
4041 Background: Model-based analysis of movement...
4042 In this study, we propose a new statical app...
4043 The recent direct observation of gravitation...
4044 By formally invoking the Wiener-Hopf method,...
4045 Humans are remarkably proficient at controll...
4046 We consider the 3-point blow-up of the manif...
4047 In the present investigation, the developmen...
4048 We describe a method to identify poor househ...
4049 Recent research in computational linguistics...
4050 Ponzi schemes are financial frauds where, un...
4051 It is well known that it is challenging to t...
4052 In typical neural machine translation~(NMT),...
4053 Deep neural networks (DNN) excel at extracti...
4054 In this paper, we introduce an algorithm for...
4055 Advances in mobile computing technologies ha...
4056 Interfacing a ferromagnet with a polarized f...
4057 By combining bulk sensitive soft-X-ray angul...
4058 We consider multi-agent stochastic optimizat...
4059 Let $\mathbb{F}_q$ denote the finite field o...
4060 Bilinear models provide an appealing framewo...
4061 Two new high-precision measurements of the d...
4062 This paper proposes a scalable algorithmic f...
4063 We introduce the first index that can be bui...
4064 We study the temperature dependence of the R...
4065 We give a definition of viscosity solution f...
4066 The recently introduced acoustic ray-tracing...
4067 The World Wide Web conference is a well-esta...
4068 In this semi-tutorial paper, we first review...
4069 We consider the generalized Milne problem in...
4070 In this work we exploit agglomeration based ...
4071 We study how to detect clusters in a graph d...
4072 We construct fundamental solutions of second...
4073 GAUGE INVARIANCE: The Sachs-Wolfe formula de...
4074 The noisy matrix completion problem, which a...
4075 For $Q$ a polynomial with integer coefficien...
4076 Implementing the modal method in the electro...
4077 We give an abstract formulation of the forma...
4078 The distribution of matter in the universe i...
4079 Workhorse theories throughout all of physics...
4080 Accurate noise modelling is important for tr...
4081 In this paper, we introduce an unbiased grad...
4082 A robot's ability to understand or ground na...
4083 The growing demand on efficient and distribu...
4084 The analysis of neuroimaging data poses seve...
4085 Wet etching is an essential and complex step...
4086 An inherently abstract nature of source code...
4087 Self-nested trees present a systematic form ...
4088 Let $G$ be a connected complex reductive alg...
4089 In this paper we propose an improvement for ...
4090 We give a necessary and sufficient condition...
4091 In modern stream cipher, there are many algo...
4092 The telecommunications industry is highly co...
4093 A vital aspect in energy storage planning an...
4094 We present results of an experiment showing ...
4095 We show that fundamental groups of compact, ...
4096 The pseudoscalars in Garret Sobczyk's paper ...
4097 We determine the information scrambling rate...
4098 In recent years, deep neural networks have y...
4099 The influence of the surface curvature on th...
4100 Many supervised learning tasks are emerged i...
4101 A graph is said to be symmetric if its autom...
4102 The run time of many scientific computation ...
4103 In applications of deep reinforcement learni...
4104 In this paper, we investigate the Hawking ra...
4105 OpenMP is a shared memory programming model ...
4106 In the recent years image processing techniq...
4107 Semi-supervised node classification in graph...
4108 The CANDECOMP/PARAFAC (CP) tensor decomposit...
4109 Given the increasing competition in mobile a...
4110 This paper studies the problem of remote sta...
4111 The goal of network representation learning ...
4112 Manipulating and focusing light deep inside ...
4113 The competition between spin-orbit coupling,...
4114 Protoplanetary disks undergo substantial mas...
4115 We study the spatio-temporal instability gen...
4116 Here we find the spectral curves, correspond...
4117 We prove that a critical metric of the volum...
4118 We present a deep neural architecture that p...
4119 Chentsov's theorem characterizes the Fisher ...
4120 The direct band gap character and large spin...
4121 We consider the problem of finding the minim...
4122 This paper is the first work to propose a ne...
4123 Starting from the pioneering works of Shanno...
4124 A short overview demystifying the midi audio...
4125 We develop the first Bayesian Optimization a...
4126 The optical observations of wide fields of v...
4127 Multi-Entity Dependence Learning (MEDL) expl...
4128 A simple-triangle graph is the intersection ...
4129 In this paper, we generalize the normalized ...
4130 We show that in any nontrivial Hahn field wi...
4131 Laser communication has advances in compared...
4132 This paper introduces the first deep neural ...
4133 Although adverse effects of attacks have bee...
4134 A conservative scheme has been formulated an...
4135 We study a variant of the stochastic multi-a...
4136 Energy consumption for hot water production ...
4137 Self-adaptive system (SAS) is capable of adj...
4138 The Intelligent Transportation System (ITS) ...
4139 N-polar GaN p-n diodes are realized on singl...
4140 Particle identification at the Belle II expe...
4141 This paper presents an easy and efficient fa...
4142 Conventional decision trees have a number of...
4143 A topological shape analysis is proposed and...
4144 Existing methods for arterial blood pressure...
4145 We explore some of the ramifications arising...
4146 Quantum fluctuations from frustration can tr...
4147 A novel solution is obtained to solve the ri...
4148 Enhanced mobile broadband (eMBB) is one of t...
4149 We study the problem of estimating the size ...
4150 This paper provides sufficient conditions fo...
4151 This article is the second in a series of tw...
4152 We present a simple apparatus for femtosecon...
4153 We study changes in metrics that are defined...
4154 In this paper we answer the following questi...
4155 The modification of geometry and interaction...
4156 With the proliferation of social media, fash...
4157 This paper introduces a new and effective al...
4158 Current spacecraft need to launch with all o...
4159 Compared with numerous X-ray dominant active...
4160 We study the {\em maximum duo-preservation s...
4161 The current trends in next-generation exasca...
4162 We propose a general approach to modeling se...
4163 We report the fabrication of a 1.2 cm long c...
4164 Spectral clustering is one of the most popul...
4165 We consider the recovery of a low rank $M \t...
4166 The aim of this work is to propose a first c...
4167 Self-bound quantum droplets are a newly disc...
4168 This paper is concerned with the problem of ...
4169 Growing uncertainty in design parameters (an...
4170 In this paper we propose a new approach to o...
4171 Despite rapid advances in face recognition, ...
4172 We introduce a new class of graphical models...
4173 We argue that turning a logic program into a...
4174 In the present manuscript, we consider the p...
4175 Human attribute analysis is a challenging ta...
4176 Measurement error in the observed values of ...
4177 We consider the K3 surfaces that arise as do...
4178 A side-fed crossed Dragone telescope provide...
4179 Individual Neurons in the nervous systems ex...
4180 In Part 1 we study the spherical functions o...
4181 We consider the problem of estimating specie...
4182 Recently, the introduction of the generative...
4183 Gestures are a natural communication modalit...
4184 When training a deep network for image class...
4185 Deep narrow-band HST imaging of the iconic s...
4186 In this Letter we supervisedly train neural ...
4187 We propose a Label Propagation based algorit...
4188 Indian Buffet Process based models are an el...
4189 We propose a new model for formalizing rewar...
4190 We study the estimation of integral type fun...
4191 Emotional arousal increases activation and p...
4192 X-ray emission in young stellar objects (YSO...
4193 We consider reaction-diffusion equations and...
4194 We present the first systematic analysis of ...
4195 The features of collaboration patterns are o...
4196 We study the generation of magnetic fields d...
4197 We present HornDroid, a new tool for the sta...
4198 In this paper, we study the robustness of ne...
4199 In [Mas82] and [Vee78] it was proved indepen...
4200 Real-world machine learning applications oft...
4201 This paper proposes an efficient method for ...
4202 We establish a Polya-Vinogradov-type bound f...
4203 Introductory and pedagogical treatmeant of t...
4204 Generative adversarial networks (GANs) have ...
4205 Experimental determination of protein functi...
4206 Eliminating the negative effect of non-stati...
4207 We use a function field analogue of a method...
4208 We derive a correspondence between the eigen...
4209 Deep learning has become a powerful and popu...
4210 In nature or societies, the power-law is pre...
4211 We extend the results of Zhang et al. to sho...
4212 Plasma turbulence at scales of the order of ...
4213 Recurrent neural networks show state-of-the-...
4214 We build a deep reinforcement learning (RL) ...
4215 Curiosity is the strong desire to learn or k...
4216 We initiate the study of the communication c...
4217 We prove (and improve) the Muir-Suffridge co...
4218 In this article we give an approach to defin...
4219 The interplay between spin-orbit coupling (S...
4220 We present a strong version of Abouzaid's No...
4221 Graph Weighted Models (GWMs) have recently b...
4222 In this paper, we are concerned with the exi...
4223 N distinguishable players are randomly fitte...
4224 Over any field $\mathbb K$, there is a bijec...
4225 While the optimization problem behind deep n...
4226 This paper presents an analysis of rearward ...
4227 We propose a simple yet highly effective met...
4228 Global Style Tokens (GSTs) are a recently-pr...
4229 Online social networks are more and more stu...
4230 We review possible mechanisms for energy tra...
4231 We consider a priori generalization bounds d...
4232 We propose a novel class of statistical dive...
4233 We study the existence and nonexistence of m...
4234 This paper introduces Dex, a reinforcement l...
4235 In this paper we discuss the first order par...
4236 We prove the genus-one restriction of the al...
4237 We present a novel approach for mobile manip...
4238 The paper presents first results of the CitE...
4239 The majority of everyday tasks involve inter...
4240 In this article, weak convergence of the gen...
4241 Segmental conditional random fields (SCRFs) ...
4242 The use of eco-friendly materials for the en...
4243 While much of the work in the design of conv...
4244 A rigorous bridge between spiking-level and ...
4245 The recognition of actions from video sequen...
4246 Digital information can be encoded in the bu...
4247 Traditionally categorical data analysis (e.g...
4248 In this article we present an idea of using ...
4249 This paper contributes a new machine learnin...
4250 We characterize strong type and weak type in...
4251 Sentiment analysis is the Natural Language P...
4252 Separating two sources from an audio mixture...
4253 In this article, we first derive the wavevec...
4254 An optimization procedure for multi-transmit...
4255 We consider the problem of estimating counte...
4256 Text generation is increasingly common but o...
4257 A means of building safe critical systems co...
4258 The topic of this paper is modeling and anal...
4259 Nodal-line semimetals, one of the topologica...
4260 We analyze the list-decodability, and relate...
4261 Comparing different neural network represent...
4262 We axiomatize and study the matrices of type...
4263 This paper argues that the judicial use of f...
4264 Topological crystalline insulators have been...
4265 Experimental records of active bundle motili...
4266 Weyl and Dirac (semi)metals in three dimensi...
4267 We have developed FFT beamforming techniques...
4268 Magnetic Resonance Imaging (MRI) and Positro...
4269 The goal of this paper is to extend the clas...
4270 Considering the problem of color distortion ...
4271 We present a generalisation of C. Bishop and...
4272 Flexible estimation of heterogeneous treatme...
4273 In hierarchical searches for continuous grav...
4274 We study the heat trace for both the driftin...
4275 As online systems based on machine learning ...
4276 We show that every ($P_6$, diamond, $K_4$)-f...
4277 The nearby exoplanet Proxima Centauri b will...
4278 There is a long-standing belief that the mod...
4279 Most of mathematic forgetting curve models f...
4280 An important step in the efficient computati...
4281 An imperative aspect of modern science is th...
4282 Stardust grains recovered from meteorites pr...
4283 We present a new proof of a fundamental resu...
4284 Animal telemetry data are often analysed wit...
4285 Chiral magnets with topologically nontrivial...
4286 For human pose estimation in monocular image...
4287 Among underwater perceptual sensors, imaging...
4288 Genome-wide association studies (GWAS) have ...
4289 This paper shows that for any random variabl...
4290 Infants are experts at playing, with an amaz...
4291 A modern aircraft may require on the order o...
4292 Quantitative multivariate central limit theo...
4293 According to the DeGroot-Friedkin model of a...
4294 We prove existence of Abrikosov vortex latti...
4295 The Hilda asteroids are primitive bodies in ...
4296 The properties of cold Bose gases at unitari...
4297 The best known method to give a lower bound ...
4298 Education is a key factor in ensuring econom...
4299 It has long been known that a single-layer f...
4300 Recently, Lawson has shown that the 2-primar...
4301 This paper is devoted to expressiveness of h...
4302 Tree-grass coexistence in savanna ecosystems...
4303 An approach is presented for making predicti...
4304 In this paper, we investigate periodic vibra...
4305 Content analysis of news stories (whether ma...
4306 New social and economic activities massively...
4307 Bearing only cooperative localization has be...
4308 We revisit the relation between the neutrino...
4309 This paper is concerned with the generation ...
4310 This paper proposes a computer-based recursi...
4311 We consider a chain of Abelian Klebanov-Tarn...
4312 The reliable measurement of confidence in cl...
4313 Benford's law is an empirical edict stating ...
4314 Two popular classes of methods for approxima...
4315 Bell's theorem has fascinated physicists and...
4316 In this paper, the objects of our investigat...
4317 At the beginning of a dynamic game, players ...
4318 Wearable devices are transforming computing ...
4319 We study standard and nonlocal nonlinear Sch...
4320 Prediction is an appealing objective for sel...
4321 Manifold learning based methods have been wi...
4322 We use data on extreme radio scintillation t...
4323 From longitudinal biomedical studies to soci...
4324 Both neural networks and decision trees are ...
4325 Let $A$ be a regular ring containing a field...
4326 Selecting the right drugs for the right pati...
4327 The temperature dependence of the electrical...
4328 We develop a novel method for training of GA...
4329 Monoclonal antibodies constitute one of the ...
4330 It is well known that the addition of noise ...
4331 Conditional term rewriting is an intuitive y...
4332 Magnetic skyrmions are topological spin stru...
4333 Spectral estimation (SE) aims to identify ho...
4334 We present a new walking foot-placement cont...
4335 We study the magnetic field effects on the d...
4336 An RNN-based forecasting approach is used to...
4337 Polymer solar cells are considered as very p...
4338 A `flutter machine' is introduced for the in...
4339 This paper proposes a novel robotic hand des...
4340 The celebrated Time Hierarchy Theorem for Tu...
4341 We study sound in Galilean invariant systems...
4342 The natural join and the inner union operati...
4343 Our predictions, based on density-functional...
4344 The autonomous measurement of tree traits, s...
4345 Mechanical vibrations of components of the o...
4346 We present a new AI task -- Embodied Questio...
4347 Controlled generation of text is of high pra...
4348 Learning automatically the structure of obje...
4349 Design optimization techniques are often use...
4350 We present an application of deep generative...
4351 In 1996, Kirk Lancaster and David Siegel inv...
4352 Brain computer interface (BCI) provides prom...
4353 This paper deals with motion planning for mu...
4354 Graph games provide the foundation for model...
4355 Recent work in distance metric learning has ...
4356 Attenuation correction is an essential requi...
4357 We introduce a general framework allowing to...
4358 This paper presents a rigorous optimization ...
4359 This paper proposes a new sharpened version ...
4360 Knotted solutions to electromagnetism and fl...
4361 Let $m>1$ be an integer, and let $I(\mathbb{...
4362 In recent publications, we presented a novel...
4363 Robots have the potential to be a game chang...
4364 Social learning, i.e., students learning fro...
4365 Background: Widespread adoption of electroni...
4366 Piscine orthoreovirus Strain PRV-1 is the ca...
4367 Motivated by recent experiments, we use the ...
4368 We consider learning-based variants of the $...
4369 In this report, some cosmological correlatio...
4370 Computational paralinguistic analysis is inc...
4371 The exchange of small molecular signals with...
4372 We explore how the polarization around contr...
4373 The vanishing gradient problem was a major o...
4374 In high dimension, it is customary to consid...
4375 We propose a novel automatic method for accu...
4376 Using theorems of Eliashberg and McDuff, Etn...
4377 Split-plot or repeated measures designs are ...
4378 The syntax of modal graphs is defined in ter...
4379 There has been great interest in realizing q...
4380 In this paper, we are interested in the deco...
4381 Development of new greenhouse gas scavengers...
4382 Singing voice separation based on deep learn...
4383 We study high-dimensional linear models with...
4384 We show that given an estimate $\widehat{A}$...
4385 When a human drives a car along a road for t...
4386 On-chip twisted light emitters are essential...
4387 We introduce LAMP: the Linear Additive Marko...
4388 We consider extended starlike networks where...
4389 Let $a(n)$ be the Fourier coefficients of a ...
4390 There is general consensus that learning rep...
4391 In this work we offer a framework for reason...
4392 With the advent of Big Data, nowadays in man...
4393 We introduce a new virtual environment for s...
4394 We present Fashion-MNIST, a new dataset comp...
4395 A $k$-page book drawing of a graph $G=(V,E)$...
4396 We have measured X-ray magnetic circular dic...
4397 This paper studies the problem of secure com...
4398 We analytically derive the elastic, dielectr...
4399 We are concerned with multidimensional nonli...
4400 This paper describes a massively parallel co...
4401 This article carries out a large dimensional...
4402 We study the differences and equivalences be...
4403 Vibrational energy harvesters capture mechan...
4404 The paper presents a novel, principled appro...
4405 An area efficient row-parallel architecture ...
4406 Following a paper in which the fundamental a...
4407 Osteonecrosis occurs due to the loss of bloo...
4408 We study the output feedback exponential sta...
4409 In this paper, we introduce a design princip...
4410 The well-known Bayes theorem assumes that a ...
4411 I consider a Jovian planet on a highly eccen...
4412 This note contains a reformulation of the Ho...
4413 We study the asymmetry in the two-point cros...
4414 In this paper, we present an end-to-end auto...
4415 Fourier analysis and representation of circu...
4416 A new method is presented for modelling the ...
4417 Deep reinforcement learning (DRL) has shown ...
4418 We propose an Analytical method of Blind Sep...
4419 In this paper, we study an optimal output co...
4420 We propose a new dynamics for equilibrium se...
4421 This paper presents a new method for medical...
4422 New results are added to the paper [4] about...
4423 This letter provides a simple but efficient ...
4424 The current and envisaged increase of cellul...
4425 Recurrent neural network (RNN) language mode...
4426 J. DeLoera-T. McAllister and K. D. Mulmuley-...
4427 In aspect-based sentiment analysis, most exi...
4428 I begin my discussion by summarizing the met...
4429 We present the results of resonant x-ray sca...
4430 Rapid popularity of Internet of Things (IoT)...
4431 In environments with scarce resources, adopt...
4432 The performance of Neural Network (NN)-based...
4433 Covalent-organic frameworks (COFs) are intri...
4434 Filters in a Convolutional Neural Network (C...
4435 Gravitationally collapsed objects are known ...
4436 A relational structure ${\mathbb X}$ is said...
4437 The difficulty of large scale monitoring of ...
4438 The recently developed variational autoencod...
4439 In this work, we describe a problem which we...
4440 If M is a smooth compact connected Riemannia...
4441 Power spectrum estimation is an important to...
4442 Evaluating human brain potentials during wat...
4443 Geophysical inversion should ideally produce...
4444 We provide a new proof of the super duality ...
4445 In recent years, car makers and tech compani...
4446 An electrically-controllable, solid-state, r...
4447 Global pairwise network alignment (GPNA) aim...
4448 We present a quantu spin liquid state in a s...
4449 We show that for any singular dominant integ...
4450 The article is devoted to the investigation ...
4451 Many real-world systems are profitably descr...
4452 Given a semi-Riemannian $4$-manifold $(M,g)$...
4453 In this paper, we compute the number of z-cl...
4454 This paper proposes a practical approach for...
4455 Martin David Kruskal was one of the most ver...
4456 We provide a unified framework to compute th...
4457 Hedonic games are meant to model how coaliti...
4458 We introduce the $k$-banded Cholesky prior f...
4459 In this paper, we consider the stochastic La...
4460 Crowdsourcing is an important avenue for col...
4461 The Weihrauch degrees and strong Weihrauch d...
4462 Long short-term memory (LSTM) is normally us...
4463 We introduce the abstract notion of a closed...
4464 We give a classification and complete algebr...
4465 Quantum Cognition has delivered a number of ...
4466 The purpose of this note is to provide a det...
4467 The Lanczos method is one of the standard ap...
4468 Eigenstates of fully many-body localized (FM...
4469 Network modeling has become increasingly pop...
4470 Automated vehicles can change the society by...
4471 In recent years, many new and interesting mo...
4472 We consider the Gierer-Meinhardt system with...
4473 In this article, we study subloci of solvabl...
4474 We prove limit theorems for the super-replic...
4475 The study of networks has witnessed an explo...
4476 We present natural families of coordinate al...
4477 We observed the field of the Fermi source 3F...
4478 Markov random fields (MRFs) find application...
4479 Nonparametric estimation of mutual informati...
4480 We present laboratory spectra of the $3p$--$...
4481 In this paper, we propose a novel method to ...
4482 Fabrication of devices in industrial plants ...
4483 We propose a fast and accurate numerical met...
4484 In this article, we extend the conventional ...
4485 A major obstacle to understanding neural cod...
4486 The "Loving AI" project involves developing ...
4487 In this paper we study leveraging confidence...
4488 The profitability of fraud in online systems...
4489 Near-future electric distribution grids oper...
4490 This paper presents an approach to assess th...
4491 In this work we study the Thermodynamics of ...
4492 The antiferromagnet (AFM) / ferromagnet (FM)...
4493 Blockage of pores by particles is found in m...
4494 Monte Carlo (MC) simulations of transport in...
4495 In-growth or post-deposition treatment of $C...
4496 A novel approach is introduced to a very wid...
4497 We define a notion of morphisms between open...
4498 A semi-relativistic density-functional theor...
4499 We compute the $L^2$-Betti numbers of the fr...
4500 Recently, there is increasing interest and r...
4501 The coupled quasilinear Keller-Segel-Navier-...
4502 Spectral clustering is one of the most popul...
4503 $\textbf{Objective}$: To assess the validity...
4504 We review the developments of the statistica...
4505 We consider a localized approach in the well...
4506 Directed graphs are widely used to model dat...
4507 The wear-driven structural evolution of nano...
4508 The aim of this paper is to present necessar...
4509 This is (mostly) a survey article. We use an...
4510 In this paper, we obtain bounds for the Mord...
4511 We have shown that in some region where the ...
4512 We report on the first experimental observat...
4513 Navigating safely in urban environments rema...
4514 When magnetic field is applied to metals and...
4515 The emergence and development of cancer is a...
4516 In this paper we correct an inaccuracy that ...
4517 In the present work, we aim at taking a step...
4518 We investigate a dynamically adapting tuning...
4519 We provide an analytic propagator for non-He...
4520 We propose a novel deep learning architectur...
4521 Recently, distributed processing of large dy...
4522 Variational inference methods often focus on...
4523 The discrete cosine transform (DCT) is a wid...
4524 We propose a swarm-based optimization algori...
4525 In this paper, we consider a backward in tim...
4526 In this brief review we discuss the transien...
4527 The galaxy data provided by COSMOS survey fo...
4528 Digital advances have transformed the face o...
4529 Singular actions on C*-algebras are automorp...
4530 General purpose correct-by-construction synt...
4531 In this study, explicit differential equatio...
4532 More than 10^43 positrons annihilate every s...
4533 Sampling technique has become one of the rec...
4534 Friendship and antipathy exist in concert wi...
4535 We review the recurrence intervals as a func...
4536 Modern and future particle accelerators empl...
4537 In this paper, some algebraic and combinator...
4538 In this paper we show how the stochastic hea...
4539 Attention-based models have recently shown g...
4540 Similarity and metric learning provides a pr...
4541 Skills learned through (deep) reinforcement ...
4542 We analyze an open many-body system that is ...
4543 In this paper, the effect of transmitter bea...
4544 Mars' surface bears the imprint of valley ne...
4545 This paper proposes an image dehazing model ...
4546 In the spirit of searching for Gd-based, fru...
4547 In the note, all indecomposable canonical fo...
4548 Let $(M,g)$ be a compact manifold and let $-...
4549 Multimodal clustering is an unsupervised tec...
4550 In this paper we solve the problem of the id...
4551 Nonlinear optics, especially frequency mixin...
4552 The microcanonical Gross--Pitaevskii (aka se...
4553 During the last decades, public policies bec...
4554 Using two-dimensional hybrid expanding box s...
4555 We establish minimax optimal rates of conver...
4556 We consider the problem of phase retrieval, ...
4557 It is shown that if one uses the notion of i...
4558 Internet as become the way of life in the fa...
4559 We present the design and implementation of ...
4560 Policy-gradient approaches to reinforcement ...
4561 Absolute positioning of vehicles is based on...
4562 We demonstrate that the augmented estimate s...
4563 The interplay between electrochemical surfac...
4564 Feasibility pumps are highly effective prima...
4565 Starting from covariant expressions, a gauge...
4566 If $a$ and $d$ are relatively prime, we refe...
4567 We develop an asymptotical control theory fo...
4568 Replication is complicated in psychological ...
4569 We study the angular dependence of the dissi...
4570 The displacement calculus $\mathbf{D}$ is a ...
4571 We construct labeling homomorphisms on the c...
4572 We demonstrate the integration of a mesoscop...
4573 We present a solution to scale spectral algo...
4574 The Bäcklund transformation (BT) for the "go...
4575 Compressing convolutional neural networks (C...
4576 We consider a dilute fluorinated graphene na...
4577 Given one metric measure space $X$ satisfyin...
4578 The problem of quantizing the activations of...
4579 We associate a monoidal category $\mathcal{H...
4580 Let $G$ be a group. An automorphism of $G$ i...
4581 We study the adjoint of the double layer pot...
4582 The structural coefficient of restitution de...
4583 We explore the phase diagram of a finite-siz...
4584 Topological data analysis is an emerging are...
4585 In this paper, we design nonlinear state fee...
4586 Computed Tomography (CT) reconstruction is a...
4587 We consider bounded solutions of the nonloca...
4588 Bi(0001) films with thicknesses up to severa...
4589 Tensors are multidimensional arrays of numer...
4590 Consider a researcher estimating the paramet...
4591 Missing data and noisy observations pose sig...
4592 Concurrent coding is an unconventional encod...
4593 In the present work, we explore the potentia...
4594 This paper revisit and extend the interestin...
4595 Band gap tuning in two-dimensional transitio...
4596 The defect in diamond formed by a vacancy su...
4597 Kisin and Pappas constructed integral models...
4598 This paper gives a new flavor of what Peter ...
4599 Most brain-computer interfaces (BCIs) based ...
4600 The human brain is capable of diverse feats ...
4601 Yang (1978) considered an empirical estimate...
4602 We calculate ghost characters for the (5,6)-...
4603 We aim to clarify the role that absorption p...
4604 The data center networks $D_{n,k}$, proposed...
4605 Turbulence is the leading candidate for angu...
4606 This paper proposes a general framework of m...
4607 Urban environments offer a challenging scena...
4608 We give improved algorithms for the $\ell_{p...
4609 In this article, we give the explicit minima...
4610 Current approaches for Knowledge Distillatio...
4611 This article argues for the importance of fo...
4612 Solar system small bodies come in a wide var...
4613 The Leah-Hamiltonian, $H(x,y)=y^2/2+3x^{4/3}...
4614 Nuclear magnetic resonance (NMR) spectroscop...
4615 For every genus $g\geq 2$, we construct an i...
4616 Objective: Absolute images have important ap...
4617 Epidemic outbreaks are an important healthca...
4618 We report on the first streaking measurement...
4619 We investigate the intrinsic Baldwin effect ...
4620 HIV/AIDS spread depends upon complex pattern...
4621 Biluminescent organic emitters show simultan...
4622 An instability of a liquid droplet traversed...
4623 Navigating in search and rescue environments...
4624 We point out that current textbooks of moder...
4625 The reionization of the Universe is one of t...
4626 We study the effect of different feedback pr...
4627 The first direct detection of the asteroidal...
4628 We study the convergence of the log-linear n...
4629 Soft gamma repeaters and anomalous X-ray pul...
4630 We report on the optical and mechanical char...
4631 The Prototypical magnetic memory shape alloy...
4632 FPGA-based heterogeneous architectures provi...
4633 Penalized least squares estimation is a popu...
4634 This paper proposes a novel semi-distributed...
4635 We propose a framework for adversarial train...
4636 The first order magneto-structural transitio...
4637 This work introduces the concept of parametr...
4638 Discrimination-aware classification is recei...
4639 A set of points a 1 ,. .. , a n fixes a plan...
4640 In this paper, we consider prior-based dimen...
4641 Can we perform an end-to-end sound source se...
4642 The complete group classification problem fo...
4643 Generative adversarial networks (GAN) have b...
4644 Smartphones have ubiquitously integrated int...
4645 We consider the distribution of free path le...
4646 We present measurements of the spin-orbit mi...
4647 This paper introduces a novel parameter esti...
4648 This paper applies the multibond graph appro...
4649 Nauticle is a general-purpose simulation too...
4650 Below the phase transition temperature $Tc \...
4651 Key performance characteristics are demonstr...
4652 Privacy is crucial in many applications of m...
4653 This research presents a model of a complex ...
4654 In this paper, we present Neural Phrase-base...
4655 We propose a method for multi-person detecti...
4656 We combine space group representation theory...
4657 In statistics cumulants are defined to be fu...
4658 A freely available Python code for modelling...
4659 In this work, we examine two approaches to i...
4660 Gee-Haw Whammy Diddle is a seemingly simple ...
4661 The cancellation theorem for Grothendieck-Wi...
4662 Motivation: The rapid growth of diverse biol...
4663 While I was dealing with a brain injury and ...
4664 Rapid changes in extracellular osmolarity ar...
4665 We present an optical mapping near-eye (OMNI...
4666 Topological phases typically encode topology...
4667 We introduce a new dynamical system for sequ...
4668 Incremental methods for structure learning o...
4669 We theoretically investigate charge transpor...
4670 In this paper, I study the isoparametric hyp...
4671 Formation of a bright-field microscopic imag...
4672 The actin cytoskeleton is an active semi-fle...
4673 We introduce a method for using Fizeau inter...
4674 Determining the relative importance of envir...
4675 Classifiers and rating scores are prone to i...
4676 In this paper, we revisit the portfolio opti...
4677 A method for constructing the Lax pairs for ...
4678 Motivated by the need to detect an undergrou...
4679 The most distant AGN, within the allowed GZK...
4680 We show that quandle coverings in the sense ...
4681 We derive an extended fluctuation theorem fo...
4682 Ranking algorithms are the information gatek...
4683 In order for autonomous robots to be able to...
4684 Unsupervised domain adaptation is the proble...
4685 Given a distribution of defects on a structu...
4686 A new management system for the SND detector...
4687 Spiking neural networks (SNNs) could play a ...
4688 Distribution grids are currently challenged ...
4689 There is an ongoing debate in the literature...
4690 We introduce twisted matrix factorizations f...
4691 We provide a deterministic data summarizatio...
4692 The nonlinear lattice---a new and nonlinear ...
4693 Improvements of entity-relationship (E-R) se...
4694 Humanoid robotics research depends on capabl...
4695 Silicon nitride is awell-established materia...
4696 We propose a new selection rule for the coor...
4697 Convolutional and Recurrent, deep neural net...
4698 An ability to model a generative process and...
4699 We propose an efficient algorithm for approx...
4700 In this paper, a generalized nonlinear Camas...
4701 Despite the growing popularity of 802.11 wir...
4702 While most schemes for automatic cover song ...
4703 We present an algorithm that ensures in fini...
4704 Let $(X,\omega)$ be a compact Hermitian mani...
4705 Information and Communication Technology (IC...
4706 A number of visual question answering approa...
4707 The $p$th degree Hilbert symbol $(\cdot,\cdo...
4708 We present GAMER-2, a GPU-accelerated adapti...
4709 Assume $\mathsf{M}_n$ is the $n$-dimensional...
4710 In this paper, we consider distributed optim...
4711 The increasing uptake of distributed energy ...
4712 Generative adversarial networks (GANs) are p...
4713 Understanding the pseudogap phase in hole-do...
4714 Bose-Einstein condensates with tunable inter...
4715 We propose a principled method for kernel le...
4716 In recent years, there has been a surge of i...
4717 Direct cDNA preamplification protocols devel...
4718 This paper proposes a novel model for the ra...
4719 The sample matrix inversion (SMI) beamformer...
4720 Wind has the potential to make a significant...
4721 Widely used income inequality measure, Gini ...
4722 This paper presents a constructive algorithm...
4723 In the fields of neuroimaging and genetics, ...
4724 We establish a boundary maximum principle fo...
4725 Spectral sparsification is a general techniq...
4726 We analyze the statistics of the shortest an...
4727 In this work we investigate the optimal prop...
4728 The Internet infrastructure relies entirely ...
4729 Quantitative loop invariants are an essentia...
4730 This paper is on active learning where the g...
4731 We theoretically and experimentally demonstr...
4732 We consider the Kitaev chain model with fini...
4733 We study the motion of isentropic gas in noz...
4734 Atrial fibrillation (AF) is the most common ...
4735 We study controllability of a Partial Differ...
4736 Gravitational instabilities (GIs) are most l...
4737 We suggest a model of a multi-agent society ...
4738 Recent initiatives by regulatory agencies to...
4739 We study the origin of layer dependence in b...
4740 A complete proof is given of relative interp...
4741 We prove that H-type Carnot groups of rank $...
4742 We generalize the twisted quantum double mod...
4743 We study the fragmentation-coagulation (or m...
4744 In Bagchi (2010) main effect plans "orthogon...
4745 The electron transport layer (ETL) plays a f...
4746 Many machine intelligence techniques are dev...
4747 In this paper, we propose a new differentiab...
4748 The core accretion hypothesis posits that pl...
4749 This paper presents a novel method that allo...
4750 Alternating automata have been widely used t...
4751 We study a special case at which the analyti...
4752 Causal effect estimation from observational ...
4753 We show that the poset of $SL(n)$-orbit clos...
4754 The fundamental understanding of loop format...
4755 In recent years supervised representation le...
4756 This paper aims to bridge the affective gap ...
4757 We present two different approaches to model...
4758 We present a method for drawing isolines ind...
4759 This work is concerned with the optimal cont...
4760 We show that all GL(2,R) equivariant point m...
4761 Fundamental frequency (f0) estimation from p...
4762 We study the eigenvalues of the self-adjoint...
4763 Recent work has considered theoretical model...
4764 We establish precise Zhu reduction formulas ...
4765 Timelimited functions and bandlimited functi...
4766 We model the size distribution of supernova ...
4767 Community detection provides invaluable help...
4768 Given the subjective preferences of n roomma...
4769 A desired closure property in Bayesian proba...
4770 Coded distributed computing (CDC) introduced...
4771 The motion and photon emission of electrons ...
4772 We present hydrodynamic simulations of the h...
4773 As non-institutive polynomial chaos expansio...
4774 Recognizing human activities in a sequence i...
4775 We introduce and study the higher tetrahedra...
4776 For many algorithms, parameter tuning remain...
4777 We propose a method to generate 3D shapes us...
4778 Recognizing arbitrary objects in the wild ha...
4779 This paper describes the procedure to estima...
4780 A multitude of web and desktop applications ...
4781 Nowadays, a big part of people rely on avail...
4782 We investigate proving properties of Curry p...
4783 Classification, which involves finding rules...
4784 Modern learning algorithms excel at producin...
4785 Statistical regression models whose mean fun...
4786 Unmanned aerial vehicles (UAVs) have attract...
4787 We propose a new imaging technique for radio...
4788 Using process algebra, this paper describes ...
4789 The profiles of the broad emission lines of ...
4790 Agricultural robots are expected to increase...
4791 Textbooks in applied mathematics often use g...
4792 This paper provides an alternate proof to pa...
4793 According to the Butterfield--Isham proposal...
4794 Emission of electromagnetic radiation by acc...
4795 Distribution regression has recently attract...
4796 By using the state-of-the-art microscopy and...
4797 The Henon-Heiles system was originally propo...
4798 We study the large time behaviour of the mas...
4799 Although neural machine translation (NMT) wi...
4800 We propose a novel combination of optimizati...
4801 We present the first experimental demonstrat...
4802 We show that Variational Autoencoders consis...
4803 We survey the technique of constructing cust...
4804 We show that for all integers $m\geq 2$, and...
4805 Full autonomy for fixed-wing unmanned aerial...
4806 We address the problem of efficient acoustic...
4807 The spatial distribution of Cherenkov radiat...
4808 The pentagram map is a discrete dynamical sy...
4809 In this paper we study the problem of photoa...
4810 Recently, fundamental conditions on the samp...
4811 Driven by growing interest in the sciences, ...
4812 We contribute a general apparatus for depend...
4813 The goal of semantic parsing is to map natur...
4814 We study the algebraic implications of the n...
4815 Layout hotpot detection is one of the main s...
4816 Computational prediction of origin of replic...
4817 A routine task for art historians is paintin...
4818 In this paper, we study a slant submanifold ...
4819 1. Theoretical models pertaining to feedback...
4820 The cuprate high-temperature superconductors...
4821 Cryptocurrencies and their foundation techno...
4822 Recent studies have shown that tuning predic...
4823 Matrices $\Phi\in\R^{n\times p}$ satisfying ...
4824 Models applied on real time response task, l...
4825 The High Luminosity LHC (HL-LHC) will integr...
4826 Let $\mathcal{F}$ be a finite alphabet and $...
4827 The present is a companion paper to "A conte...
4828 The giant mutually connected component (GMCC...
4829 In this paper, we study the asymptotic behav...
4830 Phase-field approaches to fracture based on ...
4831 Slow running or straggler tasks can signific...
4832 We introduce inference trees (ITs), a new cl...
4833 We propose a scheme to employ backpropagatio...
4834 Recently, two scalable adaptations of the bo...
4835 Impressive image captioning results are achi...
4836 We improve the performance of the American F...
4837 Embedded real-time systems (RTS) are pervasi...
4838 We derive the second order rates of joint so...
4839 Chiral and helical domain walls are generic ...
4840 Modern neural networks tend to be overconfid...
4841 A detailed characterization of the particle ...
4842 We present a principled approach to uncover ...
4843 6d superconformal field theories (SCFTs) are...
4844 In this article we consider the completely m...
4845 In this paper, we analyzed parasitic couplin...
4846 We consider a manager, who allocates some fi...
4847 Continuous attractors have been used to unde...
4848 A $(t, s, v)$-all-or-nothing transform is a ...
4849 High-availability of software systems requir...
4850 We elucidate the importance of the consisten...
4851 We develop a novel method for counterfactual...
4852 The Generalized Pareto Distribution (GPD) pl...
4853 In this work, we introduce the {\em average ...
4854 Reflexive polytopes form one of the distingu...
4855 Neural networks have been successfully appli...
4856 The mixture models have become widely used i...
4857 Scanning superconducting quantum interferenc...
4858 Machine Learning models incorporating multip...
4859 We prove a general essential self-adjointnes...
4860 Recent years have seen a growing interest in...
4861 We show that the convex hull of a monotone p...
4862 Recent experiments demonstrate that molecula...
4863 In distributed function computation, each no...
4864 How individuals adapt their behavior in cult...
4865 In warm dark matter scenarios structure form...
4866 Aluminum lumped-element kinetic inductance d...
4867 We calculate the universal spectrum of trime...
4868 In this paper, we have constructed dark ener...
4869 With the huge influx of various data nowaday...
4870 We give an algebraic quantization, in the se...
4871 It is well known that the Lasso can be inter...
4872 In this paper we investigate the endogenous ...
4873 Data diversity is critical to success when t...
4874 Robust feature representation plays signific...
4875 In this paper, we develop an upper bound for...
4876 We present the results of a Chandra X-ray su...
4877 We revisit the relegation algorithm by Depri...
4878 There exists a bijection between the configu...
4879 Neural networks, a central tool in machine l...
4880 In this paper, we are motivated by two impor...
4881 Let $K$ be a field of characteristic zero an...
4882 We treat the boundary of the union of blocks...
4883 We introduce $\mathcal{DLR}^+$, an extension...
4884 Developing a Brain-Computer Interface~(BCI) ...
4885 As relational datasets modeled as graphs kee...
4886 We theoretically investigate the stability a...
4887 Recent experiments [Schaeffer 2015] have sho...
4888 We present imaging polarimetry of the superl...
4889 Even though active learning forms an importa...
4890 Optical flow estimation in the rainy scenes ...
4891 Among the many additive manufacturing (AM) p...
4892 Due to complexity and invisibility of human ...
4893 In this paper, we address the inverse proble...
4894 Spectral graph convolutional neural networks...
4895 We study the turbulent square duct flow of d...
4896 Transport of charged carriers in regimes of ...
4897 Let $\frak g$ be a semisimple Lie algebra an...
4898 Of the roughly 3000 neutron stars known, onl...
4899 Discrete time crystals are a recently propos...
4900 We give upper and lower bounds for the numbe...
4901 A representation formula for the relaxation ...
4902 Stochastic optimization is key to efficient ...
4903 In recent years self organised critical neur...
4904 Music, being a multifaceted stimulus evolvin...
4905 The purpose of this paper is to give some ch...
4906 Low-mass M stars are plentiful in the Univer...
4907 Due to their numerous advantages, formal pro...
4908 In this study, we explore peer-interaction e...
4909 Some explanations to Kaldi's PLDA implementa...
4910 The low-energy quasiparticles of Weyl semime...
4911 In Chinese societies, superstition is of par...
4912 Magnetic field-induced giant modification of...
4913 In this work, we develop an adaptive, multiv...
4914 We classify Drinfeld twists for the quantum ...
4915 In big data analysis for detecting rare and ...
4916 The class of quasi-median graphs is a genera...
4917 We propose doubly nested network(DNNet) wher...
4918 Recently, there is a series of reports by Wa...
4919 Research on numerical stability of differenc...
4920 For a division ring $D$, denote by $\mathcal...
4921 The paper develops a hybrid method for solvi...
4922 This work focuses on quantitative representa...
4923 This paper presents a first-order {distribut...
4924 In the last few years, Model Driven Developm...
4925 In this article we study optimal control pro...
4926 Bipartite Envy-Free Matching (BEFM) is a rel...
4927 Off-diagonal Aubry-André (AA) model has rece...
4928 The analysis of networks affects the researc...
4929 We investigate how star formation is spatial...
4930 Path planning in robotics often requires fin...
4931 Let $P_k$ be a path, $C_k$ a cycle on $k$ ve...
4932 We propose a general index model for surviva...
4933 When dealing with the problem of simultaneou...
4934 Probability functions figure prominently in ...
4935 Predicting the next activity of a running pr...
4936 The high availability and scalability of wea...
4937 We investigate the initial-boundary value pr...
4938 This paper presents two visual trackers from...
4939 Digital memcomputing machines (DMMs) are non...
4940 We describe a broadly applicable experimenta...
4941 We investigate 1D exoplanetary distributions...
4942 Let $\widetilde{\mathcal M}=\langle \mathcal...
4943 Effective implementations of sampling-based ...
4944 Information distribution by electronic messa...
4945 The correlation between magnetic properties ...
4946 The Decodoku project seeks to let users get ...
4947 Dynamic complexity is concerned with updatin...
4948 Fractures are ubiquitous in the subsurface a...
4949 This paper is concerned with the application...
4950 Many audio signal processing methods are for...
4951 Using stochastic gradient search and the opt...
4952 For safe and efficient planning and control ...
4953 Microservices architectures have become larg...
4954 The application of high pressure can fundame...
4955 Zero forcing and power domination are iterat...
4956 We compare two important bases of an irreduc...
4957 In this chapter, we present a literature sur...
4958 Mode connectivity is a recently introduced f...
4959 Lifelong learning is the problem of learning...
4960 Floating-point arithmetic plays a central ro...
4961 We have compiled a catalog of 903 candidates...
4962 We introduce a generalization of the celebra...
4963 Most multi-class classifiers make their pred...
4964 We propose a new approach to the spectral th...
4965 Consider random linear estimation with Gauss...
4966 We develop a class of algorithms, as variant...
4967 The hole diffusion length in n-InGaAs is ext...
4968 Layered semi-convection is a possible candid...
4969 We derive solvability conditions and closed-...
4970 In this paper, we analyze the convergence of...
4971 The paper evaluates three variants of the Ga...
4972 Let $(R, \frak m)$ be a local ring and $M$ a...
4973 Spherical Gauss-Laguerre (SGL) basis functio...
4974 Inspired by the recent developments in the r...
4975 In this manuscript a method for developing n...
4976 Quantum phase slips (QPS) may produce non-eq...
4977 We study different concepts of stability for...
4978 In this paper, we show how using publicly av...
4979 Enforcing open source licenses such as the G...
4980 The minimization of the length of syntactic ...
4981 Consider the multivariate nonparametric regr...
4982 This paper presents an unsupervised method t...
4983 As virtual reality (VR) emerges as a mainstr...
4984 Extreme deformations of the DNA double helix...
4985 Many real-world objects are designed by smoo...
4986 We use inelastic light scattering to study S...
4987 In this paper, we study the problem of learn...
4988 We report on the detailed analysis of a grav...
4989 In this paper, we present a novel method for...
4990 We present a new autoencoder-type architectu...
4991 Boundary plasma physics plays an important r...
4992 Hyperbolic systems of PDEs can be solved to ...
4993 We prove a reducibility result for a quantum...
4994 The adaptive classification of the interfere...
4995 The lack of interpretability often makes bla...
4996 In many applications requiring multiple inpu...
4997 In topos theory it is well-known that any nu...
4998 Modulating the amplitude and phase of light ...
4999 We show that on any translation surface, if ...
5000 In this work, we extend the solid harmonics ...
5001 L1-norm Principal-Component Analysis (L1-PCA...
5002 We consider dissipation of surface waves on ...
5003 We present an approach to automate the proce...
5004 Parental gametes unite to form a zygote that...
5005 This work investigates the application of Un...
5006 We describe DyNet, a toolkit for implementin...
5007 Team semantics is the mathematical framework...
5008 An intriguing property of deep neural networ...
5009 Latent Dirichlet Allocation (LDA) models tra...
5010 The issue of the buckling mechanism in dropl...
5011 Let $X$ be a separable Banach function space...
5012 This is a theoretical paper, which is a cont...
5013 Topological models of empirical and formal i...
5014 Given a closed Riemannian manifold and a pai...
5015 We show that a smooth interface between two ...
5016 The focus of this work is on estimation of t...
5017 We report on the SuperKEKB Phase I operation...
5018 We study the effect of contingent movement o...
5019 Traditional face editing methods often requi...
5020 The technique of non-redundant masking (NRM)...
5021 We consider a gated one-dimensional (1D) qua...
5022 In many problems of supervised tensor learni...
5023 We introduce NoisyNet, a deep reinforcement ...
5024 The Rate Control Protocol (RCP) is a congest...
5025 With the demand of high data rate and low la...
5026 We study two-player games with counters, whe...
5027 Using Lagrangian Floer theory, we study the ...
5028 The greatest integer that does not belong to...
5029 We show that the coherence between different...
5030 To maximize offloading gain of cache-enabled...
5031 Many interesting natural phenomena are spars...
5032 In this paper we further develop the fluctua...
5033 In Quantum Non Demolition measurements, the ...
5034 The majority of NLG evaluation relies on aut...
5035 We present constraints on the masses of extr...
5036 In this paper we study optimal estimates for...
5037 We examine the kinematics of the gas in the ...
5038 The computer-aided analysis of medical scans...
5039 Inspired by Katok's examples of Finsler metr...
5040 The crystal structure, magnetic ordering, an...
5041 We present a machine learning-based approach...
5042 In the context of dynamic emission tomograph...
5043 We investigate perturbative thermodynamic ge...
5044 We offer two new Mellin transform evaluation...
5045 Given a constant vector field $Z$ in Minkows...
5046 In this paper, a class of neutral type compe...
5047 While students may find spline interpolation...
5048 We present a Monte Carlo (MC) grid-based mod...
5049 Image retargeting aims to resize an image to...
5050 In this paper, the optimal power flow (OPF) ...
5051 Let $ \mathbb{A}$ be a cellular algebra over...
5052 The discrete Frenet equation entails a local...
5053 In 1902, P. Stäckel proved the existence of ...
5054 We consider classifiers for high-dimensional...
5055 We establish a dictionary between group fiel...
5056 We examine the behavior of accelerated gradi...
5057 Currently, two main approaches exist to dist...
5058 We obtain a weak type $(1,1)$ estimate for a...
5059 The Internet of things (IoT) is still in its...
5060 In this paper, we study the ability to make ...
5061 Hydroclimatic processes are characterized by...
5062 The guiding influence of some of Stanley Man...
5063 Accretion of gas and interaction of matter a...
5064 The log-determinant of a kernel matrix appea...
5065 In numerical simulations, artificial terms a...
5066 Humanoid robots are increasingly demanded to...
5067 Conventional automatic speech recognition (A...
5068 The phenomenon of amplitude death has been e...
5069 A novel approach to quintessential inflation...
5070 We present a study of the low temperature ph...
5071 Objective: Numerous glucose prediction algor...
5072 We derive and compare the fractions of cool-...
5073 Online Multi-Object Tracking (MOT) from vide...
5074 Generating novel graph structures that optim...
5075 Given their small mobility coefficient in li...
5076 We address the problem of constructing of co...
5077 We propose and demonstrate a self-coupled mi...
5078 We report measurements of the $^{115}$In $7p...
5079 We consider the 3D equation $u_{yy} = u_{tx}...
5080 We first present an empirical study of the B...
5081 The study of surnames as both linguistic and...
5082 Let $\mathfrak l:= \mathfrak q(n)\times\math...
5083 In this work we focus on a novel completion ...
5084 Speech emotion recognition is an important a...
5085 We present a quantitative analysis of human ...
5086 Recent observations show a population of act...
5087 We show that if $X$ is an abelian variety of...
5088 In the first chapter, we will present a comp...
5089 Many inverse problems involve two or more se...
5090 This paper proposes a method based on signal...
5091 In this paper, we introduce Durrmeyer type m...
5092 We present Deep Graph Infomax (DGI), a gener...
5093 Under investigation in this paper is the non...
5094 We study the problem of detecting an abrupt ...
5095 In this paper, we argue that the future of A...
5096 Several theories of the glass transition pro...
5097 In 1983 Takeuchi showed that up to conjugati...
5098 A large variety of dynamical systems, such a...
5099 Run-length encoding Burrows-Wheeler Transfor...
5100 We investigate the effect of stress fluctuat...
5101 Quantifying and estimating wildlife populati...
5102 Information planning enables faster learning...
5103 Electron tracking based Compton imaging is a...
5104 In this paper we establish the best constant...
5105 A draft addendum to ICH E9 has been released...
5106 Given a characteristic, we define a characte...
5107 We investigate a new class of topological an...
5108 The relation between a cosmological halo con...
5109 Effects of the structural distortion associa...
5110 If $E$ is an elliptic curve with a point of ...
5111 Machine learning is essentially the sciences...
5112 Deformation estimation of elastic object ass...
5113 We have performed an empirical comparison of...
5114 We present a deep generative model for learn...
5115 We investigate the dynamics of a nonlinear s...
5116 I present a family of algorithms to reduce n...
5117 Dropout, a stochastic regularisation techniq...
5118 Wind energy forecasting helps to manage powe...
5119 First-order iterative optimization methods p...
5120 Machine understanding of complex images is a...
5121 Currently, approximately 30% of epileptic pa...
5122 Disentangled representations, where the high...
5123 The color of hot-dip galvanized steel sheet ...
5124 We fix a counting function of multiplicities...
5125 We consider the task of fine-grained sentime...
5126 Computing-in-Memory (CiM) architectures aim ...
5127 Previous work has shown that the one-dimensi...
5128 Consider jointly Gaussian random variables w...
5129 Follower count is a factor that quantifies t...
5130 We show that monochromatic Finsler metrics, ...
5131 Transcriptional repressor CTCF is an importa...
5132 Many of the multi-planet systems discovered ...
5133 We present GPUQT, a quantum transport code f...
5134 This paper proposes and analyzes a new full-...
5135 In this study, a method to construct a full-...
5136 Strong gravitational lensing gives access to...
5137 We introduce a new framework for estimating ...
5138 Two-photon superbunching of pseudothermal li...
5139 The aim of this paper is to investigate the ...
5140 The Benson-Solomon systems comprise the only...
5141 We present a new paradigm for the simulation...
5142 In a poisoning attack against a learning alg...
5143 We consider Jacobi matrices with eventually ...
5144 Web video is often used as a source of data ...
5145 Given $n$ symmetric Bernoulli variables, wha...
5146 We show that the tensor product $A\otimes B$...
5147 As the intermediate level task connecting im...
5148 We propose the notion of Haantjes algebra, w...
5149 This paper considers a multipair amplify-and...
5150 Exoplanet research is carried out at the lim...
5151 Understanding the influence of features in m...
5152 Wikipedia is the largest existing knowledge ...
5153 Adopting two independent approaches (a) Lore...
5154 We study the effect of critical pairing fluc...
5155 In this paper, we propose a low-rank coordin...
5156 The Fisher information metric is an importan...
5157 Given a network, the statistical ensemble of...
5158 The statistics of the smallest eigenvalue of...
5159 Advances in image processing and computer vi...
5160 We propose DeepMapping, a novel registration...
5161 The first systematic comparison between Swar...
5162 We consider model-based clustering methods f...
5163 We provide requirements on effectively enume...
5164 This paper studies the problem of multivaria...
5165 Knowing where people live is a fundamental c...
5166 We measure trends in the diffusion of misinf...
5167 We describe the SemEval task of extracting k...
5168 We consider a two-dimensional nonlinear Schr...
5169 In the late 1980s, Premet conjectured that t...
5170 We report on the existence and stability of ...
5171 In the following text we prove that for all ...
5172 Building machines that can understand text l...
5173 Remote sensing image processing is so import...
5174 The independent control of two magnetic elec...
5175 We apply a reinforcement learning algorithm ...
5176 We propose and analyze a variational wave fu...
5177 We evaluated the prospects of quantifying th...
5178 Each time a learner in a self-paced online c...
5179 We give a concise presentation of the Unival...
5180 This paper addresses the problem of synchron...
5181 Threshold theorem is probably the most impor...
5182 An evolutionary model for emergence of diver...
5183 Random walks are at the heart of many existi...
5184 Ultracold atomic physics experiments offer a...
5185 We consider solving convex-concave saddle po...
5186 Power system dynamic state estimation is ess...
5187 A number of statistical estimation problems ...
5188 We study the existence and stability of stat...
5189 In this paper we present a new algorithm for...
5190 An important goal common to domain adaptatio...
5191 In this paper we focus on the problem of fin...
5192 An alternative proof is given of the existen...
5193 We study approximations of the partition fun...
5194 In this paper, we study Hyers-Ulam stability...
5195 $\omega$ Centauri (NGC 5139) hosts hundreds ...
5196 We introduce pseudo-deterministic interactiv...
5197 Erosion and deposition during flow through p...
5198 We study the maximum likelihood degree (ML d...
5199 We study the incompressible limit of a press...
5200 In this paper we present a loss-based approa...
5201 An elastic foil interacting with a uniform f...
5202 A foundation of the modern technology that u...
5203 A new lower bound on the average reconstruct...
5204 We use a weighted variant of the frequency f...
5205 We present optical spectroscopy of the recen...
5206 A single quantum dot deterministically coupl...
5207 Answering queries over a federation of SPARQ...
5208 It is unknown if there exists a locally $\al...
5209 The game of the Towers of Hanoi is generaliz...
5210 We consider the problem of estimating the me...
5211 A good classification method should yield mo...
5212 Although the rate region for the lossless ma...
5213 Correlated topic modeling has been limited t...
5214 We prove risk bounds for binary classificati...
5215 We propose a dimensional reduction procedure...
5216 We present a practical approach for processi...
5217 Motivated by the rapid rise in statistical t...
5218 A well-known result in the study of convex p...
5219 In this work, we assess the accuracy of diel...
5220 The flow in a shock tube is extremely comple...
5221 We study the Kitaev chain under generalized ...
5222 We consider the general problem of modeling ...
5223 This is an empirical paper that addresses th...
5224 How the information microscopically processe...
5225 Pairwise association measure is an important...
5226 Repeated exposure to low-level blast may ini...
5227 Gaussian Markov random fields are used in a ...
5228 We initiate a study of path spaces in the na...
5229 In this paper we study the frequentist conve...
5230 In this paper we consider the problem of clu...
5231 An important problem in phylogenetics is the...
5232 Measurements of 21 cm line fluctuations from...
5233 We utilise a series of high-resolution cosmo...
5234 There are two parts of this paper. First, we...
5235 In this paper, we bring anonymous variables ...
5236 The cosmic 21 cm signal is set to revolution...
5237 Standard penalized methods of variable selec...
5238 With the development of speech synthesis tec...
5239 The present study is concerned with the foll...
5240 We introduce an up-down coloring of a virtua...
5241 We present in this paper our work on compari...
5242 The emerging field at the intersection of qu...
5243 The new era of the Web is known as the seman...
5244 In their celebrated paper "On Siegel's Lemma...
5245 The rise of connected personal devices toget...
5246 The implications of considering interaction ...
5247 We present GALARIO, a computational library ...
5248 Geoelectrical techniques are widely used to ...
5249 We study the use of randomized value functio...
5250 We investigate the generalizability of deep ...
5251 In this work we use the semi-empirical atmos...
5252 In this paper, we present a very accurate ap...
5253 A central theme in classical algorithms for ...
5254 This paper investigates a novel task of gene...
5255 Follicle-stimulating hormone (FSH) and lutei...
5256 While going deeper has been witnessed to imp...
5257 Atom interferometers employing optical cavit...
5258 Rule-based modelling allows to represent mol...
5259 In previous work, we introduced a method for...
5260 Through the combination of transmission elec...
5261 The fusion of humans and technology takes us...
5262 The time-dependent generator coordinate meth...
5263 In this note we show that all small solution...
5264 The digital economy is a highly relevant ite...
5265 Purpose: Magnetic Resonance Fingerprinting (...
5266 In this paper, we propose a StochAstic Recur...
5267 A crucial role in the Nyman-Beurling-Báez-Du...
5268 We propose non-stationary spectral kernels f...
5269 One of key 5G scenarios is that device-to-de...
5270 Neural networks are among the most accurate ...
5271 Papers on the ANTARES multi-messenger progra...
5272 The modified Camassa-Holm (mCH) equation is ...
5273 We investigate the normal state of the super...
5274 Irreversible processes play a major role in ...
5275 Inspired by Andrews' 2-colored generalized F...
5276 This paper illustrates the similarities betw...
5277 With progress in enabling autonomous cars to...
5278 Existing music recognition applications requ...
5279 Decentralized machine learning is a promisin...
5280 The expected improvement (EI) algorithm is a...
5281 We study performance limits of solutions to ...
5282 A new approach to problems of the Uncertaint...
5283 We study definably compact definably connect...
5284 Despite the widely-spread consensus on the b...
5285 We provide explicit and unified formulas for...
5286 Regular variation is often used as the start...
5287 Deep learning (DL) has recently achieved tre...
5288 In this note, we analyze the classification ...
5289 The purpose of this article is to investigat...
5290 Temporal object detection has attracted sign...
5291 This paper develops a Carleman type estimate...
5292 Several temporal logics have been proposed t...
5293 Wild sets in $\mathbb{R}^n$ can be tamed thr...
5294 Mitochondrial DNA (mtDNA) mutations cause se...
5295 Let $f:\mathbb{S}^{d-1}\times \mathbb{S}^{d-...
5296 For nanotechnology nodes, the feature size i...
5297 NGC 1448 is one of the nearest luminous gala...
5298 We present natural and general ways of build...
5299 Spin-gapless semiconductors with their uniqu...
5300 The Transiting Exoplanet Survey Satellite (T...
5301 We deal with the symmetries of a (2-term) gr...
5302 Traffic flow prediction is an important rese...
5303 A non-equilibrium theory of optical conducti...
5304 We report high-resolution neutron Compton sc...
5305 We study the problem of semantic code repair...
5306 Several authors have claimed that the less l...
5307 We solve here completely an irrigation probl...
5308 One of the major challenges in object detect...
5309 Dynamic topic modeling facilitates the ident...
5310 Embedding complex objects as vectors in low ...
5311 This paper describes our participation in Ta...
5312 The multivariate linear regression model is ...
5313 We show that in certain one-dimensional spin...
5314 We explore the potential of future cryogenic...
5315 In this paper we present a family of conject...
5316 We study data-driven representations for thr...
5317 We used molecular dynamics simulations and t...
5318 First-passage time (FPT) of an Ornstein-Uhle...
5319 Perturbation theory using self-consistent Gr...
5320 The Affordable Care Act (ACA) includes a per...
5321 We investigate a class of chance-constrained...
5322 This paper considers the optimal design of i...
5323 The technique of continuous unitary transfor...
5324 Sparsity of the solution of a linear regress...
5325 Generalization error defines the discriminab...
5326 We report on the detection of linear polariz...
5327 Neural networks are vulnerable to adversaria...
5328 Master equations are commonly used to model ...
5329 Mega-city analysis with very high resolution...
5330 Multi-attributed graph matching is a problem...
5331 \emph{Secure Search} is the problem of retri...
5332 The Large Array Telescope for Tracking Energ...
5333 In this paper, we propose a general model fo...
5334 Doped free carriers can substantially renorm...
5335 Ghys and Sergiescu proved in the $80$s that ...
5336 Consider the problem of estimating the entri...
5337 This short article presents a summary of the...
5338 A version of Gromov's cup product lemma in w...
5339 Density functional theory and nonequilibrium...
5340 We present the first search for dark matter-...
5341 Theoretical investigation of structural, ela...
5342 In this study, we consider unsupervised clus...
5343 The topology of any complex system is key to...
5344 Recurrent Neural Networks (RNNs) with sophis...
5345 We investigate a projection free method, nam...
5346 For a pair of positive integers $n,k$ with $...
5347 We introduce a new operation, copolar additi...
5348 Concurrent separation logics have helped to ...
5349 Ancient solutions arise in the study of para...
5350 Solvothermal intercalation of ethylenediamin...
5351 Tangles of quantized vortex line of initial ...
5352 We study the supersymmetric partition functi...
5353 Let $ \Omega$ be a bounded Lipschitz domain ...
5354 With the rapidly growing interest in bifacia...
5355 Simulation of wave propagation in a microear...
5356 This paper proposes a new concurrent heap al...
5357 This article presents GuideR, a user-guided ...
5358 Over short time intervals planetary ephemeri...
5359 Given two sets of points $A$ and $B$ in a no...
5360 Rural areas in the developing countries are ...
5361 We construct an obstruction for the existenc...
5362 Inspired by river networks and other structu...
5363 Multiview representation learning is very po...
5364 In this paper, we studied a SLAM method for ...
5365 To a complex projective structure $\Sigma$ o...
5366 This paper is concerned with paraphrase dete...
5367 Lead halide perovskite solar cells have rece...
5368 We establish a bijective correspondence betw...
5369 Knowing the structure of an offline social n...
5370 This work investigated the detection of grav...
5371 In this paper, we demonstrate the connection...
5372 Training automatic speech recognition (ASR) ...
5373 Dynamic networks are a general language for ...
5374 Many robotic applications, such as search-an...
5375 The missing phase problem in X-ray crystallo...
5376 While a variety of fundamental differences a...
5377 The critical behavior of the random field $O...
5378 Four types of explicit estimators are propos...
5379 We study the multiparty communication comple...
5380 Many engineers wish to deploy modern neural ...
5381 In this paper, a new wiretap channel model i...
5382 Route selection based on performance measure...
5383 We study infinite-horizon asymptotic average...
5384 Two well-known turbulence models to describe...
5385 We present a new model to explain the differ...
5386 We investigate a graph probing problem in wh...
5387 In recent years, work has been done to devel...
5388 We have observed the Vela pulsar for one yea...
5389 Elasticity is one of the key features of clo...
5390 Cooper pairs in superconductors are normally...
5391 Quantum parameter estimation plays a key rol...
5392 We propose a multi-view network for text cla...
5393 To understand the multiple relations between...
5394 We consider a class of participation rights,...
5395 Online sparse linear regression is an online...
5396 Image-guided radiation therapy can benefit f...
5397 We report 3D coherent diffractive imaging of...
5398 Context: We describe the new SEPIA (Swedish-...
5399 We present an algorithm to identify sparse d...
5400 Nowadays, quantum program is widely used and...
5401 In this paper, we focus on option pricing mo...
5402 We built a two-state model of an asexually r...
5403 This paper analyzes Airbnb listings in the c...
5404 We give algorithms with running time $2^{O({...
5405 All known life forms are based upon a hierar...
5406 The aim of this paper is to design a band-li...
5407 Due to the rapid growth of the World Wide We...
5408 Supervised learning has been very successful...
5409 Many "sharing economy" platforms, such as Ub...
5410 We study the Generalized Fermat Equation $x^...
5411 In an earlier work, we constructed the almos...
5412 The extension of deep learning towards tempo...
5413 We consider the use of Deep Learning methods...
5414 We consider the scalar field profile around ...
5415 Spin pumping refers to the microwave-driven ...
5416 No firm evidence has existed that the ancien...
5417 NURBS curve is widely used in Computer Aided...
5418 We propose a new class of universal kernel f...
5419 Large batch size training of Neural Networks...
5420 We present a Bayesian method for feature sel...
5421 Brain CT has become a standard imaging tool ...
5422 Three properties of the dielectric relaxatio...
5423 Protograph-based Raptor-like low-density par...
5424 We empirically evaluate the finite-time perf...
5425 Our societies are increasingly dependent on ...
5426 Using the twisted denominator identity, we d...
5427 High pressure can provoke spin transitions i...
5428 LSH (locality sensitive hashing) had emerged...
5429 In this paper we propose, design and test a ...
5430 Ooids are typically spherical sediment grain...
5431 We give a polynomial-time algorithm for lear...
5432 Let $w_\alpha(t) := t^{\alpha}\,e^{-t}$, whe...
5433 Grids allow users flexible on-demand usage o...
5434 Recently Trajectory-pooled Deep-learning Des...
5435 In this paper we present an approach to extr...
5436 There has been great interest recently in ap...
5437 The minimum feedback arc set problem asks to...
5438 This paper describes our approach for the tr...
5439 In this paper, we present an efficient compu...
5440 As a popular tool for producing meaningful a...
5441 Many problems in industry --- and in the soc...
5442 Double-fetch bugs are a special type of race...
5443 We analytically study the spontaneous emissi...
5444 Any oriented Riemannian manifold with a Spin...
5445 Surrogate models provide a low computational...
5446 Recent terrorist attacks carried out on beha...
5447 Inference in hidden Markov model has been ch...
5448 Kinetic Inductance Detectors (KIDs) have bec...
5449 Penalized regression models such as the lass...
5450 Many optimization algorithms converge to sta...
5451 We propose a novel hierarchical generative m...
5452 We report the results of the implementation ...
5453 In this paper we introduce ZhuSuan, a python...
5454 Current action recognition methods heavily r...
5455 We study the likelihood which relative minim...
5456 A latent-variable model is introduced for te...
5457 We develop a magneto-elastic (ME) coupling m...
5458 We consider the problem of high-dimensional ...
5459 We consider the problem of minimizing a conv...
5460 We describe the purification of xenon from t...
5461 The Kite graph $Kite_{p}^{q}$ is obtained by...
5462 We consider the problem of graph matchabilit...
5463 University curriculum, both on a campus leve...
5464 While linear mixed model (LMM) has shown a c...
5465 Diffusions and related random walk procedure...
5466 Continuing the series of works following Wey...
5467 Large sample size equivalence between the ce...
5468 We prove an exponential deviation inequality...
5469 This two-part paper addresses the design of ...
5470 The standard LSTM recurrent neural networks ...
5471 In this paper we apply an extended Landau-Li...
5472 Response delay is an inherent and essential ...
5473 This note contains some examples of hyperkäh...
5474 We introduce and analyze the following gener...
5475 Here, we present a novel approach to solve t...
5476 We study the problem of guarding an orthogon...
5477 For any positive integer $m$, the complete g...
5478 The control and sensing of large-scale syste...
5479 Based on periodogram-ratios of two univariat...
5480 In this article we consider conditions under...
5481 In this paper we consider the divergence par...
5482 We exhibit a Hamel basis for the concrete $*...
5483 The tasks of identifying separation structur...
5484 We present two simple ways of reducing the n...
5485 The study of mereology (parts and wholes) in...
5486 We start from a variational model for nemati...
5487 Deep Neural Networks (DNNs) have revolutioni...
5488 Recent advances in neural word embedding pro...
5489 Iterative load balancing algorithms for indi...
5490 The Whitney immersion is a Lagrangian sphere...
5491 A simulation study of energy resolution, pos...
5492 In this paper, we study the Multi-Round Infl...
5493 Deep neural networks achieve stellar general...
5494 This work is motivated by the problem of tes...
5495 The synchronized magnetization dynamics in f...
5496 The permutation test is known as the exact t...
5497 Avalanche photodiodes (APDs) are a practical...
5498 We are interested in the development of surr...
5499 In [MMO] (arXiv:1704.03413), we reworked and...
5500 Steady-State Visual Evoked Potentials (SSVEP...
5501 Odd-frequency triplet Cooper pairs are belie...
5502 We formulate a correspondence between affine...
5503 Policy evaluation is a key process in reinfo...
5504 We present five variants of the standard Lon...
5505 This paper introduces assume/guarantee contr...
5506 We map the phase-space trajectories of an ex...
5507 We show that for neural network functions th...
5508 We prove that, under mild assumptions, a lat...
5509 We present an example of a quadratic algebra...
5510 Let $M_{l,m}$ be the total space of the $S^3...
5511 An analysis software was developed for the h...
5512 We raise a question on the existence of cont...
5513 Any finite word $w$ of length $n$ contains a...
5514 Understanding the feasible power flow region...
5515 The traditional activity of model selection ...
5516 In this thesis, we study connections between...
5517 mlpack is an open-source C++ machine learnin...
5518 Results of Smale (1957) and Dugundji (1969) ...
5519 We express each Fréchet class of multivariat...
5520 We use Bonahon-Wong's trace map to study cha...
5521 We study a multi-period demand response prob...
5522 We determine the radio size distribution of ...
5523 We investigate the transport properties of p...
5524 The smallest eigenvalues and the associated ...
5525 This paper presents the Speech Technology Ce...
5526 In this paper, we study how to determine con...
5527 The 15th International Conference on Automat...
5528 Precise localization of nanoparticles within...
5529 Operating in a dynamic real world environmen...
5530 Relaying on early effort estimation to predi...
5531 We study the problem of approximate ranking ...
5532 We address the problem of finding influentia...
5533 In a network, a local disturbance can propag...
5534 In this paper, we present a transfer learnin...
5535 In a standard bifurcation of a dynamical sys...
5536 The anomalous metallic state in high-tempera...
5537 The principles of the thermoelectric phenome...
5538 Strong disorder in interacting quantum syste...
5539 The aim of this paper is to present a compre...
5540 We report on the detection at $>$98% confide...
5541 A particularly promising pathway to enhance ...
5542 Additional experimental cross sections were ...
5543 Intelligent network selection plays an impor...
5544 High-resolution satellite imagery have been ...
5545 Newton's method for finding an unconstrained...
5546 With the range and sensitivity of algorithmi...
5547 Exoplanet transit spectroscopy enables the c...
5548 We study a superconductor-normal state-super...
5549 A skyrmion racetrack design is proposed that...
5550 Detection with high dimensional multimodal d...
5551 Polarization is a troubling phenomenon that ...
5552 Turbulence remains an unsolved multidiscipli...
5553 Weighting the p-values is a well-established...
5554 Understanding the dynamics of social interac...
5555 Cognition does not only depend on bottom-up ...
5556 Presentations for unbraided, braided and sym...
5557 Linear optimal power flow (LOPF) algorithms ...
5558 This article is a review by the authors conc...
5559 We study rank-1 {L1-norm-based TUCKER2} (L1-...
5560 The search for habitable exoplanets and life...
5561 Convolutional autoregressive models have rec...
5562 Autoreactive B cells have a central role in ...
5563 We establish an exact mapping between (i) th...
5564 Recently, increased computational power and ...
5565 Research on human-robot collaboration or hum...
5566 This paper describes three variants of a cou...
5567 In this work, a generalization of pre-Grüss ...
5568 An electroencephalography (EEG) based Brain ...
5569 On real-time systems running under timing co...
5570 The rational solutions of the Painlevé-II eq...
5571 PHAST is a software package written in stand...
5572 Information-theoretic Bayesian regret bounds...
5573 We study a portfolio selection problem in a ...
5574 We present an ongoing, systematic search for...
5575 We describe the Time Series Multivariate Ada...
5576 A major challenge in X-ray computed tomograp...
5577 Classification problems in security settings...
5578 For a Liouville domain $W$ whose boundary ad...
5579 We study a deterministic version of a one- a...
5580 Operational semantics have been enormously s...
5581 The particle-hole (PH) symmetry at half-fill...
5582 Importance sampling has become an indispensa...
5583 We consider a problem, which we call secure ...
5584 Let $\mathcal C$ be a subcategory of the cat...
5585 According to the Eurobarometer report about ...
5586 We introduce a novel framework for adversari...
5587 This paper considers the problem of achievin...
5588 The analysis of clouds in the earth's atmosp...
5589 Nowadays, we are witnessing a wide adoption ...
5590 The theory of statistical inference along wi...
5591 In a scalar reaction-diffusion equation, it ...
5592 New results on functional prediction of the ...
5593 The goal of this dissertation is to study th...
5594 It is known that connected translation invar...
5595 We obtain a reduction of the vectorial Ribau...
5596 Human relations are driven by social events ...
5597 We present a novel framework for addressing ...
5598 The $r$-fold analogues of Whitney trick were...
5599 A material-based, i.e., Lagrangian, methodol...
5600 Lu and Boutilier proposed a novel approach b...
5601 Event sequence, asynchronously generated wit...
5602 Let $M$ be a finite von Neumann algebra (res...
5603 Let $q$ be a positive integer. Recently, Niu...
5604 The growing popularity of autonomous systems...
5605 The paper discusses stably trivial torsors f...
5606 Liu et al. (2017) provide a comprehensive ac...
5607 We prove several results about chordal graph...
5608 Hotspots of surface-enhanced resonance Raman...
5609 Complex computer codes are often too time ex...
5610 Domain adaptation is crucial in many real-wo...
5611 Microblogging sites are the direct platform ...
5612 This paper discusses the local linear smooth...
5613 Among the ergodic actions of a compact quant...
5614 We formulate the so called "VARMA covariance...
5615 We devise an approach to the calculation of ...
5616 The problem of automatically generating a co...
5617 Flexible and transparent electronics present...
5618 The Decay-At-rest Experiment for delta-CP vi...
5619 We present a kernel-independent method that ...
5620 Anyone in need of a data system today is con...
5621 We consider the problem of sequentially maki...
5622 Consider the problem of modeling hysteresis ...
5623 We establish effective mean-value estimates ...
5624 We report on terahertz spectroscopy of quant...
5625 In this work, we study the benefit of partia...
5626 Test-Driven Development (TDD), an agile deve...
5627 Let $p\equiv 4,7\mod 9$ be a rational prime ...
5628 The aim of our study is to investigate the d...
5629 Single-Particle Reconstruction (SPR) in Cryo...
5630 No real-world reward function is perfect. Se...
5631 Let $s(\cdot)$ denote the sum-of-proper-divi...
5632 The formation of precipitated zirconium (Zr)...
5633 CaOFeS is a semiconducting oxysulfide with p...
5634 Low-frequency polarisation observations of p...
5635 Recent years have witnessed the rise of many...
5636 In a market with a rough or Markovian mean-r...
5637 Due to their interdisciplinary nature, devic...
5638 Nonlinear oscillators are a key modelling to...
5639 The recently proposed Multi-Layer Convolutio...
5640 This paper considers the planar figure of a ...
5641 Deep Learning (DL) methods show very good pe...
5642 Both humans and the sensors on an autonomous...
5643 Competing risks data arise frequently in cli...
5644 We compare and contrast the statistical phys...
5645 We construct a cofibration category structur...
5646 Open questions with respect to the computati...
5647 This paper proposes Drone Squadron Optimizat...
5648 The original ImageNet dataset is a popular l...
5649 The particle Gibbs (PG) sampler is a Markov ...
5650 The present paper is part of a series of art...
5651 Ellerman bombs (EBs) are a kind of solar act...
5652 A detailed numerical study of the long time ...
5653 Let ${\bf R}$ be the Pearson correlation mat...
5654 In the past years we have witnessed the emer...
5655 In this paper, we consider an interior trans...
5656 Unambiguous non-deterministic finite automat...
5657 We propose a novel, semi-supervised approach...
5658 The purpose of a clickbait is to make a link...
5659 Secure multi-party computation (MPC) enables...
5660 Multiple changes in Earth's climate system h...
5661 The field of Distributed Constraint Optimiza...
5662 In principle a minimal extension of the stan...
5663 We consider the problem of transferring poli...
5664 We address the problem of learning vector re...
5665 Conditions for geometric ergodicity of multi...
5666 It has recently been shown that the problem ...
5667 Several useful variance-reduced stochastic g...
5668 Developing applications for interactive spac...
5669 The increasing complexity of distribution ne...
5670 Network embedding methods aim at learning lo...
5671 Underactuation is ubiquitous in human locomo...
5672 We study a three-component fermionic fluid i...
5673 This paper presents a widely applicable appr...
5674 Both natural and artificial small-scale swim...
5675 We present the first measurements of tritium...
5676 These notes constitute chapter 7 from "l'Eco...
5677 For each $n$, we construct a separable metri...
5678 Bike sharing is a vital component of a moder...
5679 To model relaxed memory, we propose confusio...
5680 Tensor decompositions such as the canonical ...
5681 Even though the forecasting literature agree...
5682 Recent progress in applying machine learning...
5683 For a skew-symmetrizable cluster algebra $\m...
5684 Link prediction is one of the fundamental pr...
5685 In 1979 Valiant showed that the complexity c...
5686 A previously designed cryogenic thermal heat...
5687 Multiple generalized additive models (GAMs) ...
5688 We show that elongated magnetic skyrmions ca...
5689 We consider the family of all meromorphic fu...
5690 In 2002 Freiberg and Zähle introduced and de...
5691 A heat exchanger can be modeled as a closed ...
5692 A number of high-level languages and librari...
5693 Linear Logic was introduced by Girard as a r...
5694 In this paper, we propose two novel physical...
5695 The entropy principle in the formulation of ...
5696 Bots, social media accounts controlled by so...
5697 Optimal control problems without control cos...
5698 Text representations using neural word embed...
5699 A two-dimensional (2D) mathematical model of...
5700 We formulate a new family of high order on-s...
5701 The PARAFAC2 is a multimodal factor analysis...
5702 Concepts from mathematical crystallography a...
5703 Each participant in peer-to-peer network pre...
5704 FOSS is an acronym for Free and Open Source ...
5705 At the forefront of nanochemistry, there exi...
5706 Linear-scaling electronic structure methods ...
5707 Until recently, social media were seen to pr...
5708 This paper discusses discrete-time maps of t...
5709 To understand the biology of cancer, joint a...
5710 We give infinitely many $2$-component links ...
5711 Computational design optimization in fluid d...
5712 This paper examines software vulnerabilities...
5713 In this paper, by using Logistic, Sine and T...
5714 Dynamic economic dispatch with valve-point e...
5715 The HEP community is approaching an era were...
5716 Brains need to predict how the body reacts t...
5717 In this paper, we propose and study opportun...
5718 Quantile estimation is a problem presented i...
5719 Dynamical downscaling with high-resolution r...
5720 For a Riemannian $G$-structure, we compute t...
5721 We study the anomalous prevalence of integer...
5722 The main result of this paper is the rate of...
5723 This paper considers two different problems ...
5724 The difficulty of validating large-scale qua...
5725 Anomalies in time-series data give essential...
5726 Transportation agencies have an opportunity ...
5727 The dual motivic Steenrod algebra with mod $...
5728 Let $T^m_f $ be the Toeplitz quantization of...
5729 The Paulsen problem is a basic open problem ...
5730 We study mechanisms to characterize how the ...
5731 The decline of Mars' global magnetic field s...
5732 In this paper, we propose a new framework fo...
5733 We demonstrate a topological classification ...
5734 This paper proposes Self-Imitation Learning ...
5735 We consider the problem of controlling the s...
5736 In this paper we discuss existing approaches...
5737 We present the extension of the effective fi...
5738 We build a collaborative filtering recommend...
5739 This paper presents our work on developing p...
5740 We consider a wide-aperture surface-emitting...
5741 The ability to reliably predict critical tra...
5742 We propose a new iteratively reweighted leas...
5743 We study the gap between the state pension p...
5744 Power-law-distributed species counts or clon...
5745 Vortices play a crucial role in determining ...
5746 We present a new solution to the problem of ...
5747 Simulating complex processes in fractured me...
5748 It is well known that if $X$ is a CW-complex...
5749 For each integer $k \geq 2$, we apply gluing...
5750 We report constraints on the global $21$ cm ...
5751 The electricity distribution grid was not de...
5752 This paper addresses structures of state spa...
5753 Vector embedding is a foundational building ...
5754 We consider multi-component quantum mixtures...
5755 In this paper we present a novel joint appro...
5756 In this paper we show, using Deligne-Lusztig...
5757 We study the formal properties of correspond...
5758 Oxidative stress is a pathological hallmark ...
5759 This paper presents a thorough analysis of 1...
5760 Motivation: Although there is a rich literat...
5761 Many applications require stochastic process...
5762 Privacy and Security are two universal right...
5763 This paper summarizes the development of Vea...
5764 Most musical programming languages are devel...
5765 Experiments show that at 298~K and 1 atm pre...
5766 We investigate the impact of general conditi...
5767 The Main Injector (MI) at Fermilab currently...
5768 There exist non-trivial stationary points of...
5769 The spin transport in isotropic Heisenberg m...
5770 The promise of compressive sensing (CS) has ...
5771 In this paper, we investigate multi-message ...
5772 We review topics in the theory of cellular a...
5773 We demonstrate explicitly the correspondence...
5774 In this paper, we introduce the Variational ...
5775 We consider a directed variant of the negati...
5776 In this article we analyze a generalized tra...
5777 A remarkable discovery of NASA's Kepler miss...
5778 We obtain estimation error rates and sharp o...
5779 For a simple $C^*$-algebra $A$ and any other...
5780 We present the first gas-grain astrochemical...
5781 \cite{bickel2009nonparametric} developed a g...
5782 In the last decades, dispersal studies have ...
5783 An additive fast Fourier transform over a fi...
5784 Working in the framework of Borel reducibili...
5785 In order to fully function in human environm...
5786 A general framework for solving the subspace...
5787 We study the two-dimensional geometric knaps...
5788 It is widely established that extreme space ...
5789 We develop an empirical Bayes (EB) algorithm...
5790 Electron correlation effects are studied in ...
5791 Deep generative models learn a mapping from ...
5792 Building and deploying software on high-end ...
5793 Adversarially trained deep neural networks h...
5794 We consider a hydrogen atom confined in time...
5795 The constant pairing Hamiltonian holds exact...
5796 This paper considers how to obtain MCMC quan...
5797 Let $f:{\mathbb B}^n \to {\mathbb B}^N$ be a...
5798 Energy-conserving, angular momentum-changing...
5799 Why do some economic activities agglomerate ...
5800 An ultra-high throughput low-density parity ...
5801 In this paper we define the generalized q-an...
5802 A mapping of the process on a continuous con...
5803 We compare the predictions of stochastic clo...
5804 Energy consumption has been a great deal of ...
5805 Let $\Omega$ be a pseudoconvex domain in $\m...
5806 The application domains of civilian unmanned...
5807 Opinion polls have been the bridge between p...
5808 The use of standard robotic platforms can ac...
5809 In this data-rich era of astronomy, there is...
5810 Chimera states are an example of intriguing ...
5811 With the increasing demands of applications ...
5812 In this paper we deal with the multiplicity ...
5813 We describe inferactive data analysis, so-na...
5814 In this paper, we present promising accurate...
5815 The recently proposed "generalized min-max" ...
5816 Quantum mechanics postulates that any measur...
5817 Given a pseudoword over suitable pseudovarie...
5818 This paper examines the association between ...
5819 We prove that, under certain conditions on t...
5820 The ability to cool atoms below the Doppler ...
5821 This paper is dedicated to new methods of co...
5822 A common data mining task on networks is com...
5823 Advancements in technology and culture lead ...
5824 A new test of normality based on a standardi...
5825 We consider the problem of how decision maki...
5826 We consider the bi-Laplacian eigenvalue prob...
5827 Let $K$ be a field, $G$ a finite group. Let ...
5828 Social abstract argumentation is a principle...
5829 We consider the parametric learning problem,...
5830 This study addresses the problem of identify...
5831 The study of subblock-constrained codes has ...
5832 We prove that there are arbitrarily large va...
5833 In an ion trap quantum computer, collective ...
5834 We investigate models of the mitogenactivate...
5835 The University of the East Web Portal is an ...
5836 We classify the dispersive Poisson brackets ...
5837 In this work we obtain a Liouville theorem f...
5838 This paper studies semiparametric contextual...
5839 As all physical adaptive quantum-enhanced me...
5840 This paper shows that generalizations of ope...
5841 Extracting characteristics from the training...
5842 Dynamical dark energy has been recently sugg...
5843 The muscle synergy concept provides a widely...
5844 Two classifications of second order ODE's cu...
5845 The problem of learning structural equation ...
5846 For a group $G$ and $R=\mathbb Z,\mathbb Z/p...
5847 Immunotherapy plays a major role in tumour t...
5848 A one-to-one correspondence between the infi...
5849 We first develop a general framework for sig...
5850 One of the major issues in an interconnected...
5851 This paper demonstrates the use of genetic a...
5852 This work presents a low-cost robot, control...
5853 The NVIDIA Volta GPU microarchitecture intro...
5854 Orion KL is one of the most frequently obser...
5855 We address the problem of latent truth disco...
5856 We investigate the evolution of vortex-surfa...
5857 A possible route to extract electronic and n...
5858 We address the problem of estimating human p...
5859 We shall introduce the notion of the Picard ...
5860 The aim of this paper is to provide a discus...
5861 With the spreading prevalence of Big Data, m...
5862 We consider the problem of reconstructing a ...
5863 Let $L_g$ be the subcritical GJMS operator o...
5864 Random scattering is usually viewed as a ser...
5865 Deployment of deep neural networks (DNNs) in...
5866 The coupled evolution of an eroding cylinder...
5867 A classical problem in causal inference is t...
5868 We propose a stochastic extension of the pri...
5869 We study combinatorial multi-armed bandit wi...
5870 Deep neural network algorithms are difficult...
5871 Information bottleneck (IB) is a method for ...
5872 Simulations of charge transport in graphene ...
5873 In this paper, we propose a new type of grap...
5874 The analysis of the entanglement entropy of ...
5875 The efficiency of a game is typically quanti...
5876 An equation-by-equation (EBE) method is prop...
5877 The reduction by restricting the spectral pa...
5878 Existing black-box attacks on deep neural ne...
5879 Many iterative procedures in stochastic opti...
5880 We provide a unified framework for proving R...
5881 In this paper, we consider the problem of fo...
5882 With the method of moments and the mollifica...
5883 We study the problem of minimizing a strongl...
5884 The Venusian surface has been studied by mea...
5885 Air-showers measured by the Pierre Auger Obs...
5886 Reward augmented maximum likelihood (RAML), ...
5887 Unmanned Aerial Vehicles (UAVs) equipped wit...
5888 Optimal sensor placement is a central challe...
5889 We consider a one-dimensional two component ...
5890 The monitoring of large dynamic networks is ...
5891 In this paper, we study general $(\alpha,\be...
5892 We introduce a measure of fairness for algor...
5893 Technological parasitism is a new theory to ...
5894 A popular setting in medical statistics is a...
5895 A reliable wireless connection between the o...
5896 Recent advancements in quantum annealing har...
5897 Life evolved on our planet by means of a com...
5898 Approximate full configuration interaction (...
5899 We search for $\gamma$-ray and optical perio...
5900 In J.D. Jackson's Classical Electrodynamics ...
5901 The OPERA experiment was designed to search ...
5902 This paper explains a method to calculate th...
5903 We determine the exact time-dependent non-id...
5904 Two main families of reinforcement learning ...
5905 Storage and transmission in big data are dis...
5906 Graphene and some graphene like two dimensio...
5907 Skilled robotic manipulation benefits from c...
5908 Evaluation and validation of complicated con...
5909 Energy-efficiency plays a significant role g...
5910 We study properties of classes of closure op...
5911 A compact multiple-input-multiple-output (MI...
5912 Tensor decompositions are used in various da...
5913 Classifiers operating in a dynamic, real wor...
5914 We present a definition of intersection homo...
5915 Starshades are a leading technology to enabl...
5916 The paper covers a formulation of the invers...
5917 Twisting a binary form $F_0(X,Y)\in{\mathbb{...
5918 Defects between gapped boundaries provide a ...
5919 The present paper is the second part of a tw...
5920 This paper aims to develop a new and robust ...
5921 This paper describes a general framework for...
5922 A fourth-order theory of gravity is consider...
5923 A random walk $w_n$ on a separable, geodesic...
5924 Nearly two centuries ago Talbot first observ...
5925 We perform a numerical study of the F-model ...
5926 Neural network training relies on our abilit...
5927 The prototypical Hydrogen bond in water dime...
5928 We make a mixture of Milner's $\pi$-calculus...
5929 Using polarization-resolved transient reflec...
5930 This paper considers the problem of fault de...
5931 The majority of industrial-strength object-o...
5932 A model of ice floe breakup under ocean wave...
5933 Hidden Markov models (HMMs) are popular time...
5934 The focus of the current research is to iden...
5935 Recent character and phoneme-based parametri...
5936 In multi-robot systems where a central decis...
5937 The paper addresses the stability of the co-...
5938 Optimizing deep neural networks (DNNs) often...
5939 It is well accepted that knowing the composi...
5940 Microorganisms, such as bacteria, are one of...
5941 In the field of exploratory data mining, loc...
5942 The automatic verification of programs that ...
5943 We associate to every central simple algebra...
5944 Sea-level rise (SLR) is magnifying the frequ...
5945 We present a factorized hierarchical variati...
5946 Cosmological surveys in the far infrared are...
5947 Room-temperature ionic liquids (RTIL) are a ...
5948 The use of spreadsheets in industry is wides...
5949 This thesis presents original results in two...
5950 In this extended abstract, we describe and a...
5951 We propose a model for equity trading in a p...
5952 We collect 14 representative corpora for maj...
5953 We investigate deep generative models that c...
5954 Many machine learning tasks require finding ...
5955 Let $\mu$ be a borelian probability measure ...
5956 Hybrid cloud is an integrated cloud computin...
5957 Risk-averse model predictive control (MPC) o...
5958 Here we test Neutral models against the evol...
5959 Homomorphic encryption is an encryption sche...
5960 We present an extension of Monte Carlo Tree ...
5961 The difference-to-sum power ratio was propos...
5962 In this paper, we construct a new even const...
5963 We introduce the logic $\sf ITL^e$, an intui...
5964 High density implants such as metals often l...
5965 The 15 puzzle is a classic reconfiguration p...
5966 We address the important question of whether...
5967 Joint analysis of multiple phenotypes can in...
5968 Among the n-type metal oxide materials used ...
5969 We introduce a framework for the statistical...
5970 Independent component analysis (ICA) is a wi...
5971 Context: A substantial fraction of protoplan...
5972 As part of the 2016 public evaluation challe...
5973 Topological semimetal, a novel state of quan...
5974 Small bodies of the Solar system, like aster...
5975 We discuss the nature of symmetry breaking a...
5976 In this paper, we introduce a generalized va...
5977 Hot Jupiters receive strong stellar irradiat...
5978 Interference-aware resource allocation of ti...
5979 We define a switch function to be a function...
5980 We consider Schrödinger operators with perio...
5981 We report on the first comparison of distant...
5982 First the Hardy and Rellich inequalities are...
5983 Purpose: The analysis of optimized spin ense...
5984 Despite recent progress, laminar-turbulent c...
5985 Goldbach conjecture is one of the most famou...
5986 For an unknown continuous distribution on a ...
5987 In this paper, we revisit the recurrent back...
5988 To each weighted Dirichlet space $\mathcal{D...
5989 Achieving a symbiotic blending between reali...
5990 Segmental duplications (SDs), or low-copy re...
5991 We propose an adaptive bandwidth selector vi...
5992 We consider mesoscopic four-terminal Josephs...
5993 Let $A$ be the inductive limit of a sequence...
5994 We study the problem of detecting change poi...
5995 Over recent years, emerging interest has occ...
5996 We enquire into the quasi-many-body localiza...
5997 We present the tomographic cross-correlation...
5998 Earthquake Early Warning (EEW) systems can e...
5999 In the model of gate-based quantum computati...
6000 We propose an approximate approach for study...
6001 Occasionally, developers need to ensure that...
6002 Classification of sequence data is the topic...
6003 In this paper, we introduce a notion of a ce...
6004 The aim of this paper is to establish some m...
6005 The nonnegative inverse eigenvalue problem (...
6006 This paper replicates, extends, and refutes ...
6007 Bidirectional transformations between differ...
6008 Recent advances in microelectromechanical sy...
6009 We present an embedding approach for semicon...
6010 In the last decade, the use of simple rating...
6011 We introduce a reduction from the distinct d...
6012 We report the preparation of the interface b...
6013 Trapping and manipulation of particles using...
6014 Nested Chinese Restaurant Process (nCRP) top...
6015 Following work of Keel and Tevelev, we give ...
6016 An improved wetting boundary implementation ...
6017 In this paper, we propose a sex-structured e...
6018 A Boolean algebra carries a strictly positiv...
6019 This work verifies the instrumental characte...
6020 Polarization-based filtering in fiber lasers...
6021 The rising attention to the spreading of fak...
6022 The recent discovery of gravitational waves ...
6023 Approximate probabilistic inference algorith...
6024 Data-driven spatial filtering algorithms opt...
6025 Bayesian Optimisation (BO) refers to a class...
6026 A number of improvements have been added to ...
6027 Selten's game is a kidnapping model where th...
6028 Model pruning seeks to induce sparsity in a ...
6029 Accurate software defect prediction could he...
6030 This paper presents an estimator for semipar...
6031 We propose a new sentence simplification tas...
6032 We review a (constructive) approach first in...
6033 Heterogeneous wireless networks (HWNs) compo...
6034 This paper focuses on multi-scale approaches...
6035 We present a novel approach for the predicti...
6036 Dark matter with momentum- or velocity-depen...
6037 With the rapid development of spaceborne ima...
6038 Large-scale variations still pose a challeng...
6039 The naturally occurring radioisotope $^{32}$...
6040 With the discovery of the first transiting e...
6041 Graph games with {\omega}-regular winning co...
6042 Word embedding has become a fundamental comp...
6043 The concept of an evolutionarily stable stra...
6044 We construct an estimator of the Lévy densit...
6045 Given $k\in\mathbb N$, we study the vanishin...
6046 For a prime $p$, let $\hat F_p$ be a finitel...
6047 A control model is typically classified into...
6048 We present the first approach for 3D point-c...
6049 Chapter 11 in High-Luminosity Large Hadron C...
6050 Jets from boosted heavy particles have a typ...
6051 This study presents systems submitted by the...
6052 One of the main challenges in the parametriz...
6053 In this paper we consider finite element app...
6054 For a large class of orthogonal basis functi...
6055 This paper considers a new method for the bi...
6056 The difficulty of multi-class classification...
6057 We present a solution to "Google Cloud and Y...
6058 Remote sensing image classification is a fun...
6059 For any quasi-triangular Hopf algebra, there...
6060 This paper proposes a low-level visual navig...
6061 As the title suggests, we will describe (and...
6062 We investigate the nature of the magnetic ph...
6063 Additive Manufacturing (AM, or 3D printing) ...
6064 We present the results of spectroscopic meas...
6065 Assuming three strongly compact cardinals, i...
6066 A simulation model based on parallel systems...
6067 In recent years an increasing number of obse...
6068 Separating an audio scene into isolated sour...
6069 Multi-parameter one-sided hypothesis test pr...
6070 Often, large, high dimensional datasets coll...
6071 We introduce a model for the short-term dyna...
6072 In inductive learning of a broad concept, an...
6073 Motivated by recent experiments, we investig...
6074 In this paper we analyse the convergence pro...
6075 We shall consider a result of Fel'dman, wher...
6076 In this work, we mainly study the influence ...
6077 We describe a general theory for surface-cat...
6078 Fast algorithms for optimal multi-robot path...
6079 We argue that hierarchical methods can becom...
6080 In this paper, we investigate the impact of ...
6081 The paper addresses the problem of passivati...
6082 We present a new model-based integrative met...
6083 We study pointwise-generalized-inverses of l...
6084 We compute cup product pairings in the integ...
6085 We present a sound and automated approach to...
6086 This paper presents an interconnected contro...
6087 We study and formulate the Lagrangian for th...
6088 In this note, we provide critical commentary...
6089 In this paper, we focus on the numerical sim...
6090 In distributed systems based on the Quantum ...
6091 Lower bound on the rate of decrease in time ...
6092 Datasets are often used multiple times and e...
6093 We consider strictly stationary stochastic p...
6094 We present the Lyman-$\alpha$ flux power spe...
6095 We explore all warped $AdS_4\times_w M^{D-4}...
6096 Polariton lasing is the coherent emission ar...
6097 Investigation of the reversibility of the di...
6098 There is a widely-accepted need to revise cu...
6099 We extend the framework by Kawamura and Cook...
6100 Despite the growing prominence of generative...
6101 We tabulate spontaneous emission rates for a...
6102 Various experimental techniques, have reveal...
6103 Exploration in complex domains is a key chal...
6104 We present an experimental study of the loca...
6105 We fix a monic polynomial $f(x) \in \mathbb ...
6106 The objective of this work is to augment the...
6107 We present a computational method to evaluat...
6108 Many time-series data including text, movies...
6109 We introduce a community detection algorithm...
6110 This paper aims to identify three electrical...
6111 This study has the purpose of addressing fou...
6112 We define parahoric $\cG$--torsors for certa...
6113 The identification of reduced-order models f...
6114 Apprenticeship learning (AL) is a kind of Le...
6115 Some effects of surface tension on fully-non...
6116 A characterization of relative weak mixing i...
6117 The Extreme Ultraviolet Variability Experime...
6118 Weighting pixel contribution considering its...
6119 We study the dispersion of a point set, a no...
6120 In this paper additive bi-free convolution i...
6121 We characterise finite axiomatisability and ...
6122 This work is focused on searching a geodesic...
6123 A photonic circuit is generally described as...
6124 In the early 90s, researchers began to focus...
6125 In this work, we consider a one-dimensional ...
6126 Haslhofer and Müller proved a compactness Th...
6127 Wardrop equilibria in nonatomic congestion g...
6128 We consider the problem of learning a binary...
6129 Knights Landing (KNL) is the code name for t...
6130 The conjecture of Lehmer is proved to be tru...
6131 In this paper, we study the existence and un...
6132 The 2010 Silent Speech Challenge benchmark i...
6133 The magnetic field induced rearrangement of ...
6134 We present the latest major release version ...
6135 In this contribution we present numerical an...
6136 The importance of speaking style authenticat...
6137 The main result in this paper is a fixed poi...
6138 We study the fundamental question of the lat...
6139 The decomposability of a Cartesian product o...
6140 MAGIC, a system of two imaging atmospheric C...
6141 Heterogeneity is one important feature of co...
6142 Generative adversarial networks (GAN) approx...
6143 The World Health Organization (WHO) reported...
6144 Advanced driver assistance systems (ADAS) ca...
6145 Relational reasoning is a central component ...
6146 We propose a new algorithm for the computati...
6147 Capacitated fixed-charge network flows are u...
6148 We establish a new connection between value ...
6149 Two-dimensional (2-D) materials are of treme...
6150 In this paper we investigate the use of adve...
6151 We study the elliptic curve $E_a: (ax+1)y^2+...
6152 In this paper, we introduce the notion of an...
6153 In this study an Artificial Neural Network w...
6154 Deep convolutional neural networks (CNNs) ha...
6155 By a generalized Yangian we mean a Yangian-l...
6156 We obtain asymptotics of large Hankel determ...
6157 Galaxy intrinsic alignments (IA) are a criti...
6158 In this paper we introduce a new mathematica...
6159 Fixing bugs is an important phase in softwar...
6160 We give a simple recursion which computes th...
6161 We develop an extended multifractal analysis...
6162 By building up on the recent theory that est...
6163 Iterative Hard Thresholding (IHT) is a class...
6164 Binary neural networks (BNN) have been studi...
6165 We define the generalized connected sum for ...
6166 The emissivity of common materials remains c...
6167 Satellite radar altimetry is one of the most...
6168 We investigate the adiabatic magnetization p...
6169 Cyber-physical software continually interact...
6170 We consider the asymptotic distribution of a...
6171 This paper explores 1-dimensional topologica...
6172 We expand the cross section of the geodesic ...
6173 We study the time evolution of a thin liquid...
6174 Machine learning algorithms are sensitive to...
6175 A simplified approach is proposed to investi...
6176 In this paper, we propose a family of graph ...
6177 Heterogeneous wireless networks with small-c...
6178 No methods currently exist for making arbitr...
6179 We give a criterion for the existence of non...
6180 We observe many-body pairing in a two-dimens...
6181 Complex mathematical models of interaction n...
6182 An immense class of physical counterexamples...
6183 Complex networks can be used to represent co...
6184 For a uniform space (X, $\mu$), we introduce...
6185 Acceleration and manipulation of ultrashort ...
6186 In this paper, we derive the second order es...
6187 The construction of a meaningful graph topol...
6188 We study the edge transport properties of $2...
6189 We demonstrate experimentally that the long-...
6190 Two-dimensional atomic arrays exhibit a numb...
6191 In this paper, we applied the multifractal d...
6192 We present a new deep meta reinforcement lea...
6193 Transiting super-Earths orbiting bright star...
6194 We consider two chains, each made of $N$ ind...
6195 A paper by Bruno Salvy and the author introd...
6196 This paper presents a fast and effective com...
6197 Detecting weak seismic events from noisy sen...
6198 It is well-known that exploiting label corre...
6199 Complexity analysis becomes a common task in...
6200 Resonance energy transfer (RET) is an inhere...
6201 Single individual haplotyping is an NP-hard ...
6202 Cellular or dendritic microstructures that r...
6203 A quantum system of particles can exist in a...
6204 Projective Reed-Muller codes were introduced...
6205 We present an algorithm for classification t...
6206 We study a set of uniquely determined tiltin...
6207 Corruptive behaviour in politics limits econ...
6208 Knowing a biomolecule's structure is inheren...
6209 We study the quantum synchronization between...
6210 We propose and experimentally demonstrate a ...
6211 Since the discovery of the Meissner effect t...
6212 We prove a local Faber-Krahn inequality for ...
6213 These notes were written as supplementary ma...
6214 In a recent work, Bindini and De Pascale hav...
6215 Let $ \alpha: \mathcal{C} \to \mathcal{D}$ b...
6216 Summarizes recent work on the wakefields and...
6217 Community detection in graphs is the problem...
6218 In this paper, we consider a dataset compris...
6219 This paper investigates the effects of finit...
6220 It is well known that many optimization meth...
6221 The control of spins and spin to charge conv...
6222 Recent research has shown the potential util...
6223 While single measurement vector (SMV) models...
6224 Dynamical materials that capable of respondi...
6225 Categorization is necessary for many decisio...
6226 Millimeter wave communications rely on narro...
6227 This workshop invites researchers and practi...
6228 Motivated by the description of Nurowski's c...
6229 We study the effect of electron correlations...
6230 We propose a method for learning Markov netw...
6231 In this work, we design a machine learning b...
6232 This study proposes a control strategy for t...
6233 We demonstrate that, for a range of state-of...
6234 In further study of the application of cross...
6235 We describe a complete list of Casimirs for ...
6236 This paper presents a novel design of a craw...
6237 A bifurcation is a qualitative change in a f...
6238 Manual annotations of temporal bounds for ob...
6239 One-dimensional (1D) electron systems in the...
6240 Our experiment shows that the thermal emissi...
6241 This paper addresses distributed average tra...
6242 We study the two-dimensional massless Dirac ...
6243 Humans take advantage of real world symmetri...
6244 We consider the fractional Hartree equation ...
6245 This work studies the problem of stochastic ...
6246 We consider an optimal stopping problem wher...
6247 We give a survey of a generalization of Quil...
6248 The FitzHugh-Nagumo equation provides a simp...
6249 In this paper, we give a conditional lower b...
6250 We present the properties and advantages of ...
6251 We prove that the Büchi topology and the aut...
6252 Obtaining accurate estimates of satellite dr...
6253 Cross-validation of predictive models is the...
6254 In this paper, we deal with the problem of i...
6255 The discriminator of an integer sequence s =...
6256 For a reductive group G defined over an alge...
6257 We present an approach towards robust lane t...
6258 In this work we provide a couple of contribu...
6259 The integrating factor and exponential time ...
6260 Control of multihop Wireless networks in a d...
6261 In a world of global trading, maritime safet...
6262 We describe the design of the CCI30 cryptocu...
6263 Third-generation neural networks, or Spiking...
6264 In this paper, we propose the nonlinearity g...
6265 Data-target association is an important step...
6266 In recent years, monaural speech separation ...
6267 We investigate large-sample properties of tr...
6268 Nonlinear dynamical stochastic models are ub...
6269 We provide a nonperturbative theory for phot...
6270 We focus on two particular aspects of model ...
6271 Bright ring-like structure emission of the C...
6272 Measuring entity relatedness is a fundamenta...
6273 In this present study, we investigate soluti...
6274 Following related work in law and policy, tw...
6275 We study boundary conditions of topological ...
6276 We prove the pointwise decay of solutions to...
6277 Answering a problem posed by the second auth...
6278 Many different classification tasks need to ...
6279 An atomic force microscope (AFM) is capable ...
6280 Considering its advantages in dealing with h...
6281 We extend the approach of wall modeling via ...
6282 The aim of this work is to study the existen...
6283 This paper proposes a totally constructive a...
6284 According to a report online, more than 200 ...
6285 A Leonard pair is a pair of diagonalizable l...
6286 The rise and fall of artificial neural netwo...
6287 Most approaches in algorithmic fairness cons...
6288 Predictive geometric models deliver excellen...
6289 Almost a decade has passed since the serendi...
6290 Perpetual points (PPs) are special critical ...
6291 A squared error loss remains the most common...
6292 The study of complex systems benefits from g...
6293 In this paper, a scheme for the encryption a...
6294 Given a $4$-manifold $\hat{M}$ and two homeo...
6295 This report describes the development of an ...
6296 In the paper "Einstein metrics on compact si...
6297 We prove that a quasi-isometric map, and mor...
6298 The supercomputing platforms available for h...
6299 Deep learning (DL) defines a new data-driven...
6300 Radio-loud high-redshift quasars (HRQs), alt...
6301 This work investigates the training of condi...
6302 The availability of large idea repositories ...
6303 The object of this paper is to study $\eta$-...
6304 We show how active transport of ions can be ...
6305 In order to avoid well-know paradoxes associ...
6306 A $(K, N, T, K_c)$ instance of the MDS-TPIR ...
6307 Deep Neural Networks (DNNs) and Convolutiona...
6308 We present graph attention networks (GATs), ...
6309 The prevalence of online media has attracted...
6310 Technological advancements in the field of m...
6311 The singular values of products of standard ...
6312 The Griffiths conjecture asserts that every ...
6313 Machine learning and deep learning in partic...
6314 In this position paper, we question the curr...
6315 The observation of metallic ground states in...
6316 Autonomous Surface Vehicles (ASVs) provide a...
6317 In this paper we present a technique for usi...
6318 Kinetic-range turbulence in magnetized plasm...
6319 A lattice (d, k)-polytope is the convex hull...
6320 We report on an ion-optical system that serv...
6321 Dependency parsing is an important NLP task....
6322 Let $\frak {F}$ be a class of group. A subgr...
6323 Assessing the impact of the individual actio...
6324 M87, the active galaxy at the center of the ...
6325 After decades of experimental, theoretical, ...
6326 The local induction equation, or the binorma...
6327 Let $T_{\epsilon}$ be the lifespan for the s...
6328 Classical CTL temporal logics are built over...
6329 Information about the memory locations acces...
6330 We address the problem of generating query s...
6331 The Cosmic Axion Spin Precession Experiment ...
6332 Quantum reactive scattering calculations are...
6333 The Subaru Strategic Program (SSP) is an amb...
6334 We consider the estimation of hidden Markovi...
6335 A nice differential-geometric framework for ...
6336 In this report, we present a new reinforceme...
6337 Observations of astrophysical objects such a...
6338 Flood risk changes in time and is influenced...
6339 The central dogma of molecular biology is th...
6340 We generalize the bridge between analysis an...
6341 We compute the exact norms of the Leray tran...
6342 This paper gives the definitions of an extra...
6343 Knowledge transfer impacts the performance o...
6344 For a primitive Dirichlet character $\chi$ m...
6345 Motivated by geometric problems in signal pr...
6346 The pyrochlore magnet $\rm Yb_2Ti_2O_7$ has ...
6347 We present a neurosymbolic framework for the...
6348 Though deep neural networks have achieved st...
6349 The secrecy of a distributed-storage system ...
6350 In this work, we calculate the convergence r...
6351 The sparse matrix estimation problem consist...
6352 In this short paper, we formulate parameter ...
6353 Compartmental equations are primary tools in...
6354 The surface energy of a magnetic Domain Wall...
6355 Using the Fenchel-Eggleston theorem for conv...
6356 We study finite-size fluctuations in a netwo...
6357 We study static distributions of ferrofluid ...
6358 Information that is stored in an encrypted f...
6359 The large hierarchy between the Planck scale...
6360 In many scenarios of a language identificati...
6361 Example-based mesh deformation methods are p...
6362 We study the computational complexity of sho...
6363 A primary goal of galaxy surveys is to tight...
6364 A weakly dependent time series regression mo...
6365 The electric field effect on magnetic anisot...
6366 "Coevolving" or "adaptive" voter models (AVM...
6367 This article provides a weighted model confi...
6368 Mapping the spatial distribution of poverty ...
6369 The magnetic signature of an urban environme...
6370 The cooperative hierarchical structure is a ...
6371 We present a model for the origin of the ext...
6372 R. Guralnick (Linear Algebra Appl. 99, 85-96...
6373 Learning sparse linear models with two-way i...
6374 Convolutional Neural Networks (CNNs) have ac...
6375 For a regular cardinal $\kappa$, a formula o...
6376 A fundamental challenge in large-scale cloud...
6377 The hour-glass-like dispersion of spin excit...
6378 I propose to use high brightness electron be...
6379 In this paper we study the fundamental solut...
6380 Our work presented in this paper focuses on ...
6381 This paper focuses on Byzantine attack detec...
6382 In this paper, we study the pooled data prob...
6383 It is a usual practice to ignore any structu...
6384 The combination of the surface science techn...
6385 The paper proposes a new approach to model r...
6386 A significantly faster algorithm is presente...
6387 This paper investigates a flow- and path-sen...
6388 Topic models have been extensively used to o...
6389 The quasi-two-dimensional organic charge-tra...
6390 With advanced data analytical techniques, ef...
6391 We provide a local approximation result of n...
6392 Following their success in Computer Vision a...
6393 This chapter provides an introduction to the...
6394 A classical difficult isomorphism testing pr...
6395 We give the motivation for scoring clusterin...
6396 In this paper we introduce a new reformulati...
6397 In this paper we revisit the weighted likeli...
6398 For many applications, an ensemble of base c...
6399 In the framework of Keldysh-Usadel kinetic t...
6400 We prove generalized weighted Ostrowski and ...
6401 There is an intuitive analogy of an organic ...
6402 Tensors are a natural way to express correla...
6403 We propose the existence of a new universali...
6404 Threshold-linear networks (TLNs) are models ...
6405 This paper describes a decision procedure fo...
6406 The observation of electric dipole moments (...
6407 Reports and press releases highlight that se...
6408 In this paper we consider an optimal control...
6409 The Tweedie Compound Poisson-Gamma model is ...
6410 Temporal networks have been increasingly use...
6411 Unlike classical causal inference, which oft...
6412 In most physical sciences, students from und...
6413 Background: For newborn infants in critical ...
6414 Generating large quantities of quality label...
6415 WASP-12b is an extreme hot Jupiter in a 1 da...
6416 It is shown that the adiabatic Born-Oppenhei...
6417 The computation of the tropical prevariety i...
6418 Recently, G. A. Freiman, M. Herzog, P. Longo...
6419 Correction of Type Ia Supernova brightnesses...
6420 The aim of this paper is to study, via theor...
6421 In this paper we extend the known results of...
6422 We explore an extended cosmological scenario...
6423 We consider a quasi-homogeneous polynomial $...
6424 We solve the problem of optimal liquidation ...
6425 Cellular Electron CryoTomography (CECT) is a...
6426 We propose a novel Bayesian approach to mode...
6427 In this paper we explore the use of unsuperv...
6428 We report structural, susceptibility and spe...
6429 We consider cloud-based control scenarios in...
6430 Simple finite dimensional Kantor triple syst...
6431 Spatial separation of suspended particles ba...
6432 Network navigability is a key feature of com...
6433 We study fermionic topological phases using ...
6434 Reliable identification of molecular biomark...
6435 This paper introduces pyRecLab, a software l...
6436 We formulate stochastic gradient descent (SG...
6437 We perform a post-processing radiative feedb...
6438 We investigate the inherent influence of lig...
6439 Formal ontologies are axiomatizations in a l...
6440 In the Bak-Sneppen model, the lowest fitness...
6441 Consider a set of categorical variables $\ma...
6442 We consider time-domain digital backpropagat...
6443 We present a formalization of convex polyhed...
6444 We consider the weight spectrum of a class o...
6445 Efficient electro-optic (EO) modulators cruc...
6446 How should an AI-based explanation system ex...
6447 In a seminal paper [D. N. Page, Phys. Rev. L...
6448 We describe a fast closed-loop optimization ...
6449 The curvature estimates of quotient curvatur...
6450 Convolutional neural networks have achieved ...
6451 In this paper, we prove formulas that repres...
6452 Due to increasing urban population and growi...
6453 We analyze a general class of difference ope...
6454 Despite a well-ordered pyrochlore crystal st...
6455 The students are introduced to navigation in...
6456 We introduce Error Forward-Propagation, a bi...
6457 Logical models offer a simple but powerful m...
6458 We propose a family of variational approxima...
6459 In the past decades, the phenomenal progress...
6460 We demonstrated a novel on-chip polarization...
6461 In the recent literature, "end-to-end" speec...
6462 In the study of the human connectome, the ve...
6463 We investigate the computational complexity ...
6464 Graphical user interfaces (GUIs) are integra...
6465 The human brain network is modular--comprise...
6466 We present a collection of 450 598 eclipsing...
6467 The discrete moment problem is a foundationa...
6468 A Pilot unit of a closed loop gas (CLS) mixi...
6469 We give a new analysis of a tuning problem i...
6470 We consider a dual-hop wireless network wher...
6471 Trust in publicly verifiable Certificate Tra...
6472 Chainspace is a decentralized infrastructure...
6473 This note deals with certain properties of c...
6474 In this paper we investigate the multiwavele...
6475 For many technological applications of super...
6476 The basin of attraction of a uniformly attra...
6477 Recent LENS experiment on a 3D Fermi gas has...
6478 In this paper, entropies, including measure-...
6479 We study a question of presence of Kohn poin...
6480 Extending the notion of maximal green sequen...
6481 Using a shallow water model with time-depend...
6482 The asymptotic solution to the problem of co...
6483 For grain growth to proceed effectively and ...
6484 The peculiar band structure of semimetals ex...
6485 The stochastic $R$ matrix for $U_q(A^{(1)}_n...
6486 We have investigated the crystal structure o...
6487 We considered a generic case of pre-transiti...
6488 The Burr III distribution is used in a wide ...
6489 We introduce a logic, called LT, to express ...
6490 We study massless fermions interacting throu...
6491 The generation of artificial data based on e...
6492 The identification of parameters in mathemat...
6493 We have designed and tested experimentally a...
6494 The fog radio access network (F-RAN) is a pr...
6495 The concepts of Gross Domestic Product (GDP)...
6496 Fractional stochastic volatility models have...
6497 A Triangle Generative Adversarial Network ($...
6498 When a speaker says the name of a color, the...
6499 The low-temperature properties of certain qu...
6500 Neural speech synthesis models have recently...
6501 We theoretically investigate a scheme in whi...
6502 A survey of goodness-of-fit and symmetry tes...
6503 In this article we introduce how to put vagu...
6504 This is a comment to the paper 'A study of p...
6505 Topological matter is a popular topic in bot...
6506 We discuss the Ramsey property, the existenc...
6507 The existence of massive ($10^{11}$ solar ma...
6508 A parametrization of irreducible unitary rep...
6509 In this work we study the problem of explori...
6510 Prosociality is fundamental to human social ...
6511 Territorial control is a key aspect shaping ...
6512 We construct a virtual quandle for links in ...
6513 We derive an online learning algorithm with ...
6514 After a discussion of the Frauchiger-Renner ...
6515 We propose three measures of mutual dependen...
6516 Let $X_1, \ldots, X_n\in\mathbb{R}^p$ be i.i...
6517 We consider optimal/efficient power allocati...
6518 Action potentials are the basic unit of info...
6519 We introduce a rigorous definition of genera...
6520 Let us be given two graphs $\Gamma_1$, $\Gam...
6521 Recent breakthroughs in Deep Learning (DL) a...
6522 The Erd\H os unit distance conjecture in the...
6523 We study the ground state of the 1D Kitaev-H...
6524 We study quadratic functionals on $L^2(\math...
6525 This paper introduces a general Bayesian non...
6526 Most massive stars form in dense clusters wh...
6527 Electroencephalography (EEG) is an extensive...
6528 Consider the problem of estimating a low-ran...
6529 Recent developments in quaternion-valued wid...
6530 In this paper, we proved an arithmetic Siege...
6531 Motivated by $\alpha$-attractor models, in t...
6532 Magnetic nanoparticles are promising systems...
6533 For fast and energy-efficient deployment of ...
6534 With the passage of time and indulgence in I...
6535 Data shaping is a coding technique that has ...
6536 Global integration of information in the bra...
6537 Music highlights are valuable contents for m...
6538 We study the computational tractability of P...
6539 We show a noise-induced transition in Joseph...
6540 Principal component analysis (PCA) is fundam...
6541 In this paper, we characterize all the irred...
6542 In this paper we analyze the local and globa...
6543 We study a variant of the source identificat...
6544 We prove a convexity theorem for Hamiltonian...
6545 Given an odd vector field $Q$ on a supermani...
6546 Multicopters are becoming increasingly impor...
6547 We introduce a new technique for determining...
6548 The coupling of vocal fold (source) and voca...
6549 We are interested in the probability that tw...
6550 Discourse connectives (e.g. however, because...
6551 Financial crime is a rampant but hidden thre...
6552 We consider explicit polar constructions of ...
6553 In the present article the classical problem...
6554 Maximizing the sum of two generalized Raylei...
6555 Dirichlet processes (DP) are widely applied ...
6556 Kontsevich designed a scheme to generate inf...
6557 Chern-Schwartz-MacPherson (CSM) classes gene...
6558 The current data explosion poses great chall...
6559 We consider a two player dynamic game played...
6560 We apply the newly derived nonadiabatic gold...
6561 If robots are to become ubiquitous, they wil...
6562 Multi-layer neural networks have lead to rem...
6563 Kernel regression is a popular non-parametri...
6564 We study the classification problems over st...
6565 The recent realization of two-dimensional (2...
6566 Characterization of lung nodules as benign o...
6567 The motion of electrons in or near solids, l...
6568 We present a hardware mechanism called HourG...
6569 We investigated frictional effects on the fo...
6570 Object ranking or "learning to rank" is an i...
6571 Modeling spatial overdispersion requires poi...
6572 We explore methods of producing adversarial ...
6573 We study the estimation of the covariance ma...
6574 In the multi-agent systems setting, this pap...
6575 Compact and portable in-situ NMR spectromete...
6576 Using different methods for laying out a gra...
6577 We introduce a two-step procedure, in the co...
6578 We introduce a new class of Monte Carlo base...
6579 In this paper we study symmetry properties o...
6580 In this paper, we study the large-time behav...
6581 Let (G, \mu) be a pair of a reductive group ...
6582 Program synthesis is a class of regression p...
6583 We describe new irreducible components of th...
6584 Cell monolayers provide an interesting examp...
6585 Long Short-Term Memory networks trained with...
6586 The covering type of a space $X$ is defined ...
6587 This paper deals with the study of principal...
6588 It is generally difficult to predict the pos...
6589 Machine learning has emerged as an invaluabl...
6590 In this article, we develop methods for esti...
6591 In his seminal paper "Formality conjecture",...
6592 We propose new types of models of the appear...
6593 In this work, we provide non-asymptotic, pro...
6594 The transition from single-cell to multicell...
6595 We review aspects of twistor theory, its aim...
6596 Probabilistic integration of a continuous dy...
6597 We propose a generalisation for the notion o...
6598 Random forests is a common non-parametric re...
6599 Witten's Gauged Linear $\sigma$-Model (GLSM)...
6600 In this paper we address the convergence of ...
6601 In the paper we analyze 26 communities acros...
6602 The problem of quickest change detection (QC...
6603 Many application settings involve the analys...
6604 This work demonstrates the potential of deep...
6605 This paper provides a holistic study of how ...
6606 Inference and learning for probabilistic gen...
6607 Modern social media platforms facilitate the...
6608 We explore a new mechanism to explain polari...
6609 Many real-world applications are characteriz...
6610 We consider an adaptive algorithm for finite...
6611 Photoluminescence polarization is experiment...
6612 The weak variance-alpha-gamma process is a m...
6613 A generalization of the coordinated transact...
6614 In this paper, we study the receiver perform...
6615 The tetragonal copper oxide Bi$_2$CuO$_4$ ha...
6616 In order to achieve state-of-the-art perform...
6617 Design optimization of engineering systems w...
6618 We present a method of generating high resol...
6619 Most policy search algorithms require thousa...
6620 We prove that there exist non-linear binary ...
6621 We study the consistency of Lipschitz learni...
6622 In manufacturing, the increasing involvement...
6623 We explore inflectional morphology as an exa...
6624 The study of genome rearrangement has many f...
6625 In this paper, a novel scheme for synchroniz...
6626 A whole-body torque control framework adapte...
6627 We construct new classes of self-similar gro...
6628 Estimation of parameters is a crucial part o...
6629 Given two infinite sequences with known bino...
6630 We present a new system S for handling uncer...
6631 We search for runaway former companions of t...
6632 We introduce some natural families of distri...
6633 DNA-mediated computing is a novel technology...
6634 We discuss the effect of ram pressure on the...
6635 This paper analyses the dynamics of infectio...
6636 The task of determining item similarity is a...
6637 In this paper, we provide an analytical fram...
6638 In this paper, we explain a sharp phase tran...
6639 Generative adversarial networks (GANs) are a...
6640 We consider an energy-based boundary conditi...
6641 Period polynomials have long been fruitful t...
6642 Context: In a series of papers, we study the...
6643 In this paper, we measure systematic risk wi...
6644 In this paper we present a novel method for ...
6645 Advances in sensor technology have enabled t...
6646 The hexagonal structure of graphene gives ri...
6647 Given a smooth non-trapping compact manifold...
6648 The correlation of weak lensing and Cosmic M...
6649 We consider the asymmetric orthogonal tensor...
6650 We prove a generalization of a result of Bha...
6651 We construct and analyze a strongly consiste...
6652 It was proven in [B.-Y. Chen, F. Dillen, J. ...
6653 This paper studies stability analysis of DC ...
6654 The fundamental purpose of the present resea...
6655 In this paper, extending past works of Del P...
6656 We introduce a compressed suffix array repre...
6657 We consider a bounded block operator matrix ...
6658 This work is devoted to the study of the fir...
6659 We prove that the $L^2$ bound of an oscillat...
6660 We develop a quantitative theory of stochast...
6661 For any positive integer $r$, the $r$-Fubini...
6662 In this paper we solve a problem posed by H....
6663 We review the concept of Support Vector Mach...
6664 We introduce a sequent calculus with a simpl...
6665 Clusters of galaxies gravitationally lens th...
6666 We present a theory of the Seebeck effect in...
6667 In this paper, we introduce a generalized as...
6668 Photonic technologies offer numerous advanta...
6669 In this article, we attempted to develop an ...
6670 Gating is a key technique used for integrati...
6671 Under the assumption that a defining graph o...
6672 User Datagram Protocol (UDP) is a commonly u...
6673 Current understanding of the critical outbre...
6674 With the vision of deployment of massive Int...
6675 We consider attacks on two-way quantum key d...
6676 We present a new method to approximate poste...
6677 Binary, or one-bit, representations of data ...
6678 For the stationary nonlinear Schrödinger equ...
6679 Parameter reduction can enable otherwise inf...
6680 In this paper, we consider higher order corr...
6681 We report on a compact, simple and robust hi...
6682 A pivotal step toward understanding unconven...
6683 We propose and demonstrate an ultrasonic com...
6684 Global sensitivity analysis aims at determin...
6685 We report inelastic neutron scattering measu...
6686 Agile - denoting "the quality of being agile...
6687 Deep learning is a form of machine learning ...
6688 We report on tunnel-injected deep ultraviole...
6689 We present a method and preliminary results ...
6690 An iteration-free method of domain decomposi...
6691 Very recently Richter and Rogers proved that...
6692 The effectiveness of molecular-based light h...
6693 We present a simple method to improve neural...
6694 Using local density approximation plus dynam...
6695 In this work maximum entropy distributions i...
6696 In this paper, we consider a linear regressi...
6697 The relative orientation between filamentary...
6698 We report a combined theoretical/experimenta...
6699 We study four problems in the dynamics of a ...
6700 We analyze theoretically the Schrodinger-Poi...
6701 We extend the classic multi-armed bandit (MA...
6702 In this paper, we propose a new method to ta...
6703 We propose NOPOL, an approach to automatic r...
6704 Parametric geometry of numbers is a new theo...
6705 A study of the intersection theory on the mo...
6706 An SEIRS epidemic with disease fatalities is...
6707 This paper studies a new type of 3D bin pack...
6708 We describe preliminary investigations of us...
6709 We propose a method, called Label Embedding ...
6710 The current fleet of space-based solar obser...
6711 New features and enhancements for the SPIKE ...
6712 We describe the neutrino flavor (e = electro...
6713 GPUs and other accelerators are popular devi...
6714 Stabilization of linear systems with unknown...
6715 We compute the second coefficient of the com...
6716 For given convex integrands $\gamma_{{}_{i}}...
6717 Kernel methods are powerful learning methodo...
6718 This paper presents a non-manual design engi...
6719 The origin and life-cycle of molecular cloud...
6720 The ability to accurately predict and simula...
6721 Topological nodal line semimetals are charac...
6722 In this paper, an artificial intelligence ba...
6723 Let $\mathbb{F}_q$ be a finite field. Given ...
6724 The current-driven domain wall motion in a r...
6725 Let $(R,\mathfrak{m})$ be a $d$-dimensional ...
6726 End-to-end (E2E) systems have achieved compe...
6727 In LHC Run 3, ALICE will increase the data t...
6728 Let $\Omega$ be a $C^2$-smooth bounded pseud...
6729 The composition of natural liquidity has bee...
6730 Here we present an in-depth study of the beh...
6731 A famous result of Jurgen Moser states that ...
6732 Brillouin light spectroscopy is a powerful a...
6733 We develop a framework for approximating col...
6734 The key feature of a thermophotovoltaic (TPV...
6735 The electric coupling between surface ions a...
6736 In this paper we provide new quantum algorit...
6737 We propose a data-driven algorithm for the m...
6738 Let $H=-\Delta+V$ be a Schrödinger operator ...
6739 As the bioinformatics field grows, it must k...
6740 The mainstream of research in genetics, epig...
6741 One of the key differences between the learn...
6742 Human-in-the-loop manipulation is useful in ...
6743 American cities devote significant resources...
6744 It is known that gas bubbles on the surface ...
6745 Inverse problems correspond to a certain typ...
6746 The general completeness problem of Hoare lo...
6747 In this paper, we present a result similar t...
6748 Quantifying image distortions caused by stro...
6749 Deep neural networks (DNNs) have excellent r...
6750 We introduce an elliptic regularization of t...
6751 This paper presents a system based on a Two-...
6752 One of the major drawbacks of modularized ta...
6753 Extreme phenotype sampling is a selective ge...
6754 The fundamental theory of energy networks in...
6755 The idea is to demonstrate the beauty and po...
6756 We prove rigorously that the exact N-electro...
6757 In this paper we illustrate the use of the r...
6758 Technology market is continuing a rapid grow...
6759 The data mining field is an important source...
6760 Automatic speaker verification (ASV) systems...
6761 We describe the LoopInvGen tool for generati...
6762 Topologically protected superfluid phases of...
6763 We present low-frequency spectral energy dis...
6764 A scalable framework is developed to allocat...
6765 We study the Kepler metrics on Kepler manifo...
6766 Collisions with background gas can perturb t...
6767 We show that the Weyl symbol of a Born-Jorda...
6768 Deep learning is a popular machine learning ...
6769 We develop a theory of viscous dissipation i...
6770 We study the existence of homoclinic type so...
6771 Racetrack memory is a non-volatile memory en...
6772 In the spirit of recent work of Lamm, Malchi...
6773 Robust PCA methods are typically batch algor...
6774 In this paper, we present a set of simulatio...
6775 Technological improvement is the most import...
6776 Mustaţă has given a conjecture for the grade...
6777 A stochastic minimization method for a real-...
6778 Template metaprogramming is a popular techni...
6779 We show that a recently proposed neural depe...
6780 Let $G$ be a finite group and $\Aut(G)$ the ...
6781 Systems with tightly-packed inner planets (S...
6782 Autonomous robot manipulation often involves...
6783 The structural properties of LaRu$_2$P$_2$ u...
6784 Hyperspectral imaging is an important tool i...
6785 This work addresses the one-dimensional prob...
6786 The thermoelectric voltage developed across ...
6787 Understanding segregation is essential to de...
6788 Protein gamma-turn prediction is useful in p...
6789 An image is here defined to be a set which i...
6790 We performed electronic structure calculatio...
6791 Precision experiments, such as the search fo...
6792 This paper presents an investigation of the ...
6793 We propose a constraint-based flow-sensitive...
6794 Humanoid robots may require a degree of comp...
6795 In this paper, we establish a baseline for o...
6796 We consider in this paper the regularity pro...
6797 Very important breakthroughs in data centric...
6798 The asteroids are primitive solar system bod...
6799 Bayesian nonparametrics are a class of proba...
6800 Depth from focus (DFF) is one of the classic...
6801 In this paper, we present an effective metho...
6802 It remains a challenge to efficiently extrac...
6803 The configuration of the three neutrino mass...
6804 This paper is concerned with the detection o...
6805 This is the documentation of the tomographic...
6806 We consider entity-level sentiment analysis ...
6807 In this paper, we consider the problem of op...
6808 The photometry of the minor body with extras...
6809 We present a model to generate power spectru...
6810 Let $\sigma =\{\sigma_{i} | i\in I\}$ be som...
6811 This paper analyzes the properties of the so...
6812 In this paper, we extend several time revers...
6813 Since its emergence two decades ago, astroph...
6814 Assessing generative models is not an easy t...
6815 The results of the probabilistic analysis of...
6816 Developers use Question and Answer (Q&A) web...
6817 Spectral based heuristics belong to well-kno...
6818 Accelerated magnetic resonance (MR) scan acq...
6819 Since the 1960s, the question whether market...
6820 We analyze the performance of different resa...
6821 If a variational problem comes with no bound...
6822 This note studies the equivalencies among co...
6823 Music source separation with deep neural net...
6824 Mobile Crowdsourcing is a promising service ...
6825 liquidSVM is a package written in C++ that p...
6826 Sterile neutrinos produced through oscillati...
6827 In this paper we design information elicitat...
6828 Three types of orbits are theoretically poss...
6829 A semi-process is an analog of the semi-flow...
6830 Just-infinite C*-algebras, i.e., infinite di...
6831 Trademark retrieval (TR) has become an impor...
6832 The emergence of new digital technologies ha...
6833 We analyze the spectra of 300,000 luminous r...
6834 We consider the analysis of high dimensional...
6835 Today's mobile phone users are faced with la...
6836 In this paper we present current trends in r...
6837 We consider simultaneous blind deconvolution...
6838 A study of around 13,000 musical composition...
6839 This paper describes the R package mvLSW. Th...
6840 Item cold-start is a classical issue in reco...
6841 In order to sample marginalized and/or hard-...
6842 Graphitic nitrogen-doped graphene is an exce...
6843 Micro-sized cold atmospheric plasma (uCAP) h...
6844 Consistently checking the statistical signif...
6845 Currently, deep neural networks are deployed...
6846 Let $p(z)=a_0+a_1z+a_2z^2+a_3z^3+\cdots+a_nz...
6847 Developing an appropriate design process for...
6848 A key problem in modelling the evolution dyn...
6849 We investigate the interplay between charge ...
6850 The Prototype Imaging Spectrograph for Coron...
6851 We show that the standard perturbative (i.e....
6852 Accurate measurement of galaxy structures is...
6853 In Francis and Steel (2015), it was shown th...
6854 We explore the effects of the expected highe...
6855 News recommender systems are aimed to person...
6856 We consider the online and nonparametric det...
6857 In this paper, we estimate the distribution ...
6858 The key common bottleneck in most stencil co...
6859 For an algebraic variety $X$ we introduce ge...
6860 In this paper, we consider a general twisted...
6861 One of the most exciting advancements in AI ...
6862 We introduce the problem of learning distrib...
6863 While plenty of results have been obtained f...
6864 Many modern data-intensive computational pro...
6865 We study the computation complexity of Boole...
6866 Spin-polarized field-effect transistor (spin...
6867 Magnetic fields play important roles in many...
6868 Dynamical properties of two bosonic quantum ...
6869 In this paper we present and characterize a ...
6870 Clostridium difficile infections (CDIs) affe...
6871 Let $C$ be a simply laced generalized Cartan...
6872 Stellar flares are a frequent occurrence on ...
6873 We determine the Gross-Hopkins duals of cert...
6874 We outline a new approach for solving optimi...
6875 We measure the Planck cluster mass bias usin...
6876 Data sharing among partners---users, organiz...
6877 In this paper we study the zero-flux chemota...
6878 We present the complete optical transmission...
6879 We consider linear programming (LP) problems...
6880 The key component in forecasting demand and ...
6881 Given a closed oriented surface S we describ...
6882 We are concerned with existence of regular s...
6883 The zero-temperature limit of a continuous p...
6884 A climate mitigation comprehensive solution ...
6885 We study diffusion on a multilayer network w...
6886 We study marginally compact macromolecular t...
6887 There has been considerable recent activity ...
6888 A spectrogram of a ship wake is a heat map t...
6889 The emergence of low-power wide area network...
6890 The X-ray transform on the periodic slab $[0...
6891 In this paper, we consider the separable cov...
6892 In this paper, we prove that all finitely ge...
6893 As global political preeminence gradually sh...
6894 Many works in collaborative robotics and hum...
6895 In this work we consider an association of m...
6896 An active hypothesis testing problem is form...
6897 We present a framework to simultaneously ali...
6898 Theoretically, we recently showed that the s...
6899 Let $\mathcal{C}$ be a finitely complete sma...
6900 Machine learning approaches hold great poten...
6901 The Sinc approximation has shown high effici...
6902 In recent years the role of epidemic models ...
6903 We introduce a new model describing multiple...
6904 Bayesian shrinkage methods have generated a ...
6905 The object of the present paper is to study ...
6906 We investigate fundamental model-theoretic d...
6907 The paper presents an analysis of Polish Fir...
6908 We study the variation of Iwasawa invariants...
6909 In this paper, we study how to predict the r...
6910 Properties of two ThCr2Si2-type materials ar...
6911 An inverse problem in spectroscopy is consid...
6912 Variational autoencoders (VAE) are directed ...
6913 We consider the statics and dynamics of a st...
6914 One key challenge in talent search is to tra...
6915 The environmental impacts of medium to large...
6916 In this paper, we derive a Bayesian model or...
6917 Sky models have been used in the past to cal...
6918 Recurrent neural networks (RNNs) serve as a ...
6919 Biological systems are typically highly open...
6920 In this work, we outline the entropy viscosi...
6921 Convolutional neural networks (CNNs) are sim...
6922 Ultraviolet self-interaction energies in fie...
6923 Given a graphical model, one essential probl...
6924 In this work, we investigated the feasibilit...
6925 The 4d-transition-metals carbides (ZrC, NbC)...
6926 This work aimed, to determine the characteri...
6927 Series expansions of unknown fields $\Phi=\s...
6928 We prove a universal limit theorem for the h...
6929 We demonstrate that in residual neural netwo...
6930 Multi-label classification is an important l...
6931 We are concerned about burst synchronization...
6932 The collapse of a collisionless self-gravita...
6933 The possibility of realizing non-Abelian exc...
6934 We approach the development of models and co...
6935 The moving sofa problem, posed by L. Moser i...
6936 IntroductionThe free and cued selective remi...
6937 Understanding protein function is one of the...
6938 Compressive sensing is a powerful technique ...
6939 We show that the class of groups with $k$-mu...
6940 We study numerically the superconductor-insu...
6941 We use techniques from functorial quantum fi...
6942 We give a simple, multiplicative-weight upda...
6943 We have studied neutron response of PARIS ph...
6944 The mine detection in an unexplored area is ...
6945 We present the strongest known knot invarian...
6946 The main purpose of this paper is to formali...
6947 We study biplane graphs drawn on a finite pl...
6948 The main goal of this paper is to design a m...
6949 In Web search, entity-seeking queries often ...
6950 We show that $R^{cl}(\omega\cdot 2,3)^2$ is ...
6951 Spatially explicit capture recapture (SECR) ...
6952 Obtaining models that capture imaging marker...
6953 Recent advances of derivative-free optimizat...
6954 In this work, we propose a model for estimat...
6955 To overcome the travelling difficulty for th...
6956 Poisson factorization is a probabilistic mod...
6957 Using the unfolding method given in \cite{HL...
6958 In this paper, we address the Bounded Cardin...
6959 One of recent trends [30, 31, 14] in network...
6960 We study how the gas in a sample of galaxies...
6961 We present hidden fluid mechanics (HFM), a p...
6962 We study the problem of testing for structur...
6963 Three dimensional magnetohydrodynamical simu...
6964 Automatic mesh-based shape generation is of ...
6965 The Sunyaev-Zel'dovich (SZ) effect is a powe...
6966 A number of recent works have used a variety...
6967 Exhaled air contains aerosol of submicron dr...
6968 Expressive variations of tempo and dynamics ...
6969 This paper deals with the convergence time a...
6970 Self-organization is a process where order o...
6971 Nonequilibrium work-Hamiltonian connection f...
6972 We study thick subcategories defined by modu...
6973 We examine whether various characteristics o...
6974 In this paper, we study the ideal structure ...
6975 In this paper we study nonparametric mean cu...
6976 In this article we develop a new sequential ...
6977 We formulate the Nambu-Goldstone theorem as ...
6978 Large data collections required for the trai...
6979 Usually when applying the mimetic model to t...
6980 At equilibrium, thermodynamic and kinetic in...
6981 Generative Adversarial Networks (GANs) have ...
6982 Molecular dynamics (MD) simulations allow th...
6983 We consider the problem of deep neural net c...
6984 Three-way data can be conveniently modelled ...
6985 We explore the emergence of persistent infec...
6986 No high-resolution canopy height map exists ...
6987 Accurate estimation of regional wall thickne...
6988 Using a three-dimensional semiclassical mode...
6989 Lately, Wireless Sensor Networks (WSNs) have...
6990 We present a new Frank-Wolfe (FW) type algor...
6991 The problem of choice of boundary conditions...
6992 We introduce the exit time finite state proj...
6993 Data quality assessment and data cleaning ar...
6994 Authentication is the first step toward esta...
6995 The online dominating set problem is an onli...
6996 Shanghai Coherent Light Facility (SCLF) is a...
6997 What role do asymptomatically infected indiv...
6998 Many methods for automatic music transcripti...
6999 Policy gradient methods have achieved remark...
7000 Magnetic fields quench the kinetic energy of...
7001 We consider the Cauchy problem for the gradi...
7002 Currently, third-generation sequencing techn...
7003 This paper proposes ReBNet, an end-to-end fr...
7004 Under the generalized Lindelöf hypothesis, t...
7005 We discuss the latest results of numerical s...
7006 We recently reported a population of protost...
7007 Compared with artificial neural networks (AN...
7008 The matrix inversion is an interesting topic...
7009 Governing equations of motion for a viscous ...
7010 The purpose of this note is to give a simple...
7011 The key requirement to routing in any teleco...
7012 Conical functions appear in a large number o...
7013 We present an approach towards convex optimi...
7014 Motivated by the fact that the low-energy pr...
7015 In this paper, we propose an adaptive framew...
7016 Update : An issue has been found in the corr...
7017 Digital information can be encoded in the bu...
7018 Artificial lighting is responsible for a lar...
7019 We study the theory $T_{m,n}$ of existential...
7020 We study the problem of propagation of regul...
7021 We herewith attempt to investigate the cosmi...
7022 The recent advances in deep neural networks ...
7023 We study the spreading of information in a w...
7024 We present four new examples of plane ration...
7025 We study the maximum likelihood estimator of...
7026 We consider nonparametric testing in a non-a...
7027 The space of n-point correlation functions, ...
7028 In this work, we provide theoretical guarant...
7029 We present an end-to-end system for musical ...
7030 We introduce a new approach aiming at comput...
7031 Synergies between evolutionary game theory a...
7032 Often the analysis of time-dependent chemica...
7033 Sample efficiency is critical in solving rea...
7034 Many state-of-the-art algorithms for solving...
7035 Face detection methods have relied on face d...
7036 We consider Fock spaces $F^{p,\ell}_{\alpha}...
7037 In this paper we address the problem of gene...
7038 We solve the compressive sensing problem via...
7039 We present a Bayesian model selection approa...
7040 Sequence-to-sequence models provide a simple...
7041 We consider binary classification problems w...
7042 The first part of this survey is a heuristic...
7043 Previous work in the area of gesture product...
7044 Neural networks and rational functions effic...
7045 We analyze some local properties of sparse E...
7046 Recent studies have shown that deep neural n...
7047 In this paper we present a working model of ...
7048 The registration of tremor was performed in ...
7049 Accurate real time crime prediction is a fun...
7050 To make research of chaos more friendly with...
7051 This submissions has been withdrawn by arXiv...
7052 Contact processes form a large and highly in...
7053 In this paper, we first propose two types of...
7054 This paper studies remote state estimation u...
7055 Semantic understanding and localization are ...
7056 The ordered structures of natural, integer, ...
7057 We classify finite $p$-groups, upto isoclini...
7058 Dutch book arguments have been applied to be...
7059 A key goal in quantum chemistry methods, whe...
7060 We give an elementary combinatorial proof of...
7061 The Electron-Muon Ranger (EMR) is a fully-ac...
7062 Photometric redshifts are a key component of...
7063 Deep reinforcement learning (DRL) methods su...
7064 Cloud Manufacturing (CM) is the concept of u...
7065 Theories with more than one vacuum allow qua...
7066 In this paper new series for the first and s...
7067 We analyze the sample complexity of the thre...
7068 Nickel oxide (NiO) has been studied extensiv...
7069 Area under ROC (AUC) is an important metric ...
7070 Text preprocessing is often the first step i...
7071 We develop and apply new techniques in order...
7072 With the recent surge of interest in UAVs fo...
7073 The Riemann $\Xi(z)$ function (even in $z$) ...
7074 In this paper, by introducing some kind of s...
7075 We show the existence of Yang--Mills--Higgs ...
7076 We give strong necessary conditions on the a...
7077 Stochastic ordering of distributions of rand...
7078 We have measured the quantum depletion of an...
7079 Creating and modeling real-world graphs is a...
7080 The field of analytic combinatorics, which s...
7081 While strong progress has been made in image...
7082 This paper presents a novel framework for ac...
7083 GraphQL is a query language and thereupon-ba...
7084 There is a pressing need to build an archite...
7085 Linear carbon chains are common in various t...
7086 In the present work we study charged black h...
7087 In this note we give simple proofs of severa...
7088 Chatbots are one class of intelligent, conve...
7089 Predictive coding is attractive for compress...
7090 A wide range of electrochemical reactions of...
7091 Segmented silicon detectors (micropixel and ...
7092 Wearable devices enable users to collect hea...
7093 In this paper the computational aspects of p...
7094 Electron acceleration by relativistically in...
7095 We propose the use of specific dynamical pro...
7096 We study thermalization in the holographic (...
7097 With the purpose of investigating coexistenc...
7098 In this paper we investigate some questions ...
7099 A synopsis is offered of the properties of d...
7100 It is proved that, under certain restriction...
7101 Tissue characterization has long been an imp...
7102 We present PS-DBSCAN, a communication effici...
7103 We use an elliptic system of equations with ...
7104 Non-negative matrix factorization (NMF) is a...
7105 This document consists of two papers, both s...
7106 We show that two Hamiltonian isotopic Lagran...
7107 The spin relaxation in chromium spinel oxide...
7108 A biophysical model of epimorphic regenerati...
7109 It is established some existence and multipl...
7110 In 2000, Babson and Steingrímsson generalize...
7111 Critical analysis of the state of the art is...
7112 Agent-based models (ABMs) simulate interacti...
7113 We combine Bayesian prediction and weighted ...
7114 An important disadvantage of the h-index is ...
7115 Every art form ultimately aims to invoke an ...
7116 We study the equation \begin{equation} (-\De...
7117 In this paper we present a method for the un...
7118 We generalize the results of \cite{Capistran...
7119 In order to clarify the high-$T_c$ mechanism...
7120 In this paper a new long-term survival distr...
7121 Many engineering problems require identifyin...
7122 A simplified trisection is a trisection map ...
7123 Many localization algorithms use a spatiotem...
7124 We present a family of self-consistent axisy...
7125 Based on experimental traffic data obtained ...
7126 We develop a finite element method for the L...
7127 Let $X$ be a del Pezzo surface of degree $5$...
7128 The p-adic Kummer--Leopoldt constant kappa\_...
7129 Despite their impressive performance, Deep N...
7130 In the paper \cite{Lau16}, it was shown that...
7131 We generalize work of Bourgain-Kontorovich a...
7132 Screening of a surface charge by electrolyte...
7133 We provide an asymptotic expansion of the va...
7134 Probabilistic atlases provide essential spat...
7135 We present a machine learning framework for ...
7136 We study the optimal investment-consumption ...
7137 We consider restricted light ray transforms ...
7138 We propose a nonparametric method to explici...
7139 This article studies a confluence of a pair ...
7140 Sequential estimation of the delay and Doppl...
7141 Maximally recoverable codes are codes design...
7142 The paper focuses on considering some specia...
7143 This paper presents a novel physics-informed...
7144 The wavelet transform has seen success when ...
7145 The cardiologist's main tool for measuring s...
7146 We study the problem of optimal estimation o...
7147 Steganography is collection of methods to hi...
7148 A graph $G$ is called a sum graph if there i...
7149 We study the exploration problem in episodic...
7150 The time to converge to the steady state of ...
7151 Generating versatile and appropriate synthet...
7152 With the rapid growth of services that strea...
7153 We present a suite of reinforcement learning...
7154 Let $\{\rho_\ell\}_\ell$ be the system of $\...
7155 We apply The Tractor image modeling code to ...
7156 Lifted Relational Neural Networks (LRNNs) de...
7157 Organisations store huge amounts of data fro...
7158 Despite various debugging supports of the ex...
7159 We consider the two-player game chomp on pos...
7160 A semi-parametric, non-linear regression mod...
7161 Optimal transportation provides a means of l...
7162 Discussion on "Random-projection ensemble cl...
7163 We propose Deep Asymmetric Multitask Feature...
7164 Phase-change materials based on Ge-Sb-Te all...
7165 Let $\{\infty^+, \infty^-\}$ be the two poin...
7166 We investigate a class of multi-dimensional ...
7167 In classification problems, the mode of the ...
7168 One of the main benefits of a wrist-worn com...
7169 The widespread use of big social data has po...
7170 In this paper we introduce the concept of si...
7171 Measuring airways in chest computed tomograp...
7172 Time dependent quantum systems have become i...
7173 A systematic design of adaptive waveform for...
7174 Each year, approximately 300,000 heart valve...
7175 Gaussian process modulated Poisson processes...
7176 This paper puts forth a mathematical framewo...
7177 With recent trends on miniaturizing oxide-ba...
7178 OBJECTIVE: To test the hypothesis that varia...
7179 In this paper, we consider a probabilistic s...
7180 We measure statistically anisotropic signatu...
7181 This article is dedicated to the estimation ...
7182 Quantifying errors and losses due to the use...
7183 Despite the significant progress made in the...
7184 We present a co-segmentation technique for s...
7185 For many years, i-vector based audio embeddi...
7186 As a generalization of Riemannian submersion...
7187 In recent years, defect prediction has recei...
7188 We extend the classical notion of the spheri...
7189 The utility of a Markov chain Monte Carlo al...
7190 This paper presents one analytical tidal the...
7191 Zero-curvature representations (ZCRs) are on...
7192 This article presents a multiple sound sourc...
7193 In this paper we present a scalable approach...
7194 We propose a theoretical framework to captur...
7195 A pseudocircle is a simple closed curve on s...
7196 Modeled along the truncated approach in Pani...
7197 The Cholesky decomposition plays an importan...
7198 The combination of recent emerging technolog...
7199 We consider that a network is an observation...
7200 This paper is concerned with the problem of ...
7201 Recently, model-free reinforcement learning ...
7202 We consider the problem of detecting data ra...
7203 Improving effectiveness and safety of patien...
7204 In this paper, we initiate a study of a new ...
7205 Toric Landau--Ginzburg models of Givental's ...
7206 We study the role of the local tidal environ...
7207 In this paper some general theory is present...
7208 The recently-introduced self-learning Monte ...
7209 Optical diffraction tomography (ODT) is a to...
7210 Rational filter functions can be used to imp...
7211 Maps on a parameter space for expressing dis...
7212 The classical ground state magnetic response...
7213 Sparse matrix multiplication is an important...
7214 Let $G$ be a group acting on a tree $T$ with...
7215 A Lagrangian numerical scheme for solving no...
7216 This paper studies optimal time-bounded cont...
7217 In a Web Advertising Traffic Operation the T...
7218 Randomizing the Fourier-transform (FT) phase...
7219 This paper addresses the question of whether...
7220 In this paper, we investigate simultaneous p...
7221 When solving partial differential equations ...
7222 We explore the effect of noise on the ballis...
7223 The design of multi-stable RNA molecules has...
7224 The utility of the notion of generalized dis...
7225 The emission properties of PbTe(111) single ...
7226 While every instance of the Hospitals/Reside...
7227 We describe procedures for converging on and...
7228 Szilard engine(SZE) is one of the best examp...
7229 Latest deep learning methods for object dete...
7230 With the emergence of cloud computing and se...
7231 Recently a certain $q$-Painlevé type system ...
7232 We study the statics and dynamics of a stabl...
7233 We lay foundations of the subject in the tit...
7234 The determination of a finite Blaschke produ...
7235 Background: Component-based modeling languag...
7236 The MIT SuperCloud Portal Workspace enables ...
7237 We propose an estimator of prediction error ...
7238 We set new speed records for multiplying lon...
7239 Metasurface with gradient phase response off...
7240 Let S be a finitely generated subsemigroup o...
7241 Recent advances in molecular simulations all...
7242 Understanding the influence of a product is ...
7243 The emergence of oscillations in models of t...
7244 For clustering of an undirected graph, this ...
7245 The Hyper Suprime-Cam Subaru Strategic Progr...
7246 We propose a practical method for $L_0$ norm...
7247 The interactions between PM2.5 and meteorolo...
7248 The $K_0$-group of the C*-algebra of multipu...
7249 The Gumbel trick is a method to sample from ...
7250 This paper presents a sequential randomized ...
7251 Context: Convectively-driven flows play a cr...
7252 This paper deals with the estimation problem...
7253 Many barred galaxies, possibly including the...
7254 Domain adaptation refers to the process of l...
7255 Colocalization is a powerful tool to study t...
7256 We consider communication over a multiple-in...
7257 In this paper, we investigate the performanc...
7258 We formulate notions of subadditivity and ad...
7259 The Hermite rank appears in limit theorems i...
7260 An extremal point of a positive threshold Bo...
7261 Virtual screening (VS) is widely used during...
7262 The increasing availability of "big" (large ...
7263 While the definition of a fractional integra...
7264 The assertion that every definable set has a...
7265 The scientific community use PDEs to model a...
7266 Enhanced Quality of Service (QoS) and satisf...
7267 Rapid compression machines (RCMs) have been ...
7268 Given an elliptic curve $E/k$ and a Galois e...
7269 On the basis of quasipotential method in qua...
7270 Generative Adversarial Networks (GANs) are p...
7271 We show that finite Milnor-Witt corresponden...
7272 Recently, wind Riemannian structures (WRS) h...
7273 Our solution is implemented in and for the f...
7274 T-310 is a cipher that was used for encrypti...
7275 Deep neural networks (DNNs) are powerful mac...
7276 We present spectra of 5 ultra-diffuse galaxi...
7277 The tie-line scheduling problem in a multi-a...
7278 In this paper, we have predicted the stabili...
7279 La transformoj de Schwarz-Christoffel mapas,...
7280 Humans can imagine a scene from a sound. We ...
7281 As an interdisciplinary discipline, data min...
7282 In this paper, we study twelve stochastic in...
7283 This paper addresses the task of learning an...
7284 We introduce a general method for improving ...
7285 Single-photon detectors in space must retain...
7286 We study the parameterized complexity of sev...
7287 For many years, lunar laser ranging (LLR) ob...
7288 In this article it is proved the existence o...
7289 Attention-based encoder-decoder architecture...
7290 In this article we consider parametric Bayes...
7291 Despite recent advances in reputation techno...
7292 We focus on the cohomology of the $k$-th nil...
7293 Kontsevich and Soibelman reformulated and sl...
7294 An important challenge for human-like AI is ...
7295 Boltzmann provided a scenario to explain why...
7296 The three-dimensional Couette flow between p...
7297 Existing dimensionality reduction methods ar...
7298 Pipelined Krylov subspace methods avoid comm...
7299 In 2012, Ananthnarayan, Avramov and Moore ga...
7300 Trigonometric time integrators are introduce...
7301 Around year 2000 the centenary of Planck's t...
7302 A highly-efficient multi-resonant RF energy-...
7303 Graphical causal models are an important too...
7304 The paper concerns quantile oriented sensiti...
7305 Intensity noise cross-correlation of the pol...
7306 Amino acid sequence portrays most intrinsic ...
7307 Experimental and numerical study of the stea...
7308 We theoretically study the Josephson current...
7309 According to tastes, a person could show pre...
7310 The purpose of this paper is to construct co...
7311 We consider the Godunov numerical method to ...
7312 Let $f$ be a holomorphic curve in $\mathbb{P...
7313 We present safe active incremental feature s...
7314 Social graph construction from various sourc...
7315 We show that a fluid-flow interpretation of ...
7316 Using first--principles density functional c...
7317 We present a method to construct number-cons...
7318 We present a new parallel corpus, JHU FLuenc...
7319 We address single machine problems with opti...
7320 A novel data-driven stochastic robust optimi...
7321 This paper introduces an Algebraic MultiScal...
7322 Software processes improvement (SPI) is a ch...
7323 Analysis of a Bayesian mixture model for the...
7324 Cycloids, hipocycloids and epicycloids have ...
7325 In this paper an algorithm for multi-color i...
7326 Gaussian graphical models are used throughou...
7327 Chariklo is the only small Solar system body...
7328 As a powerful tool of asynchronous event seq...
7329 Studies of the response of the SiD silicon-t...
7330 In this study, a multiple hypothesis trackin...
7331 The $n$-fold Darboux transformation $T_{n}$ ...
7332 The goodness-of-fit test for discrimination ...
7333 Belief Propagation algorithms are instrument...
7334 Interpolation of jointly infeasible predicat...
7335 A one-parametric stochastic dynamics of the ...
7336 Lesion segmentation is the first step in mos...
7337 Support vector data description (SVDD) is a ...
7338 In recent years, supervised learning using C...
7339 The main focus of the analysts who deal with...
7340 Magnetic anisotropies of ferromagnetic thin ...
7341 We create and release the first publicly ava...
7342 The aim of the present manuscript is to pres...
7343 Sometimes it is not enough for a DNN to prod...
7344 We propose the Variational Shape Learner (VS...
7345 We study the cubic wave equation in AdS_(d+1...
7346 The bag of words (BOW) represents a corpus i...
7347 The formation of a singularity in a compress...
7348 This paper investigates how far a very deep ...
7349 The set of Bousfield classes has some import...
7350 The potential benefits of applying machine l...
7351 A class of Actively Calibrated Line Mounted ...
7352 We present AirCode, a technique that allows ...
7353 This paper advances the state of the art in ...
7354 In this paper, drawing intuition from the Tu...
7355 The origin of Phobos and Deimos in a giant i...
7356 Most sales applications are characterized by...
7357 In this paper, we present a simple and modul...
7358 We establish a general connection between ba...
7359 In this report, we present a new face detect...
7360 End-to-end control for robot manipulation an...
7361 For over twenty years, the term 'cosmic web'...
7362 We present a regression technique for data d...
7363 Arguably the biggest challenge in applying n...
7364 Magnetohydrodynamic (MHD) ships represent a ...
7365 With a rapidly increasing number of devices ...
7366 We investigate the time-optimal control prob...
7367 We consider a fundamental open problem in pa...
7368 Adaptive gradient-based optimization methods...
7369 The magnetic response related to paramagneti...
7370 A credal network under epistemic irrelevance...
7371 The Mollow spectrum for the light scattered ...
7372 In this paper we use an approach based on dy...
7373 Extreme mass ratio inspiral (EMRI) events ar...
7374 --- the companies populating a Stock market,...
7375 Offensive or antagonistic language targeted ...
7376 This paper is devoted to a study of infinite...
7377 We present a general analytical formalism to...
7378 Intrinsic stochasticity can induce highly no...
7379 Five year post-transplant survival rate is a...
7380 We investigate the loss surface of neural ne...
7381 It is well known that functions in involutio...
7382 For decades, context-dependent phonemes have...
7383 A common problem to all applications of line...
7384 We have measured the resistivity, the thermo...
7385 Quantum walks, in virtue of the coherent sup...
7386 Resonant inelastic X-ray scattering (RIXS) e...
7387 Mathematical modelling of tumor growth is on...
7388 The rise of digital and mobile communication...
7389 In today's education systems, there is a dee...
7390 We propose statistical inferential procedure...
7391 One-bit measurements widely exist in the rea...
7392 The computational complexity of kernel metho...
7393 AutoML serves as the bridge between varying ...
7394 In the presence of renewable resources, dist...
7395 Assortative mixing in networks is the tenden...
7396 Neural machine translation models rely on th...
7397 During the upstroke of a normal eye blink, t...
7398 In the k-mappability problem, we are given a...
7399 Music creation is typically composed of two ...
7400 Simulation Optimization (SO) refers to the o...
7401 Variational autoencoders (VAEs) learn repres...
7402 We examine the conditions under which materi...
7403 The diffusion of information has been widely...
7404 We propose a few fundamental techniques to o...
7405 A loop-augmented forest is a labeled rooted ...
7406 Reproducing experiments is an important inst...
7407 The recently proposed adversarial training m...
7408 A parameterised Boolean equation system (PBE...
7409 We present the measurement of the kinematic ...
7410 Statistical relational frameworks such as Ma...
7411 In contrast to simple monatomic alkali and h...
7412 Modern operating systems such as Android, iO...
7413 Conditional independence of treatment assign...
7414 We describe the first ever implementation of...
7415 Magnetic resonance image (MRI) reconstructio...
7416 We give lower bounds for the degree of multi...
7417 An important application of haptic technolog...
7418 We study the topological dynamics of the hor...
7419 The waist size of a cusp in an orientable hy...
7420 Motivated by recent work on strain-induced p...
7421 Abstract separation logics are a family of e...
7422 We consider two polytopes. The quadratic ass...
7423 XGBoost is often presented as the algorithm ...
7424 We investigate the superfluid behavior of a ...
7425 Game analytics supports game development by ...
7426 We look at Bohemian matrices, specifically t...
7427 Over the past years, distributed energy reso...
7428 Dynamic evidence logics are logics for reaso...
7429 Researchers are often interested in assessin...
7430 Point location problems for $n$ points in $d...
7431 We consider the statistical inverse problem ...
7432 Recently proposed models which learn to writ...
7433 This paper presents design and experimental ...
7434 An $A_1-A_\infty$ estimate improving a previ...
7435 We state the Ramsey property of classes of o...
7436 We investigate a cognitive radio system wher...
7437 Homophily can put minority groups at a disad...
7438 Imprecise and incomplete specification of sy...
7439 We discuss unique existence and microlocal r...
7440 In this correspondence, we propose a new rec...
7441 One of the major open problems in computer v...
7442 Given two or more Deep Neural Networks (DNNs...
7443 For the quantification of QoE, subjects ofte...
7444 Observations of the highly-eccentric (e~0.9)...
7445 Many biological data analysis processes like...
7446 We study the Josephson effect of a $\rm{T_1 ...
7447 Version information plays an important role ...
7448 In multiband systems, such as iron-based sup...
7449 A pervasive belief with regard to the differ...
7450 In this paper, we present a unified end-to-e...
7451 The critical temperature (TC) of MgB2, one o...
7452 This article describes the motivation, desig...
7453 Reinforcement learning is a promising approa...
7454 The Neo-Deterministic Seismic Hazard Assessm...
7455 Syllabification does not seem to improve wor...
7456 Persistent homology studies the evolution of...
7457 We measure the alignment of the shapes of ga...
7458 In this paper, we consider the degenerate St...
7459 How useful can machine learning be in a quan...
7460 The spatial distribution of elemental abunda...
7461 Dose-Response Functions (DRFs) are widely us...
7462 The present work addressed in this thesis in...
7463 This paper presents a solution for persisten...
7464 In this paper, we propose a novel sufficient...
7465 The unified gas kinetic scheme (UGKS) is a d...
7466 Legged robots pose one of the greatest chall...
7467 In this work, we prove an existence result f...
7468 In this note, we establish the following Sec...
7469 We prove a range of new sum-product type gro...
7470 Computing the inverse covariance matrix (or ...
7471 To date, germanene has only been synthesized...
7472 We introduce quiver gauge theory associated ...
7473 We image vortex creep at very low temperatur...
7474 Strategic interactions between competitive e...
7475 We investigate pivot-based translation betwe...
7476 Semiconductor quantum dots (QDs) doped with ...
7477 In this chapter, we show how the use of diff...
7478 We develop a new approach to solving classif...
7479 In the paper "Randomizations of Scattered Se...
7480 Kaplansky Zero Divisor Conjecture states tha...
7481 I describe a relation (mostly conjectural) b...
7482 Word embeddings provide point representation...
7483 In many areas, practitioners seek to use obs...
7484 A reinforcement algorithm solves a classical...
7485 We present an approach to accelerating a wid...
7486 HIV RNA viral load (VL) is an important outc...
7487 We consider a relativistic charged particle ...
7488 This paper presents a distributed stochastic...
7489 Transform methods, like Laplace and Fourier,...
7490 We consider the dynamics of belief propagati...
7491 Entity resolution (ER) presents unique chall...
7492 Since CoRoT observations unveiled the very l...
7493 Certain analytical expressions which "feel" ...
7494 This paper presents a problem of model learn...
7495 If the topological insulator Bi$_{2}$Se$_{3}...
7496 We show that in any $\mathbb{Q}$-Gorenstein ...
7497 Let $G^{(r)}$ denote the metaplectic coverin...
7498 This paper introduces a generalization of Co...
7499 We investigate the Standard Model (SM) with ...
7500 Deep neural networks coupled with fast simul...
7501 Surfactant solutions exhibit multilamellar s...
7502 A topological group $G$ is B-amenable if and...
7503 A new generation of 3D silicon pixel detecto...
7504 Microwave Kinetic Inductance Devices (MKIDs)...
7505 The practical impact of abstraction-based co...
7506 We propose a novel denoising framework for t...
7507 We consider the three dimensional Vlasov-Poi...
7508 Photography usually requires optics in conju...
7509 This paper brings the novel idea of paying t...
7510 We consider the problem of individual-specif...
7511 The emergent field of probabilistic numerics...
7512 We study effect of cavity collapse in non-id...
7513 We present a simple quantile regression-base...
7514 Let $B = \left\{ B\left( x\right),\, x\in \m...
7515 Named entity classification is the task of c...
7516 Latent space models are effective tools for ...
7517 We tackle the challenge of topic classificat...
7518 The context of this research is testing and ...
7519 This work studies which storage mechanisms i...
7520 Non-convex optimization with local search he...
7521 We have performed Joule power loss calculati...
7522 We report an exact likelihood computation fo...
7523 The experimental design problem concerns the...
7524 In machine learning or statistics, it is oft...
7525 We establish a correspondence on a Riemann s...
7526 Nonnegative matrix factorization (NMF) has b...
7527 Modern search techniques either cannot effic...
7528 We obtain new uniform bounds for the symmetr...
7529 We present several continued fraction algori...
7530 Most neural-network based speaker-adaptive a...
7531 This paper considers the problem of statisti...
7532 We show that the social dynamics responsible...
7533 The fusion of Iterative Closest Point (ICP) ...
7534 In this paper we use the theory of computing...
7535 The pairing symmetry of interacting Dirac fe...
7536 We study causal inference in a multi-environ...
7537 The notion of linear exponential comonads on...
7538 This paper proposes an original statistical ...
7539 Domain adaptation refers to the problem of l...
7540 Atomically thin semiconductors have dimensio...
7541 A conceptual and computational framework is ...
7542 This paper introduces Colossus, a public, op...
7543 Second generation sequencing technologies ar...
7544 Many modern video processing pipelines rely ...
7545 Since the matrix formed by nonlocal similar ...
7546 Contextual bandit algorithms -- a class of m...
7547 We demonstrate light-induced localization of...
7548 A variety of real-world processes (over netw...
7549 The search of binary sequences with low auto...
7550 We study the asymptotic behavior of the marg...
7551 Security-critical tasks require proper isola...
7552 Data on rates, percentages or proportions ar...
7553 PageRank has numerous applications in inform...
7554 Remote sensing experiments require high-accu...
7555 We discuss the GIT moduli of semistable pair...
7556 We provide a novel and simple description of...
7557 We describe a method of reconstructing air s...
7558 Weyl's original scale geometry of 1918 ("pur...
7559 This paper explores the discrete Dynamic Cau...
7560 As the effort to scale up existing quantum h...
7561 The Allan Variance (AV) is a widely used qua...
7562 Current tools for exploratory data analysis ...
7563 We consider the stochastic composition optim...
7564 Enabling artificial agents to automatically ...
7565 The paper adapts the large deformation diffe...
7566 The determination of the morphology of galax...
7567 The spin-1/2 triangular lattice antiferromag...
7568 The location of radio pulsars in the period-...
7569 In this paper we prove that any immersed sta...
7570 We have carried out a systematic search for ...
7571 Now a days several organizations are moving ...
7572 The Brazilian Ministry of Health has selecte...
7573 The minimum volume enclosing ellipsoid (MVEE...
7574 The interest in memristors has risen due to ...
7575 Biological and artificial neural systems are...
7576 A major investment made by a telecom operato...
7577 We consider the problem of detecting out-of-...
7578 The possibility of solving the Bethe-Salpete...
7579 In this paper we show novel underlying conne...
7580 We prove that a smooth well formed Fano weig...
7581 We examine the relationship between social s...
7582 Fabrication of atomic scale of metallic wire...
7583 The universal homogeneous triangle-free grap...
7584 Let $F$ be a non-Archimedean local field. We...
7585 Let $Q_n=[0,1]^n$ be the unit cube in ${\mat...
7586 Recent experimental results point to the exi...
7587 Sensors are present in various forms all aro...
7588 We study the problem of edit similarity join...
7589 In this study, we introduce a new approach t...
7590 We consider a general statistical linear inv...
7591 Short, high charge electron bunches can driv...
7592 Magnetic systems with spins sitting on a lat...
7593 Let $R$ be the homogeneous coordinate ring o...
7594 The Wasserstein metric is introduced as a pr...
7595 Word embeddings are representations of indiv...
7596 We theoretically investigate normal-state pr...
7597 The goal of Machine Learning to automaticall...
7598 The Noh verification test problem is extende...
7599 We associate with an infinite cyclic cover o...
7600 Recent years have seen a sharp increase in t...
7601 Coherent uncertainty quantification is a key...
7602 Inference in the presence of outliers is an ...
7603 A {\it universal labeling} of a graph $G$ is...
7604 Online games provide a rich recording of int...
7605 We study theoretically the topological surfa...
7606 Given a 2-crossing minimal chart $\Gamma$, a...
7607 Assistive robotics and particularly robot co...
7608 We study superconvergence property of the li...
7609 This paper proposes a multichannel source se...
7610 Pore space characteristics of biochars may v...
7611 We present a first-principles-based many-bod...
7612 Upon thermal annealing at or above room temp...
7613 Parametric imaging is a compartmental approa...
7614 Current recommender systems exploit user and...
7615 We consider some properties of integrals con...
7616 We give complexity analysis of the class of ...
7617 Thermodynamic potential of a neutral two-dim...
7618 Redis is an in-memory data structure store, ...
7619 We discuss the existence of ground state sol...
7620 We present the study of the dark soliton dyn...
7621 The exchange interaction between magnetic io...
7622 We perform polarimetry analysis of 20 active...
7623 Let $N$ be a closed enlargeable manifold in ...
7624 A programmable optical computer has remained...
7625 The main Theorem of Jain et al.[Jain, K., Si...
7626 N-methylformamide, CH3NHCHO, may be an impor...
7627 In this paper, we study the development of a...
7628 An alternative to Density Functional Theory ...
7629 The identification of the minimal set of nod...
7630 Let $(X, g^+)$ be an asymptotically hyperbol...
7631 Clinical NLP has an immense potential in con...
7632 We propose a novel online predictor for disc...
7633 This article deals with a Markov process rel...
7634 We look for an enhancement of the correspond...
7635 Active learning has long been a topic of stu...
7636 Here, we report orbital-free density-functio...
7637 In this contribution, we summarize the progr...
7638 Given $3 \leq k \leq s$, we say that a $k$-u...
7639 Among the different biomarkers of aging base...
7640 Effective and efficient mitigation of malwar...
7641 Holes and clumps in the interstellar gas of ...
7642 In this paper, we report on the visualizatio...
7643 We present a neural network architecture bas...
7644 We are interested in attribute-guided face g...
7645 In unsupervised data generation tasks, besid...
7646 We extend certain classical theorems in plur...
7647 We report an inconsistency found in probabil...
7648 Recently, a test for a sign-changing gap fun...
7649 Handheld Augmented Reality commonly implemen...
7650 In this paper, we propose a distributed prim...
7651 We consider inverse dynamic and spectral pro...
7652 Let $X$ be a quasi-affine algebraic variety ...
7653 Gaussian process (GP) regression is a powerf...
7654 We study the most probable trajectories of t...
7655 Many topics in planetary studies demand an e...
7656 Scanning Microwave Impedance Microscopy (MIM...
7657 It has long been known that Feedback Vertex ...
7658 The mechanisms for strong electron-phonon co...
7659 Competitive equilibrium from equal incomes (...
7660 The author showed that any homogeneous algeb...
7661 Automatic sleep staging is a challenging pro...
7662 The one-dimensional wakefield generation equ...
7663 We show that the permutation complexity of t...
7664 We propose the predictability, computability...
7665 Let $M$ be an atomic monoid and let $x$ be a...
7666 Stable topological invariants are a cornerst...
7667 We consider minimal non-negative Jacobi oper...
7668 Geodesic Monte Carlo (gMC) is a powerful alg...
7669 Recently, a review concluded that Google Sch...
7670 The problem of gas detection is relevant to ...
7671 We discuss the correspondence between the Kn...
7672 We experimentally and numerically investigat...
7673 This paper presents a combinatorial construc...
7674 Statistics derived from the eigenvalues of s...
7675 We show that, in an Artin-Tits group of sphe...
7676 We explore a probabilistic model of an artis...
7677 As machine learning algorithms become increa...
7678 Customer retention campaigns increasingly re...
7679 A quite general device analysis method that ...
7680 For a wide class of Hermitian random matrice...
7681 This paper proposes Power Slow Feature Analy...
7682 The behavior of matter near a quantum critic...
7683 Biological systems, from a cell to the human...
7684 One of the most challenging tasks for a flyi...
7685 Efforts to reduce the numerical precision of...
7686 We prove that the functor associating to a r...
7687 Determinantal point processes (DPPs) have wi...
7688 We theoretically propose that Weyl semimetal...
7689 Variability management of process models is ...
7690 We propose the use of three-dimensional Dira...
7691 The objective of this paper is to use transf...
7692 Many modern applications deal with multi-lab...
7693 Training robots for operation in the real wo...
7694 The need to efficiently calculate first- and...
7695 In this paper, we propose a method for impor...
7696 Wave theories of heating the chromosphere, c...
7697 An unconventional spin-rotation mode emergin...
7698 It is interesting and of significant importa...
7699 Given two continuous functions $f,g:I\to\mat...
7700 We study effective versions of unlikely inte...
7701 Recommenders have become widely popular in r...
7702 Let $M$ be a nilmanifold with a fundamental ...
7703 Fog computing enables use cases where data p...
7704 This document describes a code to perform pa...
7705 This paper describes our approach to the Bos...
7706 In spherical symmetry with radial coordinate...
7707 Audio events are quite often overlapping in ...
7708 We study exact solutions of the quasi-one-di...
7709 A novel text-independent speaker identificat...
7710 We argue that hardware modularity plays a ke...
7711 We give a new bound on the number of colline...
7712 Visinelli and Gondolo (2015, hereafter VG15)...
7713 Some Poisson structures do admit resolutions...
7714 There is an interest to replace computed tom...
7715 We calculate the specific heat of a weakly i...
7716 Inference models are a key component in scal...
7717 To many statisticians and citizens, the outc...
7718 This paper aims at solving a one-dimensional...
7719 We study the spectrophotometric properties o...
7720 We study N interacting random walks on the p...
7721 This paper addresses the problem of estimati...
7722 In a recent note [8], the author provides a ...
7723 A memristor is one of four fundamental two-t...
7724 Ratio of medians or other suitable quantiles...
7725 We give a new proof of Salvati's theorem tha...
7726 We propose and compare several projection me...
7727 We propose a novel approach for using unsupe...
7728 Koszul algebras with quadratic Groebner base...
7729 Community discovery in the social network is...
7730 Debugging transactions and understanding the...
7731 The LinkedIn Salary product was launched in ...
7732 Quantum bits based on individual trapped ato...
7733 Fault detection problem for closed loop unce...
7734 Given an $n$-sample drawn on a submanifold $...
7735 Learning to Optimize is a recently proposed ...
7736 We present and analyze a new space-time fini...
7737 A packing $k$-coloring for some integer $k$ ...
7738 Social networks involve both positive and ne...
7739 The significance of topological phases has b...
7740 We measured the absolute frequency of the $^...
7741 This paper gives foundational results for th...
7742 Identifying meaningful signal buried in nois...
7743 Hyperspectral analysis has gained popularity...
7744 Antihydrogen is at the forefront of antimatt...
7745 The control of the ultracold collisions betw...
7746 This paper develops non-parametric rotation ...
7747 The mechanism behind angular momentum transp...
7748 In the context of robotic underwater operati...
7749 We introduce Casper, a proof of stake-based ...
7750 Crowdsourcing has emerged as a paradigm for ...
7751 We apply the nested algebraic Bethe ansatz t...
7752 We find the $E$-polynomials of a family of p...
7753 We discuss the derivation of a low-energy ef...
7754 We prove that if two knots are concordant, t...
7755 Spectrally efficient multi-antenna wireless ...
7756 We study kernel least-squares estimation und...
7757 We present a novel method for determining th...
7758 In this paper, we show that the motive $HP^n...
7759 This is a continuation and completion of the...
7760 This paper shows that authors have no consis...
7761 We consider the interaction between distinct...
7762 In this paper, we prove that, given a clique...
7763 The functional window is an experimentally o...
7764 The practice of evidence-based medicine (EBM...
7765 In this article we provide a systematic way ...
7766 This paper investigates the lateral pull-in ...
7767 We answer Mark Kac's famous question, "can o...
7768 Machine learning models are vulnerable to Ad...
7769 In this paper, we propose novel energy effic...
7770 Discriminative Correlation Filter (DCF) base...
7771 We investigate multitarget search on complex...
7772 We set a new upper limit on the abundance of...
7773 Hierarchical clustering is a class of algori...
7774 We introduce physics informed neural network...
7775 Escardó and Simpson defined a notion of inte...
7776 We apply basic statistical reasoning to sign...
7777 Root Cause Analysis for Anomalies is challen...
7778 Neural networks have been shown to have a re...
7779 Bayesian inference requires approximation me...
7780 Two node variables determine the evolution o...
7781 Nowadays, the major challenge in machine lea...
7782 The problem of constrained coverage path pla...
7783 Design of next generation computer systems s...
7784 Let $L/K$ be a finite Galois extension of nu...
7785 This paper is to explore the possibility to ...
7786 This is a survey article, based on the autho...
7787 We consider a double layered prestrained ela...
7788 Heterogeneous information networks (HINs) ar...
7789 Information bottleneck [IB] is a technique f...
7790 A central problem in graph mining is finding...
7791 We present a complete resolution of the Abra...
7792 Process induced efficiency variation is a ma...
7793 This paper will serve as an introduction to ...
7794 Orthogonal matching pursuit (OMP) is a widel...
7795 Linear complementary-dual (LCD for short) co...
7796 This is a report of a joint work with E. Jär...
7797 We theoretically investigate the possibility...
7798 Family of quasi-arithmetic means has a natur...
7799 We explicitly construct families of integrab...
7800 Existing deep multitask learning (MTL) appro...
7801 The execution logs that are used for process...
7802 We consider the initial value problem for th...
7803 A framework of variational principles for st...
7804 Inspired by recent work of P.-L. Lions on co...
7805 Allosteric proteins transmit a mechanical si...
7806 We discuss the application of the Agapito Cu...
7807 A SensL MicroFC-SMT-60035 6x6 mm$^2$ silicon...
7808 We propose a reduction for non-convex optimi...
7809 Learning algorithms for implicit generative ...
7810 Network coding based peer-to-peer streaming ...
7811 The baryon-acoustic oscillation (BAO) featur...
7812 By means of the present geometrical and dyna...
7813 This paper describes InfoCatVAE, an extensio...
7814 We study the parity of 2-Selmer ranks in the...
7815 Social networks often provide only a binary ...
7816 For marketing or power grid management purpo...
7817 We classify the Ulrich vector bundles of arb...
7818 In this paper we show that a $k$-shellable s...
7819 The most commonly used weighted least square...
7820 A closed four dimensional manifold cannot po...
7821 We demonstrate the potential of Deep Learnin...
7822 We consider the task of identifying attitude...
7823 Each training step for a variational autoenc...
7824 We introduce a new audio processing techniqu...
7825 Thermoelectric (TE) measurements have been p...
7826 Autonomous systems can substantially enhance...
7827 The interaction between thin structures and ...
7828 Suspensions of self-propelled bodies generat...
7829 In this manuscript, we will discuss the cons...
7830 In this work, we formulate the fixed-length ...
7831 Predicting the ground state of alloy systems...
7832 This paper gives a short survey of some basi...
7833 As opposed to manual feature engineering whi...
7834 In spin ice research, small variations in st...
7835 We present a hybrid neural network and rule-...
7836 In the creation of a smart future informatio...
7837 Any acceptable quantum gravity theory must a...
7838 We develop a method to estimate from data tr...
7839 Self-taught learning is a technique that use...
7840 We will develop a computational method (Regi...
7841 This note discusses proofs for convergence o...
7842 We give a new class of multidimensional $p$-...
7843 We present new SINFONI near-infrared integra...
7844 We present several formulae for the large-$t...
7845 We propose a distributed version of a stocha...
7846 We propose expected policy gradients (EPG), ...
7847 The behavior of a new Hysteretic Nonlinear E...
7848 This paper demonstrates designing and develo...
7849 To support scientific visualization of multi...
7850 Learning with auxiliary tasks has been shown...
7851 The High-Altitude Water-Cherenkov (HAWC) exp...
7852 In this work, we study two models of arbitra...
7853 We propose three properties that are related...
7854 We propose generative neural network methods...
7855 The radioactive daughters isotope of 222Rn a...
7856 We consider the problem of provably optimal ...
7857 \cite{HillMotegi2017} present a new general ...
7858 Applications of safety, security, and rescue...
7859 The theoretical study of the optical propert...
7860 High dimensional superposition models charac...
7861 Developers spend a significant amount of tim...
7862 Tens of millions of new variable objects are...
7863 The multivariate nonlinear Granger causality...
7864 The dynamic dielectric nonlinearity of bariu...
7865 Nonlinear modal decoupling (NMD) was recentl...
7866 We report the discovery of KELT-18b, a trans...
7867 Statistical analyses of directional or angul...
7868 Two-timescale Stochastic Approximation (SA) ...
7869 We consider Y-system functional equations of...
7870 We address the problem of estimating statist...
7871 The ground state of the spin-$1/2$ Heisenber...
7872 This work extends the results known for the ...
7873 We study the Riemann-Hilbert problems associ...
7874 We provide new theoretical insights on why o...
7875 The task of multi-label learning is to predi...
7876 In iterative supervised learning algorithms ...
7877 We propose a general framework to learn deep...
7878 Based on the meteorological data from 1960 t...
7879 Video popularity is an essential reference f...
7880 Many artificial intelligence (AI) applicatio...
7881 A complete foundational discussion of accele...
7882 We consider stochastic multi-armed bandit pr...
7883 Supervised object detection and semantic seg...
7884 The aim of this paper is to characterize the...
7885 Three-dimensional (3D) color codes have adva...
7886 This paper explores supervised techniques fo...
7887 Early in 2016, an environmental scan was con...
7888 We demonstrate non-volatile, n-type, back-ga...
7889 Memristive crossbars have become a popular m...
7890 Cholanaikkans are a diminishing tribe of Ind...
7891 As both light transport simulation and reinf...
7892 Using a high energy electron beam for the im...
7893 Developmental Robotics offers a new approach...
7894 Even todays most advanced machine learning m...
7895 We simulate boron on Pb(110) surface by usin...
7896 Model-based reinforcement learning (RL) meth...
7897 The use of color in QR codes brings extra da...
7898 Emission from the molecular ion H$_3^+$ is a...
7899 We show how well known rules of back propaga...
7900 Large collections of videos are grouped into...
7901 Requirements elicitation requires extensive ...
7902 We present the results of neutron scattering...
7903 On Kickstarter only 36% of crowdfunding camp...
7904 In (Franceschi et al., 2018) we proposed a u...
7905 Potential functionals have been introduced r...
7906 We present simple deterministic algorithms f...
7907 We consider finite-dimensional irreducible t...
7908 Instruments to visualize transient structura...
7909 As high-throughput biological sequencing bec...
7910 We present a real-time feature-based SLAM (S...
7911 The purpose of this paper is to carry out a ...
7912 We present a set of full evolutionary sequen...
7913 We study the uniqueness of complete biconser...
7914 We present the mapping of a class of simplif...
7915 Junior, Machado and Zuluaga (2011) studied a...
7916 Monte Carlo simulations using MCNP6.1 were p...
7917 Here we present a new approach to deal with ...
7918 Significant research has been conducted in r...
7919 In this paper we prove the strong consistenc...
7920 Besides their huge technological importance,...
7921 Neural network based machine learning is eme...
7922 This paper conducts a rigorous analysis for ...
7923 The distance between the true and numerical ...
7924 In this article we prove that the first eige...
7925 On a variety of complex decision-making task...
7926 Network embedding aims at projecting the net...
7927 This research aims to identify how Bitcoin-r...
7928 Optical properties of the photonic crystal c...
7929 Many settings involve sequential decision-ma...
7930 Existing methods for dealing with knowledge ...
7931 In the seminal work [9], several macroscopic...
7932 In this paper, an approach to controller des...
7933 The recent 'Planet Nine' hypothesis has led ...
7934 We consider differential-difference equation...
7935 Random forests have become an important tool...
7936 For two complex vector bundles admitting a h...
7937 Both resources in the natural environment an...
7938 We propose a novel technique for analyzing a...
7939 Computing polarised intensities from noisy d...
7940 In the spatial point process context, kernel...
7941 We study CR geometry in arbitrary codimensio...
7942 With the widespread use of information techn...
7943 Receiver operating characteristic (ROC) curv...
7944 Maximum entropy modeling is a flexible and p...
7945 The variational tensor network renormalizati...
7946 We propose a general framework for nonasympt...
7947 A regular language $L$ is union-free if it c...
7948 Piecewise Deterministic Markov Processes (PD...
7949 Language models (LM) are very powerful in li...
7950 Millisecond pulsars (MSPs) have a great pote...
7951 We propose to use optical antennas made out ...
7952 Following the success of type Ia supernovae ...
7953 High-precision modeling of subatomic particl...
7954 Entropy Search (ES) and Predictive Entropy S...
7955 In the recent article [Jentzen, A., Müller-G...
7956 The advancement of nanoscale electronics has...
7957 This article studies the recovery of graphon...
7958 5G millimeter wave (mmWave) technology is en...
7959 Plants monitor their surrounding environment...
7960 Humans are able to identify a referred visua...
7961 We present a novel technique for learning th...
7962 The characteristics of the gravitational col...
7963 We consider the multi-cell joint power contr...
7964 This is a copy of the article published in I...
7965 We propose a new expression for the response...
7966 In this paper we propose a novel algorithm t...
7967 In this paper we discuss the N$\acute{e}$el ...
7968 Since multimedia streaming has become very p...
7969 In this paper we complete the determination ...
7970 This manuscript proposes a novel empirical B...
7971 Distributed and cloud storage systems are us...
7972 The MoEDAL experiment at the LHC is optimise...
7973 It is likely that most protostellar systems ...
7974 We review recent progress in modeling credit...
7975 As in many other scientific domains, we face...
7976 Despite increasing focus on data publication...
7977 A classic approach for learning Bayesian net...
7978 New method to simulate heat transport in mul...
7979 We show that the any nonempty open set on a ...
7980 In this paper, we shall prove that a grand F...
7981 We prove continuity of a controlled SDE solu...
7982 We analyze the evolution of Fe XII coronal p...
7983 We investigate the size scaling of the macro...
7984 We consider time-dependent viscous Mean-Fiel...
7985 High-resolution imaging reveals a large morp...
7986 Fix sets $X$ and $Y$, and write $\mathcal{PT...
7987 Exploiting others is beneficial individually...
7988 The theory of graph limits represents large ...
7989 Dispersal is ubiquitous throughout the tree ...
7990 A vortex in a Bose-Einstein condensate on a ...
7991 Hidden Quantum Markov Models (HQMMs) can be ...
7992 Gradient descent is commonly used to solve o...
7993 Large-scale deep neural networks are both me...
7994 Stochastic variance reduction algorithms hav...
7995 We give a proof of a conjecture raised by Mi...
7996 In this note we prove the instability by blo...
7997 We study a stochastic particle system with a...
7998 This paper applies He's new amplitude-freque...
7999 The complex Lie superalgebras $\mathfrak{g}$...
8000 We report magnetotransport measurements on m...
8001 We address the general mathematical problem ...
8002 This article proposes a mixture modeling app...
8003 Dual Fabry-Perot-Cavity-based Optical Refrac...
8004 We develop the theory of modulated operators...
8005 GALEX detected a significant fraction of ear...
8006 We present a new decision procedure for the ...
8007 Given a polynomial $q(z):=a_0+a_1z+\dots+a_n...
8008 This paper analyzes directional tracking in ...
8009 Study shows that software developers spend a...
8010 Many current and future exoplanet missions a...
8011 Modern topic identification (topic ID) syste...
8012 Spiking neural networks (SNNs) enable power-...
8013 Determinantal point processes (DPPs) are dis...
8014 Brownian motion has served as a pilot of stu...
8015 This paper describes the use of the idea of ...
8016 Owing to their connection with generative ad...
8017 Precision robotic pollination systems can no...
8018 The theoretical existence of non-classical S...
8019 Keyword spotting--or wakeword detection--is ...
8020 Radiobiology studies on the effects of galac...
8021 Pose Graph Optimization involves the estimat...
8022 Extending the notion of Frobenius-splitting,...
8023 Latent Block Model (LBM) is a model-based me...
8024 In this note, we point out a basic link betw...
8025 In this paper we introduce a new framework t...
8026 Coresets are compact representations of data...
8027 In a recent work on fluid infiltration in a ...
8028 In the case of a linear state space model, w...
8029 A new class of functions, called the `Inform...
8030 The main inspiration for this paper is a pap...
8031 Exploratory data analysis is crucial for dev...
8032 In this work, we investigate the surface the...
8033 We present a new approach for generating clu...
8034 Earth's climate, mantle, and core interact o...
8035 We find the form of the refractive index suc...
8036 Semantic Textual Similarity (STS) measures t...
8037 Observations show that luminous blue variabl...
8038 The collective behaviour of people adopting ...
8039 The Phase Tensor (PT) marked a breakthrough ...
8040 In this paper we propose an implement a gene...
8041 Compound-specific chlorine isotope analysis ...
8042 Advent of new materials such as van der Waal...
8043 In this paper, we establish equivariant mirr...
8044 Generative adversarial networks (GANs) trans...
8045 We report results from twelve simulations of...
8046 The current-voltage characteristics of a new...
8047 The discriminative approach to classificatio...
8048 Recurrent neural networks have been extensiv...
8049 Scanning probe microscopy (SPM) has been ext...
8050 SGD (Stochastic Gradient Descent) is a popul...
8051 On the occasion of the 80th anniversary of t...
8052 Mobile AdHoc NETworks (MANETs) have been ide...
8053 In real world, there is a significant relati...
8054 Message importance measure (MIM) is applicab...
8055 This paper addresses the problem of multi-vi...
8056 Bakground: With the proliferation of availab...
8057 Falling oil revenues and rapid urbanization ...
8058 A wide range of human-robot collaborative ap...
8059 Co3Si was recently reported to exhibit remar...
8060 We construct examples of modular rigid Calab...
8061 We consider an infinite-buffer single-server...
8062 The minimal number of rooted subtree prune a...
8063 An analytical model of Human-Robot (H-R) coo...
8064 Aim: The Akaike information Criterion (AIC) ...
8065 In order to understand the exoplanet, you ne...
8066 The use of drug combinations, termed polypha...
8067 Musical intervals in multiple of semitones u...
8068 We show that the knowledge of Dirichlet to N...
8069 This is part of a collection of discussion p...
8070 In this paper we consider a control problem ...
8071 Binomial random intersection graphs can be u...
8072 We present a new compressed representation o...
8073 The multivariate linear regression model wit...
8074 We present here a model for instantaneous co...
8075 Today's high-performance computing (HPC) sys...
8076 Real-world networks often have power-law deg...
8077 Word similarities affect language acquisitio...
8078 We prove weighted $L_{p,q}$-estimates for di...
8079 We give several sharp estimates for a class ...
8080 Phase retrieval refers to the problem of rec...
8081 We derive a representation formula for the t...
8082 We consider the problem of sequential detect...
8083 LaCasa is a type system and programming mode...
8084 Autonomous control systems onboard planetary...
8085 In this paper, we we study boundary layer pr...
8086 From scientific experiments to online A/B te...
8087 INTRODUCTION: Advanced machine learning meth...
8088 Part I of this work [2] developed the exact ...
8089 Much combinatorial optimisation problems con...
8090 In 1993, Bismut and Zhang establish a mod Z ...
8091 Sparse deep neural networks(DNNs) are effici...
8092 The syntactic structure of a sentence can be...
8093 In this paper, we aim to establish a new sha...
8094 In this article, we use the strong law of la...
8095 Using the "enthalpy-based thermal evolution ...
8096 Particle filters are a popular and flexible ...
8097 This paper presents a hybrid control framewo...
8098 We have performed realistic atomistic simula...
8099 In this paper, we investigate effective sket...
8100 Recommender systems are widely used to predi...
8101 The nonrelativistic variational calculation ...
8102 We formulate an optimization problem to cont...
8103 There is no free lunch, no single learning a...
8104 Given multi-platform genome data with prior ...
8105 Spin torque oscillators placed onto a nonmag...
8106 We study complementary information set codes...
8107 Objectives: Discussions of fairness in crimi...
8108 The article analysis was carried out within ...
8109 We investigate the spin-Brauer diagram algeb...
8110 Using muon spin rotation it is shown that th...
8111 This paper studies the contraction propertie...
8112 Let $H$ be a Hopf quasigroup with bijective ...
8113 Sparse dictionary learning (SDL) has become ...
8114 We consider the problem of identifying the m...
8115 We present various identities involving the ...
8116 In this work, the magneto-resistance (MR) of...
8117 Morpheo is a transparent and secure machine ...
8118 We obtain the Hölder regularity of time deri...
8119 Based on the third allotropic form of carbon...
8120 Which topics of machine learning are most co...
8121 This study proposes a mixed logit model with...
8122 Tuning band gaps in two-dimensional (2D) mat...
8123 The Michaelis-Menten mechanism is probably t...
8124 Given an unconstrained stream of images capt...
8125 Graphene has the potential to make a very si...
8126 Using Brownian motion in periodic potentials...
8127 We observe the breakup dynamics of an elonga...
8128 Conical density theorems are used in the geo...
8129 Despite the wealth of $Planck$ results, ther...
8130 Giant impacts (GIs) are common in the late s...
8131 Expectation for the emergence of higher func...
8132 Generative Adversarial Network (GAN) and its...
8133 Fairness by decision-makers is believed to b...
8134 This paper presents a stochastic logic time ...
8135 Photosynthetic organisms rely on a series of...
8136 We prove a Chernoff-type bound for sums of m...
8137 Cognitive neuroscience is enjoying rapid inc...
8138 Automatic body part recognition for CT slice...
8139 Word obfuscation or substitution means repla...
8140 One of the remaining obstacles to approachin...
8141 Recent developments of imaging techniques en...
8142 We consider semiparametric transformation mo...
8143 If $\mathfrak{p} \subseteq \mathbb{Z}[\zeta]...
8144 One big challenge that hinders the transitio...
8145 We present a study of social networks based ...
8146 Platinum diselenide (PtSe2) is an exciting n...
8147 A one-parameter family of long-range resonat...
8148 The log-Gaussian Cox process is a flexible a...
8149 The MISRA project started in 1990 with the m...
8150 Estimation of a hand grip force is essential...
8151 We investigate probabilistic graphical model...
8152 This article investigates a fast and stable ...
8153 In this article we us the mean curvature flo...
8154 We extend the idea of conformal attractors i...
8155 Conventional wisdom holds that model-based p...
8156 The prefrontal cortex is known to be involve...
8157 Atomic-size spin defects in solids are uniqu...
8158 Pairwise "same-cluster" queries are one of t...
8159 Light (pseudo-)scalar fields are promising c...
8160 Tor is a low-latency anonymity system intend...
8161 This paper presents machine learning experim...
8162 LRS (Locally Rotationally symmetric) Bianchi...
8163 Learning from many real-world datasets is li...
8164 A family of sets is said to be \emph{symmetr...
8165 In the last fifteen the subset sampling meth...
8166 In this work, we consider solutions of the M...
8167 We consider a problem of diagnostic pattern ...
8168 For Riesz $s$-potentials $K(x,y)=|x-y|^{-s}$...
8169 We show that in algebraically locally finite...
8170 The multiway rendezvous introduced in Theore...
8171 We study an online multiple testing problem ...
8172 In this paper we characterize the set of pol...
8173 We consider a class of kinetic models for po...
8174 Maximal equilibrium-independent passivity (M...
8175 The volume of data generated by modern astro...
8176 In the quasi-1D heavy-fermion system YbNi$_4...
8177 Wildland fire dynamics is a complex turbulen...
8178 Recently, deep reinforcement learning (RL) m...
8179 Evaluating the computational reproducibility...
8180 We propose a deep learning model for identif...
8181 The P300 speller is a brain-computer interfa...
8182 Functions or 'functionnings' enable to give ...
8183 While reduced-order models (ROMs) have been ...
8184 A ranking is an ordered sequence of items, i...
8185 Dark matter axions can generate peculiar eff...
8186 Let the randomized query complexity of a rel...
8187 In this article we investigate a first order...
8188 We study a unique network dataset including ...
8189 We explicitly describe the isomorphism betwe...
8190 We propose an ensemble clustering algorithm ...
8191 Feature selection with high-dimensional data...
8192 This paper considers a multiple-input multip...
8193 Observations with powerful X-ray telescopes,...
8194 In this paper, we consider a one-dimensional...
8195 Context. Solar observatories are providing t...
8196 Based on first-principles calculations and e...
8197 This paper presents the model-based design a...
8198 We present a chemical abundance analysis of ...
8199 Transition metal carbides include a wide var...
8200 Most programming languages, besides C, provi...
8201 In this article, we proposed a new probabili...
8202 We propose an algorithm for deep learning on...
8203 In this paper, we study a stochastic optimal...
8204 In recent years, the use of adjoint vectors ...
8205 We present a new methodology of computing in...
8206 As prior knowledge of objects or object feat...
8207 Light carrying orbital angular momentum (OAM...
8208 A theorem of Gekeler compares the number of ...
8209 Model-free policy learning has enabled robus...
8210 We investigate a series of learning kernel p...
8211 In this paper, we study the following critic...
8212 Skin cancer is one of the major types of can...
8213 In this paper we investigate to what extent ...
8214 A novel approach, based on the notion of alt...
8215 The maximum entropy method (MEM) is a well k...
8216 In this paper, we construct the Green functi...
8217 After it was proposed that life on Earth mig...
8218 For time integration of transient eddy curre...
8219 We prove the transversality result necessary...
8220 Let $\mu$ be a measure in $\mathbb R^d$ with...
8221 In 1967, Schmidt wrote a seminal paper [10] ...
8222 In this paper, we establish optimal rates of...
8223 Voltage control plays an important role in t...
8224 In this work, we derive a generic overcomple...
8225 This work presents a methodology to design t...
8226 System and application availability continue...
8227 Current tools for exploratory data analysis ...
8228 Rotationally coherent Lagrangian vortices (R...
8229 We present a novel method for convex unconst...
8230 The problem of finding good approximations o...
8231 In many machine learning tasks it is desirab...
8232 We consider the stochastic bandit problem in...
8233 This paper is devoted to the study of the ma...
8234 This paper centers on the comparison of thre...
8235 Initial-boundary value problems in a bounded...
8236 We study the stability of p-wave superfluidi...
8237 The stochastic Allen-Cahn equation with mult...
8238 In this work we consider a quantum generaliz...
8239 A popular approach for modeling and inferenc...
8240 We study an inhomogeneous Neumann boundary v...
8241 Optical spectroscopy has been the primary to...
8242 It is known that the essential spectrum of a...
8243 We investigate the impact of an external pre...
8244 Pump-probe experiments have turned out as a ...
8245 We investigate the impact of filament and vo...
8246 In the area of distributed graph algorithms ...
8247 In order for machine learning to be deployed...
8248 Monolayer films of FeSe grown on SrTiO$_3$ s...
8249 Automatic summarisation is a popular approac...
8250 Channel feedback is essential in frequency d...
8251 We study the electron and phonon thermalizat...
8252 We prove that the free Boltzmann quadrangula...
8253 We canonically quantize $O(D+2)$ nonlinear s...
8254 We propose a novel Dirichlet-based Pólya tre...
8255 In this paper, we present a Model Predictive...
8256 Predicting the cheapest sample size for the ...
8257 In this article, we propose a novel techniqu...
8258 The possibility to perform high-resolution t...
8259 In this work we establish the relation betwe...
8260 In this article, we consider the following c...
8261 Coherent phonon (CP) generation in an undope...
8262 Recent advances in neural networks (NNs) exh...
8263 The classical-input quantum-output (cq) wire...
8264 An alternative voting scheme is proposed to ...
8265 Double Dirac fermions have recently been ide...
8266 Although there has been recent progress in c...
8267 In this paper we establish a new explicit up...
8268 Performing numerical integration when the in...
8269 Spatially dependent parameters of a two-comp...
8270 The D4M tool is used by hundreds of research...
8271 Building large-scale, globally consistent ma...
8272 The velocity dispersion of cold interstellar...
8273 The framework of statistical inference has b...
8274 If X and Y are real valued random variables ...
8275 The classical involutive division theory by ...
8276 Synchronous computation models simplify the ...
8277 Swarms of robots will revolutionize many ind...
8278 An oxidation process is simulated for a bund...
8279 The present panorama of HPC architectures is...
8280 We study the NodeTrix planarity testing prob...
8281 We present exact analytical results for the ...
8282 EXor objects are young variables that show e...
8283 In this paper, we first introduce some new k...
8284 We propose a method for estimating coefficie...
8285 Achieving high-fidelity control of quantum s...
8286 Online job boards are one of the central com...
8287 Understanding semantic similarity among imag...
8288 The detection of gravitational waves with LI...
8289 Black-box variational inference tries to app...
8290 This paper proposes a clustering procedure f...
8291 WASP-12 is a hot Jupiter system with an orbi...
8292 Many machine learning systems rely on data c...
8293 Chemical-chemical interaction (CCI) plays a ...
8294 In this paper, we improve the moment estimat...
8295 We realize a family of generalized cluster a...
8296 Ricean channel model is widely used in wirel...
8297 In this paper, we consider a framework of pr...
8298 Homoclinic and unstable periodic orbits in c...
8299 Motivated by recent experiments with two-com...
8300 The high planetary multiplicity revealed by ...
8301 Neuronal network dynamics depends on network...
8302 We study the Beurling-Selberg problem of fin...
8303 Understanding and developing a correlation m...
8304 Out-of-time-order (OTO) operators have recen...
8305 The distribution of scientific citations for...
8306 Monocular camera systems are prevailing in i...
8307 Architecture patterns capture architectural ...
8308 We consider a certain definite integral invo...
8309 We describe the second (generalized) Feng-Ra...
8310 Given a sample of a Poisson point process wi...
8311 Image simulation for scanning transmission e...
8312 The study on point sources in astronomical i...
8313 We consider PAC learning of probability dist...
8314 Ontology-based data access (OBDA) is a popul...
8315 Multiplex networks describe a large number o...
8316 We discuss the emergence of p-wave superflui...
8317 The functions of proteins and RNAs are deter...
8318 While extraordinary progress has been made t...
8319 Two-dimensional materials have significant p...
8320 With the rapid growth of social media, massi...
8321 Set-identified models often restrict the num...
8322 Given an integer base $b>1$, a set of intege...
8323 Plasmonic metasurfaces have been employed fo...
8324 In the context of stochastic two-phase flow ...
8325 The medical research facilitates to acquire ...
8326 Derived geometry can be defined as the unive...
8327 Feature model are widely used to capture com...
8328 An emerging problem in computer vision is th...
8329 In earlier work, Katz exhibited some very si...
8330 Linked beneficial and deleterious mutations ...
8331 We extend vector configurations to more gene...
8332 This survey contains the main results in rat...
8333 The late-type Be star $\beta$ CMi is remarka...
8334 Sapirovskii [18] proved that $|X|\leq\pi\chi...
8335 In incompressible and periodic statistically...
8336 Distribution grids constitute complex networ...
8337 In this paper we construct an analogue of Lu...
8338 The approximate string matching is a fundame...
8339 We present the strain and temperature depend...
8340 We present a system for covert automated dec...
8341 In a recent work, the degenerate Stirling po...
8342 The integration of multiple viewpoints becam...
8343 Acoustics-to-word models are end-to-end spee...
8344 Smart sensing is expected to become a pervas...
8345 Designers of modern reader-writer locks conf...
8346 Internal diffusion-limited aggregation (IDLA...
8347 Ground-based observations at thermal infrare...
8348 This article presents various weak laws of l...
8349 We develop an algorithm for synthesizing a s...
8350 We have extended the biquaternionic Dirac's ...
8351 We describe a framework for deriving and ana...
8352 It is often claimed that error cancellation ...
8353 We consider spectral clustering algorithms f...
8354 Thermal gradients induce concentration gradi...
8355 Annihilating dark matter (DM) models offer p...
8356 Convolution trees, loopy belief propagation,...
8357 Level-sensitive latches are widely used in h...
8358 In this paper we give a method to construct ...
8359 Heuristic tools from statistical physics hav...
8360 Xu et al. [J. Asian Earth Sci. {\bf 77}, 59-...
8361 We consider the conservative Hénon family at...
8362 We analyze a stylized model of co-evolution ...
8363 We propose to use neural networks for simult...
8364 In this work, we give the first algorithms f...
8365 A simplified 2-D model which is an example o...
8366 Topological Dirac semimetals (TDSs) represen...
8367 The classic arcsine law for the number\n$N_{...
8368 Demand response aims to stimulate electricit...
8369 With the first two detections in late 2015, ...
8370 This paper considers a distributed multi-age...
8371 auDeep is a Python toolkit for deep unsuperv...
8372 Annotation of training data is the major bot...
8373 In extreme cold weather, living organisms pr...
8374 A powerful method pioneered by Swinnerton-Dy...
8375 Previous work has questioned the conditions ...
8376 In this note, we will show a backwards uniqu...
8377 The classical habitable zone is the circular...
8378 In this paper, we use the inverse mean curva...
8379 In error-tolerant applications, approximate ...
8380 A totally new energy harvesting architecture...
8381 Stochastic computer simulations enable users...
8382 Non-orthogonal multiple access (NOMA) is a c...
8383 Background/Introduction: The Zipf's law esta...
8384 Online reviews provide viewpoints on the str...
8385 We develop a local theory for the constructi...
8386 The manuscript discusses still preliminary c...
8387 We first review classical results on cloakin...
8388 As is well known, multivariate Rogers-Szegö ...
8389 Using methods of statistical physics, we ana...
8390 In this paper we present a parallelization s...
8391 In this paper, we present a method to initia...
8392 This paper explores four different visualiza...
8393 Discovery of an accurate causal Bayesian net...
8394 This paper proposes an approach for rapid bo...
8395 Social media provides political news and inf...
8396 The SeaQuest spectrometer at Fermilab was de...
8397 The recent successes of deep learning have l...
8398 How many samples are sufficient to guarantee...
8399 The wavefronts of a nonlinear nonlocal bista...
8400 Neural networks are generally built by inter...
8401 Inviscid computational results are presented...
8402 The aim of this chapter is to provide an ade...
8403 The Dependent Object Types (DOT) calculus fo...
8404 More and more of the information on the web ...
8405 By detecting light from extrasolar planets,w...
8406 Uncovering modular structure in networks is ...
8407 Properties of the cold interstellar medium o...
8408 We provide novel theoretical insights on str...
8409 Sharir and Welzl [1] derived a bound on cros...
8410 The spectral renormalization method was intr...
8411 The wild bootstrap is the resampling method ...
8412 In this paper, we consider a soft measure of...
8413 A fundamental question in reinforcement lear...
8414 Properly benchmarking Automated Program Repa...
8415 Spatial understanding is a fundamental probl...
8416 This paper is concerned with the design of c...
8417 Refractory organic compounds formed in molec...
8418 The Greek aperitif Ouzo is not only famous f...
8419 In this article, a semianalytical approach f...
8420 One of the key challenges in revenue managem...
8421 This paper is devoted to the 3-dimensional r...
8422 The subject of our thesis is the uniqueness ...
8423 Transfer learning methods address the situat...
8424 Recent observations have revealed massive ga...
8425 With the volume of manuscripts submitted for...
8426 In this paper, we search the existence of in...
8427 We study the nonsymmetric Macdonald polynomi...
8428 This paper aims to address two issues existi...
8429 Quanta Image Sensor (QIS) is a binary imagin...
8430 For each odd prime $p$, we conjecture the di...
8431 We present a novel approach to shared contro...
8432 Following the rapidly growing digital image ...
8433 We address the reduction to compact band for...
8434 We provide a counterexample of Wente's inequ...
8435 Let $\mathfrak{o}$ be a complete discrete va...
8436 The comparison study of high pressure superc...
8437 Over a dozen ultracool dwarfs (UCDs), low-ma...
8438 Side channel attacks are a major class of at...
8439 It has been suggested that adversarial examp...
8440 It is clear that the EM spectrum is now rapi...
8441 Topological link-prediction can exploit the ...
8442 We have theoretically demonstrated the emiss...
8443 A scenario has recently been reported in whi...
8444 In this paper, we propose an opportunistic d...
8445 Let n be a non-null positive integer and $d(...
8446 We generalize the notion of self-similar gro...
8447 The aim of this thesis is to find a solution...
8448 We present a novel tractable generative mode...
8449 The exponential growth in smartphone adoptio...
8450 We revisit the algebraic description of shap...
8451 We present a continuous time state estimatio...
8452 We search for digital biomarkers from Parkin...
8453 We study invasion fronts and spreading speed...
8454 Neural networks are commonly trained to make...
8455 Objective: A model is presented to evaluate ...
8456 Ultracold atomic gases have realised numerou...
8457 Identifying anomalous patterns in real-world...
8458 We analyze isolated resonance curves (IRCs) ...
8459 As air pollution is becoming the largest env...
8460 Interaction of an electron system with a str...
8461 The increasing practice of engaging crowds, ...
8462 This survey explores Procedural Content Gene...
8463 Increasing numbers of software vulnerabiliti...
8464 The dependence of the mass accretion rate on...
8465 Because of the limitations of matrix factori...
8466 This letter reports the successful use of fe...
8467 Recent years have witnessed a widespread inc...
8468 The modified Camassa-Holm equation (also cal...
8469 Representation learning algorithms are desig...
8470 We use large amounts of unlabeled video to l...
8471 Valley pseudospin, labeling quantum states o...
8472 This paper introduces Schur-constant equilib...
8473 Let $G$ be a semisimple real Lie group with ...
8474 A Dirichlet $k$-partition of a domain $U \su...
8475 The wake behind a sphere, rotating about an ...
8476 A Large Size air Cherenkov Telescope (LST) p...
8477 The basic first-order differential operators...
8478 Gravitational wave observations of eccentric...
8479 This paper proposes a novel joint computatio...
8480 We describe a novel approach for computing w...
8481 This paper investigates one of the fundament...
8482 We experimentally demonstrate the operation ...
8483 We introduce a new model for the formation a...
8484 Point matching refers to the process of find...
8485 The call for efficient computer architecture...
8486 The possibility of constructing Lorenz's con...
8487 The anisotropy of magnetic properties common...
8488 For its high coefficient of performance and ...
8489 Developing a safe and efficient collision av...
8490 Betweenness centrality is an important index...
8491 The design of gaits for robot locomotion can...
8492 The study of random networks in a neuroscien...
8493 In this paper, we present perturbed law-base...
8494 We show that the counting class LWPP [FFK94]...
8495 Current-induced spin-orbit torques (SOTs) re...
8496 We have explored the evolution of a cold deb...
8497 The concept of derivative coordinate functio...
8498 We revisit the well-known object-pool design...
8499 Recent quasar surveys have revealed that sup...
8500 The idea of reusing information from previou...
8501 The paper presents a distributed model predi...
8502 Direct imaging of exoplanets or circumstella...
8503 The relationship between communicating autom...
8504 We present a phase induced transparency base...
8505 A twisted torus knot is a knot obtained from...
8506 In many online applications interactions bet...
8507 End-to-end learning refers to training a pos...
8508 Not necessarily self-adjoint quantum graphs ...
8509 In this paper, we completely solve the Dioph...
8510 We combine Sullivan models from rational hom...
8511 Deep learning based speech enhancement and s...
8512 Ranking is used for a wide array of problems...
8513 The Alice far-ultraviolet imaging spectrogra...
8514 The adsorption of hydrogen at nonpolar GaN(1...
8515 In this study, a fast multipole method (FMM)...
8516 We present a quantitative characterization o...
8517 We describe a novel iterative strategy for K...
8518 Medical applications challenge today's text ...
8519 Supervised learning, more specifically Convo...
8520 We observe the electric-dipole forbidden $7s...
8521 In this paper, we propose an integrated fram...
8522 The motility mechanism of certain rod-shaped...
8523 Designing a pseudorandom number generator (P...
8524 We present Warp, a hardware platform to supp...
8525 Atomistic effective Hamiltonian simulations ...
8526 Permutation testing is a non-parametric meth...
8527 When recording spectra from the ground, atmo...
8528 Data are often labeled by many different exp...
8529 Sparse tiling is a technique to fuse loops t...
8530 This paper is concerned with modeling the de...
8531 Defining the $m$-th stratum of a closed subs...
8532 Regression problems assume every instance is...
8533 Traditional models for question answering op...
8534 We study learning problems involving arbitra...
8535 We open a new field on how one can define me...
8536 This paper proves that on any tamed closed a...
8537 Contours may be viewed as the 2D outline of ...
8538 We discuss the systematic expansion of the s...
8539 CSPe is a specification language for runtime...
8540 We study the properties of entanglement in t...
8541 Fully exploiting the properties of 2D crysta...
8542 Traditionally it had been a problem that res...
8543 We study the thermal diffusivity $D_T$ in mo...
8544 This paper presents a methodology for simula...
8545 Symmetry operators of twistor spinors and ha...
8546 We consider marked empirical processes index...
8547 While there exist a wide range of effective ...
8548 The discovery of Pluto in 1930 presaged the ...
8549 We study the Strichartz estimates for Schröd...
8550 Visualizing high-dimensional data has been a...
8551 Voltage control effects provide an energy-ef...
8552 We present an Expectation-Maximization algor...
8553 This paper focuses on the recently introduce...
8554 Numerical simulations of beam-plasma instabi...
8555 In this article we introduce Variable expone...
8556 Despite being originally inspired by the cen...
8557 A set of economic entities embedded in a net...
8558 This survey article is dedicated to some fam...
8559 This work proposes a novel approach to restr...
8560 In this paper, a hybrid measurement- and mod...
8561 Running high-resolution physical models is c...
8562 In this work we consider open quantum random...
8563 We introduce Nevanlinna classes of holomorph...
8564 The current article explores interesting, si...
8565 'Style transfer' among images has recently e...
8566 The kinematics of a robot manipulator are de...
8567 This technical report provides the descripti...
8568 A set of points in $\mathbb{R}^d$ is acute, ...
8569 This paper presents preliminary results of o...
8570 Stress can be seen as a physiological respon...
8571 We study the problem of causal structure lea...
8572 Rogue waves, and their periodic counterparts...
8573 We study the following control problem. A fi...
8574 We classify the Betti tables of indecomposab...
8575 It is possible to understand whether a given...
8576 In order to scale standard Gaussian process ...
8577 We present a new inference method based on a...
8578 We explore a recently proposed Variational D...
8579 This note contains additions to the paper 'C...
8580 We review recent advances on the record stat...
8581 In this paper, we study Prandtl's boundary l...
8582 Given full or partial information about a co...
8583 Techniques for approximately contracting ten...
8584 With the rapid advances in the development o...
8585 Let G be an abelian group. For a subset A of...
8586 Poor road conditions are a public nuisance, ...
8587 We introduce the concrete autoencoder, an en...
8588 In this thesis we present few theoretical st...
8589 Many of the algorithms used to solve minimiz...
8590 We explore the relation between urban road n...
8591 The complement $M\setminus L$ of the Lagrang...
8592 We compare six models (including the baryoni...
8593 The clustering of a data set is one of the c...
8594 We solve the regularity problem for Milnor's...
8595 In this paper, we focus on online reviews an...
8596 We study the exponential convergence to the ...
8597 Fermionic natural occupation numbers do not ...
8598 High dimensional sparse learning has imposed...
8599 In this paper we introduce new characterizat...
8600 In this article, we reformulate the cobordis...
8601 We study the stability of a recently propose...
8602 Topological phases of matter are considered ...
8603 We discuss the production and evolution of c...
8604 We investigate the effect of cylindrical nan...
8605 In this paper, we propose an unsupervised re...
8606 The main results in this note concern the ch...
8607 We provide a sufficient criterion for the un...
8608 We develop the theory of Diophantine approxi...
8609 We present a generative framework for genera...
8610 Distance multivariance is a multivariate dep...
8611 We develop a simulation scheme for a class o...
8612 The present paper extends the thermodynamic ...
8613 We propose and experimentally demonstrate th...
8614 If the dark matter particle has spin 0, only...
8615 Gottschalk and Vygen proved that every solut...
8616 Recently, deep neural networks have demonstr...
8617 We consider a control-constrained parabolic ...
8618 There has been an increase in the use of res...
8619 Classification of high dimensional data find...
8620 The effect of spin-orbit coupling (SOC) on t...
8621 The clustering of integers with equal total ...
8622 We construct a model for the Galactic globul...
8623 Most video summarization approaches have foc...
8624 We show that the duality relation for the su...
8625 Statistical pattern recognition methods have...
8626 In this paper, W*-algebras are presented as ...
8627 We obtain estimates for the Mean Squared Err...
8628 Embarrassingly (communication-free) parallel...
8629 Network models have been increasingly used i...
8630 This paper studies the performance of multi-...
8631 Is it possible to draw a circle in Manhattan...
8632 In this article we present a Bernstein inequ...
8633 Chip-scale integrated light sources are a cr...
8634 Recent experiments revealed a striking asymm...
8635 By establishing a connection between bi-dire...
8636 We consider fiberwise singly generated Fell-...
8637 The need for large annotated image datasets ...
8638 We prove that every set of $n$ points in $\m...
8639 Periodic solutions of the three body problem...
8640 The observations of solar photosphere from t...
8641 Multidimensional item response theory is wid...
8642 Statistical learning using imprecise probabi...
8643 The paper deals with planar segment processe...
8644 We consider the problem of choosing between ...
8645 We construct local generalizations of 3-stat...
8646 A shortcoming of existing reachability appro...
8647 Crowdsourced video systems like YouTube and ...
8648 Intracellular bidirectional transport of car...
8649 We study the asymptotic distributions of the...
8650 We consider the non-parametric Poisson regre...
8651 Type-level word embeddings use the same set ...
8652 Cell division timing is critical for cell fa...
8653 Confluence of a nondeterministic program ens...
8654 We propose a novel, projection based way to ...
8655 The QLBS model is a discrete-time option hed...
8656 We demonstrate an approach to face attribute...
8657 Melamed, Harrell, and Simpson have recently ...
8658 In critical applications of anomaly detectio...
8659 In Lithium ion batteries (LIBs), proper desi...
8660 We study the massive two dimensional Dirac o...
8661 In this paper we present a novel Formal Agen...
8662 We consider the ASEP and the stochastic six ...
8663 Self-organizing logic is a recently-suggeste...
8664 A robot that can carry out a natural-languag...
8665 To gain control over magnetic order on ultra...
8666 Automated classification methods for disease...
8667 The rich-club concept has been introduced in...
8668 Sparse variational approximations allow for ...
8669 Anyons are exotic quasi-particles with fract...
8670 In a former paper the authors introduced two...
8671 A bounce universe model, known as the couple...
8672 Intelligent infrastructure will critically r...
8673 Foundations of equilibrium thermodynamics ar...
8674 We obtain the optimal proxy variance for the...
8675 Starting from Anosov chaotic dynamics of geo...
8676 In this article, a novel analytical approach...
8677 Causal effects are commonly defined as compa...
8678 Applying certain flexible geometric sampling...
8679 The discriminative power of modern deep lear...
8680 t-distributed Stochastic Neighborhood Embedd...
8681 We construct, for imaginary quadratic number...
8682 With the increased application of model-base...
8683 In this paper, we consider the block-sparse ...
8684 M dwarf stars, which have masses less than 6...
8685 We consider a gas of independent Brownian pa...
8686 Purpose - This paper continues the developme...
8687 A hierarchical scheme for clustering data is...
8688 To forecast political elections, popular pol...
8689 The vast majority of optimization and online...
8690 We introduce low complexity machine learning...
8691 When performing statistical analysis of sing...
8692 We present a randomization-based inferential...
8693 Negative index materials are artificial stru...
8694 Factor analysis and principal component anal...
8695 In this paper, we compute the Laplacian spec...
8696 We test the Coulomb exchange and correlation...
8697 This paper proposes a centralized and a dist...
8698 Unsupervised learning in a generalized Hopfi...
8699 Biocompatible microencapsulation is of wides...
8700 In this work, we define and solve the Fair T...
8701 Entangled states are notoriously non-separab...
8702 The remarkable success of machine learning, ...
8703 Structures and properties of many inorganic ...
8704 If the symmetry breaking responsible for axi...
8705 Performing analytic of household load curves...
8706 We prove two general theorems which determin...
8707 A new model of thermal inflation is introduc...
8708 We present a novel human-aware navigation ap...
8709 In this paper, we prove four-moment theorems...
8710 In this paper we study the finite W-algebra ...
8711 Motivation: How do we integratively analyze ...
8712 A unified modeling framework for non-functio...
8713 Obtaining magnetic resonance images (MRI) wi...
8714 We continue to study the problem of modeling...
8715 We study the superconducting properties of p...
8716 We establish an analogy between superconduct...
8717 The chain of late Roman fortified settlement...
8718 Let $X$ be a smooth manifold with a (smooth)...
8719 The pilot system development in metre-scale ...
8720 In this paper we propose a novel methodology...
8721 The aim of this paper is to provide several ...
8722 Since its unveiling in 2011, schema.org has ...
8723 We give an extension of Rubio de Francia's e...
8724 Carbon solubility in face-centered cubic Ni-...
8725 In this paper, the linear sigma model is stu...
8726 A fundamental challenge in multiagent system...
8727 Foreign policy analysis has been struggling ...
8728 Most problems in search-based software engin...
8729 J. Makowsky and B. Zilber (2004) showed that...
8730 Two-Line Elements (TLEs) continue to be the ...
8731 In this paper, we present an initial attempt...
8732 We study the parameter planes of certain one...
8733 When providing frequency regulation in a pay...
8734 Let M be a real Bott manifold with Kähler st...
8735 Our Keck/NIRC2 imaging survey searches for s...
8736 In a regression context, when the relevant s...
8737 In cavity-based axion dark matter search exp...
8738 A physical unclonable function (PUF), analog...
8739 Since the concept of spin superconductor was...
8740 In order to understand the mechanisms behind...
8741 Training deep neural networks (DNNs) efficie...
8742 Measurement of zeta potential of Ga and N-fa...
8743 Wikipedia articles representing an entity or...
8744 Building upon Hovey's work on Smith ideals f...
8745 Phase and power control methods that satisfy...
8746 We study the Morse-Novikov cohomology and it...
8747 A novel frequency domain training sequence a...
8748 We show that the set of cusp shapes of hyper...
8749 We consider $d\times d$ tensors $A(x)$ that ...
8750 Purpose: Siemens has developed several itera...
8751 Let $M$ be a smooth manifold and $K\subset M...
8752 Predictive process monitoring is concerned w...
8753 A line field on a manifold is a smooth map w...
8754 We Propose A Novel Automaton Model which use...
8755 The increasing use of wearables in smart tel...
8756 This letter presents a new spectral-clusteri...
8757 The closure and the partitioning principles ...
8758 Certain systems of inviscid fluid dynamics h...
8759 The proper choice of collective variables (C...
8760 Let $G$ be an inner form of a general linear...
8761 The concepts of sketching and subsampling ha...
8762 Small drops impinging angularly on thin flow...
8763 An integral scheme for the efficient evaluat...
8764 Integrating a product of linear forms over t...
8765 We consider a modification of the covariance...
8766 We interpret augmented racks as a certain ki...
8767 We determine which of the modular curves $X_...
8768 Many households in developing countries lack...
8769 Ergodicity and output controllability have b...
8770 We propose an effective method to solve the ...
8771 Let $G$ be a finite group and let $c(G)$ be ...
8772 We provide a novel accelerated first-order m...
8773 We calculate the disruption scale $\lambda_{...
8774 Neutrinos coming from the Sun's core are now...
8775 In standard graph clustering/community detec...
8776 Let $N$ be a compact, connected, nonorientab...
8777 We present GOFMM (geometry-oblivious FMM), a...
8778 Identifying coordinate transformations that ...
8779 Neuronal correlates of Parkinson's disease (...
8780 Heterosis is the improved or increased funct...
8781 In this paper, we propose a novel CS approac...
8782 In general, small bodies of the solar system...
8783 Let $\Omega$ be a bounded open set of $\math...
8784 This paper introduces a parametric level-set...
8785 Large volume of Genomics data is produced on...
8786 Hexagonal manganites REMnO3 (RE, rare earths...
8787 A fully (pseudo-)spectral solver for direct ...
8788 This paper has two purposes: the first is to...
8789 The non--commuting graph $\Gamma(G)$ of a no...
8790 Linear-Quadratic-Gaussian (LQG) control is c...
8791 Subspace learning is an important problem, w...
8792 Objective. The purpose of this work is to an...
8793 The concept of balance between two state pre...
8794 This paper develops a randomized approach fo...
8795 We study four different notions of convergen...
8796 This paper presents the analysis of the impa...
8797 Let $L/K$ be an extension of complete discre...
8798 As shown by McMullen in 1983, the coefficien...
8799 Heart rate variability (HRV) is a vital meas...
8800 We demonstrate the fabrication of photonic c...
8801 Block Coordinate Update (BCU) methods enjoy ...
8802 Overhead depth map measurements capture suff...
8803 We have discovered a novel candidate for a s...
8804 The spherical principal series representatio...
8805 Lidar is extensively used in the industry an...
8806 The Fuzz programming language [Reed and Pier...
8807 We study $p$-adic families of eigenforms for...
8808 We report on the size dependence of the surf...
8809 Epileptic seizure activity shows complicated...
8810 We present a formal model for a fragmentatio...
8811 We have developed an efficient Active Galact...
8812 Feature selection procedures for spatial poi...
8813 The effective representation of proteins is ...
8814 We introduce a class of distributed control ...
8815 A version of Liouville's theorem is proved f...
8816 We study an optimal boundary control problem...
8817 Small solids embedded in gaseous protoplanet...
8818 In this paper we show that the shear modulus...
8819 In this paper, we study rational sections of...
8820 In recent years there has been great interes...
8821 Alzheimer's disease is a major cause of deme...
8822 For any quantity of interest in a system gov...
8823 Learning from unlabeled and noisy data is on...
8824 How is reliable physiological function maint...
8825 Programmable packet processors and P4 as a p...
8826 We use group theoretic ideas and coset space...
8827 We present a framework to calculate large de...
8828 Every university introductory physics course...
8829 Imaging is a form of probabilistic belief ch...
8830 In this paper, we give new sparse interpolat...
8831 Improving the health of the nation's populat...
8832 The $L_1$-regularized models are widely used...
8833 Zero-delay transmission of a Gaussian source...
8834 This paper proposes a novel non-oscillatory ...
8835 The main aim of this paper is the developmen...
8836 Scheduling surgeries is a challenging task d...
8837 The field of speech recognition is in the mi...
8838 Recently, deep learning based natural langua...
8839 We carried out synthetic observations of int...
8840 A social approach can be exploited for the I...
8841 In this paper, we introduce a powerful techn...
8842 In this paper, we introduce a Weyl functiona...
8843 Recent model-free reinforcement learning alg...
8844 In this paper we propose a new method of joi...
8845 Convolutional neural nets (CNNs) have become...
8846 We investigated transport, magnetotransport,...
8847 We present cosmological constraints on the s...
8848 Government agencies offer economic incentive...
8849 The Gaussian polytope $\mathcal P_{n,d}$ is ...
8850 News spread in internet media outlets can be...
8851 A market with asymmetric information can be ...
8852 Domain shift refers to the well known proble...
8853 Android users are now suffering serious thre...
8854 We classify a number of symmetry protected p...
8855 Kidney function evaluation using dynamic con...
8856 The problem of construction a quantum mechan...
8857 Numerous geological observations evidence th...
8858 We study the screening of a bounded body $\G...
8859 The vertices of any graph with $m$ edges may...
8860 A full squashed flat antichain (FSFA) in the...
8861 In this paper we investigate the so called "...
8862 We introduce the notion of tropical defects,...
8863 This paper introduces Wasserstein variationa...
8864 Let $G$ be a real linear semisimple algebrai...
8865 We consider an ensemble of random density ma...
8866 Fermion localization functions are used to d...
8867 Randomized experiments are the gold standard...
8868 A standard approach for assessing the perfor...
8869 We propose MAD-GAN, an intuitive generalizat...
8870 The aetiology of polygenic obesity is multif...
8871 We develop an analytical framework for the p...
8872 We consider the problem of variable selectio...
8873 The "Breakthrough Starshot" aims at sending ...
8874 We investigate the relation between the Ferm...
8875 We propose a monaural intrusive instrumental...
8876 We study a model described by a single real ...
8877 In dynamic architectures, component activati...
8878 Forward-looking sonar can capture high resol...
8879 Rgtsvm provides a fast and flexible support ...
8880 Let $M$ be a regular matroid. The Jacobian g...
8881 Collaborative Filtering (CF) is a widely ado...
8882 Click-through rate prediction is an essentia...
8883 Physics arising from two-dimensional~(2D) Di...
8884 We consider a fractional version of the Hest...
8885 We determine systematic regions in which the...
8886 We investigate prime character degree graphs...
8887 We present a method for computing the table ...
8888 In this article we use the combinatorial and...
8889 Deep Neural Networks, and specifically fully...
8890 Analyzing multivariate time series data is i...
8891 We describe a mathematical link between aspe...
8892 Reproducibility of computational studies is ...
8893 Users are rarely familiar with the content o...
8894 Crystal plasticity is mediated through dislo...
8895 For Brownian motion in a (two-dimensional) w...
8896 Cold load pick-up (CLPU) has been a critical...
8897 The well-known theorem of Eilenberg and Gane...
8898 We investigate (2,1):1 structures, which con...
8899 Modern applications and Operating Systems va...
8900 We consider maximum likelihood estimation fo...
8901 In this paper we introduce and study the cop...
8902 Kraichnan seminal ideas on inverse cascades ...
8903 A proposal to improve routing security---Rou...
8904 We present a primal--dual memory efficient a...
8905 We establish a conceptual framework for the ...
8906 The fiducial is not unique in general, but w...
8907 Statistical thinking partially depends upon ...
8908 We present a conceptually simple, flexible, ...
8909 Fishing activities have broad impacts that a...
8910 Recently, the authors of the present work (t...
8911 Distributed Generation (DG) units are increa...
8912 Little by little, newspapers are revealing t...
8913 The famous "two-fold cost of sex" is really ...
8914 Consider a pair of plane straight-line graph...
8915 As more industries integrate machine learnin...
8916 This note announces results on the relations...
8917 A new regularisation of the shallow water (a...
8918 Recently, Andrews, Dixit and Yee defined two...
8919 We examine nonlinear dynamical systems of or...
8920 We provide an algorithm that computes a set ...
8921 Over the last decade, digital media (web or ...
8922 Dyonic 1/4-BPS states in Type IIB string the...
8923 We introduce a family of tensor network stat...
8924 Single atoms form a model system for underst...
8925 A verbal autopsy (VA) consists of a survey w...
8926 We report on a versatile, highly controllabl...
8927 In some planetary systems the orbital period...
8928 We consider the motion of a nonrelativistic ...
8929 There is a renewed interest in weak model se...
8930 Citation metrics are analytic measures used ...
8931 The physical properties of polycrystalline m...
8932 We introduce and study new categories T(g,k)...
8933 Using in situ grazing-incidence x-ray scatte...
8934 The well-known Komlós-Major-Tusnády inequali...
8935 We consider the problem of learning the leve...
8936 In the last decade, many business applicatio...
8937 We introduce KiNetX, a fully automated meta-...
8938 In the present contribution, we study the La...
8939 A new approach to perform analog optical dif...
8940 We review the problem of defining and inferr...
8941 Quantization can improve the execution laten...
8942 In this paper, we provide some new results f...
8943 The principle of material frame indifference...
8944 Recently, we introduced the notion of flow (...
8945 Aims. We present new IRAM Plateau de Bure In...
8946 In recent years, mobile devices (e.g., smart...
8947 We consider the Rosenzweig-Porter model $H =...
8948 In a seminal paper, McAfee (1992) presented ...
8949 In this paper, we propose multi-variable LST...
8950 Spectral images captured by satellites and r...
8951 We introduce simulations aimed at assessing ...
8952 A self-repelling random walk of a token on a...
8953 We propose an algorithm to impute and foreca...
8954 We consider the motion-planning problem of p...
8955 Orthogonal frequency division multiplexing (...
8956 In this paper, we study the generalized mean...
8957 We extend the Granger-Johansen representatio...
8958 The number density of field galaxies per rot...
8959 We study the signs of the Fourier coefficien...
8960 Germanium telluride features special spin-el...
8961 Objects may appear at arbitrary scales in pe...
8962 The use of standard platforms in the field o...
8963 This paper studies the complexity of solving...
8964 The angle between the spin of a star and its...
8965 We analysed the flux-flow region of isofield...
8966 Algorithmic issues concerning Elliott local ...
8967 We show that there is an absolute constant $...
8968 Recently, supervised hashing methods have at...
8969 The paper provides results for the applicati...
8970 Accurate and efficient entity resolution is ...
8971 The admittance of two types of Josephson wea...
8972 In this paper we propose an efficient algori...
8973 We consider a variant of the classic multi-a...
8974 Asteroseismic parameters allow us to measure...
8975 In the polarised Drell-Yan experiment at the...
8976 Early approaches to multiple-output Gaussian...
8977 A personal recollection of events that prece...
8978 We demonstrate that the five vortex equation...
8979 Humans develop a common sense of style compa...
8980 We study the problem of learning a latent va...
8981 We aim to introduce the generalized multiind...
8982 We show, assuming a mild set-theoretic hypot...
8983 Motivated by the ${\rm \Psi}$-Riemann-Liouvi...
8984 Illicit online pharmacies allow the purchase...
8985 We use the dimension and the Lie algebra str...
8986 We analyze the convergence of (stochastic) g...
8987 A large body of compelling evidence has been...
8988 Skyrmions are topologically protected, two-d...
8989 Using a modification of the Shapiro scaling ...
8990 Phase retrieval has been an attractive but d...
8991 We show that any smooth bi-Lipschitz $h$ can...
8992 We start with the recently conjectured 3d bo...
8993 Deep learning has emerged as a powerful mach...
8994 Differential privacy mechanisms that also ma...
8995 Employing the spin degree of freedom of char...
8996 In biodiversity and ecosystem functioning (B...
8997 We have developed a data-driven magnetohydro...
8998 Neural network based approximate computing i...
8999 Deep learning methods are useful for high-di...
9000 We report on the ab initio discovery of a no...
9001 From basic considerations of the Lie group t...
9002 An $(r, \ell)$-partition of a graph $G$ is a...
9003 In a series of papers, Bartelt and co-worker...
9004 As mobile devices have become indispensable ...
9005 The mass-imbalanced three-body recombination...
9006 Partially observable Markov decision process...
9007 The ANAIS experiment aims at the confirmatio...
9008 The logarithmic strain measures $\lVert\log ...
9009 We present an interpretable neural network f...
9010 This paper presents a new way to design a Fu...
9011 Our purpose in this present paper is to inve...
9012 In two recent publications ( Int. J. Quant. ...
9013 Understanding structural controllability of ...
9014 Heat can generally transfer via thermal cond...
9015 We report a highly efficient tunable THz ref...
9016 Kernel online convex optimization (KOCO) is ...
9017 For an endofunctor $H$ on a hyper-extensive ...
9018 The article is about the representation theo...
9019 We propose a method to build quantum memrist...
9020 The exciton spin dynamics are investigated b...
9021 Resonant inelastic x-ray scattering at the N...
9022 We present a dynamic and thermodynamic study...
9023 Data augmentation is usually used by supervi...
9024 The paper deals with regression problems, in...
9025 Civil Asset Forfeiture (CAF) is a longstandi...
9026 Modern bio-technologies have produced a vast...
9027 We deal with finite dimensional differentiab...
9028 Nearly all previous work on small-footprint ...
9029 In this paper, we prove a functorial aspect ...
9030 When using risk or dependence measures based...
9031 A two-way relay non-orthogonal multiple acce...
9032 We show that two involutions on the variety ...
9033 Li and Wei (2009) studied the density of zer...
9034 Deforestation detection using satellite imag...
9035 Distributed Computation has been a recent tr...
9036 [Context] The use of defect prediction model...
9037 Graphlets are small connected induced subgra...
9038 We review, from a didactic point of view, th...
9039 We demonstrate how one can see quantization ...
9040 Embedded, continual learning for autonomous ...
9041 This paper proposes the application of Discr...
9042 Context. Upcoming weak lensing surveys such ...
9043 We study charge and spin transport along gra...
9044 In Lagrangian meshfree methods, the underlyi...
9045 We consider the problem of optimally designi...
9046 The negatively charged nitrogen-vacancy (NV-...
9047 Convolution Neural Network (CNN) has gained ...
9048 We present a catalogue of candidate H{\alpha...
9049 Using an age of information (AoI) metric, we...
9050 We analyze the optical continuum of star-for...
9051 The Eigenvector Method for Umbrella Sampling...
9052 Markov chain Monte Carlo (MCMC) methods are ...
9053 We describe the open-source global fitting p...
9054 The complexity of testing whether a graph co...
9055 It is well known that external magnetic fiel...
9056 We completely characterize the unimodal cate...
9057 Counting formulae for general primary fields...
9058 Paraphrase generation is an important proble...
9059 Collective motion of chemotactic bacteria as...
9060 Landau level mixing plays an important role ...
9061 Shear dilation based hydraulic stimulations ...
9062 We treat the emerging power systems with dir...
9063 Avian Influenza breakouts cause millions of ...
9064 A new approach to Jiu-Kang Yu's construction...
9065 We review some cohomological aspects of comp...
9066 In this paper we study different questions c...
9067 In this paper, we introduce a new form of am...
9068 The latest results of benchmarking research ...
9069 I argue that some important elements of the ...
9070 Standard clustering algorithms usually find ...
9071 Exploration is a difficult challenge in rein...
9072 In this paper, we propose a stochastic optim...
9073 There is a large literature on the asymptoti...
9074 We study the effects on $D$ of assuming that...
9075 Autoregressive models are among the best per...
9076 Due to their exceptional plasmonic propertie...
9077 We consider the well-studied partial sums pr...
9078 We propose approaches based on deep learning...
9079 In recent years there has been noticeable in...
9080 We propose a new approach to model ground pe...
9081 Glass corrosion is a crucial problem in keep...
9082 [Abridged] The infrared ro-vibrational emiss...
9083 Elections seem simple---aren't they just cou...
9084 Observations of stars in the the solar vicin...
9085 Random column sampling is not guaranteed to ...
9086 Recently, dinitriles (NC(CH2)nCN) and especi...
9087 Practical solutions to bootstrap security in...
9088 Proposed the computerized method for calcula...
9089 It was discovered that there is a formal ana...
9090 Unlike the conventional first-order network ...
9091 The dissolution of porous media in a geologi...
9092 In this paper, we study the algebraic symple...
9093 Some properties of defect modes of cholester...
9094 It is reported on growth of mm-sized single-...
9095 Controlling and confining light by exciting ...
9096 Codes over Galois rings have been studied ex...
9097 We prove a version of Onsager's conjecture o...
9098 Geometric Brownian motion (GBM) is a key mod...
9099 To identify emerging microscopic structures ...
9100 An empirical investigation of active/continu...
9101 Constraining linear layers in neural network...
9102 We study how the behavior of deep policy gra...
9103 In this paper, we improve the previously bes...
9104 Variational inference is a powerful approach...
9105 We propose an Encoder-Classifier framework t...
9106 We modify the nonlinear shallow water equati...
9107 We solve tensor balancing, rescaling an Nth ...
9108 We consider the problem of learning an unkno...
9109 The study of knots and links from a probabil...
9110 The revival structures for the X_m exception...
9111 Autonomous aerial cinematography has the pot...
9112 High order reconstruction in the finite volu...
9113 Given a statistical model for the request fr...
9114 We use the language of uninformative Bayesia...
9115 Aging, the process of growing old or maturin...
9116 We present and apply a general-purpose, mult...
9117 We introduce a novel method to train agents ...
9118 In this paper, we set forth a 3-D ocean mode...
9119 Girard's Geometry of Interaction (GoI), a se...
9120 We determine the structure of the W-group $\...
9121 Principal component pursuit (PCP) is a state...
9122 Kepler photometry of the hot Neptune host st...
9123 While a number of weak consistency mechanism...
9124 The Andreev conductance across 2d normal met...
9125 Contextual bandits are a form of multi-armed...
9126 Let $Y$ and $Z$ be two given topological spa...
9127 We consider the spherical mean generated by ...
9128 The Tabu Search (TS) metaheuristic has been ...
9129 The synthetic toggle switch, first proposed ...
9130 We study Segre varieties associated to Levi-...
9131 Event cameras are a paradigm shift in camera...
9132 We apply the nonlinear reconstruction method...
9133 Establishing metallic hydrogen is a goal of ...
9134 The relative performance of competing point ...
9135 We present in this paper a generic and param...
9136 In this paper, we investigate the potential ...
9137 Deep neural networks have proved to be a ver...
9138 In this paper we propose an implicit force c...
9139 Casual conversations involving multiple spea...
9140 Tool manipulation is vital for facilitating ...
9141 Consider a surface $S$ and let $M\subset S$....
9142 Non-invasive steady-state visual evoked pote...
9143 IUIs aim to incorporate intelligent automate...
9144 Graphs are widely used to model execution de...
9145 Most of the efficient sublinear-time indexin...
9146 Recent work has proposed the Lempel-Ziv Jacc...
9147 We study the category of left unital graded ...
9148 We consider the Cauchy problem for the dampe...
9149 Time series prediction has been studied in a...
9150 We extend our previous results characterizin...
9151 For commercial one-sun solar modules, up to ...
9152 We present clustering properties from 579,49...
9153 We prove the least-area, unit-volume, tetrah...
9154 Motivated by multi-hop communication in unre...
9155 We investigate a few-body mixture of two bos...
9156 The natural uranium assembly, "QUINTA", was ...
9157 Let $\operatorname{Con}(\mathbf T)\!\restric...
9158 In a recent study entitled "Cell nuclei have...
9159 The whole enterprise of spin compositions ca...
9160 Clearly, no one likes webpages with poor qua...
9161 We investigate the properties of entanglemen...
9162 We revisit the problem of robust principal c...
9163 We show that a self orbit equivalence of a t...
9164 We use Chandra X-ray data to measure the met...
9165 In this work, we consider an extension of gr...
9166 In the framework of the application of the B...
9167 The traditional view of the morphology-spin ...
9168 We present a method to systematically study ...
9169 A method is presented for solving the discre...
9170 As the size of modern data sets exceeds the ...
9171 Hybrid inflation, driven by a Fayet-Iliopoul...
9172 In this paper, we study the recovery of a si...
9173 We study piecewise linear co-dimension two e...
9174 The problem of population recovery refers to...
9175 We consider the first exit time of a Shiryae...
9176 In this article we study the transfer learni...
9177 The barocaloric effect is still an incipient...
9178 We establish $({\mathfrak{gl}}_M, {\mathfrak...
9179 We propose a method for efficiently coupling...
9180 When the noise affecting time series is colo...
9181 We present an efficient deep learning techni...
9182 This paper describes an efficient algorithm ...
9183 Most of Python and R scientific packages inc...
9184 We investigate the effect of the incommensur...
9185 Word equations are an important problem on t...
9186 This paper addresses the problem of minimum ...
9187 We introduce a new algorithm for reinforceme...
9188 The geometric approach to optimal transport ...
9189 The history of humanhood has included compet...
9190 Virtual reality simulation is becoming popul...
9191 This paper presents a novel deep learning ar...
9192 The ability to generate natural language seq...
9193 We explore the problem of learning to decomp...
9194 We prove that the zero set of a nonnegative ...
9195 Autonomous driving systems are broadly used ...
9196 Achieving relativistic flight to enable extr...
9197 Estimating cascade size and nodes' influence...
9198 High frequency based estimation methods for ...
9199 KAGRA is a 3-km cryogenic interferometric gr...
9200 Using observations made with MOSFIRE on Keck...
9201 An organism's ability to move freely is a fu...
9202 The inverse relationship between the length ...
9203 In recent years, a number of artificial inte...
9204 The recent empirical success of cross-domain...
9205 We calculate the scrambling rate $\lambda_L$...
9206 Recently, (Blanchet, Kang, and Murhy 2016) s...
9207 We propose a new formal criterion for secure...
9208 Machine learning models are increasingly use...
9209 The misalignment of the solar rotation axis ...
9210 In this paper we consider filtering and smoo...
9211 This paper presents LongHCPulse: software wh...
9212 The Z-vector method in the relativistic coup...
9213 Modeling and interpreting spike train data i...
9214 The dimerized Kane-Mele model with/without t...
9215 Understanding why a model makes a certain pr...
9216 We consider large-scale Markov decision proc...
9217 We overview dataflow matrix machines as a Tu...
9218 Neural Machine Translation (NMT) models usua...
9219 Purpose: To develop a rapid imaging framewor...
9220 As a generalization of the use of graphs to ...
9221 In this paper we consider the class of K3 su...
9222 Although deep learning models have proven ef...
9223 We consider the set Bp of parametric block c...
9224 We develop a two-dimensional Lattice Boltzma...
9225 It was shown that any $\mathbb{Z}$-colorable...
9226 Automatic machine learning performs predicti...
9227 Recommender systems play an important role i...
9228 In the last decades, the notion that cities ...
9229 The simplest model of the magnetized infinit...
9230 The system of dynamic equations for Bose-Ein...
9231 A polyellipse is a curve in the Euclidean pl...
9232 The LDA-1/2 method for self-energy correctio...
9233 We investigate the scaling of the ground sta...
9234 Object tracking is an essential task in comp...
9235 We study the family of spin-S quantum spin c...
9236 Next generation radio-interferometers, like ...
9237 We optimized the substrate temperature (Ts) ...
9238 Solving Peierls-Boltzmann transport equation...
9239 Region of interest (ROI) alignment in medica...
9240 Over the past few years, the use of camera-e...
9241 Trilobites are exotic giant dimers with enor...
9242 Many debris discs reveal a two-component str...
9243 Multiple root estimation problems in statist...
9244 Let $\mathbb{G}$ be a locally compact quantu...
9245 The temperature-dependent optical response o...
9246 The Lowest Landau Level (LLL) equation emerg...
9247 In this work we present a novel framework th...
9248 Recently, Renault (2016) studied the dual bi...
9249 An algorithmic proof of the General Néron De...
9250 We study the problem of list-decodable Gauss...
9251 For a (possibly infinite) fixed family of gr...
9252 Using a new and general method, we prove the...
9253 We consider the chemotaxis problem for a one...
9254 Is it possible to generally construct a dyna...
9255 The implementation of the algebraic Bethe an...
9256 A graphene-based spin-diffusive (GrSD) neura...
9257 Quasi-cyclic (QC) low-density parity-check (...
9258 The GW method is a many-body approach capabl...
9259 This paper considers the problem of predicti...
9260 The solution of inverse problems in a variat...
9261 We study the geometry of Finsler submanifold...
9262 PET image reconstruction is challenging due ...
9263 Round functions used as building blocks for ...
9264 Time crystals, a phase showing spontaneous b...
9265 The paper is devoted to the development of c...
9266 To investigate the role of tachysterol in th...
9267 Online social platforms are beset with hatef...
9268 An integral power series is called lacunary ...
9269 We describe sofic groupoids in elementary te...
9270 In this paper, we propose a new combined mes...
9271 The LSST software systems make extensive use...
9272 In this paper we study methods for estimatin...
9273 We give an explicit formula for singular sur...
9274 The $\kappa$-mechanism has been successful i...
9275 We classify all cubic extensions of any fiel...
9276 With the installation of the Argus 16-pixel ...
9277 It is challenging to develop stochastic grad...
9278 There are two general views in causal analys...
9279 In recent years, significant progress has be...
9280 The main goal for this article is to compare...
9281 We present the first real-world application ...
9282 We demonstrate the successful experimental i...
9283 Simulation-based training (SBT) is gaining p...
9284 We present gravitational lens models of the ...
9285 Variable selection plays a fundamental role ...
9286 We investigate the formation and early evolu...
9287 Sleep stage classification constitutes an im...
9288 A gambler moves on the vertices $1, \ldots, ...
9289 Efficient, reliable trapping of execution in...
9290 This paper studies mechanism of preconcentra...
9291 We present models for embedding words in the...
9292 Data storage systems and their availability ...
9293 The theory of sparse stochastic processes of...
9294 Princess Kaguya is a heroine of a famous fol...
9295 The Descriptor System Tools (DSTOOLS) is a c...
9296 In the classic sparsity-driven problems, the...
9297 In this work, we propose a content-based rec...
9298 The work describes a first-principles-based ...
9299 In [15], V. Jimenez and J. Llibre characteri...
9300 The adoption of the distributed paradigm has...
9301 Spatial distributions of other cell interfer...
9302 In order to understand underlying processes ...
9303 We introduce a method for learning the dynam...
9304 Artificial intelligence (AI) is intrinsicall...
9305 Deep stacked RNNs are usually hard to train....
9306 By using N-body hydrodynamical cosmological ...
9307 One of the big restrictions in brain compute...
9308 Our goal is to learn a semantic parser that ...
9309 Object Transfiguration replaces an object in...
9310 Segmenting foreground object from a video is...
9311 In this paper, we develop a novel paradigm, ...
9312 A set of points in d-dimensional Euclidean s...
9313 We investigate the extent to which the weak ...
9314 Treewidth is a parameter that measures how t...
9315 Many microbial systems are known to actively...
9316 Being an unsupervised machine learning and d...
9317 In this paper we consider the defocusing ene...
9318 Deep Neural Networks have impressive classif...
9319 It is a crucial problem in robotics field to...
9320 Graph models are relevant in many fields, su...
9321 The metric space of phylogenetic trees defin...
9322 While social media offer great communication...
9323 We discuss a cyclic cosmology in which the v...
9324 Electronic health records (EHRs) have contri...
9325 We investigate the stability of a statistica...
9326 We construct a statistical indicator for the...
9327 One of the central notions to emerge from th...
9328 The article investigates an evidence-based s...
9329 In this paper, we study the linear complemen...
9330 We prove a Bernstein-von Mises theorem for a...
9331 Word evolution refers to the changing meanin...
9332 Fraenkel and Simpson showed that the number ...
9333 In this article, we propound a question on t...
9334 We analyze how the knowledge to autonomously...
9335 In this note we describe how some objects fr...
9336 Recently experience replay is widely used in...
9337 We study the behavior of the spectrum of the...
9338 We have studied the impact of low-frequency ...
9339 We start with a Riemann-Hilbert problem (RHP...
9340 Extending results of Rais-Tauvel, Macedo-Sav...
9341 Timing channels are a significant and growin...
9342 We show that deciding whether a given graph ...
9343 This paper studies the optimal output-feedba...
9344 Graphene as a zero-bandgap two-dimensional s...
9345 Path integrals describing quantum many-body ...
9346 The BCML system is a beam monitoring device ...
9347 In this paper, we deal with time-invariant s...
9348 The prediction of organic reaction outcomes ...
9349 In this paper, Legendre curves on unit tange...
9350 Giant vortices with higher phase-winding tha...
9351 We study vortex patterns in a prototype nonl...
9352 Recent work on imitation learning has genera...
9353 We introduce seven families of stochastic sy...
9354 Recent studies have shown that close-in brow...
9355 The Dirac equation requires a treatment of t...
9356 In recent years, real estate industry has ca...
9357 We present new Atacama Large Millimeter/sub-...
9358 We report for the first time the observation...
9359 Bandit is a framework for designing sequenti...
9360 We present a new algorithm for the 2D Slidin...
9361 In this study, we investigate the limits of ...
9362 In general, neural networks are not currentl...
9363 While scale invariance is commonly observed ...
9364 We present an easy-to-implement and efficien...
9365 Superregular (SR) breathers are nonlinear wa...
9366 Real network datasets provide significant be...
9367 We define two algebra automorphisms $T_0$ an...
9368 We examine Lagrangian techniques for computi...
9369 Domain-specific languages (DSLs) are of incr...
9370 In this paper, we study the Nystr{ö}m type s...
9371 In this work, a novel ring polymer represent...
9372 The nonlinear thin-shell instability (NTSI) ...
9373 The multivariate contaminated normal (MCN) d...
9374 We present new determinations of the stellar...
9375 This article proposes in depth comparative s...
9376 We consider the problem of packing a family ...
9377 The randomized rumor spreading problem gener...
9378 Due to severe mathematical modeling and cali...
9379 We employ the generic three-wave system, wit...
9380 This note proposes a penalty criterion for a...
9381 Identification of differentially expressed g...
9382 We derive expressions for the finite-sample ...
9383 We present transductive Boltzmann machines (...
9384 This paper presents a human-robot trust inte...
9385 A statistical test can be seen as a procedur...
9386 We present PubMed 200k RCT, a new dataset ba...
9387 We address the problem of analyzing the radi...
9388 Customarily, in-plane auxeticity and synclas...
9389 A scheme making use of an isolated feedback ...
9390 Directional data are constrained to lie on t...
9391 Bose-Einstein condensates (BECs) confined in...
9392 In this paper we construct two groupoids fro...
9393 Stellar clusters form by gravitational colla...
9394 In this paper we prove global well-posedness...
9395 Understanding and characterizing the subspac...
9396 In this paper we construct a properly embedd...
9397 Given a 0-dimensional scheme in a projective...
9398 DFT is used throughout nanoscience, especial...
9399 We investigate the birth and diffusion of le...
9400 We give a complete formula for the character...
9401 Large-scale wireless testbeds have been setu...
9402 Nonrapid eye movement (NREM) sleep desaturat...
9403 In this paper, we present FPT-algorithms for...
9404 Purpose: To improve kidney segmentation in c...
9405 Human mobility is known to be distributed ac...
9406 THz time-domain spectroscopy in transmission...
9407 With the advancement of treatment modalities...
9408 Bacterial DNA gyrase introduces negative sup...
9409 From self-driving vehicles and back-flipping...
9410 Imidazolium based porous cationic polymers w...
9411 We discuss similarity between oscillons and ...
9412 Highly eccentric binary systems appear in ma...
9413 We study threefolds fibred by K3 surfaces ad...
9414 In this paper we will deal with Lipschitz co...
9415 Human trafficking is one of the most atrocio...
9416 In May of 1935, Einstein published with two ...
9417 The rising interest in the construction and ...
9418 We study the performance of the Least Square...
9419 Kriging is a widely employed technique, in p...
9420 Inspired by the matching of supply to demand...
9421 With the prospect of the next generation of ...
9422 Emojis, as a new way of conveying nonverbal ...
9423 We investigate self-shielding of intergalact...
9424 We propose a single neural probabilistic mod...
9425 We present a systematic study on higher-orde...
9426 This prospective chapter gives our view on t...
9427 For a nonlinear ordinary differential equati...
9428 This paper presents research on polar cap io...
9429 We report a large linear magnetoresistance i...
9430 Given samples from an unknown distribution $...
9431 We study the relaxation dynamics of photo-ca...
9432 Two of the most popular modelling paradigms ...
9433 Let $b \ge 2$ be an integer. Among other res...
9434 In this paper, we study constraint qualifica...
9435 We propose a framework employing stochastic ...
9436 Kimura and Yoshida treated a model in which ...
9437 Liquid scintillators are a common choice for...
9438 We consider the Lie group PSL(2) (the group ...
9439 Relation extraction is a fundamental task in...
9440 The anelastic and pseudo-incompressible equa...
9441 Bayesian optimization is a sample-efficient ...
9442 When making predictions about ecosystems, we...
9443 We consider longitudinal nonlinear atomic vi...
9444 For a smooth manifold $M$, possibly with bou...
9445 A cyclic proof system, called CLKID-omega, g...
9446 Let $\theta$ be an inner function on the uni...
9447 Web request query strings (queries), which p...
9448 We introduce signature payoffs, a family of ...
9449 We present deep ALMA CO(5-4) observations of...
9450 In this paper, we demonstrate a new data-dri...
9451 Turbulent mixing of chemical elements by con...
9452 Duke, Imamoglu, and Toth constructed a polyh...
9453 We consider a system of $R$ cubic forms in $...
9454 Self-supported electrocatalysts being genera...
9455 With the exponential growth of cyber-physica...
9456 In the standard web browser programming mode...
9457 The pseudo-marginal algorithm is a variant o...
9458 The present contribution investigates the dy...
9459 Failure rates in high performance computers ...
9460 It has long been assumed that high dimension...
9461 Sampling errors in nested sampling parameter...
9462 This paper explores the design and developme...
9463 Bitcoin and its underlying technology Blockc...
9464 Results are presented of direct numerical si...
9465 The integration of large-scale renewable gen...
9466 Recent results on supercomputers show that b...
9467 Aims: Density waves are often considered as ...
9468 According to a traditional point of view Bol...
9469 A mathematical model for variable selection ...
9470 We report the development of a multichannel ...
9471 The trinity of so-called "canonical" wall-bo...
9472 In this paper, we consider the problem of le...
9473 This paper addresses important control and o...
9474 We present a theoretical investigation of th...
9475 Let $X$ be a compact metrizable group and $\...
9476 A novel diverse domain (DCT-SVD & DWT-SVD) w...
9477 Solving a large-scale regularized linear inv...
9478 An important property of statistical estimat...
9479 The kernel-based regularization method has t...
9480 Despite that accelerating convolutional neur...
9481 We present a numerical implementation of the...
9482 We use a large sample of $\sim 350,000$ gala...
9483 We present a generic framework for trading o...
9484 Phase compensated optical fiber links enable...
9485 A spin-1 atomic gas in an optical lattice, i...
9486 In this paper, we prove the existence of cla...
9487 This paper is about well-posedness and reali...
9488 In this note we construct a series of small ...
9489 In this paper, we suggest a framework to mak...
9490 Let $q$ be an odd prime power and $D$ be the...
9491 We consider the situation when the signal pr...
9492 We start the study of glider representations...
9493 An \emph{ab initio} Langevin dynamics approa...
9494 Biological plastic neural networks are syste...
9495 Recently, graph neural networks have attract...
9496 In a former paper the concept of Bipartite P...
9497 A method for the introduction of second-orde...
9498 A sample of Coma cluster ultra-diffuse galax...
9499 Reliable and real-time 3D reconstruction and...
9500 This work is the first step towards a descri...
9501 We present the transient source detection ef...
9502 In this paper, we consider isotropic and sta...
9503 Given a direct system of Hilbert spaces $s\m...
9504 With a plethora of available classification ...
9505 Modern large displacement optical flow algor...
9506 We grew Lix(NH3)yFe2Te1.2Se0.8 single crysta...
9507 Electron-electron correlation forms the basi...
9508 We present a semi-analytical correction to t...
9509 Making an informed, correct and quick decisi...
9510 This paper investigates the stability of dis...
9511 The general space-time evolution of the scat...
9512 For subspace estimation with an unknown colo...
9513 The resilience of a complex interconnected s...
9514 This paper presents several test cases inten...
9515 Authorship attribution is a natural language...
9516 Building a voice conversion (VC) system from...
9517 Numerous institutions and organizations need...
9518 Time-triggered and event-triggered control s...
9519 We study Lipschitz, positively homogeneous a...
9520 In online social networks people often expre...
9521 We prove elimination of field quantifiers fo...
9522 Several domains have adopted the increasing ...
9523 The demand for metals by modern technology h...
9524 A high speed quasi-distributed demodulation ...
9525 We study the loss of coherence of electroche...
9526 We present a new algorithm for constructive ...
9527 We display the entire structure ${\cal R}_2$...
9528 A new, radical CNN design approach is presen...
9529 Journals were central to Eugene Garfield's r...
9530 Partially observable environments present an...
9531 Context. We are creating the AKARI mid-infra...
9532 Convective mixing in Helium-core-burning (He...
9533 Neurons and networks in the cerebral cortex ...
9534 Extended Air Showers produced by cosmic rays...
9535 It is argued that the concept of "technical ...
9536 Recent discovery of pyrite FeO$_2$, which ca...
9537 Despite the recent progress in automatic the...
9538 We study the active learning problem of top-...
9539 The first concise formulation of the inverse...
9540 We consider an exclusion process with long j...
9541 In this paper we introduce a new property of...
9542 Are the initial conditions for clustered sta...
9543 A common architecture for torque controlled ...
9544 Actual causation is concerned with the quest...
9545 We consider the minimax setup for Gaussian o...
9546 Machine learning has become pervasive in mul...
9547 Indexes are models: a B-Tree-Index can be se...
9548 We compute the leading Post-Newtonian (PN) c...
9549 Hybrid unmanned aircraft, that combine hover...
9550 The harmonic product of tensors---leading to...
9551 Incorrect operations of a Multi-Robot System...
9552 We show that the Revenue-Optimal Determinist...
9553 We present constraints on variations in the ...
9554 We study static and spherically symmetric bl...
9555 This paper presents a reliable method to ver...
9556 Chemical evolution is essential in understan...
9557 A simple, analytically correct algorithm is ...
9558 A graph $G$ is called B$_k$-VPG (resp., B$_k...
9559 We study two identical fermions, or two hard...
9560 Group synchronization requires to estimate u...
9561 Stability of power networks is an increasing...
9562 Since the majority of massive stars are memb...
9563 Networks observed in real world like social ...
9564 We investigate contextual online learning wi...
9565 We investigate the Robust Multiperiod Networ...
9566 A deep learning architecture is proposed to ...
9567 The fault tolerance of random graphs with un...
9568 Factor graphs are important models for succi...
9569 The correct treatment of vibronic effects is...
9570 Endowing a dialogue system with particular p...
9571 Motivated by results of Mestre and Voisin, i...
9572 Orthogonal matching pursuit (OMP) and orthog...
9573 Many physical problems involve spatial and t...
9574 The success of Conflict Driven Clause Learni...
9575 The paper provides an analysis of the voting...
9576 At the exceptional point where two eigenstat...
9577 The main topic considered is maximizing the ...
9578 The article introduces a new concept of stru...
9579 Robots state of insecurity is onstage. There...
9580 Tungsten (W) is widely considered as the mos...
9581 Consider a (not necessarily near-critical) r...
9582 Designing a logo for a new brand is a length...
9583 We study the notion of consistency between a...
9584 Rank minimization (RM) is a wildly investiga...
9585 We study properties of the Stanley-Reisner r...
9586 We propose and analyze theoretically an appr...
9587 Human visual object recognition is typically...
9588 We discuss dynamical response functions near...
9589 We study testing high-dimensional covariance...
9590 While there exist several successful techniq...
9591 We show that a certain family of cohomogenei...
9592 We investigate regularized algorithms combin...
9593 In this paper, we study the scaling properti...
9594 An important problem in machine learning and...
9595 We report all phases and corresponding criti...
9596 Categorical equivalences between block algeb...
9597 In the arithmetic of function fields, Drinfe...
9598 In this paper, we explore the effectiveness ...
9599 This note is concerned with accurate and com...
9600 We have investigated morphology of the later...
9601 Highly oscillatory integrals, such as those ...
9602 This volume contains the proceedings of the ...
9603 This paper considers mean field games in a m...
9604 We develop a framework for downlink heteroge...
9605 Gould's Belt is a flat local system composed...
9606 In recent years, correntropy and its applica...
9607 Evidence of surface magnetism is now observe...
9608 We consider content delivery over fading bro...
9609 The dynamics of nonlinear conservation laws ...
9610 The combined all-electron and two-step appro...
9611 In the adaptive information gathering proble...
9612 We report an experimental and numerical demo...
9613 Arctic coastal morphology is governed by mul...
9614 In classification problems, sampling bias be...
9615 Fast-declining Type Ia supernovae (SN Ia) se...
9616 The architectures of debris disks encode the...
9617 We prove nonlinear modulational instability ...
9618 We present a new model DrNET that learns dis...
9619 Photodissociation of a molecule produces a s...
9620 A new generative adversarial network is deve...
9621 MapReduce is a programming model used extens...
9622 We have investigated the formation of a circ...
9623 Symmetric nonnegative matrix factorization h...
9624 In this paper, we present a new Light Field ...
9625 Networks have become the de facto diagram of...
9626 We study the problem of policy evaluation an...
9627 This work investigates the geometry of a non...
9628 Methods are described that extend fields fro...
9629 Let $(L,\cdot)$ be any loop and let $A(L)$ b...
9630 Multi-objective recommender systems address ...
9631 Decide Madrid is the civic technology of Mad...
9632 Modeling physiological time-series in ICU is...
9633 In this paper we study spectral properties o...
9634 In this work we have used the recent cosmic ...
9635 Statistical TTS systems that directly predic...
9636 The stability of a complex system generally ...
9637 Time-resolved ultrafast x-ray scattering fro...
9638 Critical overdensity $\delta_c$ is a key con...
9639 We consider finite point subsets (distributi...
9640 This paper is concerned with the partitioned...
9641 The Hubble Catalog of Variables (HCV) is a 3...
9642 The design of general purpose processors rel...
9643 Most traditional video summarization methods...
9644 Federated clouds raise a variety of challeng...
9645 It is well-established by cognitive neurosci...
9646 Drying of colloidal droplets on solid, rigid...
9647 An Autonomous Underwater Vehicle (AUV) shoul...
9648 Random attacks that jointly minimize the amo...
9649 In this paper we present an alternative stra...
9650 This work presents a joint and self-consiste...
9651 In this paper, we give some low-dimensional ...
9652 High-resolution wide field-of-view (FOV) mic...
9653 We address personalization issues of image c...
9654 A map $f\colon K\to \mathbb R^d$ of a simpli...
9655 Optimization of energy cost determines avera...
9656 In the Any-Angle Pathfinding problem, the go...
9657 Scenario generation is an important step in ...
9658 We give a new proof of Ciocan-Fontanine and ...
9659 When undertaking cyber security risk assessm...
9660 This paper is a continuation of [arXiv:1603....
9661 Using image context is an effective approach...
9662 The spectral renormalization method was intr...
9663 We present a novel approach for robust manip...
9664 We discuss a Bayesian formulation to coarse-...
9665 Accurate protein structural ensembles can be...
9666 The optimal learner for prediction modeling ...
9667 Context. Transit events of extrasolar planet...
9668 Markov decision processes (MDPs) are a popul...
9669 In this paper, we give novel certificates fo...
9670 TF Boosted Trees (TFBT) is a new open-source...
9671 The evaluation of a query over a probabilist...
9672 This paper considers the problem of inliers ...
9673 We determine all connected homogeneous Kobay...
9674 One important problem in a network is to loc...
9675 We show that even mild improvements of the P...
9676 The phenomenon of polarization of nuclei in ...
9677 The existence of string functions, which are...
9678 In this paper, we outline the vision of chat...
9679 We define the distance between edges of grap...
9680 We present MILABOT: a deep reinforcement lea...
9681 We propose a data-driven method to solve a s...
9682 Real-time crime forecasting is important. Ho...
9683 We investigated the physical properties of t...
9684 Availability of a validated, realistic fuel ...
9685 In this work, we show that the model of time...
9686 The functional significance of resting state...
9687 We report on the development of a versatile ...
9688 I present a new proof of Kirchberg's $\mathc...
9689 In this paper we analyse the profile of land...
9690 Let $H$ be a semisimple algebraic group, $K$...
9691 We present results of empirical studies on p...
9692 In almost any geostatistical analysis, one o...
9693 In kernel methods, the median heuristic has ...
9694 Similar to most of the real world data, the ...
9695 Principal component analysis (PCA) is one of...
9696 We present the results of three-dimensional ...
9697 Along with the advance of opinion mining tec...
9698 In this article we consider static Bayesian ...
9699 In many applications, the interdependencies ...
9700 Detecting defection and alarming partners ab...
9701 This paper aims to design quadrotor swarm pe...
9702 In this paper we consider multivariate Hawke...
9703 Datacenters are the main infrastructure on t...
9704 The Halting Theorem establishes that there i...
9705 Skyrmions are localized magnetic spin textur...
9706 Fe$_{2}$VAl and Fe$_{2}$TiSn are full Heusle...
9707 In this paper, we find all integers c having...
9708 Profound vitamin B12 deficiency is a known c...
9709 De, Trevisan and Tulsiani [CRYPTO 2010] show...
9710 We study the observed relation between accre...
9711 In deep reinforcement learning (RL) tasks, a...
9712 We use new X-ray data obtained with the Nucl...
9713 Quantum machine learning witnesses an increa...
9714 We introduce recurrent additive networks (RA...
9715 The origin of colossal magnetoresistance (CM...
9716 The optical memory effect is a well-known ty...
9717 We investigate the geometry of optimal memor...
9718 There is an emerging class of microfluidic b...
9719 We prove a triangulation theorem for semi-al...
9720 In this paper, we consider positioning with\...
9721 We show that dense OGLE and KMTNet $I$-band ...
9722 The CMS apparatus was identified, a few year...
9723 This paper proposes a discontinuity-sensitiv...
9724 Delays are an important phenomenon arising i...
9725 It came to my attention after posting this p...
9726 In this paper, we deal with the task of buil...
9727 Scaling regression to large datasets is a co...
9728 In current study, a mechanism to extract tra...
9729 Using a form of descent in the stable catego...
9730 Most blind deconvolution methods usually pre...
9731 We provide new results for noise-tolerant an...
9732 We consider three notions of connectivity an...
9733 We prove for any positive integer $n$ there ...
9734 As neural networks grow deeper and wider, le...
9735 This paper presents a novel data-driven appr...
9736 The impact of developmental and aging proces...
9737 Online game involves a very large number of ...
9738 We prove a general existence result in stoch...
9739 A monocular visual-inertial system (VINS), c...
9740 Gravitational waves (GWs) generated by axisy...
9741 We theoretically study a three-dimensional w...
9742 This is a written version of the closing tal...
9743 Grouping objects into clusters based on simi...
9744 Edge structure of graphene has a significant...
9745 We study certain $q$-deformed analogues of t...
9746 We discuss computational procedures based on...
9747 The directed-loop quantum Monte Carlo method...
9748 This paper presents a study on the use of Co...
9749 In this paper, we unravel a fundamental conn...
9750 Model evaluation -- the process of making in...
9751 Starting with a graph, two players take turn...
9752 Cyclization of DNA with sticky ends is commo...
9753 We give a counter example to the new theorem...
9754 In this paper we present distributed testing...
9755 Bipartite data is common in data engineering...
9756 We present a systematic study of core-shell ...
9757 Boron-doped diamond undergoes an insulator-m...
9758 We use the Sloan Digital Sky Survey Data Rel...
9759 In this paper a geometric approach to the tr...
9760 The effect of spatial localization of states...
9761 We propose a two-stage neural model to tackl...
9762 Radio tomographic imaging (RTI) has recently...
9763 We prove that, under low noise assumptions, ...
9764 We propose a kernel mixture of polynomials p...
9765 Mobile edge computing is a new computing par...
9766 Achievement gaps refer to the difference in ...
9767 Debris discs are evidence of the ongoing des...
9768 In this paper, we propose a novel end-to-end...
9769 We introduce a topology on the space of all ...
9770 Numerical and experimental turbulence simula...
9771 Convexity in a network (graph) has been rece...
9772 Achieving high spatial resolution in contact...
9773 In this paper, we study the parallel and the...
9774 The study of energy transport properties in ...
9775 This theoretical paper introduces a new way ...
9776 Decades of research on the neural code under...
9777 We introduce the discrete affine group of a ...
9778 Spin filter superconducting S/I/N tunnel jun...
9779 We correct the double spend race analysis gi...
9780 Understanding how delayed information impact...
9781 We report the influence of crystalline defec...
9782 Given a large number of unlabeled face image...
9783 We study the problem of identifying the caus...
9784 Unlike other organs, the thymus and gonads g...
9785 Most geometric approaches to monocular Visua...
9786 In a published paper [Sengupta, 2016], we ha...
9787 Watermarking techniques have been proposed d...
9788 Small cells deployment is one of the most si...
9789 Although Generative Adversarial Networks (GA...
9790 The advancement in Autonomous Vehicles (AVs)...
9791 We extend Urban's construction of eigenvarie...
9792 We consider the problem of identifying group...
9793 Many aspects of the progenitor systems, envi...
9794 This paper proposes a novel approach to ster...
9795 In the past decade, cities have experienced ...
9796 Quantum phase transitions are sudden changes...
9797 We study sequences of scaled edge-corrected ...
9798 Purpose of this study is evaluation of the r...
9799 On the worldwide web, not only are webpages ...
9800 As technology become more advanced, those wh...
9801 The present work deals with the study of str...
9802 In this paper we introduce the notion of a $...
9803 This monograph aims at providing an introduc...
9804 D. Jed Harrison is a full professor at the D...
9805 Liquid helium and spin-1/2 cold-atom Fermi g...
9806 We present a probabilistic Las Vegas algorit...
9807 We prove a sharp Schwarz type inequality for...
9808 Period estimation is one of the central topi...
9809 We propose a new algorithm, Mean Actor-Criti...
9810 Recent measurements of the Geminga and B0656...
9811 Deep neural networks require a large amount ...
9812 With the development of robotics, there are ...
9813 Event cameras are bio-inspired vision sensor...
9814 We show an analogy at high curvature between...
9815 We introduce and solve a new type of quadrat...
9816 Due to recent advances in technology, the re...
9817 We give a parametrization of the simple Bern...
9818 As an injury heals, an embryo develops, or a...
9819 Among Sequential Monte Carlo (SMC) methods,S...
9820 How can we approach the truth in a society? ...
9821 Increasing evidence has shown that theory-ba...
9822 In a recent publication [Appl. Opt. 55, 2418...
9823 We derive new approximations for the Value a...
9824 Computational methods that predict different...
9825 Modern datasets and models are notoriously d...
9826 Matching members in the Coma cluster catalog...
9827 In this work we discuss the related challeng...
9828 Recently, inference about high-dimensional i...
9829 While online communities have become increas...
9830 We show that all known classical adversary l...
9831 The short-spacing problem describes the inhe...
9832 Estimation of tail quantities, such as expec...
9833 We derive flow equations for cold atomic gas...
9834 A dynamic self-organized morphology is the h...
9835 In this note we investigate the existence of...
9836 With the growth of interest in network data ...
9837 In this paper we present our study on the cr...
9838 The study of covariances (or positive defini...
9839 Many cloud applications rely on fast and non...
9840 A long standing problem in the area of error...
9841 Drones, also known as mini-unmanned aerial v...
9842 We investigate the weak excitations of a sys...
9843 We find plane models for all $X_0(N)$, $N\ge...
9844 Neural networks have shown great potential i...
9845 The transient response of power grids to ext...
9846 We present a family of mutually orthogonal p...
9847 Automatic differentiation (AD) is an essenti...
9848 We describe here a procedure to combine meas...
9849 Microwave cavities for a Sikivie-type axion ...
9850 We determine all connected homogeneous Kobay...
9851 In this paper we first establish new explici...
9852 While there has been an explosion in the num...
9853 We test whether advanced galaxy models and a...
9854 Friction plays a key role in manipulating ob...
9855 Turkish Wikipedia Named-Entity Recognition a...
9856 Bi-Intuitionistic Stable Tense Logics (BIST ...
9857 We demonstrate how students' use of modeling...
9858 Despite its numerical challenges, finite ele...
9859 Progress in machine learning is measured by ...
9860 Under a Bayesian framework, we formulate the...
9861 The concept of a $\Gamma$-semigroup has been...
9862 We formally deduce closed-form expressions f...
9863 A graph is perfect if the chromatic number o...
9864 In this paper, we show synchronization for a...
9865 We present a method for EMG-driven teleopera...
9866 We introduce a novel numerical method to int...
9867 X-ray magnetic circular dichroism (XMCD) mea...
9868 Many activation functions have been proposed...
9869 Traditionally social sciences are interested...
9870 Entropic regularization is quickly emerging ...
9871 The eigenvalue of the hermitic Hamiltonian i...
9872 Let $X$ be a finite collection of sets (or "...
9873 Every observation of astrophysical objects i...
9874 We generalize a support vector machine to a ...
9875 Recall that the group $PSL(2,\mathbb R)$ is ...
9876 This paper proposes a signature-based approa...
9877 We study the $f(R)$ theory of gravity in an ...
9878 Visual tracking is a fundamental problem in ...
9879 We design a deterministic polynomial time $c...
9880 Recent advances in policy gradient methods a...
9881 We primarily study a special a weighted low-...
9882 We derive the Markov process equivalent to S...
9883 The dynamic Mott insulator-to-metal transiti...
9884 Although compelling assessments have been ex...
9885 Decoding human brain activities via function...
9886 Neural networks with equal excitatory and in...
9887 Efficient communication between qubits relie...
9888 Whereas the relationship between criticality...
9889 Feed-forward convolutional neural networks (...
9890 Dynamic patterning of specific proteins is e...
9891 If we pick $n$ random points uniformly in $[...
9892 The formation of self-organized patterns is ...
9893 Biophysical modelling of diffusion MRI is ne...
9894 This paper shows that conditional independen...
9895 Agile localization of anomalous events plays...
9896 The tensor train decomposition decomposes a ...
9897 Understanding the thermally activated escape...
9898 Sparse exchangeable graphs resolve some path...
9899 Tête-à-tête graphs and relative tête-à-tête ...
9900 We characterize Cesàro-Orlicz function space...
9901 Modeling the joint distribution of extreme w...
9902 MOEMS Deformable Mirrors (DM) are key compon...
9903 Remote sensing image scene classification pl...
9904 Network theory proved recently to be useful ...
9905 An efficient adaptive algorithm for the remo...
9906 Strong product is an efficient way to constr...
9907 In this paper, we prove the existence of glo...
9908 Energy has been increasingly generated or co...
9909 Word embeddings use vectors to represent wor...
9910 In this work, we develop a novel Bayesian es...
9911 We introduce $\Psi$ec, a local spectral exte...
9912 We report the transverse relaxation rates 1/...
9913 Limited-angle computed tomography (CT) is of...
9914 The renewed Green's function approach to cal...
9915 This paper proposes a new algorithm for cont...
9916 We analyze the secrecy outage probability in...
9917 We introduce a novel method for defining geo...
9918 Computer aided diagnostic (CAD) system is cr...
9919 It has recently been shown that if feedback ...
9920 Predictions of inflationary schemes can be i...
9921 We characterize the class of RFD $C^*$-algeb...
9922 Let $(\mathbf{B}, \|\cdot\|)$ be a real sepa...
9923 It is difficult for humans to efficiently te...
9924 To perform tasks specified by natural langua...
9925 Automatic classification of trees using remo...
9926 It is known that individuals in social netwo...
9927 In the last decade, deep learning has contri...
9928 NA62 is a fixed-target experiment at the CER...
9929 Let $K\subset S^3$ be a knot, $X:= S^3\setmi...
9930 This paper presents an automated supervised ...
9931 Bose condensation is central to our understa...
9932 Physics phenomena of multi-soliton complexes...
9933 Visual question answering (or VQA) is a new ...
9934 With the rise of end-to-end learning through...
9935 From medical charts to national census, heal...
9936 In autonomous racing, vehicles operate close...
9937 We have experimentally studied the effects o...
9938 Deep neural networks (DNNs) have begun to ha...
9939 We identify and study a number of new, rapid...
9940 Automatically determining the optimal size o...
9941 Traffic for internet video streaming has bee...
9942 Hierarchically-organized data arise naturall...
9943 This paper is concerned with the channel est...
9944 A policy maker faces a sequence of unknown o...
9945 Shearing transitions of multi-layer molecula...
9946 In chiral magnetic materials, numerous intri...
9947 Graphene has emerged as a promising building...
9948 Transfer learning through fine-tuning a pre-...
9949 In this work, we present an analysis of the ...
9950 The architecture of Exascale computing facil...
9951 We study the time evolution of a one-dimensi...
9952 The game of chess is the most widely-studied...
9953 We discuss a monotone quantity related to Hu...
9954 We consider forecasting a single time series...
9955 We present new radio continuum observations ...
9956 Fractons are emergent particles which are im...
9957 The generating function of cubic Hodge integ...
9958 We explore the simplification of widely used...
9959 We prove that counting copies of any graph $...
9960 Density-functional theory calculations with ...
9961 We introduce a notion of nodal domains for p...
9962 Notifications provide a unique mechanism for...
9963 A novel matching based heuristic algorithm d...
9964 Neuroinflammation in utero may result in lif...
9965 Skyrmions are disk-like objects that typical...
9966 Deep convolution neural networks demonstrate...
9967 We formulate simple assumptions, implying th...
9968 The Holstein model describes the motion of a...
9969 A key challenge in complex visuomotor contro...
9970 Recent advances in Representation Learning a...
9971 We theoretically analyze the effect of param...
9972 Exploratory testing is neither black nor whi...
9973 In this paper we suggest that in the framewo...
9974 Accurately predicting when and where ambulan...
9975 Curated web archive collections contain focu...
9976 Learning network representations has a varie...
9977 Superconductivity in noncentrosymmetric comp...
9978 In this article the $p$-essential dimension ...
9979 Market research is generally performed by su...
9980 Optimization on Riemannian manifolds widely ...
9981 In this paper, we formalize the notion of di...
9982 We propose a new approach to the problem of ...
9983 We present a slow control system to gather a...
9984 I studied the non-equilibrium response of an...
9985 We propose a data-driven framework for optim...
9986 The chromium arsenides BaCr2As2 and BaCrFeAs...
9987 Development of high strength carbon fibers (...
9988 A model of cosmological inflation is propose...
9989 Often, more time is spent on finding a model...
9990 We show that the convergence rate of $\ell^1...
9991 The Mu2e experiment will search for coherent...
9992 The current prominence and future promises o...
9993 Adversarial examples are perturbed inputs de...
9994 We construct a sample of X-ray bright optica...
9995 This article is the second of a pair of arti...
9996 TUS is the world's first orbital detector of...
9997 In this thesis we present the novel semi-sup...
9998 We derive out naturally some important distr...
9999 We give a generalization of a theorem of Sil...
10000 We consider the characterization as well as ...
10001 Kinetically constrained lattice gases (KCLG)...
10002 Molecular fingerprints, i.e. feature vectors...
10003 We present a generalized 4 $\times$ 4 matrix...
10004 In this paper the Chua circuit with five lin...
10005 Log-linear models are arguably the most succ...
10006 Recent quantum-gas microscopy of ultracold a...
10007 Discrete particle simulations are widely use...
10008 We describe the MERger-event Gamma-Ray (MERG...
10009 It was proved by Graham and Witten in 1999 t...
10010 Genealogical networks, also known as family ...
10011 In this paper we prove small data global exi...
10012 The concentration of biochemical oxygen dema...
10013 In matched observational studies where treat...
10014 The TTE approach to Computable Analysis is t...
10015 Data mining and machine learning techniques ...
10016 In this paper we investigate the computation...
10017 A trace $\tau$ on a separable C*-algebra $A$...
10018 In the Fock representation, we propose a fra...
10019 Fractal TRIDYN (F-TRIDYN) is a modified vers...
10020 To precisely measure radon concentrations in...
10021 With the development of neural networks base...
10022 We show how Leibnitz.s indiscernibility prin...
10023 The main purpose of this article is to fix s...
10024 We investigate the level spacing distributio...
10025 With this note, we remember our friend Maria...
10026 Training deep neural networks is known to re...
10027 We introduce multi-modal, attention-based ne...
10028 The coprime hypergraph of integers on $n$ ve...
10029 Since the largest 2014-2016 Ebola virus dise...
10030 Nonnegative Matrix Factorization (NMF) is a ...
10031 We consider the problem of recovering the su...
10032 In the quest for scalable Bayesian computati...
10033 Choosing the Indium Gallium Nitride (InGaN) ...
10034 With the wide application of machine learnin...
10035 Nonlinear dynamics on graphs has rapidly bec...
10036 Synthesis of DNA molecules offers unpreceden...
10037 Excitation of relativistic electron beam dri...
10038 Kernel PCA is a widely used nonlinear dimens...
10039 Organized crime inflicts human suffering on ...
10040 In the present work, we describe the results...
10041 MicroRNAs (miRNAs) are small non-coding RNAs...
10042 Shape completion, the problem of estimating ...
10043 In this paper we establish a connection betw...
10044 In this note we define circular k-succession...
10045 We study weighted particle systems in which ...
10046 The nodal and effectively relativistic dispe...
10047 Predicting the outcome of sports events is a...
10048 We propose a generalization of neural networ...
10049 In spite of their intrinsic one-dimensional ...
10050 In the last few years, microblogging platfor...
10051 There are large amounts of insight and socia...
10052 Most undergraduate level abstract algebra te...
10053 This paper studies the heat equation $u_t=\D...
10054 This paper addresses the challenge of humano...
10055 A novel device that can be used as a tunable...
10056 In this paper, the problem of tracking desir...
10057 We present development of a genetic algorith...
10058 Large datasets represented by multidimension...
10059 We explore the non-equilibrium evolution and...
10060 Grip control during robotic in-hand manipula...
10061 Several recent studies have reported differe...
10062 We show that every bounded subset of an Eucl...
10063 We study fairness within the stochastic, \em...
10064 Virtual Reality, an immersive technology tha...
10065 In this note, we provide a conceptual explan...
10066 We examine the effect of the stress tensor o...
10067 In this article we introduce a new geometric...
10068 We consider the problem of adversarial (non-...
10069 The $q$-Coloring problem asks whether the ve...
10070 Planar object tracking is an actively studie...
10071 Operation of an atomtronic battery is demons...
10072 We address the two fundamental problems of s...
10073 In this paper, we prove that a smooth projec...
10074 We study predictive density estimation under...
10075 Many systems of structured argumentation exp...
10076 Independent tests aiming to constrain the va...
10077 We construct examples of flat fiber bundles ...
10078 The fields of astronomy and astrophysics are...
10079 Living organisms process information to inte...
10080 This work analyses surprising elections, and...
10081 Kinetic plasma turbulence cascade spans mult...
10082 We explore the relationship between human mi...
10083 The Weyl semimetal NbP exhibits an extremely...
10084 Continuous cultures of mammalian cells are c...
10085 The technique of propagating spin wave spect...
10086 In this paper we demonstrate how genetic alg...
10087 Social conventions govern countless behavior...
10088 This work is devoted to elaboration on the i...
10089 This paper reviews the historic of ChaLearn ...
10090 Chaos associated with bifurcation makes a ne...
10091 Bazhin has analyzed ATP coupling in terms of...
10092 The explosive increase in number of smart de...
10093 It is believed that thermalization in closed...
10094 Interface phonon (IF) modes of c-plane orien...
10095 Transitions between multiple stable states o...
10096 A sieve for rational points on suitable vari...
10097 Neural responses in the cortex change over t...
10098 We present a general formalism of multipole ...
10099 Column-sparse packing problems arise in seve...
10100 The Doppler effect is a shift in the frequen...
10101 We propose a new linear algebraic approach t...
10102 We investigate the relation between disk mas...
10103 We present a Character-Word Long Short-Term ...
10104 Machine learning methods have found many app...
10105 The effect of monolayers of oxygen (O) and h...
10106 Early recognition of abnormal rhythm in ECG ...
10107 Currently, most speech processing techniques...
10108 Many classical results in relativity theory ...
10109 We present ALMA observations of the 2M1207 s...
10110 A class of methods based on multichannel lin...
10111 Many successful methods have been proposed f...
10112 We present a user of model interaction based...
10113 We consider the supervised learning problem ...
10114 Software engineering considers performance e...
10115 Porous silicon layers (PS) have been prepare...
10116 Connectivity patterns of relevance in neuros...
10117 Deep Convolutional Neural Networks (DCNNs) a...
10118 We study translation invariant stochastic pr...
10119 We study the high-frequency behavior of the ...
10120 By using the Lyapunov-Schmidt reduction meth...
10121 A general formalism is introduced to allow t...
10122 Neural networks with low-precision weights a...
10123 Stable Marriage is a fundamental problem to ...
10124 Electricity market price predictions enable ...
10125 Community detection or clustering is a funda...
10126 The topological interference management (TIM...
10127 This paper studies robust regression in the ...
10128 We introduce structures which model the quot...
10129 In this paper, the origin of the generalized...
10130 We consider nonparametric inference of finit...
10131 Knowledge base completion (KBC) aims to pred...
10132 Feature engineering is a crucial step in the...
10133 It is shown that any two cellular automata (...
10134 We discuss an "operational" approach to test...
10135 We present experimental data and simulations...
10136 Frequent Pattern Mining is a one field of th...
10137 We study the dynamics of the Fermi-Hubbard m...
10138 We exhibit an $O((\log k)^6)$-competitive ra...
10139 We provide a physical definition of new homo...
10140 We prove, by topological methods, new result...
10141 This paper proposes an approach to detect em...
10142 In article the basic principles put in a bas...
10143 Cone spherical metrics are conformal metrics...
10144 We suggest a new type of an ultrasensitive d...
10145 New upper bounds on the pointwise behaviour ...
10146 From string theory, the notion of deformed H...
10147 We present an introduction to periodic and s...
10148 Yttria-stabilized zirconia (YSZ), a ZrO2-Y2O...
10149 Reactive power compensation is an important ...
10150 We investigate additional properties of prot...
10151 We consider the Dirichlet Laplacian in a str...
10152 A liquid film wetting the interior of a long...
10153 Existing brain network distances are often b...
10154 Online trust systems are playing an importan...
10155 We study the collapse of pebble clouds with ...
10156 Accurate path integral Monte Carlo or molecu...
10157 The Constrained Application Protocol (CoAP) ...
10158 The physics of active systems of self-propel...
10159 In this letter we present a theorem on the d...
10160 Realistic evolutionary fitness landscapes ar...
10161 Data-driven modeling plays an increasingly i...
10162 In many domains, a latent competition among ...
10163 Analog-to-digital converters (ADCs) are a ma...
10164 We design controllers from formal specificat...
10165 Progress in deep learning is slowed by the d...
10166 Sensing and reciprocating cellular systems (...
10167 A new three-parameter cumulative distributio...
10168 This paper proposes a new scheme to secure t...
10169 We investigate deep neural network performan...
10170 Bayesian model selection and model averaging...
10171 We analyze subway arrival times in the New Y...
10172 The superconducting transition of FeSe$_{1-x...
10173 This paper explores an incremental training ...
10174 Treating optimization methods as dynamical s...
10175 Processing sequential data of variable lengt...
10176 OR multi-access channel is a simple model wh...
10177 Social media platforms contain a great wealt...
10178 Transparency, user trust, and human comprehe...
10179 In this paper, we reconsider the unfolding-b...
10180 The present study investigates different str...
10181 Random Fourier features is one of the most p...
10182 The DArk Matter Particle Explorer (DAMPE) is...
10183 The superconducting nanowire single photon d...
10184 Just like Atiyah Lie algebroids encode the i...
10185 We demonstrate creation of electroforming-fr...
10186 The present paper considers testing an Erdos...
10187 In this paper, we propose a new loss functio...
10188 The regularization approach for variable sel...
10189 Learning interpretable features from complex...
10190 Recent years have witnessed the growing dema...
10191 Graphene-based photodetectors have demonstra...
10192 In this paper, we propose an efficient trans...
10193 We consider the nonlinear Schrödinger equati...
10194 This paper is concerned with the convergence...
10195 There has been a recent media blitz on a coh...
10196 Temporary earth retaining structures (TERS) ...
10197 A subset $\mathcal{G}$ generating a $C^*$-al...
10198 We study the fully gapped chiral Mott insula...
10199 We establish a functional weak law of large ...
10200 The nature of the nematic state in FeSe rema...
10201 We propose a simple modification to existing...
10202 We consider the problem of optimizing the pl...
10203 This work fits in the context of community m...
10204 We formulate a type B extended nilHecke alge...
10205 In unsupervised domain mapping, the learner ...
10206 We present an approach to adaptively utilize...
10207 The phylogenetic effective sample size is a ...
10208 In this paper, we construct the additional s...
10209 Measuring the full distribution of individua...
10210 The branch of provability logic investigates...
10211 Physical emergence - crystals, rocks, sandpi...
10212 The interplay between geometric frustration ...
10213 In acoustic scene classification researches,...
10214 A new definition of continuous-time equilibr...
10215 Alpha signals for statistical arbitrage stra...
10216 Deep convolutional networks have achieved gr...
10217 The current study applies deep learning to h...
10218 In privacy amplification, two mutually trust...
10219 In a reversible language, any forward comput...
10220 In this paper, we investigate the convergenc...
10221 Nanotubes of various kinds have been prepare...
10222 As with classic statistics, functional regre...
10223 The star chromatic index of a multigraph $G$...
10224 Absolutely Koszul algebras are a class of ri...
10225 Online advertisement is the main source of r...
10226 To a smooth and symmetric function $f$ defin...
10227 We demonstrate an enhancement in the vortex ...
10228 We investigate the sub-Gaussian property for...
10229 Finding a maximum cut is a fundamental task ...
10230 Let $S$ be a $p$-group for an odd prime $p$,...
10231 Suppose we have a elliptic curve over a numb...
10232 The precise modeling of subatomic particle i...
10233 We demonstrate temporal measurements of subp...
10234 In this paper we present several values for ...
10235 The AliEn (ALICE Environment) file catalogue...
10236 We report on a versatile mini ultra-high vac...
10237 The dislocation-mediated quantum melting of ...
10238 The mechanical properties and deformation me...
10239 We give necessary and sufficient conditions ...
10240 In variable or graph selection problems, fin...
10241 We propose a definition of Vafa-Witten invar...
10242 The aggregation of many independent estimate...
10243 In temperate climates, mortality is seasonal...
10244 We address the problem of verifying the sati...
10245 We investigate the power of non-determinism ...
10246 The Advanced Virgo detector uses two monolit...
10247 We use a mobile impurity or depleton model t...
10248 We study the applicability of the time-depen...
10249 The paper presents a topology optimization a...
10250 Reward shaping is one of the most effective ...
10251 Among recently introduced new notions in rea...
10252 We revise the operator-norm convergence of t...
10253 Nowadays data compressors are applied to man...
10254 Two-dimensional embeddings remain the domina...
10255 Graph matching or quadratic assignment, is t...
10256 Extensive cooperation among unrelated indivi...
10257 We study Bayesian hypernetworks: a framework...
10258 Plate motions are governed by equilibrium be...
10259 One of the most challenging tasks when adopt...
10260 We simulate the stresses induced by temperat...
10261 Forwarding data by name has been assumed to ...
10262 Delay Tolerant Networking (DTN) is an approa...
10263 Regularization techniques such as the lasso ...
10264 In multi-object tracking applications, model...
10265 We consider a general monotone regression es...
10266 Distributed network optimization has been st...
10267 The purpose of this note is to revive in $L^...
10268 In this paper, we apply empirical likelihood...
10269 To obtain uncertainty estimates with real-wo...
10270 In this article, we propose two classes of s...
10271 We apply a convolutional neural network (CNN...
10272 We analyze the source of inter-model scatter...
10273 This paper proposes a novel representation o...
10274 The causal inference problem consists in det...
10275 The complexity embedded in condensed matter ...
10276 Robotic systems, working together as a team,...
10277 Model precision in a classification task is ...
10278 Our goal is to improve variance reducing sto...
10279 We consider plasmon resonances and cloaking ...
10280 We introduce a hybridizable discontinuous Ga...
10281 Artificial neural networks (ANNs) have gaine...
10282 Connectionist Temporal Classification has re...
10283 This paper presents a novel method to descri...
10284 We consider the problem of locating a point-...
10285 In this note we propose a method based on ar...
10286 The possibility of calculation of the condit...
10287 Let $G$ be a finite simple graph. For $X \su...
10288 The collision-ionization mechanism of nonseq...
10289 What is chaos? Despite several decades of re...
10290 Context: The first Gaia data release (DR1) d...
10291 Applications that require substantial comput...
10292 Kiva is an online non-profit crowdsouring mi...
10293 In the ICS, WUT a platform for simulation of...
10294 We analytically derive the expressions for t...
10295 The X-ray emission spectrum of liquid ethano...
10296 Class labels have been empirically shown use...
10297 High Performance Computing is often performe...
10298 We propose a new method to detect off-pulse ...
10299 Structural and topological information play ...
10300 Taking an image and question as the input of...
10301 In this paper, we examine the physical layer...
10302 Superconducting bulks, acting as high-field ...
10303 The inability to efficiently tune the optica...
10304 Traditionally, Blind Speech Separation techn...
10305 Inelastic neutron scattering has been used t...
10306 We present a novel methodology to enable con...
10307 We introduce a few variants on Frank-Wolfe s...
10308 We theoretically investigate an ultrastrongl...
10309 In his work of 1969, Merle E. Manis introduc...
10310 Electron Cryo-Tomography (ECT) allows 3D vis...
10311 Most of the existing characterizations of th...
10312 We introduce a new ferromagnetic model capab...
10313 In this paper I will present a short scienti...
10314 This work addresses the problem of segmentat...
10315 We propose in this article a M/G/c/c state d...
10316 This paper considers the Laplace method to d...
10317 We study the fixed point theory of n-valued ...
10318 The Large Synoptic Survey Telescope (LSST) w...
10319 CO2 capture and storage is an important tech...
10320 A GelSight sensor uses an elastomeric slab c...
10321 Our visual perception of our surroundings is...
10322 In this paper, we consider the community det...
10323 In this paper, we build upon previous work o...
10324 Vehicle-to-vehicle communications can change...
10325 We show that the two-weight estimate for the...
10326 Observations of nine transits of WASP-107 du...
10327 In this article, we give some reviews concer...
10328 Advances in virtual reality have generated s...
10329 Understanding the dynamical behavior of comp...
10330 Quantum gas microscopes are a promising tool...
10331 For a multivariate normal set up, it is well...
10332 Cloud Computing is a new era of remote compu...
10333 The astrophysics community uses different to...
10334 Based on BCS model with the external pair po...
10335 We introduce \emph{$p_n$-random $q_n$-propor...
10336 By introducing a simplified transport model ...
10337 We present a novel approach for estimating c...
10338 This volume of EPTCS contains the proceeding...
10339 Transient quantum dynamics in an interacting...
10340 We prove that the automorphism group of a to...
10341 This paper presents the first MD simulations...
10342 Software as a Service cloud computing model ...
10343 Efficiently exploiting GPUs is increasingly ...
10344 We study the height of a spanning tree $T$ o...
10345 We propose theoretically an effective scheme...
10346 Motion planning is the core problem to solve...
10347 Assume that $M$ is a c.t.m. of $ZFC+CH$ cont...
10348 The use of resonant depolarization has been ...
10349 Learning-based approaches for robotic graspi...
10350 We generalize the translation invariant tens...
10351 We develop a Maximum Likelihood estimator (M...
10352 In this work, we highlight a connection betw...
10353 List decoding of insertions and deletions in...
10354 We prove almost sure global existence and sc...
10355 Boltzmann exploration is widely used in rein...
10356 Both GPS and WiFi based localization have be...
10357 Since the advent of online real estate datab...
10358 Neuromorphic hardware tends to pose limits o...
10359 In the Internet of Things (IoT) community, W...
10360 It is proved that replica symmetry is not br...
10361 We have implemented an optimization that spe...
10362 We obtain the first polynomial-time algorith...
10363 Outlier detection and cluster number estimat...
10364 The most general expressions of the stored e...
10365 The inference of network topologies from rel...
10366 In this paper, we introduce an iterative lin...
10367 An important class of real-world networks ha...
10368 We report an experimental observation of mul...
10369 This paper presents results of topic modelin...
10370 We construct a countable bounded sublattice ...
10371 In this work the issue of Bayesian inference...
10372 The aim of the study is to investigate the r...
10373 Merging mobile edge computing with the dense...
10374 Experimental Particle Physics has been at th...
10375 Guided by critical systems found in nature w...
10376 We introduce and analyze an extension to the...
10377 We present a detailed spectral analysis of t...
10378 Nd2Hf2O7, belonging to the family of geometr...
10379 Noncritical soft-faults and model deviations...
10380 We study SIS epidemic spreading processes un...
10381 We present model for anisotropic compact sta...
10382 In this paper we describe and evaluate a mix...
10383 Benefited from the widely deployed infrastru...
10384 Disagreement-based approaches generate multi...
10385 What if someone built a "box" that applies q...
10386 Unmanned aircraft have decreased the cost re...
10387 In this paper, we present an approach to sel...
10388 In this chapter, we present the state-of-the...
10389 In recent years, the number of biomedical pu...
10390 Transfer learning is a popular practice in d...
10391 This paper presents the construction of a pa...
10392 Enabling robots to autonomously navigate com...
10393 We study magnetization reversal in a $\varph...
10394 As computational astrophysics comes under pr...
10395 Deep Neural Networks are built to generalize...
10396 In the Simply Typed $\lambda$-calculus Statm...
10397 We have used Brillouin Light Scattering spec...
10398 This paper shows a detailed modeling of thre...
10399 A key task in Bayesian statistics is samplin...
10400 We provide a compositional coalgebraic seman...
10401 Anytime almost-surely asymptotically optimal...
10402 We propose a novel approach to 3D human pose...
10403 Selection of appropriate collective variable...
10404 We study the random conductance model on the...
10405 A very important problem in combinatorial op...
10406 Estimating the influence of a given feature ...
10407 For large-scale industrial processes under c...
10408 The problem of high-dimensional and large-sc...
10409 Recently, Czumaj et.al. (arXiv 2017) present...
10410 We present ELDAR, a new method that exploits...
10411 The hard X-ray emission in a solar flare is ...
10412 We propose a general framework for interacti...
10413 Gravitational lensing provides a means to me...
10414 Three separation properties for a closed sub...
10415 Machine learning (ML) is increasingly deploy...
10416 The paper presents a solution to the Boltzma...
10417 The first step to realize automatic experime...
10418 This article expands on research that has be...
10419 We present PhyShare, a new haptic user inter...
10420 Every graph $G=(V,E)$ is an induced subgraph...
10421 Graph drawings are useful tools for explorin...
10422 One of the ultimate goals in biology is to u...
10423 Epilepsy is common neurological diseases, af...
10424 During maintenance, software developers deal...
10425 We consider the weighted belief-propagation ...
10426 We study a pattern forming instability in a ...
10427 We study the electronic and spin structures ...
10428 Technological developments alongside VLSI ac...
10429 Quantum phase transitions are ubiquitous in ...
10430 Future observations of cosmic microwave back...
10431 A detailed thermal analysis of a Niobium (Nb...
10432 The shear viscosity plays an important role ...
10433 A cyclic proof system gives us another way o...
10434 In this paper, we revisit the recently estab...
10435 We employ the Grand Canonical Adaptive Resol...
10436 Daily operation of a large-scale experiment ...
10437 The aim of this paper is to find the approxi...
10438 It is well known that the "store language" o...
10439 Cu(pyz)(NO3)2 is a quasi one-dimensional mol...
10440 The session search task aims at best serving...
10441 Recently, graph neural networks (GNNs) have ...
10442 People participate and activate in online so...
10443 This note continues our previous work on spe...
10444 The Met Office's weather and climate simulat...
10445 Self Organizing Networks (SONs) are consider...
10446 In topological semimetals the Dirac points c...
10447 A many-valued modal logic is introduced that...
10448 We construct a sequence of compact, oriented...
10449 Let $\pi $ be an irreducible smooth complex ...
10450 The purpose of this paper is to show that fu...
10451 The RNiO$_3$ perovskites are known to order ...
10452 During routine state space circuit analysis ...
10453 We discuss the practical problems arising wh...
10454 Let $V$ be a minimal valuation overring of a...
10455 We present a finite-temperature extension of...
10456 Given a graph $ G $ with $ n $ vertices and ...
10457 Despite significant recent progress in the a...
10458 In this paper, we investigate the parametric...
10459 Dozens of new models on fixation prediction ...
10460 This study focusses on self-balancing microg...
10461 Optical frequency combs (OFC) provide a conv...
10462 A linear operator $T$ between two lattice-no...
10463 We present the results of a pilot near-infra...
10464 Mining relationships between treatment(s) an...
10465 Internet or things (IoT) is changing our dai...
10466 A probabilistic description is essential for...
10467 In the Steiner Forest problem, we are given ...
10468 Antenna current optimization is often used t...
10469 The knowledge regarding the function of prot...
10470 In recent years, several powerful techniques...
10471 Let $S$ be a string of length $n$. In this p...
10472 Purpose of review: This paper presents a rev...
10473 We study the problem of testing for communit...
10474 Magnetic activity strongly impacts stellar R...
10475 Differential testing to solve the oracle pro...
10476 Explicitly or implicitly, most of dimensiona...
10477 Blind Source Separation (BSS) is a challengi...
10478 The monomorphism category $\mathscr{S}(A, M,...
10479 The focus of this paper is on the analysis o...
10480 The recent experimental discovery of three-d...
10481 High quality gene models are necessary to ex...
10482 In the past few years, Convolutional Neural ...
10483 Computing the medoid of a large number of po...
10484 We consider truncated SVD (or spectral cut-o...
10485 Sampling logconcave functions arising in sta...
10486 The celebrated integer relation finding algo...
10487 Tensor completion is a problem of filling th...
10488 A path (resp. cycle) decomposition of a grap...
10489 We investigate the transport properties of n...
10490 An increasing body of evidence suggests that...
10491 Current searches for a dark photon in the ma...
10492 In this paper, we gave some properties of bi...
10493 In this paper, we present a method to determ...
10494 The anisotropy of the Fe-based superconducto...
10495 A simple polytope $P$ is said to be \emph{B-...
10496 The concept of emergence is a powerful conce...
10497 The Trouvé group $\mathcal G_{\mathcal A}$ f...
10498 Motion planning classically concerns the pro...
10499 In this paper, we present a new R package CO...
10500 Deep Neural Networks (DNNs) are universal fu...
10501 The International Rosetta Mission was launch...
10502 We describe a new cardinality estimation alg...
10503 Object tracking systems play important roles...
10504 Using the NASA/IRTF SpeX & BASS spectrometer...
10505 The flyby anomaly is the unexpected variatio...
10506 Two dimensional (2D) materials provide a uni...
10507 We consider the incompressible Euler and Nav...
10508 Wheeled ground robots are limited from explo...
10509 Currently, lower limb robotic rehabilitation...
10510 Tetrachiral materials are characterized by a...
10511 Twitter has provided a great opportunity for...
10512 Dynamic Boltzmann Machine (DyBM) has been sh...
10513 Discussed here are the effects of basics gra...
10514 In this paper, we focus on applications in m...
10515 This paper presents a laser amplifier based ...
10516 In this paper we study entire radial solutio...
10517 Automatically detecting sound units of humpb...
10518 Given an input string s and a specific Linde...
10519 The generalization of the multi-scale entang...
10520 Geo-tags from micro-blog posts have been sho...
10521 The aim of the present paper is to contribut...
10522 For symmetric Lévy processes, if the local t...
10523 We study the classical complexity of the exa...
10524 We study the carrier transport and magnetic ...
10525 The purpose of this note is to attract atten...
10526 Which studies, theories, and ideas have infl...
10527 In this paper, we focus on online representa...
10528 Recent pump-probe experiments reported an en...
10529 With the advent of modern communications sys...
10530 Neural Style Transfer based on Convolutional...
10531 A quantized physical framework, called the f...
10532 Reinforcement learning has emerged as a prom...
10533 We construct a contour function for the enta...
10534 Topic discovery has witnessed a significant ...
10535 It is well known that finite commutative ass...
10536 Until recently almost nothing was known abou...
10537 We use ultradeep 20 cm data from the Karl G....
10538 This paper begins with a theoretical explana...
10539 In both H.264 and HEVC, context-adaptive bin...
10540 Information-Centric Networking is a promisin...
10541 Deep Gaussian Processes (DGPs) are hierarchi...
10542 This paper develops meshless methods for pro...
10543 This note is a collection of several discuss...
10544 New physics has traditionally been expected ...
10545 Changes in the structure of observed social ...
10546 According to the Wiener-Hopf factorization, ...
10547 The local crystal structures of many perovsk...
10548 The ordering of a multilayer consisting of D...
10549 Deep reinforcement learning (RL) has proven ...
10550 In this thesis, we study the interplay of ph...
10551 We consider a spatial stochastic model of wi...
10552 A reinsurance contract should address the co...
10553 We show the problem of counting homomorphism...
10554 The use of semi-autonomous and autonomous ro...
10555 We start by asking an interesting yet challe...
10556 We consider several (related) notions of geo...
10557 Sleep condition is closely related to an ind...
10558 Motivated by the recent result of Farhi we s...
10559 In the context of music production, distorti...
10560 In this paper, we consider adaptive decision...
10561 Many machine learning problems can be formul...
10562 During the last decade, the information tech...
10563 Estimating the Domain of Attraction (DA) of ...
10564 This article is devoted to the problem of pr...
10565 We examine whether an extended scenario of a...
10566 We address the key open problem of a higher ...
10567 Sparse additive modeling is a class of effec...
10568 We present a performance analysis appropriat...
10569 The Riesz-Sobolev inequality provides an upp...
10570 We study the problem of defining maps on lin...
10571 Recent advances have enabled 3d object recon...
10572 We investigate the long-time stability of th...
10573 We consider variants on the classical Berz s...
10574 There has been a long standing interest in u...
10575 With a core-periphery structure of networks,...
10576 Central limit theorems play an important rol...
10577 In the first half of this manuscript, we beg...
10578 A rapid and anisotropic modification of the ...
10579 In visual exploration and analysis of data, ...
10580 Convolutional operator learning is increasin...
10581 The construction of permutation trinomials o...
10582 Recent observations identify a valley in the...
10583 The Sparsity of the Gradient (SoG) is a robu...
10584 The purpose of this note is to propose a new...
10585 Image semantic segmentation is more and more...
10586 While all kinds of mixed data -from personal...
10587 Incremental improvements in accuracy of Conv...
10588 This paper describes a method for learning l...
10589 The Dip Test of Unimodality and Silverman's ...
10590 In the first part of this paper we present a...
10591 Inelastic neutron scattering measurements on...
10592 We study the problem of finding the maximum ...
10593 The models of collective decision-making con...
10594 This paper focuses on the recognition of Act...
10595 Monitoring structural changes in ferroelectr...
10596 In this work, we aim to explore connections ...
10597 Octonion algebras over rings are, in contras...
10598 Two fundamental approaches to information av...
10599 An atomic transition can be addressed by a s...
10600 In this paper, we calculate the numbers of i...
10601 This paper investigates asymptotic behaviors...
10602 The pigeonhole principle states that if n it...
10603 Anomaly matching constrains low-energy physi...
10604 A high-speed 100 MHz strain monitor using a ...
10605 We present a functional form of the Erdös-Re...
10606 We present a memristive device based R$ ^3 $...
10607 In this paper, we demonstrate the applicatio...
10608 We present ALMA detections of the [CI] 1-0, ...
10609 Finding central nodes is a fundamental probl...
10610 The latest measurements of CMB electron scat...
10611 Reinforcement learning (RL) makes it possibl...
10612 Drafting strong players is crucial for the t...
10613 The distributions of dark matter and baryons...
10614 Let $(G,\alpha)$ and $(H,\beta)$ be locally ...
10615 A key part of implementing high-level langua...
10616 This paper develops systematically the outpu...
10617 One of the essential prerequisites for detec...
10618 For the past 5 years, the ILSVRC competition...
10619 Suffix trees have recently become very succe...
10620 Understanding the interaction between the va...
10621 Optimal estimation of signal amplitude, back...
10622 In deep learning, \textit{depth}, as well as...
10623 We define a quantity $c_m(n,k)$ as a general...
10624 In recent years, bullying and aggression aga...
10625 Robots are typically not created with securi...
10626 This paper considers a general data-fitting ...
10627 We develop differentially private hypothesis...
10628 Remote sensing of the atmospheres of distant...
10629 We provide, to the best of our knowledge, th...
10630 When designing control strategies for differ...
10631 Although various norms for reciprocity-based...
10632 In the online multiple testing problem, p-va...
10633 Most of the current game-theoretic demand-si...
10634 We give the first example of a locally quasi...
10635 Dipole moments are a simple, global measure ...
10636 This paper explores an interesting new dimen...
10637 Estimating the causal effects of an interven...
10638 It is known that when the multicollinearity ...
10639 The segmentation of animals from camera-trap...
10640 The bi-Lipschitz geometry is one of the main...
10641 We define an action of the extended affine d...
10642 We introduce a new shape-constrained class o...
10643 This article presents a weak law of large nu...
10644 Based on geometry optimization and magnetic ...
10645 Previously, a seven-cluster pattern claiming...
10646 We show how any party can encrypt data for a...
10647 We show how to perform full likelihood infer...
10648 We describe nef vector bundles on a projecti...
10649 The ATLAS collaboration will replace its tra...
10650 Given an input sound signal and a target vir...
10651 We present a method for identifying the cohe...
10652 We present a non-parametric joint estimation...
10653 We calculate 3-loop master integrals for hea...
10654 We propose a novel distributed inference alg...
10655 PEBPs (PhosphatidylEthanolamine Binding Prot...
10656 Modal description logics feature modalities ...
10657 The existence of a spin-liquid ground state ...
10658 This paper is about the moment problem on a ...
10659 In this paper, we will describe a concept of...
10660 Pairwise ranking methods are the basis of ma...
10661 The analysis in Part I revealed interesting ...
10662 In this paper, we explore how we should aggr...
10663 We consider the problems of robust PAC learn...
10664 In this paper, we present a real-time robust...
10665 Ongoing and future surveys with repeat imagi...
10666 Shafer's belief functions were introduced in...
10667 Photonics sensing has long been valued for i...
10668 Inductive inference is the process of extrac...
10669 We present a method for computing stable mod...
10670 This paper presents a comprehensive survey o...
10671 Analysis of an organization's computer netwo...
10672 Consider a dihedral cover $f: Y\to X$ with $...
10673 We introduce a new sample complexity measure...
10674 The inability to interpret the model predict...
10675 Just a survey on I0: The basics, some things...
10676 Given the potential X-ray radiation risk to ...
10677 Let $x\geq 1$ be a large number, and let $1 ...
10678 The need to analyze the available large syno...
10679 Schizophrenia, a mental disorder that is cha...
10680 Gaussian Mixture Models are one of the most ...
10681 It is argued based on the results of both nu...
10682 Investigation of coherent Smith-Purcell Radi...
10683 Ground-based telescopes equipped with state-...
10684 K. Borsuk in 1979, in the Topological Confer...
10685 This paper focuses on a new task, i.e., tran...
10686 Build systems are an essential part of moder...
10687 An essential issue that a freight transporta...
10688 Experiments on optical and STM injection of ...
10689 The Japanese comic format known as Manga is ...
10690 The optical spectrum of liquid water is anal...
10691 Type II Weyl semimetal, a three dimensional ...
10692 We present a simple model for the developmen...
10693 Materials composed of two dimensional layers...
10694 We prove that for any choice of parameters $...
10695 This paper is a survey of recent results on ...
10696 We consider the statistical inverse problem ...
10697 We consider a system of linear hyperbolic PD...
10698 The stereodynamics of the Ne($^3$P$_2$)+Ar P...
10699 We consider tunneling of spinless electrons ...
10700 Intersystem crossing is a radiationless proc...
10701 Denial of service attacks are especially per...
10702 This paper reports on a data-driven, interac...
10703 SKIROC2 is an ASIC to readout the silicon pa...
10704 Dominance by annual plants has traditionally...
10705 In systems and synthetic biology, much resea...
10706 We resolve the thermal motion of a high-stre...
10707 Geodesic distance matrices can reveal shape ...
10708 In this work, the structural stability and t...
10709 We construct Knörrer type equivalences outsi...
10710 We classify torsion actions of free wreath p...
10711 We propose two semiparametric versions of th...
10712 Small-cell deployment in licensed and unlice...
10713 This paper studies the numerical approximati...
10714 We study the effect of adaptive mesh refinem...
10715 Today's artificial assistants are typically ...
10716 In an imaginary conversation with Guido Alta...
10717 Approximate Bayesian computing is a powerful...
10718 We study the word and conjugacy problems in ...
10719 Higgs resonance modes in condensed matter sy...
10720 Generic text embeddings are successfully use...
10721 Instrumental variable analysis is a widely u...
10722 Schubert polynomials are a basis for the pol...
10723 Since the the first studies of thermodynamic...
10724 In complex, high dimensional and unstructure...
10725 We consider a numerical approach for the inc...
10726 We propose a machine-learning method for eva...
10727 In this article, we consider products of ran...
10728 Dantzig selector (DS) and LASSO problems hav...
10729 Design of adaptive algorithms for simultaneo...
10730 The Birkhoff conjecture says that the bounda...
10731 Pedestrian crowds often include social group...
10732 In this paper, we derive upper and lower bou...
10733 We discuss the quasiparticle entropy and hea...
10734 Wide-field high precision photometric survey...
10735 A plasmon-assisted channeling acceleration c...
10736 Formal verification techniques are widely us...
10737 The underpotential deposition of transition ...
10738 Many real world tasks such as reasoning and ...
10739 Usage of online textual media is steadily in...
10740 We show that Entropy-SGD (Chaudhari et al., ...
10741 Learning sophisticated feature interactions ...
10742 We investigate the stability of the many-bod...
10743 Almost all EEG-based brain-computer interfac...
10744 Conditional on Fourier restriction estimates...
10745 When a measurement falls outside the quantiz...
10746 There is an increased interest in building d...
10747 Deep neural networks have enabled progress i...
10748 We investigate the differential equation for...
10749 X-ray absorption spectroscopy measured at th...
10750 Topological states of matter are at the root...
10751 We consider large scale empirical risk minim...
10752 Let $\Gamma$ be a convex co-compact discrete...
10753 This paper investigates the role of tutor fe...
10754 This paper analyzes the coexistence performa...
10755 Real-time traffic flow prediction can not on...
10756 Since its introduction in 2000, the locally ...
10757 We studied acetylhistidine (AcH), bare or mi...
10758 Quantum mechanics is not about 'quantum stat...
10759 It is known that the set of all correlated e...
10760 It is known that unconfined dust explosions ...
10761 While both the data volume and heterogeneity...
10762 We theoretically investigate the generation ...
10763 We demonstrate the usefulness of adding dela...
10764 Reachability analysis for hybrid systems is ...
10765 The Lasso is biased. Concave penalized least...
10766 The interval subset sum problem (ISSP) is a ...
10767 Kernel methods are powerful and flexible app...
10768 This paper focuses on the problem of estimat...
10769 The present paper proposes a novel method of...
10770 We are interested in dynamics of quantum man...
10771 In finance, durations between successive tra...
10772 The tensile strength of small dusty bodies i...
10773 State-of-the-art knowledge compilers generat...
10774 Working over the prime field of characterist...
10775 To train an inference network jointly with a...
10776 We introduce a novel generative formulation ...
10777 Information and communications technology ca...
10778 The second-order dependence structure of pur...
10779 In the present paper, we study the match tes...
10780 Spin-spin correlation function response in t...
10781 We consider estimating average treatment eff...
10782 In this paper, we address the problem of det...
10783 We propose an efficient method to generate w...
10784 We present and analyze two pathways to produ...
10785 Model instability and poor prediction of lon...
10786 A spectroscopic study of Rydberg states of h...
10787 This work is concerned with tests on structu...
10788 We present Direct Numerical Simulations of t...
10789 Recently, Odrzywolek and Rafelski (arXiv:161...
10790 We study the effect of a uniform external ma...
10791 We calculate $q$-dimension of $k$-th Cartan ...
10792 Workers participating in a crowdsourcing pla...
10793 By using representation theory of the ellipt...
10794 The notion of formal duality in finite Abeli...
10795 When our eyes are presented with the same im...
10796 Almost two decades ago, Wattenberg published...
10797 In this paper, a novel method using 3D Convo...
10798 With nonignorable missing data, likelihood-b...
10799 Low-textured image stitching remains a chall...
10800 We propose a new method for input variable s...
10801 This article proposes a new way to construct...
10802 We study a mini-batch diversification scheme...
10803 Despite a very long history of meteor scienc...
10804 In this article, we study a generalisation o...
10805 Hyper-Kamiokande, the next generation large ...
10806 We present MILABOT: a deep reinforcement lea...
10807 Quantification is a supervised learning task...
10808 Data noising is an effective technique for r...
10809 We present a generative method to estimate 3...
10810 A quasi-order is a binary, reflexive and tra...
10811 In this paper, we study the controllability ...
10812 In this article, we prove some total variati...
10813 We study bipartite community detection in ne...
10814 This paper demonstrates end-to-end neural ne...
10815 We consider the task of estimating a high-di...
10816 We investigate the deexcitation of the $^{22...
10817 It is well known that the memory effect in f...
10818 We consider the problem of estimating mutual...
10819 While Wigner functions forming phase space r...
10820 Intracranial carotid artery calcification (I...
10821 The field of structural bioinformatics has s...
10822 The auction method developed by Bertsekas in...
10823 Levitated optomechanics is showing potential...
10824 The purpose of the present paper is to show ...
10825 CONTEXT. It is theoretically possible for ri...
10826 Scientific legacy code in MATLAB/Octave not ...
10827 It is customary to conceive the interactions...
10828 Future sea-level rise drives severe risks fo...
10829 The approximation power of general feedforwa...
10830 We define the standard Borel space of free A...
10831 Robots such as autonomous underwater vehicle...
10832 In this paper, we present a spectral graph w...
10833 This paper studies some robust regression pr...
10834 Thin liquid films are ubiquitous in natural ...
10835 The long range movement of certain organisms...
10836 We study trend filtering, a relatively recen...
10837 In search of a reliable methodology for the ...
10838 Adversarial training has been shown to regul...
10839 The Android OS has become the most popular m...
10840 Process Monitoring involves tracking a syste...
10841 In this article we go on to discuss about va...
10842 In 2002, Biss investigated on a kind of fibr...
10843 Analytic gradient routines are a desirable f...
10844 We report the analysis of the $10-1000$ TeV ...
10845 Counting objects in digital images is a proc...
10846 We propose a modification of the standard in...
10847 This paper investigates estimation of the me...
10848 We define a variety of abstract termination ...
10849 The problem of the search for the satellites...
10850 Consider the following Kolmogorov type hypoe...
10851 Constraint answer set programming is a promi...
10852 Modern radio telescopes, such as the Square ...
10853 Graphs are a prevalent tool in data science,...
10854 Power plant is a complex and nonstationary s...
10855 Studies of affect labeling, i.e. putting you...
10856 This paper positively solves an open problem...
10857 Lindel{ö}f's hypothesis, one of the most imp...
10858 Complex systems in a wide variety of areas s...
10859 The practical success of Boolean Satisfiabil...
10860 Additive regression provides an extension of...
10861 Underwater machine vision has attracted sign...
10862 Recent studies have shown that sketches and ...
10863 Recently, two influential PNAS papers have s...
10864 While machine learning is going through an e...
10865 The development of positioning technologies ...
10866 We consider a basic problem at the interface...
10867 Grasping is a complex process involving know...
10868 State-of-the-art speaker diarization systems...
10869 Social networks are typical attributed netwo...
10870 $^{13}$C nuclear magnetic resonance measurem...
10871 Herbertsmithite and Zn-doped barlowite are t...
10872 Non-recurring traffic congestion is caused b...
10873 We derive a closed form description of the c...
10874 V. Nestoridis conjectured that if $\Omega$ i...
10875 Granular gases as dilute ensembles of partic...
10876 The SCUBA-2 Ambitious Sky Survey (SASSy) is ...
10877 In this paper, we propose a novel unfitted f...
10878 We employ a recently developed computational...
10879 We study fairness in collaborative-filtering...
10880 We consider the setup of nonparametric 'blin...
10881 A general formulation of optimization proble...
10882 Portable computing devices, which include ta...
10883 Spinal cord stimulation has enabled humans w...
10884 General description of an on-line procedure ...
10885 Media seems to have become more partisan, of...
10886 Currently, we are in an environment where th...
10887 We consider the problem of streaming kernel ...
10888 Stochastic differential equations (SDEs) are...
10889 Learning an encoding of feature vectors in t...
10890 We propose hMDAP, a hybrid framework for lar...
10891 A novel approach for unsupervised domain ada...
10892 We present in detail the convolutional neura...
10893 Improving the quality of end-of-life care fo...
10894 Convolutional sparse coding (CSC) improves s...
10895 It is challenging to recognize facial action...
10896 We propose an effective method for creating ...
10897 We present a simple, yet useful result about...
10898 A new approach using a hyperbolic-equation s...
10899 A general and easy-to-code numerical method ...
10900 Learning approaches have recently become ver...
10901 A general Boltzmann machine with continuous ...
10902 We introduce a novel regression framework wh...
10903 Representation learning has become an invalu...
10904 Polymer models are used to describe chromati...
10905 Complex contagion models have been developed...
10906 In network coding, we discuss the effect of ...
10907 Simultaneous Localization and Mapping (SLAM)...
10908 Characterizing a patient's progression throu...
10909 Experimentalists have observed phenotypic va...
10910 Style transfer methods have achieved signifi...
10911 This paper proposes an innovative method for...
10912 In this paper, we explore deep reinforcement...
10913 The key issues pertaining to collection of e...
10914 Molecular beam epitaxy technique has been us...
10915 We investigate an end-to-end method for auto...
10916 Multi-label classification is a practical ye...
10917 The main goal of this study is to extract a ...
10918 Combinatorial filters have been the subject ...
10919 The collective behavior of active semiflexib...
10920 We compare the following two sources of poor...
10921 Networked data, in which every training exam...
10922 Spatially extended systems can support local...
10923 Carbon nanotubes are modeled as point config...
10924 We investigate the similarities of pairs of ...
10925 Complementary auxiliary basis sets for F12 e...
10926 Comparing with traditional learning criteria...
10927 A novel predictor for traffic flow forecasti...
10928 A person dependent network, called an AlterE...
10929 Univalent homotopy type theory (HoTT) may be...
10930 We analyze the dynamics of periodically-driv...
10931 For $a/q\in\mathbb{Q}$ the Estermann functio...
10932 The game-theoretic risk management framework...
10933 We present results from a multiwavelength st...
10934 One of the major hurdles toward automatic se...
10935 In this paper we describe EasyInterface, an ...
10936 We introduce the notion of the essential tan...
10937 Machine learning applications often require ...
10938 We finish the classification, begun in two e...
10939 Establishing accurate morphological measurem...
10940 Multi-start algorithms are a common and effe...
10941 Estimation of the number of endmembers exist...
10942 The problem of three-user multiple-access ch...
10943 In the last two decades recurrence plots (RP...
10944 The meta distribution of the signal-to-inter...
10945 The transport characteristics across the pul...
10946 Large redshift surveys of galaxies and clust...
10947 Learning high quality class representations ...
10948 Gradient coding is a technique for straggler...
10949 The 10 MeV accelerator-driven subcritical sy...
10950 Changes in the capital structure before and ...
10951 The evanescent field surrounding nano-scale ...
10952 The analysis of industrial processes, modell...
10953 Increasing proton beam power on neutrino pro...
10954 This paper presents our approach to the quan...
10955 Many protostellar gapped and binary discs sh...
10956 We study a supersymmetric version of the Gar...
10957 Many augmented reality (AR) applications ope...
10958 The problem for two-dimensional steady water...
10959 We study a neuro-inspired model that mimics ...
10960 In this article, we study the problem of con...
10961 In portable, 3-D, or ultra-fast ultrasound (...
10962 This paper extends a conventional, general f...
10963 The two model-theoretic concepts of weak sat...
10964 This paper is concerned with the behavior of...
10965 Collective behavior among coupled dynamical ...
10966 Human activity recognition using smart home ...
10967 We consider eigenvalue problems for elliptic...
10968 This article develops a framework for testin...
10969 Quantum computing technologies have become a...
10970 Recently, encoder-decoder neural networks ha...
10971 Approximate dynamic programming algorithms, ...
10972 Spatiotemporal forecasting has various appli...
10973 Recently, machine learning has been used in ...
10974 We present the WiFeS Atlas of Galactic Globu...
10975 The spread of new products in a networked po...
10976 We develop a linear algebraic framework for ...
10977 We present a projectively invariant descript...
10978 Modern cities are growing ecosystems that fa...
10979 There are so many vehicles in the world and ...
10980 We describe categorical models of a circuit-...
10981 This works presents a formulation for visual...
10982 Since the 1940s, population projections have...
10983 The existence of elliptic periodic solutions...
10984 Suppression of interference from narrowband ...
10985 It is well known that the Euler vortex patch...
10986 The effective interaction between the itiner...
10987 Human collaborators coordinate effectively t...
10988 We consider the phenomenon of Bose-Einstein ...
10989 We study the stability of the electroweak va...
10990 We explore the spectral properties of a capi...
10991 Electrolyte gating is widely used to induce ...
10992 In the past few years, an action of $\mathrm...
10993 We provide a novel notion of what it means t...
10994 In some laboratory and most astrophysical si...
10995 Consider an undirected mixed membership netw...
10996 In this paper, we derive the non-singular Gr...
10997 We report a survey of molecular gas in galax...
10998 The iterative ensemble Kalman filter (IEnKF)...
10999 A statistical algorithm for categorizing dif...
11000 Brain-computer interfaces (BCIs) can provide...
11001 We experimentally investigate the bursting d...
11002 We discuss a low energy $e^+e^-$ collider fo...
11003 We introduce and investigate different defin...
11004 In this study, we examine a collection of he...
11005 In their seminal work `Robust Replication of...
11006 We explore the effects of asymmetry of hoppi...
11007 Purpose: We propose a phenotype-based artifi...
11008 In this paper, we address the problem of rec...
11009 The braids of $B\_\infty$ can be equipped wi...
11010 The exciton relaxation dynamics of photoexci...
11011 Many deployed learned models are black boxes...
11012 We use reinforcement learning (RL) to learn ...
11013 New index transforms with Weber type kernels...
11014 Many conventional statistical procedures are...
11015 With the increasing interest in the use of m...
11016 Recent results by Alagic and Russell have gi...
11017 We examine the asymptotics of the spectral c...
11018 Marchenko redatuming is a novel scheme used ...
11019 Excitons and plasmons are the two most funda...
11020 We investigate the evolution of the flavour ...
11021 We analyse the limiting behavior of the eige...
11022 Active communication between robots and huma...
11023 We present the results of our investigation ...
11024 Introduction to deep neural networks and the...
11025 Commercial photon-counting modules based on ...
11026 The Shannon entropy in the atomic, molecular...
11027 Thanks to modern sky surveys, over twenty st...
11028 The fitness of a species determines its abun...
11029 We first derive a general integral-turnpike ...
11030 We study the vortex patch problem for $2d-$s...
11031 A one-dimensional, unsteady nozzle flow is m...
11032 In this short note we provide an analytical ...
11033 Channel-reciprocity based key generation (CR...
11034 A rational projective plane ($\mathbb{QP}^2$...
11035 Progress in probabilistic generative models ...
11036 Vector quantization aims to form new vectors...
11037 The effects of the spatial scale on the resu...
11038 In this paper, we consider regression proble...
11039 With the rising number of interconnected dev...
11040 The widespread availability of GPS informati...
11041 Information extraction and user intention id...
11042 While cardiovascular diseases (CVDs) are pre...
11043 This paper addresses the question of emotion...
11044 Charge transfer among individual atoms in a ...
11045 We study how a single value of the shatter f...
11046 Consider the moduli space of framed flat $U(...
11047 Non-Gaussianities of dynamical origin are di...
11048 Measure Theory and Integration is exposed wi...
11049 We propose a contextual-bandit approach for ...
11050 We present an overview of techniques for qua...
11051 We present a new experimental approach to in...
11052 The positive definite Kohn-Sham kinetic ener...
11053 In this paper we describe our attempt at pro...
11054 Discerning how a mutation affects the stabil...
11055 We analyze the correlation between starspots...
11056 Monotone systems preserve a partial ordering...
11057 Isotopic ratios in comets are critical to un...
11058 The COSINE-100 dark matter search experiment...
11059 In recent years quantum phenomena have been ...
11060 The efficiency of intracellular cargo transp...
11061 Deep learning models have consistently outpe...
11062 Using a semiclassical Green's function forma...
11063 We introduce a new cosmic emulator for the m...
11064 In this paper we compare the performance of ...
11065 In this paper, we consider Burgers' equation...
11066 Delay-differential equations are functional ...
11067 VSe2 is a transition metal dichaclogenide wh...
11068 Procedural textures are normally generated f...
11069 Multiple planet systems provide an ideal lab...
11070 Conditional Generative Adversarial Networks ...
11071 The attainability of modification of the app...
11072 We complement the argument of M. Z. Garaev (...
11073 $YBaCuO-Ag$ pressure point contacts with dir...
11074 We show that Zamolodchikov dynamics of a rec...
11075 In most macro-scale robotics systems , propu...
11076 Long-range macrodimers formed by D-state ces...
11077 Galactic winds from star-forming galaxies pl...
11078 End-to-end training of automated speech reco...
11079 Even though sequence-to-sequence neural mach...
11080 This tutorial introduces a new and powerful ...
11081 We investigate the minimum cases for realtim...
11082 We introduce the abstract notion of a neckli...
11083 Application Programming Interfaces (APIs) of...
11084 Does the human lifespan have an impenetrable...
11085 Object detection when provided image-level l...
11086 The coverage probability of a user in a mmwa...
11087 We study the application of polar codes in d...
11088 In this dissertation, we focus on several im...
11089 We consider how to connect a set of disjoint...
11090 In target tracking, the estimation of an unk...
11091 We give a detailed proof of some facts about...
11092 In many machine learning applications, there...
11093 We consider two greedy algorithms for minimi...
11094 We study the phase diagram of the triangular...
11095 On June 24, 2018, Turkey held a historical e...
11096 Insertion is a challenging haptic and visual...
11097 The Lorentz off-axis electron holography tec...
11098 Capturing both the structural and temporal a...
11099 In this article we develop algorithms for da...
11100 This paper describes a new algorithm for sol...
11101 We determine the group strucure of the $23$-...
11102 In this paper, we investigate existence and ...
11103 Purpose. We present a new method to evaluate...
11104 Feature selection problems arise in a variet...
11105 We develop an approach to realize a quantum ...
11106 Pemantle and Steif provided a sharp threshol...
11107 The digital traces we leave behind when enga...
11108 For a free presentation $0 \to R \to F \to G...
11109 This work presents a new tool to verify the ...
11110 We consider layered decorated honeycomb latt...
11111 The optical vortex coronagraph (OVC) is one ...
11112 Symbolic computation is an important approac...
11113 We present a general model allowing "quantum...
11114 Network analysis techniques remain rarely us...
11115 Online Social Networks (OSNs) have become on...
11116 The stochastic variance-reduced gradient met...
11117 Recently, studies on deep Reservoir Computin...
11118 Part-and-parcel of the study of "multiplicat...
11119 Topological Dirac and Weyl semimetals not on...
11120 This work considers the inclusion detection ...
11121 Given a Hermitian manifold $(M^n,g)$, the Ga...
11122 There has been growing interest in extending...
11123 We investigate finite-size effects on diffus...
11124 It is known that Boosting can be interpreted...
11125 We investigate the resistive switching behav...
11126 This paper proposes a convolutional neural n...
11127 Quantum computing is moving rapidly to the p...
11128 We consider the problem of learning a one-hi...
11129 The direct growth of graphene on semiconduct...
11130 We study non-conservative like SODEs admitti...
11131 Constrained Markov Decision Process (CMDP) i...
11132 The role of scalable high-performance workfl...
11133 The standard Kernel Quadrature method for nu...
11134 A quasi-relativistic two-component approach ...
11135 An important preprocessing step in most data...
11136 We consider a system of N particles interact...
11137 We study the complexity of geometric problem...
11138 We present a unified framework to analyze th...
11139 In this paper, we propose an eigenvalue anal...
11140 In this article, we present a brief narratio...
11141 We prove that integer programming with three...
11142 Dictionary learning and component analysis a...
11143 Despite the wide use of machine learning in ...
11144 Communities are ubiquitous in nature and soc...
11145 Let $ X_{\lambda_1},\ldots,X_{\lambda_n}$ be...
11146 Term-resolution provides an elegant mechanis...
11147 This article is concerned with quantitative ...
11148 To enable electric vehicles (EVs) to access ...
11149 Betweenness centrality---measuring how many ...
11150 Understanding the nature of the turbulent fl...
11151 Neural field theory is used to quantitativel...
11152 We address the problem of camera-to-laser-sc...
11153 The use of volunteers has emerged as low-cos...
11154 Objective: The coupling between neuronal pop...
11155 Synchronized measurements of a large power g...
11156 We study pool-based active learning with abs...
11157 Many chemical systems cannot be described by...
11158 Shape analyses of tephra grains result in un...
11159 The high-performance computing resources and...
11160 Visual question answering is a recently prop...
11161 For natural microswimmers, the interplay of ...
11162 In this article, we construct a two-block Gi...
11163 Understanding excited carrier dynamics in se...
11164 Robots have gained relevance in society, inc...
11165 Rapport plays an important role during commu...
11166 The main theorems of this paper are (1) ther...
11167 We present near-infrared spectra for 144 can...
11168 An efficient Bayesian technique for estimati...
11169 We have investigated tunneling current throu...
11170 The Graph Convolutional Network (GCN) model ...
11171 There are many different relatedness measure...
11172 Nowadays many companies have available large...
11173 We investigate the butterfly effect and char...
11174 Although all superconducting cuprates displa...
11175 In this paper we use deep feedforward artifi...
11176 The purpose of this work is mostly expositor...
11177 Simulation-based image quality metrics are a...
11178 Temporal-Difference learning (TD) [Sutton, 1...
11179 We show that the first order theory of the l...
11180 A cloud server spent a lot of time, energy a...
11181 We study small-scale and high-frequency turb...
11182 Hormozgan Province, located in the south of ...
11183 Biological and cellular systems are often mo...
11184 We study empirical statistical and gap distr...
11185 Mobile payment systems are increasingly used...
11186 Deep convolutional Neural Networks (CNN) are...
11187 We study spin-2 deformed-AKLT models on the ...
11188 We consider statistical estimation of superh...
11189 This paper proves that an irreducible subfac...
11190 The latest techniques from Neural Networks a...
11191 Weak gravitational lensing alters the appare...
11192 Solitons are of the important significant in...
11193 We explore several problems related to ruled...
11194 The recent Nobel-prize-winning detections of...
11195 A self-doping effect between outer and inner...
11196 Player selection is one the most important t...
11197 Probabilistic modeling enables combining dom...
11198 While supermassive black holes are known to ...
11199 Many different approaches for neural network...
11200 Providing systems the ability to relate ling...
11201 In this paper we study the limitations of pa...
11202 Applying the principle of equivalence, analo...
11203 In Demand Response programs, price incentive...
11204 In this letter, we introduce a distributed N...
11205 One of the most important features of mobile...
11206 It is well known that the normaized characte...
11207 To solve the spectrum scarcity problem, the ...
11208 The growing interest for high dimensional an...
11209 Extended Dynamic Mode Decomposition (EDMD) i...
11210 R (Version 3.5.1 patched) has an issue with ...
11211 Quasi-Normal Modes (QNM) or ringdown phase o...
11212 The investigations on higher-order type theo...
11213 An evaluation of FBST, Fully Bayesian Signif...
11214 We propose a minimal solution for pose estim...
11215 Embedding methods such as word embedding hav...
11216 RNA-binding proteins (RBPs) play crucial rol...
11217 Transition metal oxides (TMOs) are complex e...
11218 In the presence of background noise and inte...
11219 Currently, diagnosis of skin diseases is bas...
11220 Bayesian optimization (BO) has become an eff...
11221 We study networks of firms with Leontief pro...
11222 In this paper, we study the stochastic gradi...
11223 The consistent demand for better performance...
11224 Covariate shift relaxes the widely-employed ...
11225 Across smart-grid and smart-city application...
11226 The common feature of various plasmonic sche...
11227 We present a method of memory footprint redu...
11228 In this note we prove the Payne-type conject...
11229 The aim of this note is to give an alternati...
11230 The paper is primarily concerned with the as...
11231 This paper develops an inverse reinforcement...
11232 We consider the question of accurately and e...
11233 In this work, we derive a new kind of rainbo...
11234 We reinterpret Kim's non-abelian reciprocity...
11235 Instance- and label-dependent label noise (I...
11236 We study the problem of community detection ...
11237 We give finite presentations of the saturate...
11238 We prove a characterization of $t$-query qua...
11239 We present the Parallel, Forward-Backward wi...
11240 The detection of gravitational waves (GWs) g...
11241 A Markov-chain model is developed for the pu...
11242 Note that this paper is superceded by "Black...
11243 A family $\mathcal F\subset {[n]\choose k}$ ...
11244 Electrostatic interactions play a fundamenta...
11245 The theory of receptor-ligand binding equili...
11246 Spin-charge separation is known to be broken...
11247 It is inconceivable how chaotic the world wo...
11248 In this paper we adopt a category-theoretic ...
11249 The self-consistent harmonic approximation i...
11250 To resolve conflicts among norms, various no...
11251 We develop fast spectral algorithms for tens...
11252 We study the problem of testing conductance ...
11253 Recently, single crystalline carbon nitride ...
11254 Automatic segmentation of liver lesions is a...
11255 In this work we characterize the combinatori...
11256 Optical and near-infrared photometry, optica...
11257 In this article, we give a full description ...
11258 We suggest that ultra-high-energy (UHE) cosm...
11259 We study that the breakdown of epidemic depe...
11260 We consider the asymptotics of large externa...
11261 Hand-built verb clusters such as the widely ...
11262 The remoteness of the Sun and the harsh cond...
11263 How atoms in covalent solids rearrange over ...
11264 Models are often defined through conditional...
11265 Estimation of the intensity of a point proce...
11266 We consider a particular type of $\sqrt{8/3}...
11267 We give new constructions of two classes of ...
11268 The paper investigates the problem of fittin...
11269 This paper provides a link between time-doma...
11270 We propose an intelligent proactive content ...
11271 The Juno Orbiter has provided improved estim...
11272 Generative Adversarial Networks (GANs) have ...
11273 A characteristic feature of differential-alg...
11274 Java platform and third-party libraries prov...
11275 This paper presents a Light Detection and Ra...
11276 We propose a new blind source separation alg...
11277 Upper-division physics students spend much o...
11278 Accurate and automated detection of anomalou...
11279 The magnetic properties of the pyrochlore ir...
11280 We report the discovery and the analysis of ...
11281 We present a single-channel phase-sensitive ...
11282 For a monic polynomial $D(X)$ of even degree...
11283 Spatially resolving the immediate surroundin...
11284 In the low rank matrix completion (LRMC) pro...
11285 From just a glance, humans can make rich pre...
11286 Context. Clouds have already been detected i...
11287 We have found Dirac nodal lines (DNLs) in th...
11288 Hair cells of the auditory and vestibular sy...
11289 External localization is an essential part f...
11290 Natural language elements, e.g., todo commen...
11291 Information extraction (IE) from text has la...
11292 Domestic violence (DV) is a global social an...
11293 We provide numerical evidence demonstrating ...
11294 Electron ptychography has seen a recent surg...
11295 We have modeled laser-induced transient curr...
11296 Isolated quantum many-body systems with inte...
11297 We first consider the additive Brownian moti...
11298 In this paper we complete the study started ...
11299 Mosquitoes are a major vector for malaria, c...
11300 This paper presents a generic Bayesian frame...
11301 In this paper we propose a supervised learni...
11302 Woodin has shown that if there is a measurab...
11303 Collective effects in deformed atomic nuclei...
11304 We propose an efficient and scalable method ...
11305 We study a pumping lemma for the word/tree l...
11306 In order to alleviate data sparsity and over...
11307 Cognitive arithmetic studies the mental proc...
11308 Arbitrarily many pairwise inequivalent modul...
11309 While anomaly detection in static networks h...
11310 In this work we explore the utility of local...
11311 We propose a method for feature selection th...
11312 We demonstrate the existence of the excited ...
11313 In this paper, we discuss the generalized Ha...
11314 We examine systematically the (in)consistenc...
11315 We theoretically investigate the spin inject...
11316 Contact-assisted protein folding has made ve...
11317 A semiorder is a model of preference relatio...
11318 Let $\{ R_n, {\mathfrak m}_n \}_{n \ge 0}$ b...
11319 Deep neural networks are notorious for being...
11320 We introduce a new model of teaching named "...
11321 We study a binary spin-mixture of a zero-tem...
11322 In an ideal test of the equivalence principl...
11323 To understand emergent magnetic monopole dyn...
11324 The hexatic phase predicted by the theories ...
11325 Despite the fact that the observed gradient ...
11326 Traffic forecasting is a particularly challe...
11327 We consider two types of averaging of comple...
11328 This paper characterizes the capacity region...
11329 Lifestyles are a valuable model for understa...
11330 With the availability of more powerful compu...
11331 We propose two algorithms that can find loca...
11332 The mean growth rate of the state vector is ...
11333 Doctors often rely on their past experience ...
11334 Machine Learning (ML) and Deep Learning (DL)...
11335 We define the formal affine Demazure algebra...
11336 Homographs, words with different meanings bu...
11337 We show that a Hitchin representation is det...
11338 Digital pathology is not only one of the mos...
11339 We present an algorithm to generate syntheti...
11340 Given the widespread popularity of spectral ...
11341 The stochastic block model is widely used fo...
11342 Ego networks have proved to be a valuable to...
11343 In the space of less than one decade, the se...
11344 We performed a comparative study of extracti...
11345 We propose a conjectural explicit formula of...
11346 We describe a method for formation-change tr...
11347 Bubbly flows, as present in bubble column re...
11348 In this paper, we study the problem of sampl...
11349 The Madry Lab recently hosted a competition ...
11350 Difficult problems described in terms of int...
11351 We describe Sockeye (version 1.12), an open-...
11352 Shape information is of great importance in ...
11353 In the present day, AES is one the most wide...
11354 We establish a natural connection of the $q$...
11355 This paper examines the noise handling prope...
11356 Despite its ubiquity in our daily lives, AI ...
11357 D. Grigoriev-G. Koshevoy recently proved tha...
11358 We study the normal closure of a big power o...
11359 Cyber Physical Systems (CPS) are becoming ub...
11360 Treatment effects can be estimated from obse...
11361 Analytical electron microscopy and spectrosc...
11362 We consider the problem of global optimizati...
11363 This study proposes a fully convolutional ne...
11364 Recent technological development has enabled...
11365 Modern technology for producing extremely br...
11366 Many real-world applications require robust ...
11367 The recombination of charges is an important...
11368 Gaussian mixture models (GMM) are powerful p...
11369 We study the effect of constant shifts on th...
11370 Joint visual attention is characterized by t...
11371 We consider the IBVP in exterior domains for...
11372 Using a sample of galaxies selected from the...
11373 Deep network pruning is an effective method ...
11374 We propose a systematic learning-based appro...
11375 Vision sensors lie in the heart of computer ...
11376 We propose a methodology that adapts graph e...
11377 The electrical conductivity and dielectric p...
11378 One of the varieties of pores, often found i...
11379 Successful programs are written to be mainta...
11380 Over the last decade, both the neural networ...
11381 Memory has a great impact on the evolution o...
11382 The Camassa-Holm equation and its two-compon...
11383 In the hydrodynamic regime, the evolution of...
11384 Max-mixture processes are defined as Z = max...
11385 The purpose of this paper is to point out a ...
11386 Quantized Neural Networks (QNNs), which use ...
11387 The Frame Problem (FP) is a puzzle in philos...
11388 In this paper we present a data visualizatio...
11389 If the very early Universe is dominated by t...
11390 We examine the relationship between the (dou...
11391 During inflation, massive fields can contrib...
11392 These lecture notes are concerned with the s...
11393 This text contains over three hundred specif...
11394 We present $^{77}$Se-NMR measurements on sin...
11395 The present study proposes LitStoryTeller, a...
11396 Conventional sound shielding structures typi...
11397 Traditional dictionary learning methods are ...
11398 We introduce a stop-code tolerant (SCT) appr...
11399 We introduce dual matroids of 2-dimensional ...
11400 Linear and nonlinear optical properties of l...
11401 We prove a general family of congruences for...
11402 Completely positive and completely bounded m...
11403 In this paper we investigate the number of i...
11404 Electronic and magnetic properties of DNA st...
11405 In this paper, a stochastic model with regim...
11406 Employing ab initio calculations, we discuss...
11407 Early and accurate identification of parkins...
11408 Structured Prediction Energy Networks (SPENs...
11409 The self-action features of wave packets pro...
11410 We propose a network independent, hand-held ...
11411 In this paper, we show how controllers creat...
11412 A rectangular grid formed by liquid filament...
11413 A Cyber-Physical System (CPS) is defined by ...
11414 Chemotaxis is a ubiquitous biological phenom...
11415 Jupiter's banded appearance may appear uncha...
11416 This paper offers a methodological contribut...
11417 This paper is an axiomatic study of consiste...
11418 We address the problem of predicting the sol...
11419 In this paper we study sharp generalizations...
11420 After the diagnosis of a disease, one major ...
11421 Let $X$ be a smooth projective manifold with...
11422 The ordered L1$_0$ FeNi phase (tetrataenite)...
11423 An orientation-preserving branched covering ...
11424 This article introduces planar shape signatu...
11425 The paper investigates the asymptotic behavi...
11426 The interplay of almost degenerate levels in...
11427 As we know, some global optimization problem...
11428 Dictionaries are collections of vectors used...
11429 In recent years Variation Autoencoders have ...
11430 A complex projective manifold is rationally ...
11431 We define a Koszul sign map encoding the Kos...
11432 Space-borne low-to medium-resolution (R~10^2...
11433 We introduce the concept of multiplicatively...
11434 The concept of a hybrid readout of a time pr...
11435 We introduce and describe the results of a n...
11436 Learning with Reproducing Kernel Hilbert Spa...
11437 We investigate the dynamics of a coupled wav...
11438 Text extraction is an important problem in i...
11439 Long-lead forecasting for spatio-temporal sy...
11440 In imaging modalities recording diffraction ...
11441 We consider the problem of the annual mean t...
11442 The issue of how time reversible microscopic...
11443 Motivated by relatively few delay-optimal sc...
11444 This is a survey on recent developments on t...
11445 We consider the theoretical properties of a ...
11446 The coupled evolution of the magnetic field ...
11447 In this paper, we present a novel approach f...
11448 Several studies have shown that stellar acti...
11449 The distributions of species lifetimes and s...
11450 The problem of routing in graphs using node-...
11451 Gaussian random fields are popular models fo...
11452 We show how the discovery of robust scalable...
11453 According to the principle of polyrepresenta...
11454 Although Bayesian inference is an immensely ...
11455 Despite the outstanding achievements of mode...
11456 In this paper, we investigate zeros of diffe...
11457 If spreadsheets are not erroneous then who, ...
11458 We investigate modulational instability (MI)...
11459 Discovering automatically the semantic struc...
11460 We present a new method of generating mixtur...
11461 Let $\Omega\subset\mathbb R^n$ be a Lipschit...
11462 In this paper we address cardinality estimat...
11463 We consider a non-stationary sequential stoc...
11464 We report a study on spin conductance in ult...
11465 In this work, we focus on on the approach by...
11466 Deep generative networks provide a powerful ...
11467 Deep neural networks with their large number...
11468 Persistent currents in Bose condensates with...
11469 Generality is one of the main advantages of ...
11470 Model Predictive Control (MPC) is the princi...
11471 With a majority of 'Yes' votes in the Consti...
11472 This paper discusses the efficient Bayesian ...
11473 Colorado conducted risk-limiting tabulation ...
11474 With Hubble Space Telescope Fine Guidance Se...
11475 There is a paradox in the model of social dy...
11476 The Discrete Truncated Wigner Approximation ...
11477 In this paper, we investigate the parametric...
11478 Markov processes are well understood in the ...
11479 We present the analysis results of an eclips...
11480 Calibration of individual based models (IBMs...
11481 Health insurance companies in Brazil have th...
11482 In 2009, Corteel, Savelief and Vuletić gener...
11483 Data driven research on Android has gained a...
11484 Humans are increasingly stressing ecosystems...
11485 Recent experiments show that both natural an...
11486 When analyzing empirical data, we often find...
11487 Technological developments call for increasi...
11488 The pulse-recloser uses pulse testing techno...
11489 The network alignment problem asks for the b...
11490 We give a nonparametric methodology for hypo...
11491 Sports channel video portals offer an exciti...
11492 We investigate how dynamic correlations of h...
11493 In this article, we consider the problem of ...
11494 This letter adopts long short-term memory(LS...
11495 There has been great progress recently in fo...
11496 Lineage tracing, the joint segmentation and ...
11497 We consider a generalization of $k$-median a...
11498 Brain signal data are inherently big: massiv...
11499 Every automorphism-invariant right non-singu...
11500 We present visible spectra of Ag-like ($4d^{...
11501 We introduce a gradient flow formulation of ...
11502 We present constraints on masses of active a...
11503 In this paper, we present BubbleView, an alt...
11504 We present a study of the influence of disor...
11505 We present the methodology for and detail th...
11506 Synthesizing user-intended programs from a s...
11507 We performed simulations for solid molecular...
11508 A method is described for the detection and ...
11509 We derive the Hilbert space formalism of qua...
11510 In this paper, we construct global action-an...
11511 The block maxima method in extreme value the...
11512 We demonstrate the active tuning of all-diel...
11513 We study the problem of semi-supervised ques...
11514 We propose an approach for showing rationali...
11515 With the availability of large databases and...
11516 WTe2 and its sister alloys have attracted tr...
11517 Learning social media data embedding by deep...
11518 Traditional supervised learning makes the cl...
11519 Applied statisticians use sequential regress...
11520 Interpretability has become incredibly impor...
11521 Let $E$ be a closed set in the Riemann spher...
11522 AI applications have emerged in current worl...
11523 In monadic programming, datatypes are presen...
11524 We give faster algorithms for producing spar...
11525 We introduce a generalized $k$-FL sequence a...
11526 The crucial importance of metrics in machine...
11527 The Kuramoto-Sivashinsky PDE on the line wit...
11528 We present the full results of our decade-lo...
11529 The velocity anisotropy parameter, beta, is ...
11530 A computational flow is a pair consisting of...
11531 Let $N$ be a compact, connected, non-orienta...
11532 Electric and thermal transport properties of...
11533 We report that a longitudinal epsilon-near-z...
11534 With the trend of increasing wind turbine ro...
11535 802.11p based V2X communication uses stochas...
11536 We prove moment inequalities for a class of ...
11537 The multi-armed bandit (MAB) problem is a cl...
11538 We study the least squares regression proble...
11539 Permutation tests are among the simplest and...
11540 Gaussian belief propagation (BP) has been wi...
11541 Static and dynamic properties of vortices in...
11542 Advances in remote sensing technologies have...
11543 Multiresolution analysis and matrix factoriz...
11544 Let $k$ be an algebraically closed field and...
11545 Magnesium and its alloys are being considere...
11546 In this article, we discuss a probabilistic ...
11547 In most process control systems nowadays, pr...
11548 The popular BFGS quasi-Newton minimization a...
11549 Volunteer computing (VC) or distributed comp...
11550 We develop a theory of the quasiparticle int...
11551 Almost twenty years ago, E.R. Fernholz intro...
11552 We introduce an approach based on the Givens...
11553 Silicon single-photon detectors (SPDs) are t...
11554 In many statistical applications that concer...
11555 We investigate the identification of hydroge...
11556 An empirical relation indicates that an incr...
11557 We investigate a family of regression proble...
11558 We consider the nonlinear Schrödinger (NLS) ...
11559 In this paper we are interested in multifrac...
11560 We report on observation of the unusual kind...
11561 We study the commutative positive varieties ...
11562 We present a model of contagion that unifies...
11563 The luminous efficiency of meteors is poorly...
11564 A van der Waals (vdW) density functional was...
11565 We analyze the interiors of HD~219134~b and ...
11566 We give a complete classification (up to iso...
11567 We prove that two smooth families of 2-conne...
11568 We improve existing lower bounds of the hype...
11569 An important problem in many domains is to p...
11570 For the multivariate COGARCH(1,1) volatility...
11571 In this short essay, we discuss some basic f...
11572 The trigram `I love being' is expected to be...
11573 Deep neural networks (DNNs) have achieved su...
11574 The Hylleraas-B-splines basis set is introdu...
11575 A Revival of the South Equatorial Belt (SEB)...
11576 Regularization is important for end-to-end s...
11577 The maximum coercivity that can be achieved ...
11578 We formulate the $N$ soliton solution of the...
11579 Repairing locality is an appreciated feature...
11580 Kiyota, Murai and Wada conjectured in 2002 t...
11581 There exist many ways to build an orthonorma...
11582 We design new algorithms for the combinatori...
11583 Tungsten oxide and its associated bronzes (c...
11584 We examine the problem of transforming match...
11585 We critically review the recent debate betwe...
11586 It is needed to ensure the integrity of syst...
11587 Network support is a key success factor for ...
11588 This paper shows that a perturbed form of gr...
11589 This article outlines different stages in de...
11590 Reliable uncertainty estimation for time ser...
11591 In this paper, we consider a vehicular netwo...
11592 Context: Information Technology consumes up ...
11593 We introduce Parseval networks, a form of de...
11594 High purity Zinc Selenide (ZnSe) crystals ar...
11595 Algorithms for equilibrium computation gener...
11596 We propose a probabilistic model to aggregat...
11597 Debris disk morphology is wavelength depende...
11598 Water pollution is a major global environmen...
11599 During the High Luminosity LHC, the CMS dete...
11600 One of the most prevalent symptoms among the...
11601 Nonconvex penalty methods for sparse modelin...
11602 Mobile phones identification through their b...
11603 This paper demonstrates how to apply machine...
11604 The article outlines in memoriam Prof. Pavel...
11605 We consider the problem of classifying data ...
11606 The magnetism of ordered and disordered La$_...
11607 Partially Observable Markov Decision Process...
11608 Multi-task learning (MTL) has led to success...
11609 Large-area ($\sim$cm$^2$) films of vertical ...
11610 We conjecture a formula for the generating f...
11611 Using variational Bayes neural networks, we ...
11612 Theorems and techniques to form different ty...
11613 Suppose that Alice and Bob are located in di...
11614 We study the Bratteli diagram of 2-Sylow sub...
11615 In this paper, we prove that under proper co...
11616 Recently, He and Owen (2016) proposed the us...
11617 Stratum, the de-facto mining communication p...
11618 This paper provides a comparison between the...
11619 This paper introduces a new free library for...
11620 Objectivity is often considered as an ideal ...
11621 In this work we report the synthesis and str...
11622 We consider the linear regression problem un...
11623 Five simple soft sensor methodologies with t...
11624 We have developed a new data-driven paradigm...
11625 Deep neural networks are the state-of-the-ar...
11626 In the present note we consider the problem ...
11627 This is the second companion paper of arXiv:...
11628 We consider a two-phase flow of two incompre...
11629 MOBAs represent a huge segment of online gam...
11630 We study two-player inclusion games played o...
11631 The migration of planets on nearly circular,...
11632 We have researched the motion of gas in the ...
11633 The implementation of optimal power flow (OP...
11634 We present theoretical calculations to inter...
11635 The photoelectron spectrum of water has been...
11636 By virtue of Balmer's celebrated theorem, th...
11637 We study the underdamped Langevin diffusion ...
11638 Direct numerical simulation is performed to ...
11639 The development of spiking neural network si...
11640 We propose an algorithm to separate simultan...
11641 The quest for biologically plausible deep le...
11642 Signed networks are a crucial tool when mode...
11643 Recently we proposed a general, ensemble-bas...
11644 TaSb$_{2}$ has been predicted theoretically ...
11645 The training of Generative Adversarial Netwo...
11646 This work is concerned with the prime factor...
11647 The purpose of this note is to prove dispers...
11648 If $M$ is a finite volume complete hyperboli...
11649 Solids deform and fluids flow, but soft glas...
11650 We describe the technical effort used to pro...
11651 We show that the recently introduced iterati...
11652 We prove that for any winding number $m>0$ p...
11653 Let $A_f(1,n)$ be the normalized Fourier coe...
11654 The present letter to the editor is one in a...
11655 In this paper, we give explicit expressions ...
11656 We construct a new family of high genus exam...
11657 This thesis presents the design, analysis, a...
11658 Recent results have suggested that active ga...
11659 Degree ssortativity is the tendency for node...
11660 We propose a unified framework for establish...
11661 Aggregate analysis, such as comparing countr...
11662 In this paper, we investigate the behavior o...
11663 Among several quantitative invariants found ...
11664 We present a novel method for obtaining high...
11665 Bulk sensitive hard x-ray photoelectron spec...
11666 Consider the graph that has as vertices all ...
11667 After being trained, classifiers must often ...
11668 In this paper, we find a condition under whi...
11669 We grow nearly freestanding single-layer 1T'...
11670 This paper is concerned with structured mach...
11671 This paper investigates to identify the requ...
11672 We investigate the galaxy overdensity around...
11673 The dark matter search project by means of u...
11674 Recurrent neural networks have been the domi...
11675 The physical mechanisms of the laser-induced...
11676 SSDs are currently replacing magnetic disks ...
11677 In a recent paper [15], Giardin{à}, Giberti,...
11678 Keyphrase boundary classification (KBC) is t...
11679 The aim of this article is the construction ...
11680 We present a new topic model that generates ...
11681 In this article, a few problems related to m...
11682 We revisit the problem of characterizing the...
11683 The $\mathcal{G}_I^0$ distribution is able t...
11684 We present a novel optimization method, name...
11685 Information forms the basis for all human be...
11686 The paper evaluates the influence of the max...
11687 Let Z_n be the finite commutative ring of re...
11688 We demonstrate the existence of a novel quas...
11689 Future grid scenario analysis requires a maj...
11690 Pump-probe electron energy-loss spectroscopy...
11691 We consider families of symmetric linear pro...
11692 The CHIME telescope (the Canadian Hydrogen I...
11693 In the present article, we analyse the behav...
11694 We theoretically investigate the mechanical ...
11695 A two-layer shallow water type model is prop...
11696 Chondrules are primitive materials in the So...
11697 The edit distance under the DCJ model can be...
11698 Learning-based hashing methods are widely us...
11699 Given a 0-dimensional scheme $\mathbb{X}$ in...
11700 There is widespread confusion about the role...
11701 In this work, we derive relations between ge...
11702 Considerable literature has been developed f...
11703 The mixedness of a quantum state is usually ...
11704 This paper introduces a new concept of stoch...
11705 We experimentally explore the topological Ma...
11706 We report a detailed study of the transport ...
11707 In real-world scenarios, it is appealing to ...
11708 NEWAGE is a direction-sensitive dark-matter-...
11709 The lack of open-source tools for hyperspect...
11710 We study the problem of searching for and tr...
11711 We prove regularity estimates for entropy so...
11712 We analyze the ground state localization pro...
11713 We propose a calibrated filtered reduced ord...
11714 The interaction of light with an atomic samp...
11715 Technological advancement in Wireless Sensor...
11716 J. Willard Gibbs' Elementary Principles in S...
11717 In this work, we focus on multilingual syste...
11718 SPIDERS (SPectroscopic IDentification of eRO...
11719 Task-specific word identification aims to ch...
11720 We introduce a simple sub-universal quantum ...
11721 We present $\psi'$MSSM, a model based on a $...
11722 Reliable extraction of cosmological informat...
11723 Given a geometric path, the Time-Optimal Pat...
11724 We consider deep classifying neural networks...
11725 We study statistical inference for small-noi...
11726 Visualization of tabular data---for both pre...
11727 Strong electron interactions can drive metal...
11728 We use a variant of the technique in [Lac17a...
11729 Sterile neutrinos are natural extensions to ...
11730 Probabilistic mixture models have been widel...
11731 This paper presents the kinematic analysis o...
11732 Context: The gravitational lensing time dela...
11733 In a projective plane $\Pi_{q}$ (not necessa...
11734 We present sketch-rnn, a recurrent neural ne...
11735 This paper presents privileged multi-label l...
11736 We refine a result of the last two Authors o...
11737 Trace norm regularization is a widely used a...
11738 Reaction networks are mainly used to model t...
11739 In this paper, we introduce the notions of $...
11740 Given a straight-line drawing $\Gamma$ of a ...
11741 Light curves show the flux variation from th...
11742 We consider the problem of performing invers...
11743 In this paper we introduce and analyse Lange...
11744 The success of automated driving deployment ...
11745 America's transportation infrastructure is t...
11746 Cross-laminated timber (CLT) is a prefabrica...
11747 Representing domain knowledge is crucial for...
11748 We investigate how the constraint results of...
11749 In classical mechanics, a light particle bou...
11750 We introduce a new isomorphism-invariant not...
11751 Assistive robotic devices can be used to hel...
11752 Influence diagrams are a decision-theoretic ...
11753 We have obtained OH spectra of four transiti...
11754 Graphene nanoribbons with armchair edges are...
11755 Given the important role that the galaxy bis...
11756 This article is a brief introduction to the ...
11757 We measure the field dependence of spin glas...
11758 Two channels are said to be equivalent if th...
11759 This paper presents transient numerical simu...
11760 Charge modulations are considered as a leadi...
11761 This paper proposes a new approach to constr...
11762 This paper studies the problem of detection ...
11763 We demonstrate a new approach to calibrating...
11764 The field of discrete event simulation and o...
11765 We present Deeply Supervised Object Detector...
11766 Data enables Non-Governmental Organisations ...
11767 The past decade has seen an increasing body ...
11768 Necessary and sufficient conditions for fini...
11769 In this paper, we introduce the notion of Au...
11770 Current formal approaches have been successf...
11771 Compared with conventional accelerators, las...
11772 We study the problem of detecting human-obje...
11773 This paper presents a model for a dynamical ...
11774 In this paper, scalable Whole Slide Imaging ...
11775 Motivation: Understanding functions of prote...
11776 We investigate the prospects for micron-scal...
11777 This paper examines the problem of adaptive ...
11778 This work presents an evaluation study using...
11779 Despite being popularly referred to as the u...
11780 Deep neural networks are known to be difficu...
11781 The main aim of this paper is to extend one ...
11782 Logarithmic score and information divergence...
11783 For each integer $n$ we present an explicit ...
11784 While online services emerge in all areas of...
11785 This paper, the third in a series, completes...
11786 Low-profile patterned plasmonic surfaces are...
11787 Hamiltonian dynamics has been applied to stu...
11788 Intense, pulsed ion beams locally heat mater...
11789 We undertake a systematic comparison between...
11790 We propose a novel method to directly learn ...
11791 We address problems underlying the algorithm...
11792 We calculate model theoretic ranks of Painle...
11793 We review some of the basic concepts and the...
11794 Causal discovery broadens the inference poss...
11795 In this paper we combine concepts from Riema...
11796 In this paper we introduce a combinatorial f...
11797 This paper will describe a novel approach to...
11798 A normal conductor placed in good contact wi...
11799 We study the parameter estimation for parabo...
11800 We consider the constrained assortment optim...
11801 We have obtained the energy spectra of cosmi...
11802 Advanced optimization algorithms such as New...
11803 We propose a novel formulation for approxima...
11804 We prove a continuous embedding that allows ...
11805 The new cyber attack pattern of advanced per...
11806 Autonomous driving is getting a lot of atten...
11807 Though deep neural networks have achieved si...
11808 The issue on the effect of interactions in t...
11809 Does academic engagement accelerate or crowd...
11810 We present a novel Affine-Gradient based Loc...
11811 We combine aspects of the notions of finite ...
11812 We consider steady nonlinear free surface fl...
11813 $La_xCa_{1-x}MnO_3$ (LCMO) has been studied ...
11814 We analyze time evolution of statistical dis...
11815 In the era of vast spectroscopic surveys foc...
11816 By using the unfolding operators for periodi...
11817 In the Sachdev-Ye-Kitaev model, we argue tha...
11818 Inspired by the work of Henn, Lannes and Sch...
11819 In single star systems like our own Solar sy...
11820 We study the two-photon laser excitation to ...
11821 A Bose-Einstein condensate confined in ring ...
11822 Deep learning networks have achieved state-o...
11823 Traditional web search forces the developers...
11824 In this paper, we propose the first homomorp...
11825 We explore the competition and coupling of v...
11826 We demonstrate how electric fields with arbi...
11827 Computation of semantic similarity between c...
11828 Associated to any closed quantum subgroup $G...
11829 In the following we show the strong comparis...
11830 The distribution of metals in the intra-clus...
11831 Click through rate (CTR) prediction is very ...
11832 We consider the closest lattice point proble...
11833 Capacity of a quantum channel characterizes ...
11834 Conformally variational Riemannian invariant...
11835 One of the most promising approaches to over...
11836 Data poisoning is an attack on machine learn...
11837 Macroscopic models for systems involving dif...
11838 Monomolecular drug carriers based on calix[n...
11839 In visual surveillance systems, it is necess...
11840 We study an extension of active learning in ...
11841 Many digital functions studied in the litera...
11842 In psychological measurements, two levels sh...
11843 Line bundles of rational degree are defined ...
11844 Linear structural equation models relate the...
11845 While an increasing number of two-dimensiona...
11846 In this paper we present a novel constructio...
11847 The Tunka Radio Extension (Tunka-Rex) is an ...
11848 Calculations of the correlations between the...
11849 Animal groups exhibit emergent properties th...
11850 Using the 1-BM-C beamline at the Advanced Ph...
11851 Randomized quasi-Monte Carlo (RQMC) sampling...
11852 Relational data are usually highly incomplet...
11853 On many parallel machines, the time LQCD app...
11854 We describe a purely-multiplicative method f...
11855 Our daily perceptual experience is driven by...
11856 To reduce data collection time for deep lear...
11857 The mechanical behaviors of monolayer black ...
11858 The Ward identities for the charge and heat ...
11859 Short electron pulses are demonstrated to tr...
11860 Models that can simulate how environments ch...
11861 The Shockley-Queisser limit is one of the mo...
11862 In this communication we present a detailed ...
11863 Model selection on validation data is an ess...
11864 Motivation: The scratch assay is a standard ...
11865 Robust analysis of coauthorship networks is ...
11866 Introduction: Identification of blood-based ...
11867 This article considers the minimal non-zero ...
11868 Let $(A,\Delta)$ be a weak multiplier Hopf a...
11869 Recent advances in bandit tools and techniqu...
11870 Modern reinforcement learning algorithms rea...
11871 The antiferromagnetic Ising chain in both tr...
11872 We give a rigorous analysis of the statistic...
11873 The task of multi-step ahead prediction in l...
11874 A common approach for designing scalable alg...
11875 In this paper we describe simode: Separable ...
11876 We prove the following generalization of the...
11877 In this paper, we introduce the online servi...
11878 The influence of superheat treatment on the ...
11879 This paper presents refinements to the execu...
11880 Within the standard framework of quasi-stead...
11881 In this paper we are interested in the probl...
11882 We study the categories governing infinity (...
11883 The raking-ratio method is a statistical and...
11884 Predicting the efficacy of a drug for a give...
11885 Vagueness is something everyone is familiar ...
11886 We present a unique application of OxRAM dev...
11887 We investigate the Goos-Hanchen (G-H) shifts...
11888 We discuss the potential advantages of calcu...
11889 A signed network is a network with each link...
11890 The fastICA algorithm is a popular dimension...
11891 As an emerging single elemental layered mate...
11892 Following Wigert, a great number of authors ...
11893 This article extends bimetric formulations o...
11894 We analyze the dynamics of an online algorit...
11895 Integrated photonics is a leading platform f...
11896 When comparing the average citation impact o...
11897 Generalizations of classical theta functions...
11898 A challenge for molecular quantum dynamics (...
11899 In this paper, we consider the problem of pu...
11900 In the theory of second-order, nonlinear ell...
11901 The purpose of this study is to investigate ...
11902 Alternative expressions for calculating the ...
11903 Learning cooperative policies for multi-agen...
11904 The ablation of solid tin surfaces by an 800...
11905 The most precise local measurements of $H_0$...
11906 Deep learning thrives with large neural netw...
11907 For conventional secret sharing, if cheaters...
11908 This paper presents a Center of Mass (CoM) b...
11909 In the present paper, a continuum model is i...
11910 The convergence speed of stochastic gradient...
11911 This paper studies a problem of inverse visu...
11912 We reconsider the minimization of the compli...
11913 To help with the planning of inter-vehicular...
11914 As many different 3D volumes could produce t...
11915 We consider minimization of stochastic funct...
11916 We have performed high-resolution powder x-r...
11917 Conditional generators learn the data distri...
11918 The need to develop models to predict the mo...
11919 We employ a hybrid approach in determining t...
11920 We study the impact of thermal inflation on ...
11921 We prove that the space of dominant/non-cons...
11922 Time spent in leisure is not a minor researc...
11923 In this paper we are interested in the probl...
11924 Anisotropy of friction force is proved to be...
11925 In combinatorial auctions, a designer must d...
11926 The adaptability of the convolutional neural...
11927 A Y-linked two-sex branching process with mu...
11928 In this work we propose an effective low-ene...
11929 A self-contained method of obtaining effecti...
11930 Cell shape is an important biomarker. Previo...
11931 We explore the use of Evolution Strategies (...
11932 Passive Radio-Frequency IDentification (RFID...
11933 We present a new method for numerical hydrod...
11934 An effective approach to non-parallel voice ...
11935 Exchange hole is the principle constituent i...
11936 We investigate the environmental quenching o...
11937 We determine the BP-module structure, mod hi...
11938 We consider the problem of learning the func...
11939 Deep reinforcement learning methods attain s...
11940 School bus planning is usually divided into ...
11941 In this work we proivied a new simpler proof...
11942 Deep generative models have been successfull...
11943 We present a brief review of discrete struct...
11944 This article is based on a series of lecture...
11945 Feedback control actively dissipates uncerta...
11946 The superposition of temporal point processe...
11947 Since the invention of word2vec, the skip-gr...
11948 With the development of Big Data and cloud d...
11949 Level-1 Consensus is a property of a prefere...
11950 The sparsely spaced highly permeable fractur...
11951 The purpose of this paper is to investigate ...
11952 We address the problem of prescribing an opt...
11953 In this paper we show a variant of colorful ...
11954 We propose two classes of dynamic versions o...
11955 Dense subgraph discovery is a key primitive ...
11956 Convolutional neural networks provide visual...
11957 Microrobots have the potential to impact man...
11958 This research investigates the implementatio...
11959 The dual crises of the sub-prime mortgage cr...
11960 In this paper we propose a novel neural lang...
11961 We study sampling as optimization in the spa...
11962 We study laser cooling of $^{24}$Mg atoms in...
11963 The problem of feature disentanglement has b...
11964 We consider the long-term collisional and dy...
11965 Learning individual-level causal effects fro...
11966 This article gives an overview of gamma-ray ...
11967 In this paper, we study a class of discrete-...
11968 A problem of Glasner, now known as Glasner's...
11969 Many different methods to train deep generat...
11970 In this paper, we study the online learning ...
11971 Swelling media (e.g. gels, tumors) are usual...
11972 In this paper we generalize the definition o...
11973 V391 Peg (alias HS2201+2610) is a subdwarf B...
11974 We study the convergence of an inexact versi...
11975 Ultrasound diagnosis is routinely used in ob...
11976 We study the quantum phase transitions in th...
11977 We consider the defocusing nonlinear wave eq...
11978 A fundamental characteristic of computer net...
11979 We present a parallel hierarchical solver fo...
11980 We present two new large-scale datasets aime...
11981 As robotic systems are moved out of factory ...
11982 The important task of developing verificatio...
11983 We demonstrate for the first time an efficie...
11984 This paper analyzes a simple game with $n$ p...
11985 In this paper, we tackle the accurate and co...
11986 This volume contains the proceedings of MARS...
11987 When the electron density of highly crystall...
11988 Deep generative models such as Variational A...
11989 We develop new optimization methodology for ...
11990 A detailed development of the principal comp...
11991 The repulsive Fermi Hubbard model on the squ...
11992 A key phase in the bridge design process is ...
11993 Automatic question-answering is a classical ...
11994 Changes to network structure can substantial...
11995 We show that the evolution of two-component ...
11996 We present a search for optical bursts from ...
11997 We report on the results of a de Haas-van Al...
11998 An important yet challenging problem in unde...
11999 In this paper, we study the classic problem ...
12000 Independent component analysis (ICA) decompo...
12001 The New Horizons spacecraft's nominal trajec...
12002 Maintenance is an important activity in indu...
12003 Stochastic gradient methods are the workhors...
12004 This paper proposes a general framework for ...
12005 Given a finitely aligned $k$-graph $\Lambda$...
12006 A phenomenon can hardly be found that accomp...
12007 Arrays of integers are often compressed in s...
12008 We study the Kondo physics of a quantum magn...
12009 In the present note we study Waldschmidt con...
12010 Over the past two decades the main focus of ...
12011 In this paper we generalize three identifica...
12012 Although for a number of semilinear stochast...
12013 We consider the problem of learning a low-ra...
12014 This paper establishes the first performance...
12015 In this paper, we introduce a new combinator...
12016 Connectionist temporal classification (CTC) ...
12017 Buhrman showed that an efficient communicati...
12018 We propose a novel diminishing learning rate...
12019 The Wasserstein metric is an important measu...
12020 It is shown that the unit ball in ${\mathbb ...
12021 In this article, recent progress on ML-rando...
12022 With red supergiants (RSGs) predicted to end...
12023 The symmetry algebra of the real elliptic Li...
12024 Due to its accuracy and generality, Monte Ca...
12025 We present a theoretical study of the finite...
12026 The chiral optical Tamm state (COTS) is a sp...
12027 In this paper, our aim is to show some mean ...
12028 Research Objects (ROs) are semantically enha...
12029 This work introduces our approach to the fla...
12030 Pair creation on the cosmic infrared backgro...
12031 Knowledge Transfer (KT) techniques tackle th...
12032 This article is an attempt to generalize Rie...
12033 When applied to training deep neural network...
12034 This paper studies the detection of bird cal...
12035 In this paper we consider a Bayesian framewo...
12036 We analyze the emission spectrum of the hot ...
12037 We propose an exploration method that incorp...
12038 Single-image-based view generation (SIVG) is...
12039 With applications to many disciplines, the t...
12040 The concept of dynamical compensation has be...
12041 A 2.1 MeV, 10 mA CW RFQ has been installed a...
12042 Softmax is a standard final layer used in Ne...
12043 In this note, we recall Kummer's Fourier ser...
12044 In the study of extensions of polytopes of c...
12045 DEVS is a popular formalism for modelling co...
12046 Several active areas of research in novel en...
12047 The Machine Recognition of Crystallization O...
12048 This research investigated the potential for...
12049 Magnetotransport measurements in combination...
12050 Science education is a crucial issue with lo...
12051 We investigated the effect of out-of-plane c...
12052 Solutions of partial differential equations ...
12053 All four giant planets in the Solar System f...
12054 Semantic segmentation, like other fields of ...
12055 Photometric Stereo methods seek to reconstru...
12056 We introduce a web of strongly correlated in...
12057 Rainfall ensemble forecasts have to be skill...
12058 A basic problem in information theory is the...
12059 The computable model theory of modal logic w...
12060 DeepTingle is a text prediction and classifi...
12061 The ability of physical layer relay caching ...
12062 The theoretical description of the thermodyn...
12063 We present bounds for the finite sample erro...
12064 Butanol has received significant research at...
12065 Mutual Information (MI) is an useful tool fo...
12066 Bayesian online changepoint detection (BOCPD...
12067 Let $\mathcal{B}_d$ be the unital $C^*$-alge...
12068 The CANDECOMP/PARAFAC (CP) decomposition is ...
12069 A potential flow around a circular cylinder ...
12070 Bilateral trade is a fundamental economic sc...
12071 We report $^{139}$La and $^{63}$Cu NMR inves...
12072 Field failures, that is, failures caused by ...
12073 Crowdsourcing has been successfully applied ...
12074 We study a class of one-dimensional classica...
12075 In this letter, we propose an algorithm for ...
12076 This contributions discusses the simulation ...
12077 With the wide adoption of the multi-communit...
12078 In this paper, we introduce and investigate ...
12079 We propose an adaptive estimator for the sta...
12080 We describe a high-performance implementatio...
12081 The multimodal web elements such as text and...
12082 We investigate the light-curve properties of...
12083 Airbnb, an online marketplace for accommodat...
12084 Dynamic race detection is the problem of det...
12085 The process of exploring and exploiting Oil ...
12086 We study a photonic analog of the chiral mag...
12087 The effects of pressure on the crystal struc...
12088 We link the theory of optimal transportation...
12089 This paper studies an intelligent ultimate t...
12090 This book introduces a temporal type theory,...
12091 We provide a direct construction of Poletsky...
12092 DR-submodular continuous functions are impor...
12093 A symmetric matrix is Robinsonian if its row...
12094 The detection of gravity plays a fundamental...
12095 Markov Chain Monte Carlo (MCMC) methods such...
12096 Hurricanes are cyclones circulating about a ...
12097 A stochastic optimal control problem driven ...
12098 Magnetic induction was first proposed as a p...
12099 We investigate possible signatures of halo a...
12100 We present the Vortex Image Processing (VIP)...
12101 HTTP/2 (h2) is a new standard for Web commun...
12102 Let $A \in {\cal C}^n$ be an extremal coposi...
12103 We propose a method for dual-arm manipulatio...
12104 We develop an ac-biased shift register intro...
12105 The emerging era of personalized medicine re...
12106 While the costs of human violence have attra...
12107 We give some examples of the existence of so...
12108 We present accurate mass and thermodynamic p...
12109 In this article we study the linearized anis...
12110 We prove that the Teichmüller space of surfa...
12111 Decision making in multi-agent systems (MAS)...
12112 We discuss several classes of integrable Flo...
12113 It is a simple fact that a subgroup generate...
12114 Transmission lines are vital components in p...
12115 The eigenstructure of the discrete Fourier t...
12116 This paper introduces a new Urban Point Clou...
12117 Various defense schemes --- which determine ...
12118 Black hole X-ray transients show a variety o...
12119 We define a generalization of the free Lie a...
12120 In this paper we develop a generalized likel...
12121 In this paper, we deal with the acceleration...
12122 Diffusion magnetic resonance imaging (dMRI) ...
12123 The apelinergic system is an important playe...
12124 What happens to the most general closed osci...
12125 The widespread use of smartphones gives rise...
12126 The Algorithms for Lattice Fermions package ...
12127 As a disruptive technology, blockchain, part...
12128 We analytically construct an infinite number...
12129 Tensor factorization models offer an effecti...
12130 In this work we first examine transverse and...
12131 This paper describes QCRI's machine translat...
12132 We consider one of the most important proble...
12133 In 2007, Arkin et al. initiated a systematic...
12134 For two Banach algebras $A$ and $B$, the $T$...
12135 Accurately modeling contact behaviors for re...
12136 In retailer management, the Newsvendor probl...
12137 Analyzing the temporal behavior of nodes in ...
12138 In this paper, we present a novel cache desi...
12139 Let $X$ be a locally compact Abelian group, ...
12140 Ultrafast perturbations offer a unique tool ...
12141 In recent years, the phenomenon of online mi...
12142 A conceptual design for a quantum blockchain...
12143 Recent work on encoder-decoder models for se...
12144 The capacity of a neural network to absorb i...
12145 In this paper we study principal components ...
12146 In meta-learning an agent extracts knowledge...
12147 We present an optical flow estimation approa...
12148 We propose a rank-$k$ variant of the classic...
12149 In this manuscript we present exponential in...
12150 We consider self-avoiding lattice polygons, ...
12151 Temporal difference learning and Residual Gr...
12152 We present analytical studies of a boson-fer...
12153 Existing works for extracting navigation obj...
12154 We present optimized source galaxy selection...
12155 The main result of this paper is that there ...
12156 Optimization of high-dimensional black-box f...
12157 At the core of understanding dynamical syste...
12158 We propose a method for semi-supervised trai...
12159 We introduce a refined Sobolev scale on a ve...
12160 In this work, we propose a goal-driven colla...
12161 In this paper, we introduce and evaluate PRO...
12162 Organisms use hair-like cilia that beat in a...
12163 In multi-server distributed queueing systems...
12164 Convolutional neural networks (CNNs) have st...
12165 Recently a repeating fast radio burst (FRB) ...
12166 A vertex or edge in a graph is critical if i...
12167 We prove transverse Weitzenböck identities f...
12168 In this work we present an adaptive Newton-t...
12169 In 1885, Fedorov discovered that a convex do...
12170 The spectrum of $L^2$ on a pseudo-unitary gr...
12171 Objective: Predict patient-specific vitals d...
12172 One of the key challenges of visual percepti...
12173 We discuss channel surfaces in the context o...
12174 This paper presents an acceleration framewor...
12175 We obtain $L^p$ regularity for the Bergman p...
12176 We present a simple encoding for unlabeled n...
12177 In this paper we investigate the numerical a...
12178 According to a result of Ehresmann, the tors...
12179 Many signal processing algorithms operate by...
12180 We study the hyperplane arrangements associa...
12181 We report an extension of a Keras Model, cal...
12182 A large user base relies on software updates...
12183 The analysis of telemetry data is common in ...
12184 Motion planning is a key tool that allows ro...
12185 A repulsive Coulomb interaction between elec...
12186 In this paper, an improved thermal lattice B...
12187 Interactions and effect aliasing are among t...
12188 Importance-weighting is a popular and well-r...
12189 A group of mobile agents is given a task to ...
12190 We propose a source/channel duality in the e...
12191 We provide a new version of delta theorem, t...
12192 Interior tomography for the region-of-intere...
12193 In this paper, we present a new algorithm fo...
12194 Extreme nanowires (ENs) represent the ultima...
12195 The advent of miniaturized biologging device...
12196 We study image classification and retrieval ...
12197 Understanding the emergence of biological st...
12198 Online experiments are a fundamental compone...
12199 We present here VRI spectrophotometry of 39 ...
12200 In this paper, we discuss stochastic compari...
12201 Mendelian randomization (MR) is a method of ...
12202 We study improved approximations to the dist...
12203 This paper is devoted to the investigation o...
12204 We describe the dimensions of low Hochschild...
12205 Fracton models, a collection of exotic gappe...
12206 Topic modeling enables exploration and compa...
12207 Let $\mathcal{V}_p(\lambda)$ be the collecti...
12208 The loss functions of deep neural networks a...
12209 Urban areas with larger and more connected p...
12210 We investigate homological subsets of the pr...
12211 The phenomenon of self-synchronization in po...
12212 We study causal waveform estimation (trackin...
12213 In this report, we applied integrated gradie...
12214 The fast detection of terahertz radiation is...
12215 We investigate the low-dimensional structure...
12216 We show a unified second-order scheme for co...
12217 It is shown via theory and simulation that t...
12218 This paper presents a novel transformation-p...
12219 We present a dual subspace ascent algorithm ...
12220 AWAKE is a proton-driven plasma wakefield ac...
12221 In lieu of an abstract here is the first par...
12222 The purpose of this article is to study the ...
12223 As proved by Régnier and Rösler, the number ...
12224 In this work, we present a method to compute...
12225 Elastic dissipation through radiation toward...
12226 In this proceedings application of a fuzzy S...
12227 Cylindrical Couette flow is a subject where ...
12228 Understanding the spatial extent of extreme ...
12229 We present a study of the connection between...
12230 We propose a novel architecture for $k$-shot...
12231 We study the pairs of projections $$ P_If=\c...
12232 This paper is concerned with the following f...
12233 Social media expose millions of users every ...
12234 Discrete statistical models supported on lab...
12235 Boltzmann machines are physics informed gene...
12236 Graph Signal Processing (GSP) is a promising...
12237 We compare various notions of weak subsoluti...
12238 Efficient assessment of convolved hidden Mar...
12239 Detailed numerical analyses of the orbital m...
12240 Bottom-up and top-down, as well as low-level...
12241 The sharp range of $L^p$-estimates for the c...
12242 Through the Hasimoto map, various dynamical ...
12243 Deduplication finds and removes long-range d...
12244 While deep neural networks take loose inspir...
12245 Among the Milky Way satellites discovered in...
12246 We improve the best known upper bound on the...
12247 Graphs are a fundamental abstraction for mod...
12248 Characteristic classes in space-time manifol...
12249 We describe high resolution observations of ...
12250 Unraveling bacterial strategies for spatial ...
12251 Behavioral annotation using signal processin...
12252 Local properties of the fundamental group of...
12253 We present adaptive strategies for antenna s...
12254 We characterize the variation in photometric...
12255 Self-healing polymers crosslinked by solely ...
12256 In this paper, we study an SYK model and an ...
12257 The common assumption that Theta-1-Ori C is ...
12258 The large majority of high energy sources de...
12259 One of the main computational and scientific...
12260 The propagation of charged cosmic rays throu...
12261 The space of Kähler potentials in a compact ...
12262 Echo state networks are powerful recurrent n...
12263 In this paper, we prove that some Gaussian s...
12264 The disruptive power of blockchain technolog...
12265 We investigate the limiting behavior of solu...
12266 In this paper we estimate the fidelity of st...
12267 Cross-validation is widely used for selectin...
12268 In this work we formulate the problem of ima...
12269 Mobile gaming has emerged as a promising mar...
12270 The seminal work of Morgan and Rubin (2012) ...
12271 We present an approach for agents to learn r...
12272 To store information at extremely high-densi...
12273 In this paper, Morgan type uncertainty princ...
12274 Early in researchers' careers, it is difficu...
12275 In this paper, we consider the use of deep n...
12276 In this paper, we address the problem of cro...
12277 In recent years, deep learning based on arti...
12278 We demonstrate autoparametric excitation of ...
12279 We present a community-led assessment of the...
12280 Unsupervised dependency parsing aims to lear...
12281 We report the results of broadband (0.95--2....
12282 We give a survey on some results covering th...
12283 Real time evolution of classical gauge field...
12284 Dermoscopy image detection stays a tough tas...
12285 The current dominant paradigm for imitation ...
12286 In this paper, we extend and complement prev...
12287 Let $F$ be a non-Archimedan local field, $G$...
12288 Accurate rates for energy-degenerate l-chang...
12289 We study theoretically the usefulness of spi...
12290 The magnetic insulator Yttrium Iron Garnet c...
12291 We characterize a multi tier network with cl...
12292 A class of nonlinear Schrödinger equations i...
12293 Matrix completion models are among the most ...
12294 This paper is concerned with two-person dyna...
12295 In the context of dissipative systems, we sh...
12296 In a recent paper [1] we introduced the Fuzz...
12297 The excitement and convergence of tweets on ...
12298 Monte Carlo method is a broad class of compu...
12299 We address the problem of bootstrapping lang...
12300 This article presents the parallel implement...
12301 TiEV is an autonomous driving platform imple...
12302 We propose a novel decoding approach for neu...
12303 The classical Halpern-Läuchli theorem states...
12304 We conduct an in depth study on the performa...
12305 We identify conditional parity as a general ...
12306 We consider caching in cellular networks in ...
12307 In this paper, we consider the numerical app...
12308 Machine-learning techniques are widely used ...
12309 The sharp-interface limits of a phase-field ...
12310 The first part of this notes provides a new ...
12311 Characteristic cycles and leading term cycle...
12312 We propose a robust implementation of the Ne...
12313 Statistical Relational Models and, more rece...
12314 We theoretically investigate a spin-orbit co...
12315 The celebrated Auslander-Reiten Conjecture, ...
12316 We explore the temperature effects in the su...
12317 Time series, as frequently the case in neuro...
12318 We study the automorphism group of Hall's un...
12319 A linear or multi-linear valuation on a fini...
12320 The evolution of structure in biology is dri...
12321 Let $f$ be a band-limited function in $L^2({...
12322 Distributed word representations are widely ...
12323 We present a new oblivious walking strategy ...
12324 Energy statistics was proposed by Székely in...
12325 A finite-support constraint on the parameter...
12326 Neural circuits in the retina divide the inc...
12327 We develop an approach for unsupervised lear...
12328 In this paper we prove the Dichotomy Conject...
12329 We report an experimental investigation of t...
12330 A model-based approach to forecasting chaoti...
12331 Heavy metal/ferromagnetic layers with perpen...
12332 Recently, the separated fragment (SF) of fir...
12333 We survey the theory of Poisson traces (or z...
12334 We report on results of nonequilibrium trans...
12335 When performing a time series analysis of co...
12336 The frequency responses of the K-Rb-$^{21}$N...
12337 Coded caching scheme is a technique which re...
12338 Previously published admissibility condition...
12339 Grading in embedded systems courses typicall...
12340 Let $p$ be a prime number. In this article w...
12341 Group I elements - alkali metals Li, Na, K, ...
12342 Identifying significant subsets of the genes...
12343 New model-independent compact representation...
12344 Geosciences is a field of great societal rel...
12345 It is well known that the affine matrix rank...
12346 The entropy power inequality (EPI) and the B...
12347 The risk ratio is a popular tool for summari...
12348 The technical skill of surgeons directly imp...
12349 We develop a method to control discrete-time...
12350 The aim of this paper is to investigate the ...
12351 This paper investigates the effects of a pri...
12352 Recent research has demonstrated the brittle...
12353 Uniformity testing and the more general iden...
12354 It is known that connected sums of positive ...
12355 We study flows on C*-algebras with the Rokhl...
12356 Recently we reported an enhanced superconduc...
12357 We introduce a new game-theoretic semantics ...
12358 We report on thermodynamic, magnetization, a...
12359 There are no solid arguments to sustain that...
12360 We describe the main scientific developments...
12361 We obtain a sufficient and necessary conditi...
12362 The fate of exotic spin liquid states with f...
12363 Purpose: The goal of this study is to show t...
12364 Lexical features are a major source of infor...
12365 The tourism industry has a significant impac...
12366 Covariate shift classification problems can ...
12367 Relational probabilistic models have the cha...
12368 The entrepreneurial scene suffers from a sic...
12369 When used as a surrogate objective for maxim...
12370 We study the annealing stability of bottom-p...
12371 Eigenoptions (EOs) have been recently introd...
12372 We study some regularity properties in local...
12373 Understanding patterns of demand is fundamen...
12374 The realization of high-performance, small-f...
12375 This study concentrates on advancing mathema...
12376 Diving induces large pressures during water ...
12377 Synthetic data has proved increasingly usefu...
12378 We introduce a solvable model of driven ferm...
12379 The Research Data Alliance is an internation...
12380 The paper reports new results of the 57Fe Mö...
12381 We show that the zeroth coefficient of the c...
12382 The Daya Bay Experiment consists of eight id...
12383 Ordinary least square (OLS) estimation of a ...
12384 Under the Riemann Hypothesis, we improve the...
12385 Extragalactic cosmic ray populations are imp...
12386 It has been widely accepted that electric fi...
12387 We report the $4 \, \sigma$ detection of a f...
12388 We exhibit an equivalence between the model-...
12389 We propose new type of $q$-diffusive heat eq...
12390 We prove that for a strongly pseudoconvex do...
12391 We define a ring R of geometric objects G ge...
12392 We prove that a representation of the fundam...
12393 From a super extension of the Wadati, Konno ...
12394 We introduce a combinatorial criterion for v...
12395 Deep neural networks (DNNs) transform stimul...
12396 Even though the evolution of an isolated qua...
12397 We tackle the issue of classifier combinatio...
12398 We consider the problem of scheduling "serve...
12399 Degeneracy loci of morphisms between vector ...
12400 Homology of braid groups and Artin groups ca...
12401 This study presents a smoothed particle hydr...
12402 Ionization by relativistically intense short...
12403 A brane construction of an integrable lattic...
12404 Measuring the corporate default risk is broa...
12405 We present results from a 100 ks XMM-Newton ...
12406 In this paper, we introduce a rational $\tau...
12407 We consider the lattice, $\mathcal{L}$, of a...
12408 This paper studies different signaling techn...
12409 Traveling wave solutions of (2 + 1)-dimensio...
12410 This paper continues the research started in...
12411 Recently, a technique called Layer-wise Rele...
12412 We propose a new family of coherence monoton...
12413 We present a passivity-based Whole-Body Cont...
12414 In this paper, we present two main results. ...
12415 We consider the problem of multi-objective m...
12416 It is argued that many of the problems and a...
12417 We study the ferromagnetic layer thickness d...
12418 A tetragonal photonic crystal composed of hi...
12419 The pull-based development process has becom...
12420 Given the success of the gated recurrent uni...
12421 We propose a new learning to rank algorithm,...
12422 Representing a word by its co-occurrences wi...
12423 Let $M$ be a compact 3-manifold and $\Gamma=...
12424 We study multi-frequency quasiperiodic Schrö...
12425 We study model spaces, in the sense of Haire...
12426 All water-covered rocky planets in the inner...
12427 In the context of fitness coaching or for re...
12428 Temporal resolution of visual information pr...
12429 We find explicit formulas for the radii and ...
12430 In the cryptographic currency Bitcoin, all t...
12431 This paper presents a framework for controll...
12432 The early time regime of the Kardar-Parisi-Z...
12433 Subject of this article is the relationship ...
12434 Temporal Action Proposal (TAP) generation is...
12435 Most real world phenomena such as sunlight d...
12436 For a given smooth compact manifold $M$, we ...
12437 In this paper, we study the possibility of i...
12438 Neuronal activity in the brain generates syn...
12439 We construct a point transformation between ...
12440 This paper explores improvements in predicti...
12441 We propose an optimization approach for dete...
12442 The goal of this thesis was to implement a t...
12443 Translational motion of neurotransmitter rec...
12444 We show that a reduct of the Zariski structu...
12445 Statisticians have made great progress in cr...
12446 A wide range of learning tasks require human...
12447 In this work, we present a numerical method ...
12448 The problem of $\textit{visual metamerism}$ ...
12449 Sheep pox is a highly transmissible disease ...
12450 We describe a method for generating minimal ...
12451 Language change involves the competition bet...
12452 User modeling plays an important role in del...
12453 Testing for regime switching when the regime...
12454 Let $R$ be a commutative Noetherian ring, $\...
12455 In industrial control systems, devices such ...
12456 Nonnegative matrix factorization (NMF), a di...
12457 Border crossing delays between New York Stat...
12458 Scientific knowledge is constantly subject t...
12459 Central pattern generators (CPGs) appear to ...
12460 We investigate extremely luminous dusty gala...
12461 The least squares (LS) estimator and the bes...
12462 Performing high level cognitive tasks requir...
12463 A facility based on a next-generation, high-...
12464 Airborne LiDAR point cloud representing a fo...
12465 The temperature coefficients for all the dir...
12466 We present a general-purpose method to train...
12467 Binary Sidel'nikov-Lempel-Cohn-Eastman seque...
12468 Embeddings of knowledge graphs have received...
12469 Deep convolutional networks have become a po...
12470 Fitting stochastic kinetic models represente...
12471 Image-to-image translation is a class of vis...
12472 We consider the challenging problem of stati...
12473 Do visual tasks have a relationship, or are ...
12474 The potential failure of energy equality for...
12475 Inference of space-time varying signals on g...
12476 In this sequel to earlier papers by three of...
12477 This paper introduces a probabilistic framew...
12478 This paper describes a method of nonlinear w...
12479 The $\mathbb{Z}_2$ topological phase in the ...
12480 We propose an L-BFGS optimization algorithm ...
12481 We present a new Markov chain Monte Carlo al...
12482 We present the crystal structure and magneti...
12483 We construct an extended oriented $(2+\epsil...
12484 This paper presents a new generator of chaot...
12485 The HAWC Gamma Ray observatory consists of 3...
12486 Optical Music Recognition (OMR) is an import...
12487 The cable model is widely used in several fi...
12488 We consider conditional-mean hedging in a fr...
12489 We say that a finite metric space $X$ can be...
12490 The aim of this work is to establish that tw...
12491 The popular Adjusted Rand Index (ARI) is ext...
12492 We study the size and the external path leng...
12493 Output from statistical parametric speech sy...
12494 Meshfree solution schemes for the incompress...
12495 We propose a development of the Analytic Hie...
12496 The blooming availability of traces for soci...
12497 Advances in artificial intelligence have ren...
12498 The Keplerian distribution of velocities is ...
12499 Recurrent neural networks like long short-te...
12500 Track-before-detect (TBD) is a powerful appr...
12501 Given a holomorphic principal bundle $Q\, \l...
12502 We propose to study equivariance in deep neu...
12503 Low-dimensional wide bandgap semiconductors ...
12504 While recent developments in autonomous vehi...
12505 We identify peak and valley structures in th...
12506 Given two independent sets $I, J$ of a graph...
12507 This work studies the entity-wise topical be...
12508 The exponential scaling of the wave function...
12509 We show that if a semisimple synchronizing a...
12510 Recent developments within memory-augmented ...
12511 We present analytical and numerical studies ...
12512 We study the optimal design of electricity c...
12513 We consider the minimization of an objective...
12514 We study the problem of learning overcomplet...
12515 Atomistic rigid lattice Kinetic Monte Carlo ...
12516 The paper aims at finding acyclic graphs und...
12517 This paper presents a robust matrix elastic ...
12518 Visual Question Answering (VQA) has received...
12519 Wheeled planetary rovers such as the Mars Ex...
12520 We explore the sequential decision making pr...
12521 One of the goals of 5G wireless systems stat...
12522 We consider the class of evolution equations...
12523 Deep convolutional neural networks (CNNs) ar...
12524 In this paper, we study the moments of centr...
12525 Graphs are a commonly used construct for rep...
12526 This paper addresses the problem of decentra...
12527 We discuss the understanding of geometry of ...
12528 In this paper we use refined approximations ...
12529 Electrical forces are the background of all ...
12530 Bone tissue mechanical properties and trabec...
12531 Temporal Pattern Mining (TPM) is the problem...
12532 We propose PowerAlert, an efficient external...
12533 It is an open question whether the linear ex...
12534 In this work we explored building automatic ...
12535 Fallback authentication is used to retrieve ...
12536 Web archiving services play an increasingly ...
12537 Biclustering techniques have been widely use...
12538 Deep learning methods achieve state-of-the-a...
12539 This letter studies joint transmit beamformi...
12540 We propose local segmentation of multiple se...
12541 We investigate the effect of annealing tempe...
12542 This article discusses the relationship betw...
12543 In this paper, an optimized efficient VLSI a...
12544 We give rather simple answers to two long-st...
12545 We present a general framework, the coupled ...
12546 Global and partial synchronization are the t...
12547 Goals are results of pin-point shots and it ...
12548 This report introduces and investigates a fa...
12549 Surface plasmon polariton, hyberbolic disper...
12550 We investigate the ramifications of the Lege...
12551 Releasing full data records is one of the mo...
12552 Automatic testing is a widely adopted techni...
12553 Autonomous vehicles (AVs) are on the road. T...
12554 We explore the feasibility of using fast-slo...
12555 The online sports gambling industry employs ...
12556 This paper is based on the complete classifi...
12557 In this paper we show how a deep-submicron F...
12558 We propose a new algorithm for finite sum op...
12559 [abridged] In the typical giant-impact scena...
12560 Learning a regression function using censore...
12561 The degree distribution is one of the most f...
12562 A method is proposed to generate an optimal ...
12563 We consider the problem of optimizing heat t...
12564 We consider the wave equation with a boundar...
12565 We present an approach for a lightweight dat...
12566 Many scientific and engineering challenges -...
12567 This paper proves that every finite volume h...
12568 The cospark of a matrix is the cardinality o...
12569 Neural networks based vocoders, typically th...
12570 In the last few years, contributions of the ...
12571 In bounded smooth domains $\Omega\subset\mat...
12572 This paper deals with asymptotics for multip...
12573 The rapid development of deep learning, a fa...
12574 In a Wireless Sensor Network (WSN), data man...
12575 The coherent optical response from 140~nm an...
12576 We present the luminosity function of z=4 qu...
12577 The dawn of the fourth industrial revolution...
12578 Given p independent normal populations, we c...
12579 We consider the problem of detecting a defor...
12580 We propose a high signal-to-noise extended d...
12581 An oblivious computation is one that is free...
12582 Inverse Compton scattering (ICS) is a unique...
12583 The Yarkovsky effect is a thermal process ac...
12584 In this short note we improve the best to da...
12585 We extend the global existence result for th...
12586 I examine a possible spectral distortion of ...
12587 In informationally efficient financial marke...
12588 We present a new method that combines alchem...
12589 Large-scale Hierarchical Classification (HC)...
12590 We present an enumeration of orientably-regu...
12591 Fitting machine learning models in the low-d...
12592 The Plancherel decomposition of $L^2$ on a p...
12593 We construct an absolutely normal number who...
12594 Enticing users into exploring Open Data rema...
12595 Reciprocity is a fundamental principle gover...
12596 Photoacoustic computed tomography (PACT) is ...
12597 We explore to what extent one may hope to pr...
12598 A concentration result for quadratic form of...
12599 The flexibility of short DNA chains is inves...
12600 The Picard code for the numerical solution o...
12601 We propose a simple and general variant of t...
12602 The complete set of Maxwell's and hydrodynam...
12603 The enhancement and detection of elongated s...
12604 Life can be viewed as a localized chemical s...
12605 Functional data analysis on nonlinear manifo...
12606 We characterize the fractional Dehn twist co...
12607 Rascal is a high-level transformation langua...
12608 A regular ordered semigroup $S$ is called ri...
12609 The two-dimensional signed small ball inequa...
12610 From [Problem 1729, Groups of prime power or...
12611 Diffusion processes driven by Fractional Bro...
12612 The Greenberger-Horne-Zeilinger (GHZ) argume...
12613 We define and study the global Okounkov mome...
12614 In this paper we perform a formal asymptotic...
12615 Dynamically crosslinked semiflexible biopoly...
12616 We present a novel view of nonlinear manifol...
12617 Malaysian Airlines flight MH370 veered off c...
12618 We investigate the addition of symmetry and ...
12619 The study of deep recurrent neural networks ...
12620 Computational topology is an area that revis...
12621 In this work, we formulated a real-world pro...
12622 In this paper, we consider Abelian varieties...
12623 Modeling of longitudinal data often requires...
12624 We show that the patterns in the Abelian san...
12625 We propose a new indexing structure for para...
12626 The traction force of a kite can be used to ...
12627 We prove convergence results for expanding c...
12628 Finite-precision arithmetic computations fac...
12629 We report the synthesis and structural chara...
12630 Universal properties of entangled many-body ...
12631 We answer two questions raised by Bryant, Fr...
12632 The degree splitting problem requires colori...
12633 Let $E$ be an arbitrary subset of $\mathbb{R...
12634 Availability of an explainable deep learning...
12635 The generalization properties of Gaussian pr...
12636 We propose a new approach to the topological...
12637 Exploiting the theory of state space models,...
12638 Advances in technology have provided ways to...
12639 Geometrical aspects of a perfect fluid space...
12640 Heart disease is one of leading causes of mo...
12641 We show in this article that if a holomorphi...
12642 Graph processing is becoming increasingly pr...
12643 In this paper, we prove some classification ...
12644 We have investigated the in-gap bound states...
12645 It is true that the "best" neural network is...
12646 We suggest a method to calculate hyperfine a...
12647 We investigate the elliptic integrable model...
12648 We apply moderate-high-energy inelastic neut...
12649 We investigate the relation between quadrics...
12650 Greedy algorithms are widely used for proble...
12651 We study the multi-armed bandit problem with...
12652 We analyze the dynamics of inflationary mode...
12653 Diffusion Tensor Imaging (DTI) is an effecti...
12654 The increasing popularity of the social netw...
12655 Manual segmentation of the Left Ventricle (L...
12656 Stabilizing defects in liquid-crystal system...
12657 We report on the heterogeneous nucleation of...
12658 The quantum Ising model with random coupling...
12659 Femtosecond laser writing is applied to form...
12660 We introduce FORM 4.2, a new minor release o...
12661 Clinical electroencephalographic (EEG) data ...
12662 The paper presents the first \emph{concurren...
12663 Information transmission in the human brain ...
12664 Event-driven programming frameworks, such as...
12665 A stress is applied at the flat face and the...
12666 Compact substructure is expected to arise in...
12667 Comprehensive understanding of the world's m...
12668 A group law is said to be detectable in powe...
12669 Classifiers deployed in the real world opera...
12670 Due to the lack of enough generalization in ...
12671 We show that the bicrossproduct model\n$C[SU...
12672 In many social systems, groups of individual...
12673 Entity resolution (ER) is the task of identi...
12674 Tree adjoining grammars (TAGs) provide an am...
12675 We discuss such Maltsev conditions that cons...
12676 Social media datasets, especially Twitter tw...
12677 Due to burdensome data requirements, learnin...
12678 In this paper, we propose a simple variant o...
12679 The central problem with understanding brain...
12680 In this paper, we investigate whether text f...
12681 Planetary exploration missions with Mars rov...
12682 We address the M-best-arm identification pro...
12683 A~machine learning framework is developed to...
12684 In this paper we propose a novel approach to...
12685 In the last few decades sociologists were tr...
12686 Across a variety of scientific disciplines, ...
12687 We use insights from epidemiology, namely th...
12688 We initiate the study of a fundamental combi...
12689 We report Very Large Array observations at 7...
12690 Motion capture is a widely-used technology i...
12691 If $\varphi$ and $\psi$ are two continuous r...
12692 An identity stated by Kimura and proved by R...
12693 The eigendeomposition of nearest-neighbor (N...
12694 Astronomy light curves are sparse, gappy, an...
12695 Brillouin processes couple light and sound t...
12696 In this study, we present Swift Linked Data ...
12697 In this paper, we discuss how machine learni...
12698 An important and difficult challenge in buil...
12699 Optimization algorithms that leverage gradie...
12700 The linear momentum and angular momentum of ...
12701 We study the eigenvalues of the semiclassica...
12702 Delay-coordinate maps have been widely used ...
12703 We developed an automated deep learning syst...
12704 Background: In this paper we present the app...
12705 The last decades have seen an unprecedented ...
12706 This paper presents a new method for 3D acti...
12707 Given an equivalence relation ~ on a set U, ...
12708 In this short note we explain the proof that...
12709 We prove the Banach strong Novikov conjectur...
12710 A reliable and consistently reproducible tec...
12711 This research was conducted to develop a met...
12712 We study finite alphabet channels with Unit ...
12713 Consider a quadratic vector field on $\mathb...
12714 We design, conduct and present the results o...
12715 We prove that along any marked point the Gre...
12716 This paper sets up a framework for designing...
12717 The problem of how to coordinate a large fle...
12718 Many of the recent approaches to polyphonic ...
12719 The family of Multiscale Hybrid-Mixed (MHM) ...
12720 Associated with every quaternionic represent...
12721 The model studied in this paper is a stochas...
12722 Compared to basic fork-join queues, a job in...
12723 In elastic-wave turbulence, strong turbulenc...
12724 We report on the magnetic properties of zinc...
12725 In this paper, we present the LSF parameters...
12726 We show that a newly proposed Shannon-like e...
12727 A new second-order numerical scheme based on...
12728 Explaining and reasoning about processes whi...
12729 Distributed algorithms are often beset by th...
12730 Most popular word embedding techniques invol...
12731 Let $M$ be a compact constant mean curvature...
12732 In this paper, we discuss the maximum princi...
12733 The structure and nature of water confined b...
12734 Although the motility of the flagellated bac...
12735 Data-driven brain parcellations aim to provi...
12736 In this paper, dark energy models of the uni...
12737 We obtain the solutions of the generic bilin...
12738 Semantic instance segmentation remains a cha...
12739 Imbalanced data with a skewed class distribu...
12740 In this paper, we introduce a new variant of...
12741 We define multi-block interleaved codes as c...
12742 This paper proposes a new method for solving...
12743 In this paper we study the probability distr...
12744 The magnetoelectric effects in the surface s...
12745 Recent progress in logic programming (e.g., ...
12746 This paper studies improving solvers based o...
12747 Online social networking sites are experimen...
12748 Bayesian optimization is proposed for automa...
12749 This paper considers general rank-constraine...
12750 We study the problem of variable selection f...
12751 Network systems and their control are highly...
12752 The function space of deep-learning machines...
12753 The object of study in the present dissertat...
12754 Literature mentions only incidentally a sub-...
12755 Recent high angular resolution observations ...
12756 We present a clustering comparison of 12 gal...
12757 Consider the supercritical branching random ...
12758 The aim of this paper is to study relations ...
12759 The star EPIC 210894022 has been identified ...
12760 In our recent publication we have proposed a...
12761 Entanglement is central to our understanding...
12762 We introduce a persistence-like pseudo-dista...
12763 We continue the first and second authors' st...
12764 We consider a piecewise deterministic Markov...
12765 Multiplex networks offer an important tool f...
12766 We establish zero-one laws and convergence l...
12767 We introduce here the concept of establishin...
12768 Formation of membrane necks is crucial for f...
12769 Information theory is a mathematical theory ...
12770 Stochastic Constraint Programming (SCP) is a...
12771 Kernel adaptive filters, a class of adaptive...
12772 We provide a self-contained formulation of t...
12773 Necessary conditions for existence of normal...
12774 A beam imaging detector was developed by cou...
12775 A widely studied non-deterministic polynomia...
12776 Recently, hashing methods have been widely u...
12777 We give sufficient conditions for when group...
12778 We present in this article a family of new c...
12779 Chondrules are the dominant bulk silicate co...
12780 Because of vast volume of data being produce...
12781 We suggest an efficient method to resolve el...
12782 We characterize the information dynamics of ...
12783 We study theoretically the velocity cross-co...
12784 The network of filaments with embedded clust...
12785 Constructing $r$-th nonresidue over a finite...
12786 With decreasing temperature Sr$_2$VO$_4$ und...
12787 A matching in a two-sided market often incur...
12788 We study the one dimensional t-t'-J model fo...
12789 This paper proposes Concurrent-Access Obfusc...
12790 Automated software verification of concurren...
12791 The short-term voltage stability (SVS) probl...
12792 Macaulay's inverse system is an effective me...
12793 In many complex networked systems, such as o...
12794 We show that the border support rank of the ...
12795 Given a large graph, how can we determine si...
12796 Polystyrene-based phosphorene nanocomposites...
12797 The main purpose of this paper is to provide...
12798 A fixed-mobile bigraph G is a bipartite grap...
12799 Design structure matrices (DSMs) are useful ...
12800 Transport and security protocols are essenti...
12801 Recent work by (Richardson and Kuhn, 2017a,b...
12802 This PhD thesis considers the performance ev...
12803 In this paper we consider polytopes given by...
12804 The dynamic behavior of a capacitive micro-e...
12805 The Lorentz force law of classical electrody...
12806 We consider multivariate $\mathbb{L}_2$-appr...
12807 We show from a weak comparison principle (th...
12808 The precise knowledge of the atomic order in...
12809 In this paper we obtain some possibilistic v...
12810 The Highly-Adaptive-Lasso(HAL)-TMLE is an ef...
12811 An elementary proof of the two-sidedness of ...
12812 Rich-club ordering and the dyadic effect are...
12813 Here we introduce the interstellar dust mode...
12814 Model-based clustering is a popular approach...
12815 Over the past decade asteroseismology has be...
12816 Deep optical photometric data on the NGC 753...
12817 Construction of ambiguity set in robust opti...
12818 Massive multiuser (MU) multiple-input multip...
12819 The formation and dynamics of free-surface s...
12820 In this note we show that Voevodsky's unival...
12821 Demand response (DR) programs have emerged a...
12822 Our decision-making processes are becoming m...
12823 We consider a half-soliton stationary state ...
12824 The field of algorithmic fairness has highli...
12825 We revisit the present status of the stiffne...
12826 In this paper, we use dynamical systems to a...
12827 Adiabatic quantum computing has evolved in r...
12828 This paper analyzes pedestrians' behavioral ...
12829 We define Open Gromov-Witten invariants coun...
12830 This article determines and characterizes th...
12831 We present a general framework for training ...
12832 Multiplayer online battle arena has become a...
12833 A novel method for robust estimation, called...
12834 Multivariate singular spectrum analysis (M-S...
12835 In building intelligent transportation syste...
12836 A lion and a man move continuously in a spac...
12837 Let $ H $ be a compact subgroup of a locally...
12838 In the past, Acoustic Scene Classification s...
12839 We propose an online convex optimization alg...
12840 This paper presents a feature encoding metho...
12841 Molecular simulations produce very high-dime...
12842 While a large body of empirical results show...
12843 Structural, magnetic and electrical-transpor...
12844 We consider the problem of optimal transport...
12845 Let $\mathcal{L}$ be a Schrödinger operator ...
12846 The importance of microscopic details on coo...
12847 Maximum A posteriori Probability (MAP) infer...
12848 One of the challenges in information retriev...
12849 Brain tumour segmentation plays a key role i...
12850 We study fermionic matrix product operator a...
12851 The velocity-space moments of the often trou...
12852 Machine learning (ML) techniques such as (de...
12853 Electrophysiological recordings of spiking a...
12854 Understanding information processing in the ...
12855 How does one find dimensions in multivariate...
12856 Rate change calculations in the literature i...
12857 We call a learner super-teachable if a teach...
12858 We review the physics of GRB production by r...
12859 Elegant is an accelerator physics and partic...
12860 Through the Higgs mechanism, the long-range ...
12861 We revisit the Massey's method for rating an...
12862 A key objective in two phase 2b AMP clinical...
12863 We report the results of a pilot program to ...
12864 Evolution of the parametric decay instabilit...
12865 (shortened) We determine the transformation ...
12866 In structured populations the spatial arrang...
12867 Demand Side Management (DSM) strategies are ...
12868 In this paper we consider a network scenario...
12869 Classification and clustering algorithms hav...
12870 This paper investigates to what extent cogni...
12871 We report a high-pressure study on the heavi...
12872 In this work, we are concerned with existenc...
12873 The complete characterization of spatial coh...
12874 Network alignment consists of finding a corr...
12875 An industrial indoor environment is harsh fo...
12876 In this paper we introduce a new feature sel...
12877 This paper describes a neural-network model ...
12878 We give strengthened versions of the Herwig-...
12879 Homological index of a holomorphic 1-form on...
12880 Myxobacteria are social bacteria, that can g...
12881 We prove that bilinear fractional integral o...
12882 The Bak Sneppen (BS) model is a very simple ...
12883 We classify the ribbon structures of the Dri...
12884 Due to the low X-ray photon utilization effi...
12885 We developed general approach to the calcula...
12886 The early layers of a deep neural net have t...
12887 We present a matrix-factorization algorithm ...
12888 This paper presents the design of the machin...
12889 Here we discuss blackbody radiation within t...
12890 In this paper, we study a family of binomial...
12891 We investigate the collective behavior of ma...
12892 We analyse a new subdomain scheme for a time...
12893 We propose a novel adaptive importance sampl...
12894 We examine collective properties of closure ...
12895 We develop a hybrid system model to describe...
12896 We establish a link between trace modules an...
12897 At zero temperature, the charge current oper...
12898 How self-organized networks develop, mature ...
12899 Electron polarimeters based on Mott scatteri...
12900 Many modern clustering methods scale well to...
12901 We review some recent results on geometric e...
12902 We study the recombination process of three ...
12903 This paper, the second of a two-part series,...
12904 A minimum in stellar velocity dispersion is ...
12905 Recommendation systems are recognised as bei...
12906 The measurement problem and three other vexi...
12907 We describe dynamical symmetry breaking in a...
12908 Real world networks are often subject to sev...
12909 The use of game theory in the design and con...
12910 Evolutionary modeling applications are the b...
12911 The Wasserstein distance received a lot of a...
12912 We provide the first information theoretic t...
12913 Low-rank tensor regression, a new model clas...
12914 The Canonical Polyadic decomposition (CPD) i...
12915 In this study, the authors develop a structu...
12916 The Empirical Mode Decomposition (EMD) provi...
12917 We study equilibrium properties of catalytic...
12918 Convolutional Neural Networks (CNNs) have be...
12919 The recent observations of rippled structure...
12920 Si Li and author suggested in that, in some ...
12921 This paper is devoted to the uniqueness prob...
12922 We measure the gate voltage ($V_g$) dependen...
12923 In this work we review a class of determinis...
12924 Text-dependent speaker verification is becom...
12925 Lactate threshold is considered an essential...
12926 It is shown that an equiprobability hypothes...
12927 We construct a special class of Lorentz surf...
12928 Since the limited power capacity, finite ine...
12929 This paper extends fully-convolutional neura...
12930 Ba$_8$CoNb$_6$O$_{24}$ presents a system who...
12931 A regular language $L$ is non-returning if i...
12932 This paper proposes an extension to the Gene...
12933 Working over an infinite field of positive c...
12934 We present CFAAR, a program repair assistanc...
12935 Past work in relation extraction has focused...
12936 Users organize themselves into communities o...
12937 Recurrence networks and the associated stati...
12938 Traditional optical imaging faces an unavoid...
12939 Complex performance measures, beyond the pop...
12940 In this paper, we consider a novel machine l...
12941 Phased Array Feed (PAF) technology is the ne...
12942 Let $X$ be a normal algebraic variety over a...
12943 We introduce and study the problem of optimi...
12944 We present the results of very long baseline...
12945 In this paper we study several aspects relat...
12946 In this work, we analyze the excitonic gap g...
12947 Preference elicitation is the task of sugges...
12948 We study the Ginzburg-Landau equations on Ri...
12949 In this paper, a new class of frequency hopp...
12950 Scikit-multiflow is a multi-output/multi-lab...
12951 Distributed computing platforms provide a ro...
12952 We prove that the sectional category of the ...
12953 Planetary rings produce a distinct shape dis...
12954 We introduce a Unified Disentanglement Netwo...
12955 This paper provides a unified framework to d...
12956 We study a class of determinant inequalities...
12957 Power grids are critical infrastructure asse...
12958 Many recent studies of the motor system are ...
12959 The effective field theory of dark energy an...
12960 Process-Aware Information Systems (PAIS) is ...
12961 DNN-based cross-modal retrieval has become a...
12962 In this survey paper, we give an overview of...
12963 We completely determine all commutative semi...
12964 The availability of large scale event data w...
12965 Deep neural networks are widely used in vari...
12966 Detecting strong ties among users in social ...
12967 In many machine learning applications, it is...
12968 We present high energy X-ray diffraction stu...
12969 We have studied the structural, electronic a...
12970 Let $\mathbb{B}$ be the unit ball of a compl...
12971 The Apache Spark framework for distributed c...
12972 This paper is concerned with a compositional...
12973 For the polynomial ring over an arbitrary fi...
12974 Deep generative neural networks have proven ...
12975 Zinc oxide and Aluminum Ferrite were prepare...
12976 We introduce a notion of weakly log-canonica...
12977 If $X$ is a compact Hausdorff space and $\si...
12978 The classical quadratic formula and some of ...
12979 In this paper, we present a gated convolutio...
12980 We study flat FLRW $\alpha$-attractor $\math...
12981 Let $\Omega\subset\mathbb{R}^{n+1}$ have min...
12982 Continuum Approximation (CA) is an efficient...
12983 From minimal surfaces such as Simons' cone a...
12984 We first review traditional approaches to me...
12985 Predictive modeling is increasingly being em...
12986 Emotion cause extraction aims to identify th...
12987 Machine Learning on graph-structured data is...
12988 A metric space $X$ is quasisymmetrically co-...
12989 We investigate a tight-binding electronic ch...
12990 We study revenue optimization learning algor...
12991 The occurrence of drug-drug-interactions (DD...
12992 In this article we study the stabilizing of ...
12993 We investigate some extremal problems in Fou...
12994 Knowledge bases are important resources for ...
12995 Gaussian processes (GPs) are highly flexible...
12996 For the prediction with experts' advice sett...
12997 In this paper, a new adaptive multi-batch ex...
12998 Muon-spin rotation data collected at ambient...
12999 In this paper, we describe the optical imagi...
13000 We estimate the average flux density of mini...
13001 We show that in $\text{O}(D)$ invariant matr...
13002 The Underactuated Lightweight Tensegrity Rob...
13003 Analog network coding (ANC) is a throughput ...
13004 A problem of paramount importance in both pu...
13005 Security threats such as jamming and route m...
13006 Intense spin-down flows allow one to reach h...
13007 The multi-agent path-finding (MAPF) problem ...
13008 We construct a matrix algebra $\Lambda(A,B)$...
13009 The problem of retrosynthetic planning can b...
13010 A sparse modeling approach is proposed for a...
13011 Polydimethylsiloxane (PDMS) films possess di...
13012 Identifying undocumented or potential future...
13013 Pathological lung segmentation (PLS) is an i...
13014 In this paper we investigate the convection ...
13015 We present absolute frequency measurement of...
13016 Similarity search is essential to many impor...
13017 Let $\L $ be the Laplace operator on $\R ^d$...
13018 Most Bayesian response-adaptive designs unba...
13019 Point processes are becoming very popular in...
13020 With seven planets, the TRAPPIST-1 system ha...
13021 In this paper, we focus on developing driver...
13022 We present a generalization of the Cauchy/Lo...
13023 Let $X$ be a centered Gaussian random variab...
13024 We report the evolution of structural, magne...
13025 We call a family of sets intersecting, if an...
13026 This work explores maximum likelihood optimi...
13027 We measured the magnetic resonance of rubidi...
13028 This paper aims to decrease the time complex...
13029 LPMLN is a recent addition to probabilistic ...
13030 In his seminal book `The Inmates are Running...
13031 An image is a very effective tool for convey...
13032 Soft set theory and rough set theory are mat...
13033 To date, developing a good model for early i...
13034 Let \( \{\varphi_i\}_{i=0}^\infty \) be a se...
13035 The molecular dynamics of solid benzene are ...
13036 In this paper, we propose a novel approach t...
13037 In the interest of finding the minimum addit...
13038 This document provides a detailed overview o...
13039 By using Araki's relative entropy, Lieb's co...
13040 This work provides performance guarantees fo...
13041 A laboratory measurement of the $\alpha$-dec...
13042 This paper develops an online inverse reinfo...
13043 Deep learning has the potential to revolutio...
13044 We propose generalized magnetic mirrors that...
13045 We present the performances and characteriza...
13046 One of the key technologies for future large...
13047 Background: Opioid misuse is a major public ...
13048 The geography of fuel prices has many variou...
13049 Shape priors have been widely utilized in me...
13050 We report the detection of water absorption ...
13051 Let $K=\{k_1,k_2,\ldots,k_r\}$ and $L=\{l_1,...
13052 Random Matrix Theory (RMT) is applied to ana...
13053 Interface widely exists in carbon nanotube (...
13054 Discovering and exploring the underlying str...
13055 Consumers often react expressively to produc...
13056 We study the problem of cooperative inferenc...
13057 Optimal subset selection is an important tas...
13058 Cut-elimination is one of the most famous pr...
13059 An improved understanding of turbulence is e...
13060 It is commonly agreed that the use of releva...
13061 Epitaxial engineering of solid-state heteroi...
13062 Estimating multiple sparse Gaussian Graphica...
13063 The Widom line identifies the locus in the p...
13064 This is an annotated bibliography on estimat...
13065 Virtual Learning Environments (VLEs) are spa...
13066 Batch Normalization is a commonly used trick...
13067 Cellular Automata (CA) theory is a discrete ...
13068 Recently, deep learning approaches with vari...
13069 The locomotion of swimming bacteria in simpl...
13070 I review the three principal methods to assi...
13071 This paper gives the exact solution in terms...
13072 Nodes residing in different parts of a graph...
13073 We study the conditions for spontaneously ge...
13074 Spatial-sign covariance matrix (SSCM) is an ...
13075 Recent work on developing novel integral equ...
13076 High temperature (high-Tc) superconductors l...
13077 Simplicial complexes are now a popular alter...
13078 The present paper is devoted to local and 2-...
13079 Rigid motion computation or estimation is a ...
13080 Measuring influence and determining what dri...
13081 Anomaly detectors are often used to produce ...
13082 As roles for unmanned aerial vehicles (UAV) ...
13083 Maximum rank-distance (MRD) codes are extrem...
13084 The Boltzmann equation is an integro-differe...
13085 Backscatter of electrons from a beta spectro...
13086 Timing attacks have been a continuous threat...
13087 Finding the causes to observed effects and e...
13088 We study coupled motion of a 1-D closed elas...
13089 We consider the FRW cosmological model in wh...
13090 Classification is one of the widely used ana...
13091 We give sufficient conditions of the nonnega...
13092 The Restricted Boltzmann Machine (RBM), an i...
13093 We prove a logarithmic local energy decay ra...
13094 Let $C$ be a smooth irreducible projective c...
13095 Controllers in robotics often consist of exp...
13096 Toxicity analysis and prediction are of para...
13097 This paper deals with cellular (e.g. LTE) ne...
13098 We present a new random sampling strategy fo...
13099 In a graph $G$ a sequence $v_1,v_2,\dots,v_m...
13100 We provide comments on the article "High-dim...
13101 Variable clustering is important for explana...
13102 In its weak field limit, Scalar-tensor-vecto...
13103 We develop several efficient algorithms for ...
13104 In the protein sequence space, natural prote...
13105 The control of solute fluxes through either ...
13106 Magnetohydrodynamically induced interface in...
13107 The clustering problem, in its many variants...
13108 We develop procedures, based on minimization...
13109 In this paper, we investigate the problem of...
13110 We study the problem of single-image depth e...
13111 The complexity of a geodesic language has co...
13112 Purpose: The radial k-space trajectory is a ...
13113 Efficient human-machine networks require pro...
13114 Dynamics reduces the orthorhombicity of magn...
13115 Ideally, by enabling multi-tenancy, network ...
13116 The Bayesian estimation of the unknown param...
13117 The multiplicative theory of a set of number...
13118 Recently, Lee and Cha (2015, `On two general...
13119 Let G be the group of rational points of a r...
13120 We introduce two applications of polygraphs ...
13121 Matter bounces refer to scenarios wherein th...
13122 Approximate ripple carry adders (RCAs) and c...
13123 The normality assumption on data set is very...
13124 This work proposes a novel solution to the p...
13125 This work is concerned with Al/Al-oxide(AlO$...
13126 Senior project is a typical essential course...
13127 The study of tensor network theory is an imp...
13128 The broad set of deep generative models (DGM...
13129 In this paper, we propose an unsupervised fa...
13130 This paper presents a new acoustic emission ...
13131 Anderson's paving conjecture, now known to h...
13132 We describe the AMReX suite of astrophysics ...
13133 We present a translation of the Lambek calcu...
13134 We present a distributed formation control s...
13135 In recent years, RTB(Real Time Bidding) beco...
13136 Graph-structured data such as social network...
13137 This paper describes a novel storyboarding s...
13138 The aim of my dissertation is to investigate...
13139 As part of a large investigation with Hubble...
13140 In this paper we provide a first analysis of...
13141 Many recent deep learning platforms rely on ...
13142 A significant amount of search queries origi...
13143 We prove the unpolarized Shafarevich conject...
13144 Computing steady-state distributions in infi...
13145 This paper presents a discrete-time option p...
13146 The performance of single channel source sep...
13147 We examine the problem of searching sequenti...
13148 In this paper we classify the isomorphism cl...
13149 The current article unveils and analyzes som...
13150 Part-based representation has been proven to...
13151 In this paper, we present a novel approach b...
13152 We provide a non-trivial measure of irration...
13153 We consider slowly evolving, i.e. ADIABATIC,...
13154 Although shill bidding is a common auction f...
13155 We investigate the evolution of decorrelatio...
13156 In 1999 Lyngs{\o} and Pedersen proposed a co...
13157 In this paper we study the asymptotic proper...
13158 A short account of recent existence and mult...
13159 A convex penalty for promoting switching con...
13160 Blue Waters is a Petascale-level supercomput...
13161 Consider a time series of measurements of th...
13162 We study inflation in models with many inter...
13163 User engagement in online social networking ...
13164 We investigate statistical properties of a c...
13165 We prove a realization formula and a model f...
13166 Self consistent GW approach (scGW) has been ...
13167 Interval-censored data, in which the event t...
13168 The medical field stands to see significant ...
13169 This paper develops and compares two motion ...
13170 We study the galactic wind in the edge-on sp...
13171 Objective: To establish the performance of s...
13172 Liouville type theorems for the stationary N...
13173 Let $P$ be a set of nodes in a wireless netw...
13174 We present ALMA $^{12}$CO (J=1-0, 3-2 and 6-...
13175 We consider the problem of computing the nea...
13176 Fixed point iterations play a central role i...
13177 In prior work, we addressed the problem of o...
13178 Let (P) denote the problem of existence of a...
13179 It is proved that the category $\mathbb{EM}$...
13180 We prove the nonvanishing of the twisted cen...
13181 We consider an elastic composite material co...
13182 We propose a method for the implementation o...
13183 Let $X$ be a compact connected strongly pseu...
13184 We study the Steiner Tree problem, in which ...
13185 A luminous stimulus which penetrates in a re...
13186 We present a significantly different reflect...
13187 We examine gradient descent on unregularized...
13188 We demonstrate the existence of long-lived p...
13189 We develop a systematic study of Jahn-Teller...
13190 In the article we present a general theory o...
13191 We introduce and study a one-parameter gener...
13192 Frankl and Füredi conjectured in 1989 that t...
13193 To accelerate research on adversarial exampl...
13194 Complex networks analyses of many physical, ...
13195 This paper describes a method for clustering...
13196 The goal of the paper is to investigate the ...
13197 In this paper, we study algorithmic problems...
13198 Recent data indicate one or more moderately ...
13199 Generative adversarial networks (GANs) form ...
13200 This paper analyzes the market impacts of ex...
13201 Peer code review and continuous integration ...
13202 The tree inclusion problem is, given two nod...
13203 As a firm varies the price of a product, con...
13204 Inverse Reinforcement Learning (IRL) is the ...
13205 A proper ideal $I$ in a commutative ring wit...
13206 Many real-world time-series analysis problem...
13207 The two major approaches to studying macroev...
13208 This is the second paper of a series aimed t...
13209 We introduce a new finite element (FE) discr...
13210 Quench dynamics is an active area of study e...
13211 Fermilab is committed to upgrade its acceler...
13212 Deep generative models have shown promising ...
13213 We apply machine learning techniques in an a...
13214 We report frequency measurement of the clock...
13215 Identifying the different varieties of the s...
13216 Whether neural networks can learn abstract r...
13217 This paper was published in the special issu...
13218 The XO project aims at detecting transiting ...
13219 Standard model-free deep reinforcement learn...
13220 An electrified visco-capillary jet shows dif...
13221 A receiver with perfect channel state inform...
13222 We describe a deep learning approach for aut...
13223 Robustness of any statistics depends upon th...
13224 We present a new proof of results of Kurdyka...
13225 Robots typically possess sensors of differen...
13226 In the framework of the GAPS project, we are...
13227 We tackle the problem of deciding whether tw...
13228 Colocalization analysis aims to study comple...
13229 Given a vertex of interest in a network $G_1...
13230 Passivity is an imperative concept and a wid...
13231 Restricted Boltzmann Machines are key tools ...
13232 We discuss the connection between colorings ...
13233 Let M be a real analytic Riemannian manifold...
13234 The main objective of this thesis is the stu...
13235 We show that the dynamics of the Higgs field...
13236 In topology, a torus remains invariant under...
13237 The proliferation of small-scale renewable g...
13238 Electrical brain stimulation is currently be...
13239 Revealing a community structure in a network...
13240 We consider a variant of online convex optim...
13241 We investigate the nature of the superconduc...
13242 By means of first-principles calculations, w...
13243 A core technique used by popular proxy-based...
13244 We study the special fiber of the integral m...
13245 Bayesian optimization has been successful at...
13246 In this article we study the problem of fair...
13247 In magnetic resonant coupling (MRC) enabled ...
13248 This work introduces a class of rejection-fr...
13249 At air-water interfaces, the Lifshitz intera...
13250 We study the following basic machine learnin...
13251 Collecting labeled data is costly and thus a...
13252 This letter presents a revised radiative tra...
13253 In this paper we find sufficient conditions ...
13254 Education is increasingly being framed by a ...
13255 This article represents a first step toward ...
13256 We present in this paper a new algorithm for...
13257 We consider the problem of finding a proper ...
13258 We investigated the reliability and applicab...
13259 Probabilistic timed automata (PTAs) are time...
13260 In this paper, we give some counting results...
13261 In this paper, we obtain a class of Virasoro...
13262 It has previously been shown that a dye-fill...
13263 Background: Ab initio many-body methods whos...
13264 In this paper, the existence, the uniqueness...
13265 We propose a gradient-based method for quadr...
13266 Let $A$ be an abelian variety defined over a...
13267 We study Swendsen--Wang dynamics for the cri...
13268 The question of the number of thermodynamic ...
13269 Auxetic materials are of great engineering i...
13270 Through experiments and numerical simulation...
13271 We construct a cosection localized virtual s...
13272 The Column Subset Selection Problem provides...
13273 In this paper we introduce an algorithm to d...
13274 We study a model introduced by Perthame and ...
13275 The solution space of many classical optimiz...
13276 Echo chambers, i.e., situations where one is...
13277 Applying a many mode Floquet formalism for m...
13278 IC883 is a luminous infrared galaxy (LIRG) c...
13279 Random key graphs were introduced to study v...
13280 We study convergence rates of variational po...
13281 Eclipsing binaries remain crucial objects fo...
13282 A delayed-acceptance version of a Metropolis...
13283 For a $C^*$-algebra $A$ and a set $X$ we giv...
13284 This paper presents a bias-variance tradeoff...
13285 We propose in this paper a novel approach to...
13286 The community detection problem for graphs a...
13287 Uncertainty quantification is a critical mis...
13288 Complex statistical machine learning models ...
13289 This article is motivated by soccer position...
13290 We study the problem of initiation of excita...
13291 We aim to use statistical analysis of a larg...
13292 The regular separability problem asks, for t...
13293 Support vector data description (SVDD) is a ...
13294 When comparing two distributions, it is ofte...
13295 We investigate the effect of the Dzyaloshins...
13296 Random forests perform bootstrap-aggregation...
13297 Aims: Recent observations have challenged ou...
13298 Recent experiments suggest that the interpla...
13299 We introduce PVSC-DTM (Parallel Vectorized S...
13300 We extend existing methods for using cross-c...
13301 We propose a novel block-row partitioning me...
13302 Many image processing tasks involve image-to...
13303 Exact lower and upper bounds on the best pos...
13304 The big graph database model provides strong...
13305 We present analytic self-similar solutions f...
13306 We employ unsupervised machine learning tech...
13307 Design of energy-efficient access networks h...
13308 I discuss the evolution of computer architec...
13309 Person re-identification (Re-ID) aims at mat...
13310 Bounded model checking is among the most eff...
13311 We survey and compare various generalization...
13312 Let $Z=G/H$ be the homogeneous space of a re...
13313 The purpose of this work is to introduce a g...
13314 State-sponsored "bad actors" increasingly we...
13315 Estimates for asteroid masses are based on t...
13316 Markov regime switching models have been wid...
13317 The VIPAFLEET project consists in developing...
13318 While the Bayesian Information Criterion (BI...
13319 We analyze low rank tensor completion (TC) u...
13320 In recent years much effort has been concent...
13321 Cardiac left ventricle (LV) quantification i...
13322 This paper investigates properties of the cl...
13323 Many real-world communication networks often...
13324 We propose a novel technique to make neural ...
13325 Computations over the rational numbers often...
13326 Collaborative filtering often suffers from s...
13327 Graph-based semi-supervised learning is one ...
13328 List-wise learning to rank methods are consi...
13329 We study the Whitehead torsions of inertial ...
13330 As people rely on social media as their prim...
13331 Quantum sensors with solid state electron sp...
13332 Advanced motor skills are essential for robo...
13333 Querying graph databases has recently receiv...
13334 We show a communication complexity lower bou...
13335 We consider graph Turing machines, a model o...
13336 Many online social networks allow directed e...
13337 About six years ago, semitoric systems on 4-...
13338 We consider the $K$-User Multiple-Input-Sing...
13339 We simulate complex fluids by means of an on...
13340 Motile organisms often use finite spatial pe...
13341 We study the asymptotic behaviour of the twi...
13342 Boltzmann sampling is commonly used to unifo...
13343 We classify the ergodic invariant random sub...
13344 Sparse Subspace Clustering (SSC) is a popula...
13345 We consider a certain type of geometric prop...
13346 Languages shared by people differ in differe...
13347 We study the phase diagram and edge states o...
13348 We overview the logic of Bunched Implication...
13349 Let $\,\Xi\,$ be the crown domain associated...
13350 In this paper we consider the continuous mat...
13351 Let $Q$ be a finite quiver without loops and...
13352 The traditional abstract domain framework fo...
13353 We study the integral transform which appear...
13354 Quantitative CBA is a postprocessing algorit...
13355 We consider the quermassintegral preserving ...
13356 In this article we consider cloaking for a q...
13357 We consider a novel stochastic multi-armed b...
13358 Clinical measurements collected over time ar...
13359 In fairly elementary terms this paper presen...
13360 We describe an embedding of the QWIRE quantu...
13361 We study the problem of learning classifiers...
13362 We study the algebraic and analytic structur...
13363 Geometric phases are well known to be noise-...
13364 Segmented aperture telescopes require an ali...
13365 We consider the problem of active feature ac...
13366 We give an asymptotic formula for the number...
13367 We consider an optimal execution problem in ...
13368 We give a description of the weighted Reed-M...
13369 In the junction $\Omega$ of several semi-inf...
13370 This paper studies the stochastic optimal co...
13371 Models and observations suggest that ice-par...
13372 The splashback radius $R_{\rm sp}$, the apoc...
13373 Deep learning models (DLMs) are state-of-the...
13374 Robotic systems are increasingly relying on ...
13375 We consider solution of stochastic storage p...
13376 (This is a general physics level overview ar...
13377 Fast, byte-addressable non-volatile memory (...
13378 Our experience of the world is multimodal - ...
13379 Consider the Tate twist $\tau \in H^{0,1}(S^...
13380 Reliable diagnosis of depressive disorder is...
13381 Targeted advertising is meant to improve the...
13382 We prove a Gauss-Bonnet formula X(G) = sum_x...
13383 Social media are transforming global communi...
13384 Infectious disease outbreaks recapitulate bi...
13385 Multi-player Multi-Armed Bandits (MAB) have ...
13386 In this paper, we consider the estimation of...
13387 Light-shining-through-a-wall experiments rep...
13388 The recent increase of interest in the graph...
13389 Interpreting neural networks is a crucial an...
13390 Intersections are hazardous places. Threats ...
13391 While convolutional sparse representations e...
13392 MMS observations recently confirmed that cre...
13393 In an era where big and high-dimensional dat...
13394 We present AutonoVi:, a novel algorithm for ...
13395 Stochastic Gradient Descent (SGD) is widely ...
13396 In this paper we deal with composite rationa...
13397 We introduce a geometry of interaction model...
13398 We present the results of a systematic searc...
13399 In this paper, we study the geometry of the ...
13400 $k$-point crossover operators and their reco...
13401 With the advances in robotic technology, res...
13402 Recently, millimeter-wave (mmWave) communica...
13403 Quantum entanglement serves as a valuable re...
13404 We discuss the design and optimisation of tw...
13405 We present a three-dimensional cubic lattice...
13406 We advance the state of the art in polyphoni...
13407 In a previous joint work of Xiao and the sec...
13408 We propose and demonstrate a method for cali...
13409 We study the Laplacian in a smooth bounded d...
13410 Geometrical and topological phases play a fu...
13411 We study the homotopy groups of generic leav...
13412 We exhibit relations between van Kampen-Flor...
13413 Let $\Lambda = \{\lambda_{k}\}$ denote a seq...
13414 We investigate fine Selmer groups for ellipt...
13415 We introduce a new feature map for barcodes ...
13416 Our aim in this paper is to derive several n...
13417 During reactive transport modeling, the comp...
13418 A pseudo-edge graph of a convex polyhedron K...
13419 In this paper, we focus on learning structur...
13420 The Italian National Institute for Statistic...
13421 The inertialess fluid-structure interactions...
13422 Encouraged by recent studies on the performa...
13423 Elicitability is a property of $\mathbb{R}^k...
13424 A system of interacting Brownian particles s...
13425 In this paper we first present a Birman-Mura...
13426 In recent era prediction of enzyme class fro...
13427 The origin of population-scale coordination ...
13428 In this paper we present ProSLAM, a lightwei...
13429 We introduce right generating sets, Cayley g...
13430 A branch flow model (BFM) is used to formula...
13431 Transfer learning aims to faciliate learning...
13432 Group discussions are a way for individuals ...
13433 In this short note, using results of Bourgai...
13434 In this article, we have modeled mortality r...
13435 We propose a novel approach to parameter est...
13436 Several Prolog implementations include a fac...
13437 We introduce the notion of a dynamical topol...
13438 In this article we present pictorially the f...
13439 In this paper we study a non strictly system...
13440 The one-dimensional symmetric exclusion proc...
13441 This paper classifies the equivalence classe...
13442 After a short review of the classical Lie th...
13443 Intersubband (ISB) polarons result from the ...
13444 It is well known that Markov chain Monte Car...
13445 One of the major challenges in Minimally Inv...
13446 This paper describes Task 2 of the DCASE 201...
13447 The program dependence graph (PDG) represent...
13448 We prove that the smallest non-trivial quoti...
13449 In this paper we present a new type of fract...
13450 In this research, we employ accurate time-de...
13451 In this note we prove that the Borel class o...
13452 In this article we make a case for a systema...
13453 We estimate the maximum-order complexity of ...
13454 Recent advances in neural networks have insp...
13455 We study interactions between bright matter-...
13456 We give geometric characterisations of patch...
13457 In about four years, the National Aeronautic...
13458 In the present paper we use the theory of ex...
13459 Many Program Verification and Synthesis prob...
13460 Deep neural networks excel at function appro...
13461 Many earth science applications require data...
13462 Psychiatric neuroscience is increasingly awa...
13463 The maximum speed at which a liquid can wet ...
13464 The massive spread of digital misinformation...
13465 A vector field is called a Beltrami vector f...
13466 Couder and Fort discovered that droplets wal...
13467 We investigate the languages recognized by w...
13468 We introduce a new family of integrable stoc...
13469 A large number of applications such as query...
13470 The context transformation and generalized c...
13471 In recent years numerous advanced malware, a...
13472 Low-pressure gaseous TPCs are well suited de...
13473 Due to the exponential complexity of the res...
13474 Reconstructing network connectivity from the...
13475 Consider a set of agents that wish to estima...
13476 During maintenance, software developers deal...
13477 Upon employing the analysis in a new time do...
13478 Nanostructures have the immense potential to...
13479 Future generation of gravitational wave dete...
13480 The present work seeks to analyse the altmet...
13481 The impact of information dissemination on e...
13482 As artificial intelligence is increasingly a...
13483 This paper presents sufficient conditions fo...
13484 We present spectroscopic observations of the...
13485 Metasurfaces are promising tools towards nov...
13486 We prove that the open Gromov-Witten invaria...
13487 This paper reviews the main estimation and p...
13488 When rough grains in standard packing condit...
13489 Non-stationary domains, where unforeseen cha...
13490 An important theorem in classical complexity...
13491 We present the first polynomial-time approxi...
13492 The emergence of smart Wi-Fi APs (Access Poi...
13493 The Abella interactive theorem prover has pr...
13494 An arithmetic matroid is weakly multiplicati...
13495 Multi-label submodular Markov Random Fields ...
13496 We present a strategy to obtain explicit equ...
13497 In this paper, we present a simple analysis ...
13498 By using numerical and analytical methods, w...
13499 As deep neural networks become more complex ...
13500 Using the six parameters truncated Mittag-Le...
13501 Trending topic of newspapers is an indicator...
13502 Magnetically-driven disk winds would alter t...
13503 We show a proof of principle for warping, a ...
13504 We show that every tiling of a convex set in...
13505 Recently Tewari and van Willigenburg constru...
13506 Calculation of phase diagrams is one of the ...
13507 Next Generation Sequencing (NGS) technology ...
13508 The present contribution offers a simple met...
13509 We provide here a thermodynamic analog of th...
13510 In this paper we study the weighted Gevrey c...
13511 Soft Random Geometric Graphs (SRGGs) have be...
13512 The media industry is increasingly personali...
13513 Piecewise testable languages form the first ...
13514 We present SuperPivot, an analysis method fo...
13515 We study a stochastic control approach to ma...
13516 Face recognition has made great progress wit...
13517 In this paper, we propose: (a) a restart sch...
13518 The purpose of this work is to construct a s...
13519 Ambient-pressure-grown LaO$_{0.5}$F$_{0.5}$B...
13520 Let $ \mathcal{A}_1, \ldots, \mathcal{A}_k $...
13521 We present a systematic evaluation of JPEG20...
13522 Deep Reinforcement Learning (DRL) has been a...
13523 Following the breakthrough of Croot, Lev, an...
13524 In this paper we present a detailed computat...
13525 Given any Koszul algebra of finite global di...
13526 In this paper, we produce a cellular motivic...
13527 In this work we introduce the idea that the ...
13528 We study theoretically the edge fracture ins...
13529 We apply our symmetry based Power tensor tec...
13530 This paper investigates the dependence of fu...
13531 We study local optima of the Hamiltonian of ...
13532 Regular expressions with capture variables, ...
13533 We present a new approach to learning for pl...
13534 In the usual approaches to mechanics (classi...
13535 We show that characteristic functions of dom...
13536 Least angle regression (LARS) by Efron et al...
13537 We present measurements of the velocity powe...
13538 In this paper, we prove the Lorentz space $L...
13539 We prove sharp density upper bounds on optim...
13540 Image diffusion plays a fundamental role for...
13541 This study compares various superlearner and...
13542 It is shown that Newton's inequalities and t...
13543 Understanding the influence of hyperparamete...
13544 In this paper, we propose a generalized expe...
13545 This paper investigates the performance of a...
13546 Big data problems frequently require process...
13547 Developer forums contain opinions and inform...
13548 Simulations of tidal streams show that close...
13549 We present a three-species multi-fluid MHD m...
13550 With the ever-growing amounts of textual dat...
13551 Software is a key component of solutions for...
13552 We performed geometric pulsar light curve mo...
13553 Automation and computer intelligence to supp...
13554 Two heuristics namely diversity-based (DBTP)...
13555 Using the Kato-Rosenblum theorem, we describ...
13556 We investigate separation properties of $N$-...
13557 We introduce an algorithm for word-level tex...
13558 In previous work, we defined and studied $\S...
13559 We revisit the low energy physics of one dim...
13560 Several methods for checking admissibility o...
13561 Spark is a new promising platform for scalab...
13562 It is known that for every graph $G$ there e...
13563 In this paper we estimate the time resolutio...
13564 The area of Handwritten Signature Verificati...
13565 Fairness is a critical trait in decision mak...
13566 Memory-safety violations are a prevalent cau...
13567 We study the problem of modeling spatiotempo...
13568 We rewrite Poynting's theorem, already used ...
13569 {\it Victory}, i.e. \underline{vi}enna \unde...
13570 Tumor stromal interactions have been shown t...
13571 We consider the problem of testing, on the b...
13572 Phylodynamics is an area of population genet...
13573 Social and affective relations may shape emp...
13574 This paper addresses the dynamic difficulty ...
13575 We characterize all varieties with a torus a...
13576 In this paper we study the interplay between...
13577 Citation sentiment analysis is an important ...
13578 We present a hybrid method for latent inform...
13579 Let k be a field. This paper investigates th...
13580 The Cosmic Axion Spin Precession Experiment ...
13581 The energy of a graph G is equal to the sum ...
13582 The Linear Attention Recurrent Neural Networ...
13583 In this paper, we consider the robust adapti...
13584 Designing analog sub-threshold neuromorphic ...
13585 The origin of the broad emission line region...
13586 We propose a consistent polynomial-time meth...
13587 We report time and angle resolved spectrosco...
13588 In this paper, we consider a family of Jacob...
13589 The goal of the present paper is to introduc...
13590 This submission investigates alternative mac...
13591 Growing digital archives and improving algor...
13592 In this paper we promote a method for the ev...
13593 We consider the flotation of deformable, non...
13594 In this work, we study the crystalline nucle...
13595 Electron cloud can lead to a fast instabilit...
13596 No man is an island, as individuals interact...
13597 Let $F(x)=(f_1(x), \dots, f_m(x))$ be such t...
13598 We consider several notions of genericity ap...
13599 CubeSats are emerging as low-cost tools to p...
13600 We study the cyclicity in weighted $\ell^p(\...
13601 In order to achieve a good level of autonomy...
13602 We devise an approach for targeted molecular...
13603 Deep neural networks have achieved increasin...
13604 We give a new axiomatization of the N-pseudo...
13605 Radiofrequency multipole traps have been use...
13606 Visual data such as videos are often sampled...
13607 Dynamics of waves generated by scopes in gas...
13608 In this paper we deal with a robust Stackelb...
13609 In this paper, five different approaches for...
13610 SrTiO$_{3}$, a quantum paraelectric, becomes...
13611 In the earliest (so-called "Class 0") phase ...
13612 We consider cosmological dynamics in the the...
13613 In this paper, we present some extensions of...
13614 English to Indian language machine translati...
13615 The quantitative composition of metal alloy ...
13616 We tackle the problem of constructive prefer...
13617 Recently, two reports have demonstrated the ...
13618 We examine the relation between gas-phase ox...
13619 We prove Riemann hypothesis, Generalized Rie...
13620 We develop a second order primal-dual method...
13621 Electronic medical records contain multi-for...
13622 We give an new arithmetic algorithm to compu...
13623 We study a superconductor that is coupled to...
13624 We introduce multi-colour partition algebras...
13625 Materials are central to our way of life and...
13626 Lumped-element kinetic inductance detectors ...
13627 Knot Floer homology is an invariant for knot...
13628 A new detailed mathematical model for dynami...
13629 Experiments handling Rydberg atoms near surf...
13630 Quasars at high redshift provide direct info...
13631 Acid solutions exhibit a variety of complex ...
13632 Generating music has a few notable differenc...
13633 We study synaptically coupled neuronal netwo...
13634 Motion planning for autonomous vehicles requ...
13635 We present a tool that primarily supports th...
13636 This work leverages recent advances in proba...
13637 This paper introduces the YouTube-8M Video U...
13638 Sepsis is a condition caused by the body's o...
13639 This contribution is devoted to cover some t...
13640 We present a visibility based estimator name...
13641 Software has long been established as an ess...
13642 We prove new exact formulas for the generali...
13643 This paper provides some explicit formulas r...
13644 Witnesses of medieval literary texts, preser...
13645 There have been sustained interest in bifaci...
13646 In the era of big data, reducing data dimens...
13647 It is well known that neural networks with r...
13648 The aim of this paper is to introduce the no...
13649 In coming years residential consumers will f...
13650 Recent work on follow the perturbed leader (...
13651 The ammonium halides present an interesting ...
13652 The linear fractional map $ f(z) = \frac{az+...
13653 Differential calculus on Euclidean spaces ha...
13654 Let $P$ be a finite $p$-group and $p$ be an ...
13655 In recent years, deep generative models have...
13656 We show that the standard stochastic gradien...
13657 Most simulation schemes for partial differen...
13658 In this paper we present a translation from ...
13659 We report the experimental realization of Di...
13660 Understanding the 3D structure of a scene is...
13661 Motivated by applications in social and biol...
13662 We consider a problem of learning the reward...
13663 For a natural social human-robot interaction...
13664 We propose a novel online alternating minimi...
13665 Sensing in complex systems requires large-sc...
13666 We study the attractors of a class of holomo...
13667 Graphene, a honeycomb lattice of carbon atom...
13668 The retina is a complex nervous system which...
13669 In {\em{Holm}, Proc. Roy. Soc. A 471 (2015)}...
13670 In this paper, we consider solving a class o...
13671 We use information entropy to test the isotr...
13672 Observations of diffuse starlight in the out...
13673 Let $A= \Lambda \oplus C$ be a trivial exten...
13674 We study the spread of Rényi entropy between...
13675 We explore lattice structures on integer bin...
13676 Undetected overfitting can occur when there ...
13677 We suggest an inverse dispersion method for ...
13678 Vehicle-to-infrastructure (V2I) communicatio...
13679 Manifolds with infinite cylindrical ends hav...
13680 We give a construction of a real number that...
13681 A strong interaction is known to exist betwe...
13682 Quasi-random walks show similar features as ...
13683 End-to-end learning treats the entire system...
13684 Most real-world document collections involve...
13685 Recent years have witnessed great success of...
13686 We study a class of flat bundles, of finite ...
13687 Appealing to the 1902 Gibbs' formalism for c...
13688 Smooth backfitting has proven to have a numb...
13689 Locomotion at low Reynolds numbers is a topi...
13690 Assessment of multimedia quality relies heav...
13691 Suppose that the inverse image of the zero v...
13692 We prove that certain coinduced actions for ...
13693 We study diffusion properties of an inertial...
13694 We prove that $\omega$-languages of (non-det...
13695 Despite having an important role supporting ...
13696 Zero-shot recognition aims to accurately rec...
13697 In this study we developed an automated syst...
13698 The theoretical analysis of detection and de...
13699 Future electricity distribution grids will h...
13700 In this work, we report X-ray photoelectron ...
13701 In this paper we consider a degenerate pseud...
13702 We use the ab initio Bethe Ansatz dynamics t...
13703 The human eye appears to be using a low numb...
13704 We study the problem of matrix estimation an...
13705 We are developing position sensitive silicon...
13706 We revisit the question of reducing online l...
13707 Recently, Macdonald et. al. showed that many...
13708 Let $G$ be a finite solvable or symmetric gr...
13709 According to a well-known principle of therm...
13710 Almost all parameterizations of turbulence i...
13711 Recent advancements in complex network analy...
13712 In several experimental reports on nonconvex...
13713 From a modern perspective cosmology is a his...
13714 We give a classification of semisimple and s...
13715 We study the equivalence of microcanonical a...
13716 This paper considers the problem of positive...
13717 We discuss various characterizations of synt...
13718 Given a pedestrian image as a query, the pur...
13719 Recently, methods have been proposed that pe...
13720 The present work analyses a particular scena...
13721 Administrators in all academic organizations...
13722 We introduce a condition on Garside groups t...
13723 In this paper, a new approach for classifica...
13724 The canonical and grand-canonical ensembles ...
13725 The partial representation extension problem...
13726 The main aim of this paper is to study the L...
13727 We propose an estimation method for the cond...
13728 We report results of isothermal magnetotrans...
13729 Error backpropagation is a highly effective ...
13730 The mean field variational Bayes method is b...
13731 The era of the next generation of giant tele...
13732 Mastering the dynamics of social influence r...
13733 It is of great concern to produce numericall...
13734 We study gapless quantum spin chains with sp...
13735 A new area in which passive WiFi analytics h...
13736 We introduce a new method for finding networ...
13737 The traditional bag-of-words approach has fo...
13738 To date, the only limit on graviton mass usi...
13739 Artificial neural networks (ANNs) may not be...
13740 For any channel with a convex constraint set...
13741 This paper presents a new algorithm for calc...
13742 Generative Adversarial Networks (GAN) are on...
13743 We propose to estimate a metamodel and the s...
13744 Neuronal and glial cells release diverse pro...
13745 We present AutoPerf, a generalized software ...
13746 The way Quantum Mechanics (QM) is introduced...
13747 We study the sample complexity of learning n...
13748 Variational Bayes (VB), also known as indepe...
13749 We have studied a two dimensional lattice mo...
13750 We propose a dynamic network model where two...
13751 A stock market is considered as one of the h...
13752 In this article, the notion of bi-monotonic ...
13753 We present observations of the occulted acti...
13754 Gender inequality starts before birth. Paren...
13755 Hierarchical models for regionally aggregate...
13756 Accelerometer measurements are the prime typ...
13757 We investigated the magnetic structure of th...
13758 One of the most compelling features of Gauss...
13759 We consider the global optimization of a fun...
13760 Over the years, many multiprocessor locking ...
13761 Topological cyclic homology is a refinement ...
13762 Local graph partitioning is a key graph mini...
13763 Understanding the detailed queueing behavior...
13764 Although cluttered indoor scenes have a lot ...
13765 Most commonly used distributed machine learn...
13766 The prevalence of smart wearable devices is ...
13767 Q-Ensembles are a model-free approach where ...
13768 We report on the status of our Cybersecurity...
13769 Critical periods are phases in the early dev...
13770 In this work we present a whole-body Nonline...
13771 Unmanned aerial vehicles (UAVs) represent a ...
13772 Recurrent Neural Networks (RNN) are a type o...
13773 Functionals of a stochastic process Y(t) mod...
13774 As efficient traffic-management platforms, p...
13775 We frame Question Answering (QA) as a Reinfo...
13776 In this paper we present results on dynamic ...
13777 The design, simulation and measurement of a ...
13778 The Internet of Mobile Things encompasses st...
13779 During the Space Telescope and Optical Rever...
13780 We present the grasping system and design ap...
13781 We consider the semantics of prepositions, r...
13782 Random walks are at the heart of many existi...
13783 Gated Recurrent Unit (GRU) is a recently-dev...
13784 In this paper, we reformulated the spell cor...
13785 Two-dimensional (2D) transition metal dichal...
13786 In this work we study permutation synchronis...
13787 Associated varieties of vertex algebras are ...
13788 A new method is developed to deal with the p...
13789 This paper presents a Semantic Attribute Mod...
13790 Positive--unlabeled (PU) learning considers ...
13791 JUNO is a multipurpose neutrino experiment w...
13792 Sigma-Pi-Sigma neural networks (SPSNNs) as a...
13793 Proceedings of the 2017 AdKDD and TargetAd W...
13794 Due to the possible lack of primal-dual-type...
13795 Expertise in programming traditionally assum...
13796 Gaining a better understanding of how and wh...
13797 The advanced operation of future electricity...
13798 We propose a nonlinear Discrete Duality Fini...
13799 $N$-body simulations study the dynamics of $...
13800 Deep learning has started to revolutionize s...
13801 Monte Carlo (MC) sampling methods are widely...
13802 In this paper we describe a novel local algo...
13803 This book chapter introduces to the problem ...
13804 Obtaining detailed and reliable data about l...
13805 We study implicit regularization when optimi...
13806 We study the Pareto frontier for two competi...
13807 Deep Neural Networks are increasingly being ...
13808 The CERN IT provides a set of Hadoop cluster...
13809 Evolution sculpts both the body plans and ne...
13810 It has been known since Ehrhard and Regnier'...
13811 We propose and apply two methods to estimate...
13812 We analyse a multilevel Monte Carlo method f...
13813 We provide a fast method for computing const...
13814 We present a deep radio search in the Reticu...
13815 This paper investigates the problem of detec...
13816 Learning representations that disentangle th...
13817 Excellent ranking power along with well cali...
13818 The low-temperature magnetic phases in the l...
13819 We introduce a general methodology for post ...
13820 We design jamming resistant receivers to enh...
13821 We discuss higher dimensional generalization...
13822 Realistic implementations of the Kitaev chai...
13823 A half-century after the discovery of the su...
13824 Geo-social data has been an attractive sourc...
13825 The random-effects or normal-normal hierarch...
13826 In this paper, we continue our previous work...
13827 We consider the problem of approximate $K$-m...
13828 Here, we suggest a method to represent gener...
13829 We introduce uncertainty regions to perform ...
13830 Interstitial content is online content which...
13831 Spiking neuronal networks are usually simula...
13832 A press release from the National Institute ...
13833 Reinforcement learning is a powerful paradig...
13834 The CEGAR loop in software model checking no...
13835 The Sturm-Liouville operator with singular p...
13836 We describe some progress towards a new comm...
13837 This work presents an algorithm to generate ...
13838 We examine the Bayes-consistency of a recent...
13839 Adaptive gradient methods such as AdaGrad an...
13840 An infinitely smooth convex body in $\mathbb...
13841 Motivated by wide-ranging applications such ...
13842 In this paper, we present a novel approach t...
13843 The classes of depth-bounded and name-bounde...
13844 The secretary problem is a classic model for...
13845 In order to understand the formation of soci...
13846 In this series of papers, we develop the the...
13847 We prove a Lieb-Schultz-Mattis theorem for t...
13848 We present a stabilized microwave-frequency ...
13849 We define and study a numerical-range analog...
13850 It is of fundamental importance to find algo...
13851 Although deep learning has historical roots ...
13852 Social media is an useful platform to share ...
13853 This paper introduces a novel deep learning ...
13854 Net Asset Value (NAV) calculation and valida...
13855 The nonlinear Klein-Gordon (NLKG) equation o...
13856 We review studies of superintense laser inte...
13857 Grasping skill is a major ability that a wid...
13858 We compute the Hochschild cohomology ring of...
13859 We provide complete source code for a front-...
13860 The pioneering work of Brezis-Merle [7], Li-...
13861 We consider a scenario of broadcasting infor...
13862 This paper contributes to the techniques of ...
13863 In many practical problems, a learning agent...
13864 This paper investigates power control and re...
13865 We are working on a scalable, interactive vi...
13866 In this note we determine all possible domin...
13867 Consider a space X with the singular locus, ...
13868 Based on recent high-resolution angle-resolv...
13869 The renormalization method based on the Newt...
13870 We present a large-scale study of gender bia...
13871 This paper addresses deep face recognition (...
13872 We consider the massless nonlinear Dirac (NL...
13873 The two-dimensional non-oriented bin packing...
13874 To constrain models of high-mass star format...
13875 Efficiency of the error control of numerical...
13876 This paper finds near equilibrium prices for...
13877 The two-sample hypothesis testing problem is...
13878 The least square Monte Carlo (LSM) algorithm...
13879 Humans can ground natural language commands ...
13880 We study a nonlocal Venttsel' problem in a n...
13881 We generalize the concept of the spin-moment...
13882 The method of evaluation outlined in a previ...
13883 For distributed computing environment, we co...
13884 It is known that input-output approaches bas...
13885 Online social media have become an integral ...
13886 A theory is proposed, in which the basic ele...
13887 The segmentation of large scale power grids ...
13888 $^{121,123}Sb$ nuclear quadrupole resonance ...
13889 There are many statistical tests that verify...
13890 In this paper, we present a new method of me...
13891 Testing whether a probability distribution i...
13892 The Peierls-Nabarro (PN) model for dislocati...
13893 We consider partial torsion fields (fields g...
13894 Data aggregation is a promising approach to ...
13895 Digital games are one of the major and most ...
13896 In this letter, we report our systematic con...
13897 We prove an identity relating the product of...
13898 Dialogue Act recognition associate dialogue ...
13899 Questions of noise stability play an importa...
13900 Modern society generates an incredible amoun...
13901 We give a new proof of the strong Arnold con...
13902 Diderot is a parallel domain-specific langua...
13903 We consider the problem of semi-supervised f...
13904 We introduce and study the inhomogeneous exp...
13905 Evidence accumulation models of simple decis...
13906 The radiative lifetime of molecules or atoms...
13907 The two most fundamental processes describin...
13908 A system modeling bacteriophage treatments w...
13909 Spin waves in chiral magnetic materials are ...
13910 Moran or Wright-Fisher processes are probabl...
13911 Preclinical magnetic resonance imaging often...
13912 The scalable calculation of matrix determina...
13913 Over the years data has become increasingly ...
13914 This review paper fits in the context of the...
13915 Understanding the generative mechanism of a ...
13916 We investigate the self-organization of stro...
13917 The virtual unknotting number of a virtual k...
13918 We describe an algorithm to evaluate all the...
13919 The rise in life expectancy is one of the gr...
13920 We explore the Hunters and Rabbits game on t...
13921 Quantifying the relation between gut microbi...
13922 In this paper, we study a wireless packet br...
13923 Any considerations on propagation of particl...
13924 We consider a point cloud $X_n := \{ x_1, \d...
13925 We modify the definable ultrapower construct...
13926 We present a novel notion of complexity that...
13927 Given a graph on $n$ vertices and an integer...
13928 Suppose, we are given a set of $n$ elements ...
13929 Kriging based on Gaussian random fields is w...
13930 We study the problem of maximizing a monoton...
13931 Multi-armed bandits are a quintessential mac...
13932 Mantel's test (MT) for association is conduc...
13933 We present an algorithm for approximating a ...
13934 Time delay in general leads to instability i...
13935 Primordial Black Holes (PBH) could be the co...
13936 PEGs were formalized by Ford in 2004, and ha...
13937 A central question in neuroscience is how to...
13938 We present rest-frame optical spectra from t...
13939 We study the task of estimating the number o...
13940 We explore Random Scale-Free networks of pop...
13941 We investigate the complexity of deep neural...
13942 We study the long-range, long-time behavior ...
13943 We study abelian varieties and K3 surfaces w...
13944 Considering a granular fluid of inelastic sm...
13945 To better understand the energy response of ...
13946 The present paper generalises the results of...
13947 This paper presents an automated approach fo...
13948 We study the problem of learning one-hidden-...
13949 Absolute positioning is an essential factor ...
13950 Intrinsically nonlinear coupled systems pres...
13951 In this article, we consider Cayley deformat...
13952 The pairwise maximum entropy model, also kno...
13953 We study the smooth structure of convex func...
13954 In this paper, we study joint functional cal...
13955 Full ranges of both hybrid plasmon-mode disp...
13956 It is well known, thanks to Lax-Wendroff the...
13957 Environmental changes, failures, collisions ...
13958 We compute the free energy of the planar mon...
13959 In this paper, we consider several compressi...
13960 Relativistic effects in the non-resonant two...
13961 This article is concerned with the asymptoti...
13962 We show that 2-dimensional systolic complexe...
13963 The notion of computer capacity was proposed...
13964 We construct the base $2$ expansion of an ab...
13965 Computational ghost imaging is a robust and ...
13966 Estimated connectomes by the means of neuroi...
13967 We present photometry and spectroscopy of ni...
13968 The Sharing Economy (SE) is a growing ecosys...
13969 The hypothesis that computational models can...
13970 We report on the growth of NdFeAs(O,F) thin ...
13971 We measure the mass function for a sample of...
13972 We show that the Galois cohomology groups of...
13973 This paper is a continuation of \ct{cmf16} w...
13974 We investigate the time evolution of the ent...
13975 We proposed a new penalized method in this p...
13976 The upcoming SKA1-Low radio interferometer w...
13977 Neural networks have been widely used as pre...
13978 We consider Jacobi matrices $J$ whose parame...
13979 In the present work we analyze some necessar...
13980 While the polls have been the most trusted s...
13981 Seidel introduced the notion of a Fukaya cat...
13982 The thermalization of hot carriers and phono...
13983 Given any polynomial $p$ in $C[X]$, we show ...
13984 Significant training is required to visually...
13985 Millions of users routinely use Google to lo...
13986 Evolutionary game dynamics in structured pop...
13987 In supervised machine learning, an agent is ...
13988 We have undertaken an algorithmic search for...
13989 Non-negative matrix factorization is a basic...
13990 The paper solves the problem of optimal port...
13991 Statistical inference after model selection ...
13992 We study the problem of sampling a bandlimit...
13993 We present DLTK, a toolkit providing baselin...
13994 We show that the Verdier quotients can be re...
13995 We prove that the Grothendieck rings of cate...
13996 We study the optimal pricing strategy of a m...
13997 The present paper is devoted to the descript...
13998 We derive bounds on the extremal singular va...
13999 Stanene has been predicted to be a two-dimen...
14000 This paper introduces a framework for speedi...
14001 Distributions of anthropogenic signatures (i...
14002 We consider regret minimization in repeated ...
14003 Given a network of nodes, minimizing the spr...
14004 In this paper, we consider the nonlinear inh...
14005 Poisson distribution is used for modeling no...
14006 Emil Artin defined a zeta function for algeb...
14007 The forgotten topological index or F-index o...
14008 We show that a problem of deleting a minimum...
14009 We propose using the storage ring EDM method...
14010 Time crystals are quantum many-body systems ...
14011 Echocardiography is essential to modern card...
14012 Anomaly detection in database management sys...
14013 In this paper we deal with Seifert fibre spa...
14014 The UFMC modulation is among the most consid...
14015 Humans can easily describe, imagine, and, cr...
14016 Recently a paper of Klimovskikh et al. was p...
14017 Learning representation from relative simila...
14018 We present an updated version of the mass--m...
14019 Instanton partition functions of $\mathcal{N...
14020 This paper presents the kinematic analysis o...
14021 BigDatalog is an extension of Datalog that a...
14022 We present long-baseline ALMA observations o...
14023 The computation of the Noether numbers of al...
14024 We are reporting that the Lugiato-Lefever eq...
14025 Models of percolation processes on networks ...
14026 The L-intersection graphs are the graphs tha...
14027 In the classical problem of scheduling on un...
14028 Determination of the pairing symmetry in mon...
14029 This paper proposes a novel method to filter...
14030 We consider the question of extending propos...
14031 Our world can be succinctly and compactly de...
14032 We present the concept of magnetic gas detec...
14033 In this article we present an automatic meth...
14034 This paper proposes a model of information c...
14035 We present inferences on the geometry and ki...
14036 Providing long-range forecasts is a fundamen...
14037 AA Tau is the archetype for a class of stars...
14038 The paper describes the verifying methods of...
14039 Objects moving in fluids experience patterns...
14040 Given a real number $ \beta > 1$, we study t...
14041 We derive the expressions for configurationa...
14042 Real-time safety analysis has become a hot r...
14043 We show that a conformal anomaly in Weyl/Dir...
14044 Speaker recognition performance in emotional...
14045 UV absorption studies with FUSE have observe...
14046 As radio telescopes become more sensitive, t...
14047 We consider the eternal inflation scenario o...
14048 We present the first exact calculations of t...
14049 Rigorous nonequilibrium actions for the many...
14050 The first step in statistical reliability st...
14051 In this work, we introduce an online model f...
14052 Due to recent advances - compute, data, mode...
14053 In order to find a way of measuring the degr...
14054 The horseshoe prior has proven to be a notew...
14055 Current machine learning techniques proposed...
14056 The Siberian Solar Radio Telescope is now be...
14057 We present temperature dependent inelastic n...
14058 The goal of this study is to test two differ...
14059 Super-resolution fluorescence microscopy, wi...
14060 An astonishing fact was established by Lee A...
14061 Determination of the energy and flux of the ...
14062 What can we learn from a connectome? We cons...
14063 In the {claw, diamond}-free edge deletion pr...
14064 Caching popular contents at the edge of cell...
14065 We introduce orbital graphs and discuss some...
14066 We prove the existence of singular harmonic ...
14067 Childhood obesity is associated with increas...
14068 The basic reproduction number ($R_0$) is a t...
14069 We demonstrate that an applied electric fiel...
14070 Matrix divisors are introduced in the work b...
14071 Pseudogap phase in superconductors continues...
14072 Through a direct comparison of specific heat...
14073 It is of interest to determine the exit angl...
14074 A general methodology is proposed to differe...
14075 We have developed a semi-analytic framework ...
14076 Research on how hardware imperfections impac...
14077 Preventable medical errors are estimated to ...
14078 Person re-identification (Re-ID) usually suf...
14079 This paper illustrates how to calculate the ...
14080 We present new large samples of Galactic Cep...
14081 Kristensen and Mele (2011) developed a new a...
14082 We study Leinster's notion of magnitude for ...
14083 In this paper, we show that the edge connect...
14084 Expertise of annotators has a major role in ...
14085 We rigorously derive a Kirchhoff plate theor...
14086 The advent of microcontrollers with enough C...
14087 In this work, we prove that the growth of th...
14088 Internet Protocol (IP) addresses are frequen...
14089 In this short paper we generalise a theorem ...
14090 We construct optimal designs for group testi...
14091 Complex oxides exhibit many intriguing pheno...
14092 In this article we show the duality between ...
14093 A generalization of the Emden-Fowler equatio...
14094 Exploiting the deep generative model's remar...
14095 Using atomic force microscopy (AFM) we inves...
14096 In the article, we discuss the architecture ...
14097 We analyze the left-tail asymptotics of defo...
14098 Background. Test resources are usually limit...
14099 We make the case for studying the complexity...
14100 Quantum technology is increasingly relying o...
14101 The wide adoption of DNNs has given birth to...
14102 Spectral clustering has found extensive use ...
14103 Measurements of high-velocity clouds' metall...
14104 Deep generative models trained with large am...
14105 We present a generalization bound for feedfo...
14106 In the preceding paper (Efroimsky 2017), we ...
14107 In this work, we introduce the MOldavian and...
14108 From the Einstein field equations, in a weak...
14109 We propose a novel tree classification syste...
14110 We investigate flow instability created by a...
14111 The paper gives an introduction to rate equa...
14112 For many modern applications in science and ...
14113 In this study, we address the question wheth...
14114 The declination is a quantitative method for...
14115 Dynamic adaptive streaming over HTTP (DASH) ...
14116 Evolution and propagation of the world's lan...
14117 This article is dedicated to the late Giorgi...
14118 A categorical point of view about minimizati...
14119 Devaney and Krych showed that for the expone...
14120 Motivated by ride-sharing platforms' efforts...
14121 Modern systems will increasingly rely on ene...
14122 The evolution of smart microgrid and its dem...
14123 Our premise is that autonomous vehicles must...
14124 In this paper, we study the problem of estim...
14125 Planning safe paths is a major building bloc...
14126 In display advertising, users' online ad exp...
14127 The hallmark of Weyl semimetals is the exist...
14128 We study the dynamic response of a superflui...
14129 We examine spectral operator-theoretic prope...
14130 Mobile robots are cyber-physical systems whe...
14131 In spite of the recent success of neural mac...
14132 Machine learning and data analysis now finds...
14133 In this paper we introduce new modules over ...
14134 This paper studies the eigenvalue problem on...
14135 This report is targeted to groups who are su...
14136 Building interactive tools to support data a...
14137 We consider a classical risk process with ar...
14138 To conduct a more realistic evaluation on Vi...
14139 Information systems experience an ever-growi...
14140 Recent studies show interest in materials wi...
14141 A common approach to analyzing categorical c...
14142 In this paper, we study inhomogeneous Diopha...
14143 A specific value for the cosmological consta...
14144 Synthesis of rationally designed nanostructu...
14145 We propose a novel framework that reduces th...
14146 We present semi-analytical models of galacti...
14147 Learning algorithms that learn linear models...
14148 Kustaanheimo-Stiefel (KS) transformation dep...
14149 This paper presents a new safety specificati...
14150 We present a simple yet effective approach f...
14151 Reinforcement Learning AI commonly uses rewa...
14152 Memory-based neural networks model temporal ...
14153 There is currently great interest in applyin...
14154 An infinite chain of driven-dissipative cond...
14155 In this paper, a projected primal-dual gradi...
14156 Although there is a significant literature o...
14157 Aharoni and Berger conjectured that in any b...
14158 This paper provides a general and abstract a...
14159 One of the most interesting features in the ...
14160 The deep Q-network (DQN) and return-based re...
14161 Recent studies regarding the habitability, o...
14162 We exhibit the first explicit examples of Sa...
14163 We consider the hard-core model on finite tr...
14164 Model reduction of the Markov process is a b...
14165 We have carried out a campaign to characteri...
14166 When a 2D superconductor is subjected to a s...
14167 Consider a regression problem where there is...
14168 Although Poisson-Voronoi diagrams have inter...
14169 One promising avenue to study one-dimensiona...
14170 The use of Kalman filtering, as well as its ...
14171 Advances in atomic resolution in situ enviro...
14172 This paper presents an extension of a recent...
14173 In their work on a sharp compactness theorem...
14174 In this brief note we connect the discrete l...
14175 Convolutional neural networks (CNNs) can be ...
14176 This paper studies a \textit{partial functio...
14177 Wireless rechargeable sensor networks, consi...
14178 Online social media are information resource...
14179 Cooperation is the cornerstone of human evol...
14180 We show that the classical equivalence betwe...
14181 Recent literature has demonstrated promising...
14182 We conduct a comprehensive set of tests of p...
14183 In this paper, we construct an equivariant c...
14184 This paper is a continuation of our recent p...
14185 Multilayer MoS2 possesses highly anisotropic...
14186 A novel surface interrogation technique is p...
14187 We propose general computational procedures ...
14188 We study electroweak scale Dark Matter (DM) ...
14189 Generalised hydrodynamics predicts universal...
14190 We propose to employ scale spaces of mathema...
14191 The paper deals with a construction of a sep...
14192 In this paper we present a method for simult...
14193 Protein pattern formation is essential for t...
14194 Artificial intelligence (AI) generally and m...
14195 Matrix completion is a problem that arises i...
14196 Many applications infer the structure of a p...
14197 The influence of the B-site ion substitution...
14198 This paper presents an exhaustive study on t...
14199 We derive a new exact evolution equation for...
14200 It is shown that for controlled Moran constr...
14201 Predictable Feature Analysis (PFA) (Richthof...
14202 Elements composing complex systems usually i...
14203 Many studies show that the acquisition of kn...
14204 Uncertainty propagation of large scale discr...
14205 Location fingerprinting locates devices base...
14206 We prove an explicit formula for the first n...
14207 We will characterize topologically conjugate...
14208 Encrypted database systems provide a great m...
14209 The main aim of this survey paper is to gath...
14210 Contact-rich manipulation tasks in unstructu...
14211 Let $\Omega:=\left( a,b\right) \subset\mathb...
14212 We study the structure and stability of vort...
14213 Estimating the tail index parameter is one o...
14214 Metamaterial analogues of electromagneticall...
14215 In this paper we study a special case of the...
14216 For $d\geq1$, we study the simplicial struct...
14217 In some problems there is information about ...
14218 We investigate the extension of Monadic Seco...
14219 For the constant-stress layer of wall turbul...
14220 We consider a class of variational problems ...
14221 This paper presents a comparison of six mach...
14222 Autoencoders are a deep learning model for r...
14223 Ocean flows are routinely inferred from low-...
14224 A flexible approach for modeling both dynami...
14225 As the core issue of blockchain, the mining ...
14226 A general conjecture is stated on the cone o...
14227 In this work, we propose a composition/decom...
14228 We establish that every $K$-quasiconformal m...
14229 We prove that averaging operators are unifor...
14230 We consider the problem of computing first-p...
14231 Hamamatsu Photonics introduced a new generat...
14232 We introduce Dynamic Deep Neural Networks (D...
14233 Gaussian random fields (GRF) are a fundament...
14234 The computability power of a distributed com...
14235 This note corrects conditions in Proposition...
14236 We demonstrate an application of the Futamur...
14237 We report enhancing of complete synchronizat...
14238 We propose a novel method for compressed sen...
14239 In this paper, an energy harvesting scheme f...
14240 We investigate spectral properties of the te...
14241 We prove that if a smooth projective algebra...
14242 Recurrent Neural Networks (RNNs) are becomin...
14243 Deep Learning has enabled remarkable progres...
14244 With the advancement of technology in the la...
14245 In this work thin magnetite films were depos...
14246 Demand response (DR) is a cost-effective and...
14247 The goal of graph representation learning is...
14248 There is widespread sentiment that it is not...
14249 We study, by means of the density-matrix ren...
14250 Application of fuzzy support vector machine ...
14251 We review the essentials of the formalism of...
14252 Chemical substitution during growth is a wel...
14253 The relative root mean squared errors (RMSE)...
14254 The goal of the paper is to study the angle ...
14255 The ability to locally degrade the extracell...
14256 In mathematical physics, the space-fractiona...
14257 We derive some Positivstellensatzë for nonco...
14258 In the wake of the vast population of smart ...
14259 We study the minus order on the algebra of b...
14260 While the dynamics of a fully flexible polym...
14261 We have created a cloud-based service that a...
14262 A ballean (or coarse structure) is a set end...
14263 In this article, we investigate large sample...
14264 We consider the problem of generating releva...
14265 The dynamics along the particle trajectories...
14266 In this paper, a resilient controller is des...
14267 We prove that integrability of a dispersionl...
14268 In this note we propose a new approach towar...
14269 We use the Maximum $q$-log-likelihood estima...
14270 Groups of enterprises guarantee each other a...
14271 The Vocal Joystick Vowel Corpus, by Washingt...
14272 We examine salient trends of influenza pande...
14273 Henrik Bruus is professor of lab-chip system...
14274 Analysis tools like abstract interpreters, s...
14275 This paper considers the problem of solving ...
14276 Unwanted variation, including hidden confoun...
14277 The purpose of this short contribution is to...
14278 Bandt and Pompe introduced Permutation Entro...
14279 Chest radiography is an extremely powerful i...
14280 This paper presents a Convolutional Neural N...
14281 Let $(x_n)_{n=1}^{\infty}$ be a sequence on ...
14282 Conventional generators in power grids are s...
14283 One-sided matching mechanisms are fundamenta...
14284 We introduce MIDI-VAE, a neural network mode...
14285 In this work, we present Gumbel Graph Networ...
14286 Majorana bound states (MBS) are well-establi...
14287 An upgrade of the ATLAS experiment for the H...
14288 Recently several end-to-end speaker verifica...
14289 We prove a recognition principle for motivic...
14290 Correlation functions of dimer operators, th...
14291 With the advent of the 5th generation of wir...
14292 Fullerenes have attracted interest for their...
14293 Using the existing simplified model framewor...
14294 In this paper, we study methods to estimate ...
14295 In order to make a proper reaction to the co...
14296 Based on properties of n-subharmonic functio...
14297 We propose a simple approach which, given di...
14298 There is a forgetful functor from the catego...
14299 We evaluate integrals of certain polynomials...
14300 The intermetallic semiconductor FeGa$_{3}$ a...
14301 We show that topology can protect exponentia...
14302 We find boundaries of Borel-Serre compactifi...
14303 Public speaking is an important aspect of hu...
14304 Let $k$ be an algebraically closed field of ...
14305 Bibliometrics offers a particular representa...
14306 Traditional automatic evaluation measures fo...
14307 We investigate the effect of explicitly enfo...
14308 Traditionally, classifying large hierarchica...
14309 We have experimentally quantified the tempor...
14310 Automatic compiler phase selection/ordering ...
14311 Shot noise is an important ingredient to any...
14312 We establish the sharp growth rate, in terms...
14313 Hypothesis generation is becoming a crucial ...
14314 We consider several previously studied onlin...
14315 We study black-box attacks on machine learni...
14316 This work addresses the problem of kinematic...
14317 Integrated Information Theory (IIT) is a pro...
14318 Let $M$ be a compact oriented three-manifold...
14319 In this paper we propose two novel bounds fo...
14320 In this paper, we design, fabricate and expe...
14321 Conventional shape sensing techniques using ...
14322 Distributed control, as a potential solution...
14323 All-pay auctions, a common mechanism for var...
14324 We examine volume computation of general-dim...
14325 Diluted mean-field models are spin systems w...
14326 We analyze the clustering problem through a ...
14327 Comparison data arises in many important con...
14328 We generalize the chimney model by introduci...
14329 Fast radio bursts are a new class of transie...
14330 Fine-tuning of a deep convolutional neural n...
14331 This work investigates the fundamental limit...
14332 I rebut some erroneous statements and attemp...
14333 We demonstrate that a weakly disordered meta...
14334 This is an epidemiological SIRV model based ...
14335 We study a model of seed dispersal that cons...
14336 We propose a new Integral Probability Metric...
14337 In this paper, we present a number of robust...
14338 We calculate the one-loop electron self-ener...
14339 In this paper we consider the problem of fin...
14340 We show that for each positive integer $k$ t...
14341 Many real world practical problems can be fo...
14342 In various economic environments, people obs...
14343 This paper proposes a new architecture for s...
14344 The purpose of this note is to explain what ...
14345 This paper presents a framework for automati...
14346 In the first part of this paper we establish...
14347 Recent versions of the observed cosmic star-...
14348 ALFABURST has been searching for Fast Radio ...
14349 Graphitic carbon nitride nanosheets are amon...
14350 In this paper we develop a way of obtaining ...
14351 The main object of this article is to presen...
14352 It was recently shown that the phase retriev...
14353 The VIS instrument on board the Euclid missi...
14354 For a set of points in the plane, a \emph{cr...
14355 Multinational corporations use highly comple...
14356 Magnetised exoplanets are expected to emit a...
14357 We present a new algorithm having a time com...
14358 Clinically-relevant forms of acute cell inju...
14359 A two-step photoionization strategy of an ul...
14360 The purpose of the present paper is to inves...
14361 In this paper we study moment sequences of m...
14362 In this paper, we propose a novel explanatio...
14363 Dynamic models and statistical inference for...
14364 Pre-training of models in pruning algorithms...
14365 Semantic segmentation constitutes an integra...
14366 The main purpose of this paper is to study m...
14367 High-resolution observations of the solar ch...
14368 Let $Di\langle X\rangle$ be the free dialgeb...
14369 Discrete event simulators, such as OMNeT++, ...
14370 Social messages classification is a research...
14371 The 3rd International Workshop on Overlay Ar...
14372 Type 2 diabetes mellitus (T2DM) is a chronic...
14373 In this article, we study the Kapustin-Witte...
14374 A fundamental challenge in developing semant...
14375 There have been many discriminative learning...
14376 Differential Privacy (DP) has received incre...
14377 Let $G$ be a finite group with the property ...
14378 We study an unbiased estimator for the densi...
14379 Variational auto-encoder frameworks have dem...
14380 Geochemical studies of planetary accretion a...
14381 Graph Convolutional Networks (GCNs) have sho...
14382 For integers $k\geq 1$ and $n\geq 2k+1$, the...
14383 We introduce a class of fixed points of prim...
14384 R. Beheshti showed that, for a smooth Fano h...
14385 The structure of a certain subgroup $S$ of t...
14386 Every Constraint Programming (CP) solver exp...
14387 The restricted Boltzmann machine is a networ...
14388 3D Convolutional Neural Networks (3D-CNN) ha...
14389 By excluding some regions, in which each eig...
14390 Variational systems allow effective building...
14391 We consider the problem of nonparametric reg...
14392 Using established principles from Statistics...
14393 In this work, we develop a coupled layer con...
14394 We study local asymptotic normality of M-est...
14395 The polarization exchange effect in a twiste...
14396 Present-day clusters are massive halos conta...
14397 Cascading failures may lead to dramatic coll...
14398 The Hamiltonian of the quantum Calogero-Suth...
14399 We define the {\it Wirtinger number} of a li...
14400 Augmenting a neural network with memory that...
14401 We develop a Liouville perturbation theory f...
14402 To solve deep metric learning problems and p...
14403 We consider a class of one-dimensional compa...
14404 It is shown that the Orlik-Terao algebra is ...
14405 We investigate a principle way to progressiv...
14406 In this paper, we address the problem of lea...
14407 A novel capsule target design to improve the...
14408 When a single cell senses a chemical gradien...
14409 Formal models of games help us account for a...
14410 In hybrid normed ideal perturbations of $n$-...
14411 This paper is concerned with radially symmet...
14412 Let $G$ be a simple and finite graph without...
14413 I make some basic observations about hard ta...
14414 DNA Methylation has been the most extensivel...
14415 We consider the problem of planning a closed...
14416 We study decay of small solutions of the Bor...
14417 There does not exist a general positive corr...
14418 We investigate the defect structures forming...
14419 This paper establishes the almost sure conve...
14420 This paper contributes to an emerging litera...
14421 We investigate the impact of spin anisotropi...
14422 A well-studied coloring problem is to assign...
14423 We present a simple result that allows us to...
14424 Axon guidance is a crucial process for growt...
14425 Motivated by applications in Game Theory, Op...
14426 High-mass stars form within star clusters fr...
14427 In this paper, we deal with the null control...
14428 This work is a part of ICLR Reproducibility ...
14429 We consider the problem of estimating the jo...
14430 Here I introduce an extension to demixed pri...
14431 This paper deals with the asymptotic behavio...
14432 We propose an end-to-end approach to the nat...
14433 With access to large datasets, deep neural n...
14434 The objective of this paper is to develop an...
14435 We prove that the generalised Fibonacci grou...
14436 A Rota--Baxter operator is an algebraic abst...
14437 The mass function of galaxy clusters is a se...
14438 With the advent of large-scale heterogeneous...
14439 We obtain the rigorous uniform asymptotics o...
14440 For any undirected and weighted graph $G=(V,...
14441 Readout chips of hybrid pixel detectors use ...
14442 The paper presents a novel analysis of a tra...
14443 The terms "acoustic/elastic meta-materials" ...
14444 Blind source separation is a common processi...
14445 Recently, B.-Y. Chen and O. J. Garay studied...
14446 We propose a data-efficient Gaussian process...
14447 Modern knowledge base systems frequently nee...
14448 We derive an algorithm to compute satisfiabi...
14449 This paper is concerned with optimal control...
14450 A novel minutia-based fingerprint matching a...
14451 Suppose $F:=(f_1,\ldots,f_n)$ is a system of...
14452 The majority of online content is written in...
14453 In this paper we study the adaptive learnabi...
14454 The details of an image with noise may be re...
14455 This contribution deals with image restorati...
14456 Membrane proteins and lipids can self-assemb...
14457 We show that every uniformly recurrent subgr...
14458 In monotone submodular function maximization...
14459 Standard models of reaction kinetics in cond...
14460 Monocular 3D facial shape reconstruction fro...
14461 Wave-particle duality is the most fundamenta...
14462 Tensor train (TT) decomposition provides a s...
14463 We calculate the energy of threshold fluctua...
14464 Excitation of waves in a three-layer acousti...
14465 In this article we introduce a simple dynami...
14466 A filling Dehn surface in a $3$-manifold $M$...
14467 Most information spreading models consider t...
14468 We show that under a low complexity conditio...
14469 Under very general conditions it is shown th...
14470 We report an easy and versatile route for th...
14471 This paper is intended to be a further step ...
14472 One of the main advantages of Prolog is its ...
14473 Superconductivity was recently observed in C...
14474 We present the synthesis and a detailed inve...
14475 In this paper we focus our attention on the ...
14476 We investigate superconductivity that may ex...
14477 Relativizing computations of Turing machines...
14478 Electrical conductivity and high dielectric ...
14479 Which of your team's possible lineups has th...
14480 Observability of complex systems/networks is...
14481 Continuous appearance shifts such as changes...
14482 We present our implementation of an automate...
14483 We investigate the time evolution towards th...
14484 Coded caching scheme, which is an effective ...
14485 Online learning with streaming data in a dis...
14486 We report on the perpendicular magnetic anis...
14487 We investigate the universal cover of a topo...
14488 Synchrotron emitting bubbles arise when the ...
14489 Efimov effect refers to quantum states with ...
14490 An edited version is given of the text of Gö...
14491 In this paper, we present temperature and fi...
14492 Minimax lower bounds are pessimistic in natu...
14493 Humans and animals have the ability to conti...
14494 Z^d-extensions of probability-preserving dyn...
14495 The use of renewable energy sources is a maj...
14496 As companies increase their efforts in retai...
14497 The recent observation of discrepancies in t...
14498 Half-metallic properties of TlCrS2, TlCrSe2 ...
14499 We study interfacial magnetocrystalline anis...
14500 Nature inspired neuromorphic architectures a...
14501 An ADE Dynkin diagram gives rise to a family...
14502 We study a network utility maximization (NUM...
14503 With the advent of deep learning, object det...
14504 This paper examines the cosmic ray He and C ...
14505 Symmetric nonnegative matrix factorization (...
14506 The total mass M_GCS in the globular cluster...
14507 We present a database of parliamentary debat...
14508 This paper deals with model order reduction ...
14509 Ensembles of nitrogen-vacancy centers in dia...
14510 Topological spin liquids are robust quantum ...
14511 In semi-symbolic (control-explicit data-symb...
14512 Dimer algebras arise from a particular type ...
14513 The subject is traces of Sobolev spaces with...
14514 Models with many signals, high-dimensional m...
14515 Training of discrete latent variable models ...
14516 Biological organisms have to cope with stoch...
14517 To improve the performance of Intensive Care...
14518 This paper proposes two low-complexity itera...
14519 In this paper we describe the routine photom...
14520 We report on the electronic transport and th...
14521 It is shown that for a solvable subgroup $G$...
14522 Gene expression (GE) data capture valuable c...
14523 A problem faced by many instructors is that ...
14524 Most recent CNN architectures use average po...
14525 Abridged: We used the fourth internal data r...
14526 Robust Stable Marriage (RSM) is a variant of...
14527 We know that in empty space there is no pref...
14528 An Intelligent Personal Agent (IPA) is an ag...
14529 With the increased use of Internet, governme...
14530 We evaluate a curious determinant, first men...
14531 This entry discusses the problem of describi...
14532 This paper introduces deep neural networks (...
14533 We apply three data science techniques, Nonn...
14534 Motivated by truncated EM method introduced ...
14535 This expository paper is concerned with the ...
14536 Dual spectral computed tomography (DSCT) can...
14537 The timed pattern matching problem is an act...
14538 We report on $g$, $r$ and $i$ band observati...
14539 We propose a method for variable selection i...
14540 Generative Adversarial Networks (GAN) (Goodf...
14541 A basic, and still largely unanswered, quest...
14542 We present a recurrent encoder-decoder deep ...
14543 Personalized search has been a hot research ...
14544 Sobol' sequences are widely used for quasi-M...
14545 A high order wavelet integral collocation me...
14546 Weakly-coupled TeV-scale particles may media...
14547 We present generalized versions of the conce...
14548 As the size and complexity of software syste...
14549 We propose two coded schemes for the distrib...
14550 We study the Gevrey character of a natural p...
14551 On a periodic basis, publicly traded compani...
14552 A new pathway to nuclear magnetic resonance ...
14553 A meticulous assessment of the risk of extre...
14554 This paper deals with the homogenization pro...
14555 In this paper, Runge-Kutta-Gegenbauer (RKG) ...
14556 We develop a tensor network technique that c...
14557 Recent advances in ultrafast measurement in ...
14558 Phonetic segmentation is the process of spli...
14559 Implicit models, which allow for the generat...
14560 Traditional centralized energy systems have ...
14561 Generative Adversarial Networks (GANs) are a...
14562 The introduction of serious games as pedagog...
14563 In this paper, we investigate the complexity...
14564 It has recently been found that bosonic exci...
14565 The dynamic dipole polarizabilities of the l...
14566 The fifth generation of mobile communication...
14567 We investigate the structural, electronic, t...
14568 In this work exact solutions for the equatio...
14569 Recent research in psycholinguistics has pro...
14570 The standard cosmographic approach consists ...
14571 Discourse parsing has long been treated as a...
14572 In this paper, we study the combinatorial mu...
14573 Deep neural networks achieve unprecedented p...
14574 Droplet evaporation in turbulent sprays invo...
14575 Let $(\mathbb{X} , d, \mu )$ be a proper met...
14576 We show how simultaneous, back-action evadin...
14577 Though theoretically expected, the charge ex...
14578 We consider Friedlander's wave equation in t...
14579 This paper represents a systematic way for g...
14580 In this paper we study the following multi-p...
14581 Recent years witnessed an extensive developm...
14582 In today's era of big data, robust least-squ...
14583 In this paper we prove a global result for t...
14584 Implicit schemes have been extensively used ...
14585 We give a complete description of the congru...
14586 Let $\sf X$ be a symplectic orbifold groupoi...
14587 We use $>$9400 $\log(m/M_{\odot})>10$ quiesc...
14588 The main purpose of this paper is to propose...
14589 This paper is focused on dimension-free PAC-...
14590 The paper surveys topological problems relev...
14591 We propose a novel guess-and-check principle...
14592 The formation of Correlated Electron Pairs O...
14593 The GIKN construction was introduced by Goro...
14594 We consider the problem of sampling from pos...
14595 The Gibbs sampler is a particularly popular ...
14596 In this paper, we argue why and how the inte...
14597 This article sets forth results on the exist...
14598 In this paper we characterize planar central...
14599 Water fountain stars (WFs) are evolved objec...
14600 Subordinate diffusions are constructed by ti...
14601 Graph embedding is an effective method to re...
14602 We introduce a novel approach to perform fir...
14603 Without access to large compute clusters, bu...
14604 Semiconductor nanowires provide an ideal pla...
14605 In the setting of finite type invariants for...
14606 Automatic segmentation in MR brain images is...
14607 We present a brief review on integrability o...
14608 Clinical trial registries can be used to mon...
14609 We adapt the well-known spectral decimation ...
14610 We develop a calculus for diagrams of knotte...
14611 Schmidt's game, and other similar intersecti...
14612 Kernel $k$-means clustering can correctly id...
14613 The classification of time series data is a ...
14614 This paper is mainly inspired by the conject...
14615 This paper proposes distributed algorithms f...
14616 Product distribution matching (PDM) is propo...
14617 Last decade witnesses significant methodolog...
14618 Machine learning-guided protein engineering ...
14619 The inner structure of a material is called ...
14620 Utilizing the Hirsch index h and some of its...
14621 Although Darwinian models are rampant in the...
14622 Collaborations are an integral part of scien...
14623 For a second order operator on a compact man...
14624 We develop a theory based on the formalism o...
14625 We present a dataset with models of 14 artic...
14626 We relate the minimax game of generative adv...
14627 It has recently been discovered that some, i...
14628 The size of a planet is an observable proper...
14629 We prove that for any dimension function $h$...
14630 Pushdown systems (PDSs) and recursive state ...
14631 We discuss the average-field approximation f...
14632 In chemical or physical reaction dynamics, i...
14633 The radial drift problem constitutes one of ...
14634 As a counterpart of the classical Yamabe pro...
14635 In this paper we discuss the stability prope...
14636 Compound distributions allow construction of...
14637 Identifying influential nodes in a network i...
14638 For population systems modeled by age-struct...
14639 We provide an explicit presentation of an in...
14640 Bayesian hierarchical models are increasingl...
14641 The comparison of observed brain activity wi...
14642 There has been a recent surge of interest in...
14643 We consider a Kepler problem in dimension tw...
14644 Slow light propagation in structured materia...
14645 High-resolution imaging has delivered new pr...
14646 In a recent paper [A. Alberucci, C. Jisha, N...
14647 Place recognition is a challenging problem i...
14648 In this paper we assess the predictive power...
14649 We present a smooth distributed nonlinear co...
14650 The Milky Way bulge shows a box/peanut or X-...
14651 This paper analyzes the impact of peer effec...
14652 The Hitomi X-ray satellite has provided the ...
14653 Auto-encoding generative adversarial network...
14654 Edwin Powel Hubble is regarded as one of the...
14655 Fully convolutional neural networks (FCN) ha...
14656 We extend some of the results proved for sca...
14657 This paper introduces a new approach to cost...
14658 The TensorFlow Distributions library impleme...
14659 We present a one-parameter family of mathema...
14660 We mine the Tycho-{\it Gaia} astrometric sol...
14661 When each data point is a large graph, graph...
14662 Accurately predicting machine failures in ad...
14663 Collective Adaptive Systems (CAS) consist of...
14664 The use of functional brain imaging for rese...
14665 A presentation at the SciNeGHE conference of...
14666 Knaster continua and solenoids are well-know...
14667 We introduce a class of theories called meta...
14668 We study the mutual alignment of radio sourc...
14669 Graph based semi-supervised learning (GSSL) ...
14670 Peer-to-peer (P2P) botnets have become one o...
14671 Galaxy-scale outflows are nowadays observed ...
14672 Deep neural networks (DNNs) are one of the m...
14673 We prove, by a computer aided proof, the exi...
14674 Recent work in fairness in machine learning ...
14675 Predicting the future location of vehicles i...
14676 The metriplectic formalism couples Poisson b...
14677 We introduce a hierarchical architecture for...
14678 Finding similar user pairs is a fundamental ...
14679 Square arrays of sub-micrometer columnar def...
14680 Gathering information about forest variables...
14681 Recently, many studies have demonstrated dee...
14682 Sentiment analysis aims to uncover emotions ...
14683 We address the statistical and optimization ...
14684 We report on the observation of magnon therm...
14685 Extensions and generalizations of Alzer's in...
14686 We present Oncilla robot, a novel mobile, qu...
14687 Generating graphs that are similar to real o...
14688 Quadratic regression goes beyond the linear ...
14689 This paper addresses the problems of quantum...
14690 Let M be ternary, homogeneous and simple. We...
14691 Amyloid beta peptides (A\b{eta}), implicated...
14692 Let $\mathbb{K}$ be the algebraic closure of...
14693 The study of continuous phase transitions tr...
14694 Many state-of-the-art reinforcement learning...
14695 Understanding cell identity is an important ...
14696 It is shown that continuously changing the e...
14697 The density-matrix-renormalization-group (DM...
14698 At the interface between two distinct materi...
14699 Deep learning models are very effective in s...
14700 Let $K(B_{\ell_p^n},B_{\ell_q^n}) $ be the $...
14701 With rapid progress and significant successe...
14702 Neural architecture search (NAS) has been pr...
14703 Network embeddings have become very popular ...
14704 There are two major questions that neuroimag...
14705 Light Axionic Dark Matter, motivated by stri...
14706 We use the information present in a bipartit...
14707 In textual information extraction and other ...
14708 In this paper, we design and analyze a new z...
14709 We consider the stochastic damped Navier-Sto...
14710 A compact circle-packing $P$ of the Euclidea...
14711 Nowadays, a hot challenge for supermarket ch...
14712 In this paper the concept of Multirate Parti...
14713 This paper considers the optimal modificatio...
14714 We consider the binary classification proble...
14715 We examine the effect of carrier localizatio...
14716 Information in neural networks is represente...
14717 Given a connected real Lie group and a contr...
14718 The Large Synoptic Survey Telescope (LSST) w...
14719 A Monte Carlo method based on the GEANT4 too...
14720 A general theory of presentations for d-fram...
14721 Automata expressiveness is an essential feat...
14722 Nowadays, protecting trust in social science...
14723 This paper is a continuation of the second a...
14724 Modeling buildings' heat dynamics is a compl...
14725 We present a decentralized and scalable appr...
14726 We propose an alternative evaluation of quan...
14727 Conjugate gradient (CG) methods are a class ...
14728 Kalman filters are routinely used for many d...
14729 Fully reconfigurable metasurfaces would enab...
14730 We present an approach to automatic detectio...
14731 As illustrated in recent years (Superstorm S...
14732 We present a new technique for learning visu...
14733 In this paper, we investigate the cooling-of...
14734 We unveil a novel and unexpected manifestati...
14735 Experiments and simulations have established...
14736 The transition mechanism of jump processes b...
14737 We use globular cluster kinematics data, pri...
14738 We study the dynamics of the Bogoliubov wave...
14739 The heaviest of the transuranic elements kno...
14740 Speckle reduction is a longstanding topic in...
14741 We define the Radon transform functor for sh...
14742 We propose foundations for a synthetic theor...
14743 High-order parametric models that include te...
14744 In this article, I discuss the relationship ...
14745 We extend the constructive dependent type th...
14746 In this article, we give the explicit soluti...
14747 We quantify the accuracy of various simulato...
14748 Let $q$ be a power of a prime $p$ and let $U...
14749 We deal with zero-delay source coding of a v...
14750 We develop a unified description, via the Bo...
14751 In this paper we define a notion of calibrat...
14752 We present the design and manufacturing of h...
14753 We consider the dynamics of message passing ...
14754 In the first part of this paper we will prov...
14755 In this paper, we propose the first computat...
14756 We have already developed the recommendation...
14757 A seminal result in decentralized control is...
14758 Optical clocks benefit from tight atomic con...
14759 A special type of rotary-wing Unmanned Aeria...
14760 Traffic congestion is a widespread problem. ...
14761 In this note, we expand on some technical is...
14762 Nontrivial connectivity has allowed the trai...
14763 There is a significant literature on methods...
14764 Mahlmann and Schindelhauer (2005) defined a ...
14765 Simultaneous Localization And Mapping (SLAM)...
14766 Noting the importance of the latent variable...
14767 In the present work weighted area integral m...
14768 Based on first-principles calculations and e...
14769 Water plays a major role in bio-systems, gre...
14770 Let $\mathfrak{g}$ be a hyperbolic Kac-Moody...
14771 Affine policies (or control) are widely used...
14772 We give the sharp conditions for boundedness...
14773 In this paper, we introduce transformations ...
14774 Convolutional Neural Networks (CNNs) have be...
14775 We prove the superhedging duality for a disc...
14776 We take advantage of the Gaia-ESO Survey iDR...
14777 In 2016 we proved that for every symmetric, ...
14778 We present three new semi-Lagrangian methods...
14779 The Integrated Nested Laplace Approximation ...
14780 Supervisory signals can help topic models di...
14781 We study the spatial fluctuations of the Cas...
14782 Non-linear kernel methods can be approximate...
14783 Though suicide is a major public health prob...
14784 An RNA sequence is a word over an alphabet o...
14785 Motivated by recent findings that human mobi...
14786 We present a sufficient condition for irredu...
14787 Triplet networks are widely used models that...
14788 Recovering pairwise interactions, i.e. pairs...
14789 The boundary algebraic Bethe Ansatz for a su...
14790 Strengthening or destroying a network is a v...
14791 Reparameterization of variational auto-encod...
14792 The case of the classical Hill problem is nu...
14793 This paper addresses a task allocation probl...
14794 In this paper, we construct the simultaneous...
14795 Nano--metal/semiconductor junction dependent...
14796 The paper approaches the problem of image-to...
14797 Humanoid soccer robots perceive their enviro...
14798 This paper considers the problem of inferrin...
14799 The Fermilab Muon Campus will host the Muon ...
14800 In this research, we investigate the nonline...
14801 Many modern unsupervised or semi-supervised ...
14802 In a multi-agent system, transitioning from ...
14803 Large-batch training approaches have enabled...
14804 Standard deep learning systems require thous...
14805 We propose a novel method called robust kern...
14806 We analyse families of codes for classical d...
14807 We study the training process of Deep Neural...
14808 In this paper we explore the theoretical bou...
14809 Let $f\colon M \to M$ be a uniformly quasire...
14810 Our method of density elimination is general...
14811 In this article we use linear algebra to imp...
14812 The concept of leader--follower (or Stackelb...
14813 It is widely perceived that the correlation ...
14814 While deep learning is remarkably successful...
14815 Bayesian inference for models that have an i...
14816 The impact of neutral impurity scattering of...
14817 Batyrev constructed a family of Calabi-Yau h...
14818 Transfer Learning (TL) aims to transfer know...
14819 We show that every periodic virtual knot can...
14820 Computing optimal transport distances such a...
14821 Women have become better represented in busi...
14822 We establish the monotonicity property for t...
14823 Creating tetrahedral meshes with anatomicall...
14824 Dropout is a very effective way of regulariz...
14825 This paper is a continuation of arXiv:1405.1...
14826 We illustrate the advantages of distance wei...
14827 Accurate state estimation of large-scale lit...
14828 The goal of this paper is not to introduce a...
14829 This paper presents a new multitask learning...
14830 The fast iterative soft thresholding algorit...
14831 We introduce a regression model for data on ...
14832 A Convolutional Neural Network was used to p...
14833 We briefly review the recent results of cons...
14834 Supersymmetry plays an important role in sup...
14835 Using the Tridiagonal Representation Approac...
14836 In this paper we systematically explore ques...
14837 By applying measurements of the dielectric c...
14838 Samples of two characteristic semiconductor ...
14839 Databases are widespread, yet extracting rel...
14840 The Dominative $p$-Laplace Operator is intro...
14841 We show that every free amalgamation class o...
14842 Elliptically contoured distributions general...
14843 The classification of shapes is of great int...
14844 We present a clustering analysis of a sample...
14845 This work exploits the logical foundation of...
14846 We study radiative neutrino pair emission in...
14847 The MDL two-part coding $ \textit{index of r...
14848 The current work combines the Cluster Dynami...
14849 One dimensional hybrid systems play an impor...
14850 Pearson correlation and mutual information b...
14851 We construct an explicit projective bimodule...
14852 Modern deep neural networks (DNNs) spend a l...
14853 Structured prediction is ubiquitous in appli...
14854 As mentioned by Schwartz (1974) and Cokelet ...
14855 The effects of high pressure on the crystal ...
14856 The aim of this research is to design and im...
14857 We use integrated-light spectroscopic observ...
14858 The recent series 5 of the ASP system clingo...
14859 Flexible duplex is proposed to adapt to the ...
14860 In this paper, we establish the Carleman est...
14861 Doubts have been expressed in a comment (Eur...
14862 A notion of delegated causality is introduce...
14863 Resonating valence bond (RVB) theory of high...
14864 In this paper, we consider numerical approxi...
14865 The Klein-Kramers equation, governing the Br...
14866 Learning an optimal policy from a multi-moda...
14867 Several Fourier transformations of functions...
14868 Shunt FACTS devices, such as, a Static Var C...
14869 The established spin splitting in monolayer ...
14870 Completeness of a dynamic priority schedulin...
14871 In this paper we obtain a description of the...
14872 Colletotrichum represent a genus of fungal s...
14873 The space of based loops in $SL_n(\mathbb{C}...
14874 We study Le Potier's strange duality conject...
14875 Graph signals offer a very generic and natur...
14876 We present an evaluation of several represen...
14877 Many policy search algorithms have been prop...
14878 The ideas that we forge creatively as indivi...
14879 Elucidating the interaction between magnetic...
14880 Sylvester factor, an essential part of the a...
14881 We study analytically and numerically envelo...
14882 Decision making based on behavioral and neur...
14883 Inspired by mirror symmetry, we investigate ...
14884 For sputter depth profiling often sample ero...
14885 Using a quantum wave packet simulation inclu...
14886 We propose a theoretical framework for think...
14887 This work focuses on reliable detection and ...
14888 Telephone call centers offer a convenient co...
14889 Areal level spatial data are often large, sp...
14890 The ECIR half-day workshop on Task-Based and...
14891 Determining the velocity distribution of hal...
14892 In this paper we study the asymptotic behavi...
14893 Symbol-pair codes, introduced by Cassuto and...
14894 We present a baseline approach for cross-mod...
14895 From topology of the order parameter of the ...
14896 Van der Waals (vdW) heterostructures are rec...
14897 One of the long-standing challenges in Artif...
14898 We prove, under two sufficient conditions, t...
14899 Experimental data availability is a cornerst...
14900 MRA (Multilingual Report Annotator) is a web...
14901 We consider SIS contagion processes over net...
14902 We propose a multi-layer approach to simulat...
14903 Here we construct the conformal mappings wit...
14904 Neural networks are known to be vulnerable t...
14905 Let K be a field and denote by K[t], the pol...
14906 Deep neural networks (DNNs) are powerful non...
14907 Societies are complex systems which tend to ...
14908 Measurements on a subset of the boundary are...
14909 In this paper, we propose a new optimization...
14910 Time domain terahertz spectroscopy typically...
14911 Robust Optimization has traditionally taken ...
14912 Multidimensional time series are sequences o...
14913 We show that for any positive integer k, the...
14914 In this paper, we have proposed a modified M...
14915 We propose a dynamic programming solution to...
14916 We consider the dynamics of overdamped MEMS ...
14917 In this paper, we theoretically address thre...
14918 In 1992 a puzzling transition was discovered...
14919 We review different constructions of the sup...
14920 I present a discussion of the hierarchy of T...
14921 It is well known that, in the context of Gen...
14922 The main purpose of this macro-study is to s...
14923 A policy is said to be robust if it maximize...
14924 A vector bundle E on a projective variety X ...
14925 The APerture SYNthesis SIMulator is a simple...
14926 An expression for the dimensionless dissipat...
14927 Markov chain Monte Carlo is widely used in a...
14928 Previous research using evolutionary computa...
14929 Ensemble averaging experiments may conceal m...
14930 Joint analysis of data from multiple informa...
14931 Algebraic methods have a long history in sta...
14932 We explore theoretically the magnetoresistan...
14933 The availability of data sets with large num...
14934 Several growth models have been proposed in ...
14935 Self-paced learning (SPL) is a new methodolo...
14936 While the emerging evidence indicates that t...
14937 We study Harmonic Soft Spheres as a model of...
14938 We introduce diffusively coupled networks wh...
14939 Recent advances in visual tracking showed th...
14940 We construct a fixed parameter algorithm par...
14941 We formalize the arithmetic topology, i.e. a...
14942 Deep neural networks have become invaluable ...
14943 We introduce the notion of a "crystallograph...
14944 The paper analyzes special cyclic Jacobi met...
14945 Applied researchers often construct a networ...
14946 With the tremendous increase in the number o...
14947 For an affine toric variety $\mathrm{Spec}(A...
14948 Machine learning methods in general and Deep...
14949 For a signed cyclic graph G, we can construc...
14950 A single-particle mobility edge (SPME) marks...
14951 (Abridged) Low-luminosity, gas-rich blue com...
14952 Tuning cellular network performance against ...
14953 Navigation has been a popular area of resear...
14954 We investigate the onset of superconductivit...
14955 We study the boundary behavior of the so-cal...
14956 In this work, we consider the problem of com...
14957 In many smart infrastructure applications fl...
14958 When trying to maximize the adoption of a be...
14959 We study a superconducting transmission line...
14960 Relativistic Newtonian Dynamics (RND) was in...
14961 This paper introduces a new sparse spatio-te...
14962 Parameterized algorithms are a way to solve ...
14963 Discovering community structure in complex n...
14964 In this paper, we assume that all isoparamet...
14965 Learning rich and diverse representations is...
14966 Antiunitary representations of Lie groups ta...
14967 Motivation:\nAutomatically testing changes t...
14968 We study XXZ spin systems on general graphs....
14969 There is growing interest in estimating and ...
14970 We consider the problem of the combinatorial...
14971 We show that standard candles can provide so...
14972 Understanding exoplanet formation and findin...
14973 We extend the standard Bayesian multivariate...
14974 How diverse are sharing economy platforms? A...
14975 We consider the estimation accuracy of indiv...
14976 Modeling and parameter estimation for neuron...
14977 In this paper we prove the uniqueness and ra...
14978 We consider the problem of differential priv...
14979 Scattertext is an open source tool for visua...
14980 We consider complements of standard Seifert ...
14981 We compute the modular transformation formul...
14982 Contributions of the CODALEMA/EXTASIS experi...
14983 Clustering samples according to an effective...
14984 Solar filaments/prominences are one of the m...
14985 Stochastic convex optimization algorithms ar...
14986 We combine conditions found in [Wh] with res...
14987 Direct impact excitation by precipitating el...
14988 Current methods to optimize vaccine dose are...
14989 We consider the problem of efficiently learn...
14990 We prove that if $p \equiv 4,7 \pmod{9}$ is ...
14991 Many social networks exhibit some underlying...
14992 Online social systems have become important ...
14993 The presence of very few statistical studies...
14994 The future generation networks: Internet of ...
14995 The challenge of understanding high-temperat...
14996 In this work, we apply the Cole's non-standa...
14997 Magnetic oxyselenides have been the topic of...
14998 This paper presents a novel framework for in...
14999 To design a uniaxial anisotropic metamateria...
15000 As a first approach to the study of systems ...
15001 Data processing pipelines represent an impor...
15002 Stationary stellar systems with radially elo...
15003 In the past, calculation of wakefields gener...
15004 Minimizing the nuclear norm of a matrix has ...
15005 This paper presents a novel approach for sta...
15006 Measurement of the energy eigenvalues (spect...
15007 Fix a quadratic order over the ring of integ...
15008 Neural autoregressive models are explicit de...
15009 A stochastic orbital approach to the resolut...
15010 Game maps are useful for human players, gene...
15011 The paper is focused on the problem of estim...
15012 Conventional text classification models make...
15013 The AKARI IRC All-sky survey provided more t...
15014 We demonstrate that a prior influence on the...
15015 We consider the multicomponent Widom-Rowliso...
15016 Graph theory provides a language for studyin...
15017 Metric search is concerned with the efficien...
15018 In this paper we study solutions, possibly u...
15019 In this paper, we present a new and signific...
15020 The question of selecting the "best" amongst...
15021 Imaging assays of cellular function, especia...
15022 Using the language of Riordan arrays, we stu...
15023 We observe and explain theoretically a drama...
15024 In portfolio analysis, the traditional appro...
15025 This paper studies the characteristics and a...
15026 Many neural systems display avalanche behavi...
15027 Ontology alignment is widely-used to find th...
15028 We consider the design and modeling of metas...
15029 We introduce the Connection Scan Algorithm (...
15030 We consider two stage estimation with a non-...
15031 This paper shows that the Conditional Quanti...
15032 We present a principled technique for reduci...
15033 The formation of deuterated molecules is fav...
15034 Models involving branched structures are emp...
15035 With the recent success of embeddings in nat...
15036 In this paper, we study electron wavepacket ...
15037 We consider co-rotational wave maps from the...
15038 ROXs 12 (2MASS J16262803-2526477) is a young...
15039 We study the emergence of dissipation in an ...
15040 Satellite conjunction analysis is the assess...
15041 Recently, a proposal has been advanced to de...
15042 Affine $\lambda$-terms are $\lambda$-terms i...
15043 Chemotherapeutic response of cancer cells to...
15044 We propose a technique for calculating and u...
15045 In the present paper, new classes of wavelet...
15046 Soft microrobots based on photoresponsive ma...
15047 We investigate, using the density matrix ren...
15048 Advances in Machine Learning (ML) have led t...
15049 The Wolynes theory of electronically nonadia...
15050 Density-functional theory (DFT) has revoluti...
15051 Since the seminal observation of room-temper...
15052 Spin- and angle-resolved photoemission spect...
15053 Modern machine learning techniques can be us...
15054 Trending topics in microblogs such as Twitte...
15055 Various optical methods for measuring positi...
15056 We explore the correlations between velocity...
15057 A new type of End-to-End system for text-dep...
15058 Process mining allows analysts to exploit lo...
15059 Let $P_1,\dots, P_n$ and $Q_1,\dots, Q_n$ be...
15060 Consider a coloring of a graph such that eac...
15061 In several literatures, the authors give a n...
15062 The Belief Propagation approximation, or cav...
15063 Observational learning is a type of learning...
15064 Packet parsing is a key step in SDN-aware de...
15065 We address the question concerning the birat...
15066 We present a microscopic theory for the Rama...
15067 We show that the distribution of symmetry of...
15068 We fabricate high-mobility p-type few-layer ...
15069 In the field of reinforcement learning there...
15070 In this thesis, we study two problems based ...
15071 Comparative molecular dynamics simulations o...
15072 We study the non-stationary stochastic multi...
15073 A main goal of NASA's Kepler Mission is to e...
15074 Convolutional Neural Networks (CNNs) has sho...
15075 We present a position paper advocating the n...
15076 We provide expressions for the nonperturbati...
15077 We develop refined Strichartz estimates at $...
15078 We present a test for determining if a subst...
15079 Search engines play an important role in our...
15080 The reverse space-time (RST) Sine-Gordon, Si...
15081 We present a study on the impact of Mn$^{3+}...
15082 Given a sample of bids from independent auct...
15083 Contemporary web pages with increasingly sop...
15084 In this work, we conducted a survey on diffe...
15085 Person Re-Identification (person re-id) is a...
15086 Let $S=\{x_1,x_2,\dots,x_n\}$ be a set of di...
15087 This paper investigates two strategies to re...
15088 Suppose $\Omega, A \subseteq \RR\setminus\Se...
15089 Modern investigation in economics and in oth...
15090 In this work, we have characterized changes ...
15091 Given a field $F$ of $\operatorname{char}(F)...
15092 Being able to recognize emotions in human us...
15093 Sufficient statistics are derived for the po...
15094 In this paper, we study the Bernstein polyno...
15095 The \emph{longest common extension} (\emph{L...
15096 Materials design and development typically t...
15097 We propose a unified framework to speed up t...
15098 Power prediction demand is vital in power sy...
15099 There has been growing interest in developin...
15100 In relativistic quantum field theories, comp...
15101 In this work, we make two improvements on th...
15102 Vehicle climate control systems aim to keep ...
15103 The truncated Fourier operator $\mathscr{F}_...
15104 We prove that the regular $n\times n$ square...
15105 Given a list of k source-sink pairs in an ed...
15106 Label shift refers to the phenomenon where t...
15107 There has been an increasing interest in lea...
15108 The first billion years of the Universe is a...
15109 Often when multiple labels are obtained for ...
15110 We introduce the concept of Floquet topologi...
15111 Inspired by recent interests of developing m...
15112 Global recruitment into radical Islamic move...
15113 Interpretable machine learning tackles the i...
15114 This doctoral work focuses on three main pro...
15115 Many complex systems can be represented as n...
15116 A new variation of blockchain proof of work ...
15117 An extensive, precise and robust recognition...
15118 Linear Parameter-Varying (LPV) systems with ...
15119 We consider the problem of identity testing ...
15120 We present a thorough tight-binding analysis...
15121 An increasing number of sensors on mobile, I...
15122 The recently introduced mixed time-averaging...
15123 In this paper we establish square-function e...
15124 The aim of this paper is to study a poset is...
15125 One of the main challenges in probing the re...
15126 Linear-Quadratic-Gaussian (LQG) control is c...
15127 Detection, tracking, and pose estimation of ...
15128 This paper is about computing constrained ap...
15129 A promising paradigm for achieving highly ef...
15130 The problem of Non-Gaussian Component Analys...
15131 Acoustic ranging based indoor positioning so...
15132 Semi-supervised learning (SSL) provides a po...
15133 We are concerned with the inverse scattering...
15134 We introduce a "workable" notion of degree f...
15135 In this paper, we further develop the theory...
15136 To guarantee the security of uniform random ...
15137 Email cryptography applications often suffer...
15138 We study topological excitations in two-comp...
15139 Statistical inference for exponential-family...
15140 We propose a mixed integer programming (MIP)...
15141 The recent announcement of a Neptune-sized e...
15142 We present a data-driven framework called ge...
15143 Eradicating hunger and malnutrition is a key...
15144 Stress Urinary Incontinence (SUI) or urine l...
15145 In this paper, we study the compressibility ...
15146 Space-filling designs are popular choices fo...
15147 Adaptive stochastic gradient descent methods...
15148 This paper studies scenarios of cyclic domin...
15149 Deep networks have recently been shown to be...
15150 We investigate anomaly detection in an unsup...
15151 Rapid miniaturization and cost reduction of ...
15152 We investigate the effect of band-limited wh...
15153 Signal-to-noise-plus-interference ratio (SIN...
15154 One of the most important tools for the deve...
15155 Revealing Adverse Drug Reactions (ADR) is an...
15156 It is well-known that the problem to solve e...
15157 Predicting traffic conditions has been recen...
15158 The article addresses a long-standing open p...
15159 This paper is a comprehensive introduction t...
15160 The rise of user-contributed Open Source Sof...
15161 The design of sparse spatially stretched tri...
15162 The almost sure Hausdorff dimension of the l...
15163 As power electronics shrinks down to sub-mic...
15164 Let $V_1,V_2,V_3$ be a triple of even dimens...
15165 In 1969, Strassen shocked the world by showi...
15166 Spiking Neural Network (SNN) naturally inspi...
15167 The \emph{vitality} of an arc/node of a grap...
15168 This paper presents a new approach in unders...
15169 The ability of the mammalian ear in processi...
15170 We derive general expressions for resonant i...
15171 In this paper, we investigate Hamiltonian pa...
15172 We address the task of ranking objects (such...
15173 Multiple design iterations are inevitable in...
15174 We consider the inverse Ising problem, i.e. ...
15175 We studied the emergence process of 42 activ...
15176 Let $f$ be a Lipschitz map from a subset $A$...
15177 Sleep plays a vital role in human health, bo...
15178 We study which algebras have tilting modules...
15179 Deep neural network models used for medical ...
15180 Gaining a detailed understanding of water tr...
15181 Recently, the authors and de Wolff introduce...
15182 Fairness-aware classification is receiving i...
15183 Community identification in a network is an ...
15184 State-of-the-art static analysis tools for v...
15185 Application of NaI(Tl) detectors in the sear...
15186 The finite-difference time-domain (FDTD) met...
15187 This work considers a stochastic Nash game i...
15188 In algebraic terms, the insertion of $n$-pow...
15189 The origin and nature of extreme energy cosm...
15190 We propose a precise ellipsometric method fo...
15191 Single-user multiple-input / multiple-output...
15192 Bistability and multistationarity are proper...
15193 Background: In silico drug-target interactio...
15194 Penalty-based variable selection methods are...
15195 In the last three decades, we have seen a si...
15196 The impact of the maximally possible batch s...
15197 We consider composite-composite testing prob...
15198 A data-based policy for iterative control ta...
15199 In this paper we investigate the metric prop...
15200 Transition metal dichalcogenides (TMDs) exhi...
15201 We review and modify the active set algorith...
15202 Let $M$ be a II$_1$ factor with a von Neuman...
15203 In statistics and machine learning, approxim...
15204 In this work, which is based on an essential...
15205 Classical linear regression is considered fo...
15206 In this paper we consider the Witten Laplaci...
15207 For $p > 1$ let a function $\varphi_p(x) = x...
15208 Here we report small-angle neutron scatterin...
15209 We derive asymptotic formulas for the soluti...
15210 We develop the general theory for the constr...
15211 Social network analysis provides meaningful ...
15212 Understanding the nature of bulges in disc g...
15213 Growth in both size and complexity of modern...
15214 We report a measurement of $KLL$ dielectroni...
15215 Growing interest in automatic speaker verifi...
15216 Face deidentification is an active topic amo...
15217 Comment on "Dependency distance: a new persp...
15218 Precision pulsar timing requires optimizatio...
15219 This article was withdrawn because (1) it wa...
15220 Traffic speed is a key indicator for the eff...
15221 We construct a family of vertex algebras ass...
15222 Approximate model counting for bit-vector SM...
15223 We develop a family of reformulations of an ...
15224 We examine dense self-gravitating stellar sy...
15225 We propose a new type of Hopf semimetals ind...
15226 We present an extensive study of the key pro...
15227 We report experimental studies of the influe...
15228 This paper provides a set of sensitivity ana...
15229 Online writers and journalism media are incr...
15230 Accurate prediction of suitable discourse co...
15231 Although reinforcement learning methods can ...
15232 In this paper, we propose a novel splitting ...
15233 The paper establishes the equality condition...
15234 The gap between our ability to collect inter...
15235 This paper is about models for a vector of p...
15236 The family of Information Dispersal Algorith...
15237 A group theoretical formulation of Schramm--...
15238 Although the explicit commutativitiy conditi...
15239 Radiative alpha-capture, ($\alpha,\gamma$), ...
15240 We recall first Gallai-simplicial complex $\...
15241 Ensuring that classifiers are non-discrimina...
15242 Currently, eXtensible Access Control Markup ...
15243 Based on the results published recently [J. ...
15244 Purpose: MRI cell tracking can be used to mo...
15245 We present a novel algorithm for learning th...
15246 We prove an equivalence between the infinite...
15247 We analyze three-dimensional hydrodynamical ...
15248 This paper tackles the reduction of redundan...
15249 We consider the Lasso for a noiseless experi...
15250 Transformer lifetime assessments plays a vit...
15251 Future projection of climate is typically ob...
15252 Random impedance networks are widely used as...
15253 Purpose: To compare two methods that use x-r...
15254 In many environments only a tiny subset of a...
15255 We study the dynamics of overdamped Brownian...
15256 The Ensemble Kalman methodology in an invers...
15257 Positron Emission Tomography (PET) is a func...
15258 Electrochemistry is the underlying mechanism...
15259 We build new algebraic structures, which we ...
15260 Given the n vertices of a convex polygon in ...
15261 For the analysis of molecular processes, the...
15262 We present microlensing events in the 2015 K...
15263 As researchers use computational methods to ...
15264 Skeleton-based human action recognition has ...
15265 In this work, we propose a novel method for ...
15266 A cognitive radar adapts the transmit wavefo...
15267 Imitation learning algorithms learn viable p...
15268 Shape memory alloys often show a complex hie...
15269 Recent advances in representation learning o...
15270 Deep convolutional neural networks (CNNs) ba...
15271 We introduce a Bayesian approach for modelin...
15272 We consider the minimization of submodular f...
15273 The evolution from superconducting LiTi2O4-d...
15274 Classes of locally compact groups having qua...
15275 Additively separable hedonic games and fract...
15276 We present a novel method to solve image ana...
15277 The inverse problem of antiplane elasticity ...
15278 We present a construction of a 2-Hilbert spa...
15279 This article describes the final solution of...
15280 Brain Electroencephalography (EEG) classific...
15281 We present a case-study demonstrating the us...
15282 Ensemble Kalman filter (EnKF) is an importan...
15283 This note is devoted to the study of the hom...
15284 This paper provides an alternative approach ...
15285 The construction of anisotropic triangulatio...
15286 Principal component analysis (PCA) and singu...
15287 Twenty-seven years ago, one of the biggest s...
15288 We present the second release of value-added...
15289 Machine learning can impact people with lega...
15290 Recently, resources and tasks were proposed ...
15291 A generic model for the shape optimization p...
15292 The manifold which admits a genus-$2$ reduci...
15293 The use of programming languages can wax and...
15294 We establish the link between Mathematical M...
15295 This book chapter introduces regression appr...
15296 Data and knowledge representation are fundam...
15297 The artificial axon is a recently introduced...
15298 In this paper a multi-objective mathematical...
15299 In this article we study the treewidth of th...
15300 Two meromorphic functions $f(z)$ and $g(z)$ ...
15301 During Rutherford cable production the wires...
15302 Interpreting the small-scale clustering of g...
15303 The synthesis, physical, photocatalytic, and...
15304 Suppose we are sending out $k$ robots from $...
15305 We present an implementation of the relativi...
15306 The problem of efficiently characterizing de...
15307 Convolutional sparse representations are a f...
15308 Principal component analysis (PCA) has well-...
15309 Single molecule magnets (SMMs) with single-i...
15310 Compressive sensing (CS) combines data acqui...
15311 We explore solutions for automated labeling ...
15312 For robots to coexist with humans in a socia...
15313 I give a brief overview of arXiv history, an...
15314 In recent years, realistic hydrodynamical si...
15315 Charge-neutral 180$^\circ$ domain walls that...
15316 Android apps should be designed to cope with...
15317 Strongly disordered spin chains invariant un...
15318 The use of opto-thermal molecular energy sto...
15319 Using hybrid exchange-correlation functional...
15320 During genomics life science research, the d...
15321 In the framework of the Laplacian transport,...
15322 Deep generative models have been wildly succ...
15323 We obtain the optimal Bayesian minimax rate ...
15324 We solve a lifecycle model in which the cons...
15325 We present a complete and consistent quantum...
15326 We investigate drag reduction due to the flo...
15327 The success of deep learning has led to a ri...
15328 In this paper, an original heuristic algorit...
15329 We derive in a direct way the exact controll...
15330 The strategy of sustainable development in t...
15331 This paper addresses the problem of automati...
15332 We prove the following conjecture of Leighto...
15333 We study transient behaviour in the dynamics...
15334 By assuming some widely-believed arithmetic ...
15335 Recently proposed model of foam impact on th...
15336 This paper discusses the synthesis, characte...
15337 The use of secure connections using HTTPS as...
15338 This paper addresses the question of whether...
15339 We generalise the notion of a separating int...
15340 The Limb-imaging Ionospheric and Thermospher...
15341 Calculating one-body density profiles in equ...
15342 Security exploits can include cyber threats ...
15343 We study the quantum dynamics of the Bose-Hu...
15344 The inception network has been shown to prov...
15345 We analyse Kepler light-curves of the exopla...
15346 We present an efficient and practical algori...
15347 Previous experiments have found mixed result...
15348 A deep learning model is proposed for predic...
15349 We define causal estimands for experiments o...
15350 In this paper, we show that sparse signals f...
15351 We report the results of X-ray spectroscopy ...
15352 Forthcoming applications concerning humanoid...
15353 Forward-backward selection is one of the mos...
15354 We explore the impact of dimensionality on t...
15355 A new type of quadrature is developed. The G...
15356 The protection number of a plane tree is the...
15357 For $e \in S^{2}$, the unit sphere in $\math...
15358 The classical Galois theory deals with certa...
15359 In our recent paper W.S. Rossi, P. Frasca an...
15360 Runtime Monitoring is a lightweight and dyna...
15361 Questions that require counting a variety of...
15362 The choice of model class is fundamental in ...
15363 We study a deep linear network expressed und...
15364 Reynold's parametricity theory captures the ...
15365 A program schema defines a class of programs...
15366 Polarized topics often spark discussion and ...
15367 We study the problem of cooperative multi-ag...
15368 Machine learning is increasingly prevalent i...
15369 Let $\mathbb Q^{n+1}_c$ be the complete simp...
15370 Plasticity in zirconium alloys is mainly con...
15371 Fourier optics, the principle of using Fouri...
15372 Density-based clustering relies on the idea ...
15373 This report provides an introduction to some...
15374 Let us say that an $n$-sided polygon is semi...
15375 The class of Cressie-Read empirical likeliho...
15376 The aim of this paper is to prove a generali...
15377 A set of density functionals coming from dif...
15378 We use a direct numerical integration of the...
15379 The efficient simulation of isotropic Gaussi...
15380 This paper is concerned with the initial-bou...
15381 We examine the velocity profile of coherent ...
15382 Estimating the human longevity and computing...
15383 Deep learning has given way to a new era of ...
15384 $\frac{3}{2}$-institutions have been introdu...
15385 It has been postulated that a good represent...
15386 A boundary value problem, which could repres...
15387 When a d-dimensional quantum system is subje...
15388 The data torrent unleashed by current and up...
15389 The ancient phrase, "All roads lead to Rome"...
15390 In this paper we study an anisotropic varian...
15391 In this paper we first study partial regular...
15392 This paper studies an optimal control proble...
15393 Kernel-based methods exhibit well-documented...
15394 Deep neural networks have gained tremendous ...
15395 In this paper we construct some regular sequ...
15396 We perform Zeeman spectroscopy on a Rydberg ...
15397 We propose a principled method for gradient-...
15398 Larger and deeper neural network architectur...
15399 This paper describes the experience of prepa...
15400 Drone delivery has been a hot topic in the i...
15401 The past decade has seen significant advance...
15402 Let $X$ be a locally compact zero-dimensiona...
15403 We show that the Gurarij space $\mathbb{G}$ ...
15404 In security-sensitive applications, the succ...
15405 The conventional cryptography solutions are ...
15406 We consider the online one-class collaborati...
15407 Controlling nanocircuits at the single elect...
15408 Autonomous AI systems will be entering human...
15409 As the complexity and size of software proje...
15410 This paper studies an auction design problem...
15411 One of the fundamental tasks in understandin...
15412 We compute the effects of generic short-rang...
15413 The refraction index of the quantized lossy ...
15414 The method of model averaging has become an ...
15415 Deep neural networks (DNNs) achieve state-of...
15416 We consider a refinement of differential pri...
15417 We define holomorphic quadratic differential...
15418 In this paper we use Python to implement two...
15419 Due to freely available, tailored software, ...
15420 This work addresses the problem of path trac...
15421 We study time decay estimates of the fourth-...
15422 The problem of recovering a signal from its ...
15423 The purpose of this note is to verify that t...
15424 In this paper we develop methods to extend t...
15425 Concentration inequalities form an essential...
15426 We consider the four structures $(\mathbb{Z}...
15427 The Kotliar and Ruckenstein slave-boson repr...
15428 Deep neural networks trained using a softmax...
15429 We consider decidability problems in self-si...
15430 We find that negative charges on an armchair...
15431 Deep neural networks (DNNs) have become incr...
15432 Attributed graphs model real networks by enr...
15433 Thermochemical models have been used in the ...
15434 Antibodies are a critical part of the immune...
15435 K$_3$Cu$_3$AlO$_2$(SO$_4$)$_4$ is a highly o...
15436 We offer an umbrella type result which exten...
15437 Parsing Expression Grammars (PEGs) are a for...
15438 This paper describes the Pressure Ulcers Onl...
15439 The study of brain networks, including deriv...
15440 In this paper, we obtain new results related...
15441 The major challenges of automatic track coun...
15442 Recently, impressive denoising results have ...
15443 Structure based ligand discovery is one of t...
15444 The Bayesian update can be viewed as a varia...
15445 We report the finding of unidirectional elec...
15446 In this paper we propose a mixture model, Sp...
15447 Image registration is a fundamental issue in...
15448 Many privacy mechanisms reveal high-level in...
15449 In the present work, we consider multi-fidel...
15450 Statistical performance bounds for reinforce...
15451 A proper semantic representation for encodin...
15452 We consider a variation of the problem of co...
15453 We describe and analyze an algorithm for com...
15454 In this paper, we propose a distributed iter...
15455 Let $\mathcal{A}(1)^*$ be the subHopf algebr...
15456 Every rational number p/q defines a rational...
15457 Many efficient algorithms with strong theore...
15458 Connections between nodes of fully connected...
15459 We use Boltzmann transport equation (BE) to ...
15460 We obtain a formula for the Turaev-Viro inva...
15461 The detection of frauds in credit card trans...
15462 A popular approach to semi-supervised learni...
15463 When applying Machine Learning techniques to...
15464 We consider a system of differential equatio...
15465 A low-complexity 8-point orthogonal approxim...
15466 The classical Descartes' rule of signs limit...
15467 Multiple sequence alignment (MSA) plays a ke...
15468 Evergreens in science are papers that displa...
15469 In this paper we propose a method to model s...
15470 In many applications, and in systems/synthet...
15471 Banach's fixed point theorem for contraction...
15472 This paper addresses the problem of coordina...
15473 In this note, we give a so-called representa...
15474 The importance of being able to verify quant...
15475 We introduce a spreading out technique to de...
15476 Deep learning algorithms for connectomics re...
15477 We consider the problem of classifying busin...
15478 The problem of analyzing the number of numbe...
15479 We introduce a new formulation of the Hidden...
15480 Sampling from the lattice Gaussian distribut...
15481 We propose the $S$-leaping algorithm for the...
15482 The goal of the present study is to develop ...
15483 If several independent algorithms for a comp...
15484 Unprecedented high volumes of data are becom...
15485 This paper focuses on best-arm identificatio...
15486 This work introduces a novel reinterpretatio...
15487 State-of-the-art automatic speech recognitio...
15488 We consider a compound testing problem withi...
15489 Researchers often have datasets measuring fe...
15490 We consider the framework proposed by Burgar...
15491 The 7th Symposium on Educational Advances in...
15492 The arrangements of particles and forces in ...
15493 We introduce several new constructions for p...
15494 We show that non-linear Schwarzian different...
15495 State estimation in heavy-tailed process and...
15496 We study a squeezed vacuum field generated i...
15497 In this paper, we describe improved algorith...
15498 In this paper, we consider multi-stage stoch...
15499 Constrained model predictive control (MPC) i...
15500 Traditional recommendation systems rely on p...
15501 Recently, end-to-end models have become a po...
15502 Sheng and Zuo's characteristic forms are inv...
15503 We investigate quantum graphs with infinitel...
15504 Recently, Ciufolini et al. reported on a tes...
15505 NGC 7793 P13 is an ultraluminous X-ray sourc...
15506 A new large-scale parallel multiconfiguratio...
15507 With the start of the Gaia era, the time has...
15508 We propose a multi-objective framework to le...
15509 Diarization of audio recordings from ad-hoc ...
15510 A model of incentive salience as a function ...
15511 These are lecture notes based on three lectu...
15512 We report the detection of extended Halpha e...
15513 We consider the problem of estimating a larg...
15514 In this paper, the parameter estimation prob...
15515 We introduce a new method to qualify the goo...
15516 For non-Gaussian stochastic dynamical system...
15517 We study modal team logic MTL, the team-sema...
15518 We propose Cooperative Training (CoT) for tr...
15519 We associate to each iterated function syste...
15520 In this paper, we study the energy decay for...
15521 We study a scenario in which the baryon asym...
15522 No-insulation (NI) REBCO magnets have many a...
15523 In this paper, we propose an implicit gradie...
15524 We compute the Frobenius number for sequence...
15525 Solitary waves propagation of baryonic densi...
15526 Recent Einstein-Podolsky-Rosen-Bohm experime...
15527 There exist tilings of the plane with pairwi...
15528 In this paper, we study the Cauchy problem f...
15529 We propose a general framework called Networ...
15530 In this paper we study the systole growth of...
15531 A featured transition system is a transition...
15532 We introduce a Schrödinger model for the uni...
15533 When analysing new emerging infectious disea...
15534 We evolve binary mux-6 trees for up to 10000...
15535 OpenStreetMap offers a valuable source of wo...
15536 Detection of a planetary ring of exoplanets ...
15537 Scientific discovery via numerical simulatio...
15538 Dimension reduction is often a preliminary s...
15539 A flag domain of a real from $G_0$ of a comp...
15540 The nominal transition systems (NTSs) of Par...
15541 We solve a problem of R. Nandakumar by provi...
15542 Phase limitations of both continuous-time an...
15543 We investigate, using 3D hydrodynamic simula...
15544 We propose a simple and generic layer formul...
15545 Stellar shells are low surface brightness ar...
15546 We present a monitoring approach for verifyi...
15547 In recent years, deep learning algorithms ha...
15548 In this paper, adaptive non-uniform compress...
15549 In order to automate verification process, r...
15550 We survey problems and results from combinat...
15551 A recently proposed learning algorithm for m...
15552 We consider the recovery of regression coeff...
15553 By way of the nonequilibrium Green's functio...
15554 The liar paradox is widely seen as not a ser...
15555 This Chapter, "High-dimensional ABC", is to ...
15556 Unlike the Web where each web page has a glo...
15557 In this chapter, we introduce digital hologr...
15558 Data compression is a popular technique for ...
15559 The task of translating between programming ...
15560 Initializing all elements of an array to a s...
15561 We present a simple generative framework for...
15562 This paper presents a probabilistic method f...
15563 Mobile-Edge Computing (MEC) is an emerging p...
15564 We discuss the three spacetime dimensional $...
15565 We observed 15 of the solar-type binaries wi...
15566 For integers $n$ and $k$, the density Hales-...
15567 This paper explores the entertainment experi...
15568 Blind deconvolution is a ubiquitous problem ...
15569 We illustrate the potential applications in ...
15570 In the paper we investigate power law for Pa...
15571 Wholesale electricity market designs in prac...
15572 Fan et al. (2015) recently introduced a rema...
15573 With the goal of making high-resolution fore...
15574 PAWS is a tool to analyse the behaviour of w...
15575 Measurements of plasma electric fields are e...
15576 R is a popular language and programming envi...
15577 Humans are routinely asked to evaluate the p...
15578 Path planning is an important problem in rob...
15579 A deep-learning inference accelerator is syn...
15580 The problem of determining those multiplets ...
15581 Over the last decade, researchers and engine...
15582 Based on independently distributed $X_1 \sim...
15583 Interpretation of electroencephalogram (EEG)...
15584 Feigin-Stoyanovsky's type subspaces for affi...
15585 We present two related methods for deriving ...
15586 We present a measurement of baryon acoustic ...
15587 We examine the 2008-2016 $\gamma$-ray and op...
15588 The ground state of the diatomic molecules i...
15589 T2K (Tokai-to-Kamioka) is a long-baseline ne...
15590 For a general class of contractions of a var...
15591 We present the first simultaneous photometri...
15592 We realize scattering states in a lossy and ...
15593 We present a simple model of a non-equilibri...
15594 A theoretical study of the current-driven dy...
15595 In this paper we prove a rigidity result for...
15596 We introduce an algebra model to study highe...
15597 For the problems of nonparametric hypothesis...
15598 A major goal of unsupervised learning is to ...
15599 A conformal coating technique with nanocarbo...
15600 Context. The 4th release of the SDSS Moving ...
15601 The critical behavior of the random transver...
15602 In this paper we extend the known methodolog...
15603 User participation in online communities is ...
15604 The detection of software vulnerabilities (o...
15605 We investigate the problem of learning discr...
15606 We consider orthogonal decompositions of inv...
15607 In this paper, we propose a novel object pro...
15608 We study the effects of quantum fluctuations...
15609 Independent component analysis (ICA) is a co...
15610 As a general and thus popular model for auto...
15611 In 2015, Barber and Candes introduced a new ...
15612 This paper is a sequel to [He11] and [GH17]....
15613 We propose SoaAlloc, a dynamic object alloca...
15614 The radiological characterization of contami...
15615 In this note we derive the backward (automat...
15616 Fundamental atomic parameters, such as oscil...
15617 Hamiltonian Truncation (a.k.a. Truncated Spe...
15618 A critical and challenging problem in reinfo...
15619 High penetration of renewable energy source ...
15620 We summarize our recent findings, where we p...
15621 Intensive studies for more than three decade...
15622 The Vector AutoRegressive Moving Average (VA...
15623 By investigating information flow between a ...
15624 Most popular strategies to capture subjectiv...
15625 The world is connected through the Internet....
15626 Random network models play a prominent role ...
15627 Large-scale dipolar surface magnetic fields ...
15628 The focusing NLS equation is the simplest un...
15629 We present the first discoveries from a surv...
15630 We prove that if a solution of the time-depe...
15631 One of the most puzzling features of high-te...
15632 Thermal noise is expected to be one of the n...
15633 In an effort to understand the meaning of th...
15634 We investigate how star formation efficiency...
15635 In hybrid digital-analog (HDA) systems, reso...
15636 We present an experimental study on the non-...
15637 To aid a variety of research studies, we pro...
15638 The protection of user privacy is an importa...
15639 We have studied the peculiarities of selecti...
15640 The lambda-calculus is a peculiar computatio...
15641 This paper can be viewed as a sequel to the ...
15642 This paper proposes a new algorithm for reco...
15643 The mechanical properties of the cell depend...
15644 The widespread adoption and dissemination of...
15645 The interaction of (CH3-C5H4)Pt(CH3)3\n((met...
15646 We examine the H$\beta$ Lick index in a samp...
15647 We present a collective coordinate approach ...
15648 The class of selfdecomposable distributions ...
15649 In cloud storage systems, hot data is usuall...
15650 The binomial system is an electoral system u...
15651 We prove a highly uniform stability or "almo...
15652 pandapower is a Python based, BSD-licensed p...
15653 We consider light-induced binding and motion...
15654 We study rates of convergence in central lim...
15655 Anomaly detection aims to detect abnormal ev...
15656 A magnetic adatom chain, proximity coupled t...
15657 Certain fibered hyperbolic 3-manifolds admit...
15658 Graph representations offer powerful and int...
15659 Computational Fluid Dynamics (CFD) is a huge...
15660 While first-order optimization methods such ...
15661 We consider the stochastic shortest path (SS...
15662 We study existence and properties of one-dim...
15663 A Turmit is a Turing machine that works over...
15664 Bitcoin and other cryptocurrencies have surg...
15665 Let $\mathbb{K}$ be an infinite field. We pr...
15666 We present the properties of a magneto-optic...
15667 In this paper we construct a non-autonomous ...
15668 Performance-critical machine learning models...
15669 This paper presents a realization of the app...
15670 Fractional quantum Hall-superconductor heter...
15671 In this paper we present the first results o...
15672 Encoder-decoder GANs architectures (e.g., Bi...
15673 In this paper, we are concerned with the exi...
15674 We study the action of monads on categories ...
15675 Evacuation is one of the main disaster manag...
15676 The discovery of topological insulators has ...
15677 Deep convolutional neural network (CNN) infe...
15678 The formation of large voids in the Cosmic W...
15679 The stability of sequence replication was cr...
15680 In this paper we obtain the variational char...
15681 Recent work has demonstrated that neural net...
15682 We present a first internal delensing of CMB...
15683 By introducing programmability, automated ve...
15684 In today's cyber-enabled smart grids, high p...
15685 In this article, we provide a new algorithm ...
15686 The geodetic VLBI technique is capable of me...
15687 An unbiased estimator for the ellipticity of...
15688 There have been several spectral bounds for ...
15689 In this paper we extend the works of Tancer ...
15690 In this paper, we present our approach to so...
15691 Acquisition of labeled training samples for ...
15692 In this paper, a sparse Markov decision proc...
15693 The dust-forming nova V2676 Oph is unique in...
15694 This article consists of two parts. In Part ...
15695 Data stream mining problem has caused widely...
15696 We investigate the low-energy scaling behavi...
15697 Positively (resp. negatively) associated poi...
15698 With the increasing abundance of 'digital fo...
15699 We present a finite difference time domain (...
15700 This paper investigates the achievable rates...
15701 We consider the problem of probabilistic pro...
15702 Persistent homology typically studies the ev...
15703 Using focused electron-beam-induced depositi...
15704 Developing efficient numerical algorithms fo...
15705 We study optical forces acting upon semicond...
15706 Inter-subject variability between individual...
15707 Bell inequalities are usually derived by ass...
15708 In this paper, we find explicit formulas for...
15709 e-ASTROGAM (enhanced ASTROGAM) is a breakthr...
15710 We report magnetic and thermodynamic propert...
15711 In this paper, we introduce the concept of E...
15712 This work proposes a new, online algorithm f...
15713 Given an orthogonal polygon $ P $ with $ n $...
15714 A standard theorem in nonsmooth analysis sta...
15715 We propose a class of intrinsic Gaussian pro...
15716 Most existing approaches to co-existing comm...
15717 In many settings, it is important that a mod...
15718 In a language corpus, the probability that a...
15719 Many prediction problems, such as those that...
15720 We propose a universal experiment to measure...
15721 We derive an explicit formula for the scalar...
15722 This paper presents a multi-pose face recogn...
15723 The twisted equivariant K-theory given by Fr...
15724 We report observations of magnetoresistance,...
15725 Fréchet mean and variance provide a way of o...
15726 The "backward simulation" of a stochastic pr...
15727 We present Spectral Inference Networks, a fr...
15728 Appropriate models for spatially autocorrela...
15729 We investigate learning of the differential ...
15730 To investigate whether training load monitor...
15731 We spectroscopically investigate the hyperfi...
15732 We describe a Hopf ring structure on the dir...
15733 In one-way quantum computation (1WQC) model,...
15734 In this note, we shall compute the categoric...
15735 With the development and widespread use of w...
15736 In the study of subdiffusive wave-packet spr...
15737 The origin of the activity in the solar coro...
15738 Online creative communities have been able t...
15739 The mutual-exclusion property of locks stand...
15740 The concepts of unitary evolution matrices a...
15741 Gene regulatory networks play a crucial role...
15742 In this paper, we discuss recent results abo...
15743 In the present paper we demonstrate the resu...
15744 Vision-language navigation (VLN) is the task...
15745 Fermilab is committed to upgrading its accel...
15746 For a given cluster-tilted algebra $A$ of ta...
15747 This article discusses how the automation of...
15748 Conventional methods of estimating latent be...
15749 We propose a rescaled LASSO, by premultipyin...
15750 We present the results of smoothed particle ...
15751 Redox flow batteries (RFBs) are potential so...
15752 In this work we have analyzed the magnetocal...
15753 In the framework of MSSM inflation, matter a...
15754 Blind spots are one of the causes of road ac...
15755 In this paper we study Rota-Baxter modules w...
15756 Viral videos can reach global penetration tr...
15757 In this work, we find an equation that relat...
15758 The Logic Programming through Prolog has bee...
15759 In the paper, we show that the transformatio...
15760 Let $n\geq k\geq 2$ be two integers and $S$ ...
15761 Electromagnetic properties of single crystal...
15762 We set out to quantify the number density of...
15763 Probabilistic load forecasts provide compreh...
15764 We show non-linear stability and instability...
15765 In this article, the JAGS software program i...
15766 Model based iterative reconstruction (MBIR) ...
15767 Negotiation diagrams are a model of concurre...
15768 The theory of Hitchin systems is something l...
15769 Confidence is a fundamental concept in stati...
15770 We investigate symmetry reduction of optimal...
15771 We provide a new and simple characterization...
15772 Accelerated gradient (AG) methods are breakt...
15773 We use Energy Packet Network paradigms to in...
15774 In this paper we prove a refined version of ...
15775 In a recent paper M. Lopez-Suarez, I. Neri, ...
15776 Let $(\sigma,\delta)$ be a quasi derivation ...
15777 The aim of this paper, is to define a bivari...
15778 Despite its attractive features, Congruent-m...
15779 Taobao, as the largest online retail platfor...
15780 We consider recursive decoding techniques fo...
15781 We report on the design and performance of a...
15782 This paper provides efficient solutions to m...
15783 We study the higher gradient integrability o...
15784 Careful analyses of photometric and star cou...
15785 The global crisis of 2008 provoked a heighte...
15786 Identifying arbitrary topologies of power ne...
15787 Gaussian belief propagation (BP) has been wi...
15788 We provided an analogue Banach-Alaoglu theor...
15789 We consider the problem of enabling robust r...
15790 Incentivized advertising is a new ad format ...
15791 The self-annihilation of dark matter particl...
15792 We prove the orbifold version of Zvonkine's ...
15793 We study connected, locally compact metric s...
15794 We prove an abstract theorem giving a $\lang...
15795 User-based Collaborative Filtering (CF) is o...
15796 Direct imaging of exoplanets requires the de...
15797 The rapidly growing number of large network ...
15798 In this paper we prove that the gradient ide...
15799 Image instance retrieval is the problem of r...
15800 We study phase transitions in a two dimensio...
15801 In this work, the study of thermal conductiv...
15802 We investigate the forecasting ability of th...
15803 Recent years have seen the increasing need o...
15804 The massive popularity of online social medi...
15805 We investigate the characteristics of factua...
15806 In this paper we develop a conservative shar...
15807 Among several developments, the field of Eco...
15808 Two-dimensional (2D) materials, such as grap...
15809 We perform ultrasound velocity measurements ...
15810 We propose a one-class neural network (OC-NN...
15811 An open-source vehicle testbed to enable the...
15812 We consider the minimization of non-convex f...
15813 Following the advent of electromagnetic meta...
15814 Community structure describes the organizati...
15815 Weak attractive interactions in a spin-imbal...
15816 The aim of this paper is to study two-weight...
15817 We say that an algorithm is stable if small ...
15818 Turing test was long considered the measure ...
15819 We investigate the basic thermal, mechanical...
15820 We present Magnetohydrodynamic (MHD) simulat...
15821 Discovering statistical structure from links...
15822 The signature of closed oriented manifolds i...
15823 We develop new closed form representations o...
15824 We studied intermediate filaments (IFs) in t...
15825 Using the Purple Mountain Observatory Deling...
15826 When we test a theory using data, it is comm...
15827 This paper presents a clustering approach th...
15828 Double-stranded DNA may contain mismatched b...
15829 In the setting of a weighted combinatorial f...
15830 In this paper we characterize the surjective...
15831 Existing visual reasoning datasets such as V...
15832 In this article we characterize all possible...
15833 Base station cooperation in heterogeneous wi...
15834 SrRuO$_3$ (SRO) films are known to exhibit i...
15835 We prove local well-posedness in regular spa...
15836 We study a question which has natural interp...
15837 In this paper, we propose a dynamical system...
15838 In this paper we consider a general matrix f...
15839 Error bound conditions (EBC) are properties ...
15840 The runtime performance of modern SAT solver...
15841 Little is known about how different types of...
15842 Te NMR studies were carried out for the bism...
15843 We discuss the Ricci-flat `model metrics' on...
15844 Motivated by station-keeping applications in...
15845 We carried out molecular dynamics simulation...
15846 We show that a subcategory of the $m$-cluste...
15847 The SoLid collaboration have developed an in...
15848 In this paper, we propose a novel scheme for...
15849 We consider asymptotic normality of linear r...
15850 This document contains the notes of a lectur...
15851 We demonstrate the presence of chaos in stoc...
15852 Question-answering (QA) on video contents is...
15853 This work proposes a study of quality of ser...
15854 We introduce the notion of $K$-ideals associ...
15855 Given functional data samples from a surviva...
15856 We determine three invariants: Arnold's $J^+...
15857 Being motivated by the problem of deducing $...
15858 Biomedical sciences are increasingly recogni...
15859 Given a classical channel, a stochastic map ...
15860 Model compression is significant for the wid...
15861 Thunderstorms produce strong electric fields...
15862 Cox proportional hazards model with measurem...
15863 In this paper, we study the efficiency of eg...
15864 Learning to drive faithfully in highly stoch...
15865 Anomaly detection (AD) task corresponds to i...
15866 An accurate calculation of proton ranges in ...
15867 We show that the level sets of automorphisms...
15868 Machine learning algorithms are typically ru...
15869 In this work, we consider the detection of m...
15870 The recent rapid progress in observations of...
15871 The memory-type control charts, such as EWMA...
15872 In this short note, we obtain error estimate...
15873 The observed constraints on the variability ...
15874 In this work, we introduce pose interpreter ...
15875 A regularized risk minimization procedure fo...
15876 One of the primary objectives of human brain...
15877 Deep generative models have achieved impress...
15878 Face recognition (FR) methods report signifi...
15879 Ellenberg and Gijswijt gave recently a new e...
15880 We study the role of environment in the evol...
15881 We investigate the configuration space of th...
15882 Earlier this decade, the so-called FEAST alg...
15883 For an element $a$ of a monoid $H$, its set ...
15884 In the increasing interests on spin-orbit to...
15885 Static program analysis is used to summarize...
15886 A major challenge in solar and heliospheric ...
15887 In this paper we construct explicit smooth s...
15888 Common clustering algorithms require multipl...
15889 In implicit models, one often interpolates b...
15890 In [1] we consider an optimal control proble...
15891 In this paper, we consider a stochastic mode...
15892 We describe a set of tools, services and str...
15893 In this article we investigate the Duisterma...
15894 This paper examines the behavior of the pric...
15895 In line with its terms of reference the ICFA...
15896 Many scientific data sets contain temporal d...
15897 As the first step to model emotional state o...
15898 In many situations across computational scie...
15899 We present a tutorial on the determination o...
15900 In this work, we propose a simple but effect...
15901 Adversarial learning of probabilistic models...
15902 Inference using deep neural networks is ofte...
15903 We consider the factorization problem of mat...
15904 This paper presents a study of the metaphori...
15905 We show that the orthogonal projection opera...
15906 We determine the joint limiting distribution...
15907 In this paper, we prove some fundamental the...
15908 We use the LDA+U approach to search for poss...
15909 In the last decades a vaste amount of eviden...
15910 Nuclear starburst discs (NSDs) are star-form...
15911 Despite their vast morphological diversity, ...
15912 It is well-known that random-coefficient AR(...
15913 Hilsum-Skandalis maps, from differential geo...
15914 We present an explicit version of Berger, Co...
15915 The paper provides results for the applicati...
15916 Polyethylene Naphtalate (PEN) is a mechanica...
15917 This is an expanded version of the third aut...
15918 We consider the prehomogeneous vector space ...
15919 Tasks like code generation and semantic pars...
15920 The derivation of approximate wave functions...
15921 'Oumuamua, the first bona-fide interstellar ...
15922 The implementation of discontinuous Galerkin...
15923 The quantity and distribution of land which ...
15924 We conduct an extensive empirical study on s...
15925 Let $H$ be a subgroup of the fundamental gro...
15926 We analyze a dataset providing the complete ...
15927 We present a systematical study via scanning...
15928 In this paper, we propose novel generative m...
15929 We investigate a mixed 0-1 conic quadratic o...
15930 The atmospheres of exoplanets reveal all the...
15931 In concurrent systems, some form of synchron...
15932 Gaussian graphical models are used for deter...
15933 While deep learning models have achieved sta...
15934 For a unit vector field on a closed immersed...
15935 The Lyapunov rank of a proper cone $K$ in a ...
15936 Detecting feature interactions is imperative...
15937 Molecular adsorption on surfaces plays an im...
15938 We theoretically investigate the mechanism t...
15939 The analysis of cancer genomic data has long...
15940 The graph Fourier transform (GFT) is in gene...
15941 Neural networks are capable of learning rich...
15942 In the prize-collecting Steiner forest (PCSF...
15943 There is a large literature on semiparametri...
15944 We study discretizations of polynomial proce...
15945 In this paper, we propose a new method for e...
15946 We present an extragalactic survey using obs...
15947 For a degenerate autonomous Kirchhoff equati...
15948 The Doppler tracking data of the Chang'e 3 l...
15949 Modern tracking technology has made the coll...
15950 We propose a Topic Compositional Neural Lang...
15951 We numerically investigate the electronic tr...
15952 Generative modeling of high dimensional data...
15953 In this paper we consider a $d$-dimensional ...
15954 In this paper we prove explicit formulas for...
15955 We consider the problem of optimal budget al...
15956 We study unsupervised generative modeling in...
15957 In this paper, we study the Gauss map of a f...
15958 Computational approaches to finding non-triv...
15959 We present a variation of the Autoencoder (A...
15960 Planning motions for two robot arms to move ...
15961 The Short-Baseline Neutrino (SBN) Program is...
15962 A novel algorithm is proposed for CANDECOMP/...
15963 Testing (conditional) independence of multiv...
15964 Despite their overwhelming capacity to overf...
15965 The J-integral is recognized as a fundamenta...
15966 Revealed preference theory studies the possi...
15967 Our view of the universe of genomic regions ...
15968 In this article, we discuss a verification s...
15969 We use plasmon rulers to follow the conforma...
15970 It is shown that the total set of equations,...
15971 Short circuit ratio (SCR) is widely applied ...
15972 In this work, we addressed the issue of appl...
15973 Large-batch SGD is important for scaling tra...
15974 Recent years have seen a flurry of activitie...
15975 New numerical solutions to the so-called sel...
15976 We report on SPT-CLJ2011-5228, a giant syste...
15977 One of the most interesting features of Baye...
15978 In this paper we prove the existence of a no...
15979 The paper aims to apply the complex octonion...
15980 Knowledge graphs are a versatile framework t...
15981 With the emerging of smart grid techniques, ...
15982 Thanks to multi-spacecraft mission, it has r...
15983 For a field $k$, we prove that the $i$th hom...
15984 High-signal to noise observations of the Ly$...
15985 The intermediate-valence compound SmB6 is a ...
15986 The dramatic increase in data and connectivi...
15987 Techniques known as Nonlinear Set Membership...
15988 Despite enormous progress in object detectio...
15989 This paper considers a network of sensors wi...
15990 Recently, an open geometry Fourier modal met...
15991 We apply Lieb-Robinson bounds for multi-comm...
15992 Cloud users have little visibility into the ...
15993 In this paper a new hp-adaptive strategy for...
15994 Recent space missions have provided informat...
15995 Titanium dioxide (TiO2) is a wide band gap s...
15996 Generative Adversarial Nets (GANs) represent...
15997 At present, the cloud storage used in search...
15998 The control of the electron spin by external...
15999 We report on the observation of phase space ...
16000 For a unimodular random graph $(G,\rho)$, we...
16001 This paper presents a self-supervised method...
16002 TraQuad is an autonomous tracking quadcopter...
16003 Persistence diagrams have been widely recogn...
16004 In a pair of recent papers, Andrews, Fraenke...
16005 Mobile computing is one of the main drivers ...
16006 The mid-infrared (MIR) spectral range, perta...
16007 Networks of elastic fibers are ubiquitous in...
16008 An elliptic curve $E$ defined over a $p$-adi...
16009 Android apps cooperate through message passi...
16010 The usability of small devices such as smart...
16011 We construct a complexity-based morphospace ...
16012 We use the coupled cluster method (CCM) to s...
16013 We study a polyhedron with $n$ vertices of f...
16014 We develop a theory of weakly interacting fe...
16015 The heterogeneity-gap between different moda...
16016 This paper analyzes the iteration-complexity...
16017 Vehicle bypassing is known to negatively aff...
16018 We use a secular model to describe the non-r...
16019 This note investigates the stability of both...
16020 We develop terminology and methods for worki...
16021 This paper introduces a new surgical end-eff...
16022 Assisted by the availability of data and hig...
16023 Can deep learning (DL) guide our understandi...
16024 Quantum functional inequalities (e.g. the lo...
16025 This paper proposes a new family of algorith...
16026 We propose a generalization of the best arm ...
16027 In this paper, we study a new class of Finsl...
16028 Optimal Transport has recently gained intere...
16029 We present a novel analysis of the metal-poo...
16030 Recently, the intervention calculus when the...
16031 In this note, we present a new proof that th...
16032 We study the stochastic homogenization for a...
16033 This article presents a survey on automatic ...
16034 The technical details of a balloon stratosph...
16035 Self-driving technology is advancing rapidly...
16036 A synoptic view on the long-established theo...
16037 The nucleation and growth of calcite is an i...
16038 The Galactic magnetic field (GMF) plays a ro...
16039 The mechanisms by which organs acquire their...
16040 With the National Toxicology Program issuing...
16041 We answer the following long-standing questi...
16042 We investigated an out-of-plane exchange bia...
16043 Recommendation systems are widely used by di...
16044 Complex Event Processing (CEP) has emerged a...
16045 In electroencephalography (EEG) source imagi...
16046 We present a multi-wavelength compilation of...
16047 The concept of distance covariance/correlati...
16048 This letter presents a novel method to estim...
16049 We show, that in contrast to the free electr...
16050 Decision-makers are faced with the challenge...
16051 We present a new Q-function operator for tem...
16052 We study the entanglement entropy of gapped ...
16053 This paper is concerned with two frequency-d...
16054 Gravitational clustering in the nonlinear re...
16055 Independent Component Analysis (ICA) is the ...
16056 The round trip time of the light pulse limit...
16057 The continuity of the gauge fixing condition...
16058 Asymptotic theory for approximate martingale...
16059 Malignant melanoma has one of the most rapid...
16060 We consider the problem of improving kernel ...
16061 Various measures can be used to estimate bia...
16062 The entropy of a quantum system is a measure...
16063 When studying tropical cyclones using the $f...
16064 We present the Voice Conversion Challenge 20...
16065 In a companion paper, we developed an effici...
16066 We introduce Imagination-Augmented Agents (I...
16067 We study the impact of quenched disorder (ra...
16068 A remote-sensing system that can determine t...
16069 Can an algorithm create original and compell...
16070 The paper discusses the challenges of facete...
16071 The reconstruction of a species phylogeny fr...
16072 A new amortized variance-reduced gradient (A...
16073 This paper considers a novel framework to de...
16074 Nanostructures with open shell transition me...
16075 In the inverse problem of the calculus of va...
16076 Let $\mathbb{K}$ be an algebraically closed ...
16077 Conventional textbook treatments on electrom...
16078 With a large number of sensors and control u...
16079 Confidence interval procedures used in low d...
16080 Surface-functionalized nanomaterials can act...
16081 Nyquist ghost artifacts in EPI images are or...
16082 In the classical binary search in a path the...
16083 The ADAM optimizer is exceedingly popular in...
16084 Wholesale electricity markets are increasing...
16085 It has been recently demonstrated that textu...
16086 Research on automated image enhancement has ...
16087 The radially outward flow of fluid through a...
16088 Even though transitivity is a central struct...
16089 The Hohenberg-Kohn theorem plays a fundament...
16090 Digital sculpting is a popular means to crea...
16091 Since a tweet is limited to 140 characters, ...
16092 In this paper, we consider precoder designs ...
16093 Sampling random graphs is essential in many ...
16094 Forecasting fault failure is a fundamental b...
16095 New upper limit on a mixing parameter for hi...
16096 The three gap theorem, also known as the Ste...
16097 21 st century astrophysicists are confronted...
16098 We give an elementary proof for the fact tha...
16099 Predicting unobserved entries of a partially...
16100 Browsing and finding relevant information fo...
16101 Let $P$ be a graph with a vertex $v$ such th...
16102 We extend the Theory of Computation on real ...
16103 Capsule Networks have shown encouraging resu...
16104 An adversarial attack is an exploitative pro...
16105 A detailed Monte Carlo-study of the satisfia...
16106 The FEAST eigenvalue algorithm is a subspace...
16107 Planar magnetic structures (PMSs) are period...
16108 The feature map obtained from the denoising ...
16109 Learning algorithms for energy based Boltzma...
16110 The dark energy plus cold dark matter ($\Lam...
16111 Alternating minimization heuristics seek to ...
16112 In this paper, we prove that positivity of d...
16113 For primordial black holes (PBH) to be the d...
16114 Supervised speech separation uses supervised...
16115 A challenge in isogeometric analysis is cons...
16116 This paper provides a theoretical justificat...
16117 We report the first experimental demonstrati...
16118 We study upper bounds on Weierstrass primary...
16119 We prove that certain conditions on multigra...
16120 Recent work in learning ontologies (hierarch...
16121 In the past decade, the discovery of active ...
16122 We define and study a probability monad on t...
16123 Design of robotic systems that safely and ef...
16124 The aim of this paper is to show both analyt...
16125 Scalable quantum photonic systems require ef...
16126 Tasks such as search and recommendation have...
16127 We investigate the ground-state properties a...
16128 Waves can be used to probe and image an unkn...
16129 We investigate the Anderson localization in ...
16130 Using a 10D lift of non-perturbative volume ...
16131 Background: Pairwise and network meta-analys...
16132 A central question in statistical learning i...
16133 In machine learning ensemble methods have de...
16134 We demonstrate the full functionality of a c...
16135 In this paper, we derive a family of fast an...
16136 This paper develops variational continual le...
16137 In the multiple testing problem with indepen...
16138 This paper investigates, from information th...
16139 The invariant is one of central topics in sc...
16140 Windowed orthogonal frequency-division multi...
16141 Neural networks have recently had a lot of s...
16142 We investigate that no-knowledge measurement...
16143 Earthquakes at seismogenic plate boundaries ...
16144 We study a continuous-time asset-allocation ...
16145 The proliferation of fake news on social med...
16146 There has recently been a growing interest i...
16147 We seek to infer the parameters of an ergodi...
16148 TextCNN, the convolutional neural network fo...
16149 As political polarization in the United Stat...
16150 We present a probabilistic approach to gener...
16151 Recent advances in generative adversarial ne...
16152 Feature extraction becomes increasingly impo...
16153 Sentiment classification and sarcasm detecti...
16154 This review paper discusses how context has ...
16155 A pair of type-II Dirac cones in PdTe$_2$ wa...
16156 We propose a novel Metropolis-Hastings algor...
16157 We present a weak lensing analysis of a samp...
16158 The complexity of knowledge production on co...
16159 We classify certain subcategories in quotien...
16160 Here we present a new approach to search for...
16161 Statistical analyses of urban environments h...
16162 In this paper a technique is suggested to in...
16163 In this manuscript, we generalize F-calculus...
16164 A longstanding goal of behavior-based roboti...
16165 This paper introduces a new member of the fa...
16166 Results in Wasan geometry of tangents circle...
16167 The beta family owes its privileged status w...
16168 We investigate the mean curvature flows in a...
16169 Finite-difference methods are widely used in...
16170 In this work we propose an ontology to suppo...
16171 We present a technique for efficiently synth...
16172 We study the size and the complexity of comp...
16173 Artificial Intelligence federates numerous s...
16174 Elementary net systems (ENS) are the most fu...
16175 The three exceptional lattices, $E_6$, $E_7$...
16176 Analysis of conjugate natural convection wit...
16177 Anosov representations of word hyperbolic gr...
16178 We examine the role of memorization in deep ...
16179 Recent advances in 3D fully convolutional ne...
16180 We study the phase diagram of a minority gam...
16181 The complexity of Philip Wolfe's method for ...
16182 In this work, by using strong gravitational ...
16183 Hydrogen peroxide (H2O2) is an important sig...
16184 Many organisms repartition their proteome in...
16185 We present an investigation into the intrins...
16186 We present an explicit construction of the m...
16187 We report the development and validation of ...
16188 Global registration of multi-view robot data...
16189 In this paper we introduce variable exponent...
16190 The robust PCA problem, wherein, given an in...
16191 We study the Postnikov tower of the classify...
16192 Using a dataset of over 1.9 million messages...
16193 The Muon g-2 Experiment plans to use the Fer...
16194 Collecting training data from the physical w...
16195 Alternating minimization, or Fienup methods,...
16196 In this work, we develop an importance sampl...
16197 The existence or absence of non-analytic cus...
16198 We explore ways of creating cold keV-scale d...
16199 Developing algorithms for solving high-dimen...
16200 Spatio-temporal data and processes are preva...
16201 We develop an optimization model and corresp...
16202 Superhydrophobic surfaces (SHSs) have the po...
16203 This paper considers the problem of recoveri...
16204 Speech separation is the task of separating ...
16205 In reinforcement learning, the state of the ...
16206 We assess the range of validity of sgoldstin...
16207 Foveal vision makes up less than 1% of the v...
16208 In a previous paper, we assembled a collecti...
16209 Let $\mathbb{F}_p$ be a prime field of order...
16210 We prove that the family of lattices ${\rm S...
16211 Clustering is one of the most universal appr...
16212 We discuss the parametric oscillatory instab...
16213 Suppose that we have a compact Kähler manifo...
16214 In 1835 Lobachevski entertained the possibil...
16215 In this note we show that for a given irredu...
16216 We present the analysis of microlensing even...
16217 Misunderstanding of driver correction behavi...
16218 The Internet of Things (IoT) is intended for...
16219 Graphs are naturally sparse objects that are...
16220 A finite dimensional operator that commutes ...
16221 A probabilistic framework is proposed for th...
16222 When an upstream steady uniform supersonic f...
16223 One of the consequences of passing from mass...
16224 We provide a new perspective on fracton topo...
16225 With the large-scale penetration of the inte...
16226 In this paper, we propose a novel supervised...
16227 In this paper, we develop a system for the l...
16228 It is well known that every finite simple gr...
16229 The electronic and magneto transport propert...
16230 New types of machine learning hardware in de...
16231 Nowadays we have many methods allowing to ex...
16232 We introduce the persistent homotopy type di...
16233 In this paper, we determine the optimal conv...
16234 The superconductivity of the 4-angstrom sing...
16235 The behavior of the simplex algorithm is a w...
16236 In this paper, we present a regression frame...
16237 Recently, along with the emergence of food s...
16238 We study topological structure of the $\omeg...
16239 The discovery of topological states of matte...
16240 We propose a dynamical system of tumor cells...
16241 Explaining the unexpected presence of dune-l...
16242 The challenge of sharing and communicating i...
16243 The use of sparse precision (inverse covaria...
16244 Let $s \geq 3$ be a fixed positive integer a...
16245 One possible approach to tackle the class im...
16246 In this paper, we propose a new robustness n...
16247 Fusing satellite observations and station me...
16248 The goal of this paper is to examine experim...
16249 Person identification technology recognizes ...
16250 The present paper is motivated by one of the...
16251 We characterize the approximate monomial com...
16252 We present a non-perturbative numerical tech...
16253 In the present paper, we introduce some new ...
16254 Knowledge graphs enable a wide variety of ap...
16255 In several geophysical applications, such as...
16256 A directed acyclic graph G = (V, E) is pseud...
16257 A network-based approach is presented to inv...
16258 This study is devoted to the polynomial repr...
16259 Today, in digital forensics, images normally...
16260 Topological metrics of graphs provide a natu...
16261 Reservoir characterization involves the esti...
16262 Deep learning applies hierarchical layers of...
16263 We study the multi-armed bandit (MAB) proble...
16264 Weyl points with monopole charge $\pm 1$ hav...
16265 A theoretical investigation of extremely hig...
16266 The act and experience of programming is, at...
16267 Partially-observed Boolean dynamical systems...
16268 Political polarization in public space can s...
16269 Program termination is an undecidable, yet i...
16270 We investigate the effect on disorder potent...
16271 Let $(R,\frak{m})$ be a $d$-dimensional Cohe...
16272 Free Electron Lasers (FEL) are commonly rega...
16273 The family of exponential maps $f_a(z)= e^z+...
16274 As part of the Fornax Deep Survey with the E...
16275 The well-known DeMillo-Lipton-Schwartz-Zippe...
16276 The backpressure algorithm has been widely u...
16277 In Kondo lattice systems with mixed valence,...
16278 We study transitivity in directed acyclic gr...
16279 A method of transmitting information in inte...
16280 In application domains such as healthcare, w...
16281 Automated detection of voice disorders with ...
16282 We perform direct numerical simulations (DNS...
16283 One of the most fundamental questions one ca...
16284 Ordered chains (such as chains of amino acid...
16285 Based on ab initio evolutionary crystal stru...
16286 In the past decade Optical WDM Networks (Wav...
16287 We consider the linearly transformed spiked ...
16288 Deep Learning has revolutionized vision via ...
16289 Diverse fault types, fast re-closures and co...
16290 A tensor $T$, in a given tensor space, is sa...
16291 Let $G$ be a connected reductive group. In a...
16292 We apply a generalized Kepler map theory to ...
16293 A famous theorem of Weyl states that if $M$ ...
16294 The on-line interval coloring and its varian...
16295 This paper is devoted to the factorization o...
16296 We study the geometry and the singularities ...
16297 The immense amount of daily generated and co...
16298 An RNA secondary structure is designable if ...
16299 We consider $f, h$ homeomorphims generating ...
16300 Fault localization is a popular research top...
16301 The basins of convergence, associated with t...
16302 The irreducible representations of full supp...
16303 Models which postulate lognormal dynamics fo...
16304 This paper is concerned with the simultaneou...
16305 In this paper we review the recent progress ...
16306 This paper introduces a simple and efficient...
16307 The "Planning in the Early Medieval Landscap...
16308 The population recovery problem is a basic p...
16309 MultiBUGS (this https URL) is a new version ...
16310 We present an overview of recently developed...
16311 The large-scale study of human mobility has ...
16312 We study the problem of assigning non-overla...
16313 Let $f$ be a continuous real function define...
16314 In this paper we present formulas for the va...
16315 We consider the Schrödinger operator on a co...
16316 Anions of the molecules ZnO, O2 and atomic Z...
16317 We describe the category of integrable sl(1|...
16318 How to self-localize large teams of underwat...
16319 We have developed a system combining a back-...
16320 In this paper, we propose a new coding schem...
16321 The aim of this comment is to show that anis...
16322 In this paper, we proposed a novel two-stage...
16323 We investigate possible pathways for the for...
16324 Spectral shape descriptors have been used ex...
16325 We consider the inverse dynamical problem fo...
16326 Jacobsthal's function was recently generalis...
16327 Due to the iterative nature of most nonnegat...
16328 Because of the open access nature of wireles...
16329 We study three-dimensional gauge theories ba...
16330 Consider the classical Gaussian unitary ense...
16331 We derive equations of motion for the reduce...
16332 The Weyl semimetallic compound Eu2Ir2O7 alon...
16333 Winds are predicted to be ubiquitous in low-...
16334 We present a compact current sensor based on...
16335 To understand the evolution of extinction cu...
16336 This is a simple reading report of professor...
16337 Recent work using plasmonic nanosensors in a...
16338 We consider a two-dimensional Ginzburg-Landa...
16339 This two-part paper details a theory of solv...
16340 We have introduced evolutionary game dynamic...
16341 Quantum Moves is a citizen science game that...
16342 In seismic monitoring one is usually interes...
16343 Two procedures for checking Bayesian models ...
16344 Let $K$ be a field of characteristic zero, $...
16345 Following Roos, we say that a local ring $R$...
16346 Population protocols are a well established ...
16347 The purpose of this note is to point out tha...
16348 To efficiently answer queries, datalog syste...
16349 Let (M,g) be a complete noncompact riemannia...
16350 Bizarrely shaped voting districts are freque...
16351 Disordered many-particle hyperuniform system...
16352 Modern industrial automatic machines and rob...
16353 Most approaches to machine learning from ele...
16354 We present new viscosity measurements of a s...
16355 The problem of estimating a high-dimensional...
16356 We implemented various DFT+U schemes, includ...
16357 Tests on $B-L$ symmetry breaking models are ...
16358 Gradient boosted decision trees are a popula...
16359 In this paper, the problem of road friction ...
16360 Collective animal behaviors are paradigmatic...
16361 It has been shown that increasing model dept...
16362 Speech recognition systems have achieved hig...
16363 Ad-hoc Social Networks have become popular t...
16364 This paper presents an a posteriori error an...
16365 Security is a critical and vital task in wir...
16366 The geologic activity at Enceladus's south p...
16367 There has been a recent surge of interest in...
16368 System development often involves decisions ...
16369 Cyber defence exercises are intensive, hands...
16370 We develop a $^*$-continuous Kleene $\omega$...
16371 Recently, researchers proposed various low-p...
16372 In this paper, we examine the convergence of...
16373 -Multipath communications at the Internet sc...
16374 The present paper reports on our effort to c...
16375 In this paper, we extend state of the art Mo...
16376 We study the relationship between geometry a...
16377 We developed control and visualization progr...
16378 We identify four countable topological space...
16379 Cryo-electron microscopy provides 2-D projec...
16380 In this paper, we prove $L^q$-estimates for ...
16381 For various applications, the relations betw...
16382 Based on the median and the median absolute ...
16383 In this paper we consider the cluster estima...
16384 Representing data in hyperbolic space can ef...
16385 I investigate the nightly mean emission heig...
16386 The spinel/perovskite heterointerface $\gamm...
16387 We give a finite axiomatization for the vari...
16388 We show that for every $\ell>1$, there is a ...
16389 Zeta functions for linear codes were defined...
16390 Classical spectral analysis is based on the ...
16391 Modern corporations physically separate thei...
16392 We study the Koszul property of a standard g...
16393 Deep neural networks are currently among the...
16394 Yes.\n
16395 End-to-end training from scratch of current ...
16396 Most optical and IR spectra are now acquired...
16397 Most of the recent successful methods in acc...
16398 We study the $m$-th Gauss map in the sense o...
16399 If $\mathcal{G}$ is the group (under composi...
16400 Previous secondary eclipse observations of t...
16401 Using a combination of analytic and numerica...
16402 As a large-scale instance of dramatic collec...
16403 The classical linear Black--Scholes model fo...
16404 At the heart of the Bitcoin is a blockchain ...
16405 The regret bound of an optimization algorith...
16406 A set of points $X = X_B \cup X_R \subseteq ...
16407 Magnetic fields are ubiquitous in the Univer...
16408 The multiple colliding laser pulse concept f...
16409 In this work, we jointly address the problem...
16410 Water and hydroxyl, once thought to be found...
16411 We propose a general framework for studying ...
16412 We have recently suggested that dust growth ...
16413 The paradigm shift from shallow classifiers ...
16414 In this paper, we present a novel approach f...
16415 It is of practical significance to define th...
16416 A task of clustering data given in the ordin...
16417 ALICE (A Large Ion Collider Experiment) is t...
16418 This paper proposes an approach to domain tr...
16419 We report the results of the 2dF-VST ATLAS C...
16420 We construct a toy a model which demonstrate...
16421 We develop a metalearning approach for learn...
16422 We present the procedure to build and valida...
16423 Generative adversarial networks (GANs) are a...
16424 We discuss memory models which are based on ...
16425 Published by Reporters Without Borders every...
16426 Advanced satellite-based frequency transfers...
16427 In this paper we investigate the problem of ...
16428 In this paper, we propose an encoder-decoder...
16429 We consider a finite-dimensional quantum sys...
16430 The model-based control of building heating ...
16431 We propose a formal approach for relating ab...
16432 Owing to their capability of summarising int...
16433 The Atacama Millimeter/submillimeter Array (...
16434 We simulate a rotating 2D BEC to study the m...
16435 In coronary CT angiography, a series of CT i...
16436 Let $\mathcal{A}$ be a finite-dimensional su...
16437 The World Wide Web (WWW) has fundamentally c...
16438 Shan-Chen model is a numerical scheme to sim...
16439 In this thesis, we study the deformation pro...
16440 The complexity of a learning task is increas...
16441 A general greedy approach to construct cover...
16442 The formalism of the reduced density matrix ...
16443 We report muon spin relaxation ($\mu$SR) mea...
16444 Advances in unsupervised learning enable rec...
16445 Open bisimilarity is the original notion of ...
16446 Cities across the United States are undergoi...
16447 Bayesian statistical models allow us to form...
16448 Flow-based generative models (Dinh et al., 2...
16449 By virtue of a suitable approximation argume...
16450 This is an expository survey on recent sum-p...
16451 Using the method of Elias-Hogancamp and comb...
16452 For any $r\geq 1$ and $\mathbf{n} \in \mathb...
16453 Colloidal migration in temperature gradient ...
16454 This paper proposes an ultra-wideband (UWB) ...
16455 Sensor fusion is a fundamental process in ro...
16456 Growth, electronic and magnetic properties o...
16457 NAND flash memory is ubiquitous in everyday ...
16458 A common practice in most of deep convolutio...
16459 Recent advances in weakly supervised classif...
16460 The halting probability of a Turing machine,...
16461 When we are faced with challenging image cla...
16462 Deep Learning refers to a set of machine lea...
16463 Multilevel converters have found many applic...
16464 This is the English translation of my old pa...
16465 In the present work, we develop a delayed Lo...
16466 We investigate a hybrid quantum-classical so...
16467 Modern deep transfer learning approaches hav...
16468 This paper introduces a novel method to perf...
16469 Perceptual aliasing is one of the main cause...
16470 Among the more important hallmarks of human ...
16471 The modified Gram-Schmidt (MGS) orthogonaliz...
16472 Firstly, we derive in dimension one a new co...
16473 We present algorithms for real and complex d...
16474 Unsupervised representation learning for twe...
16475 Bárány, Kalai, and Meshulam recently obtaine...
16476 In this paper, theoretical and numerical stu...
16477 Our infrastructure touches the day-to-day li...
16478 Surveying 3D scenes is a common task in robo...
16479 The distribution of N/O abundance ratios cal...
16480 This paper presents the recently published C...
16481 Estimating distributions of node characteris...
16482 Traditional Recurrent Neural Networks assume...
16483 The multivariate probit model (MVP) is a pop...
16484 Leclerc and Zelevinsky, motivated by the stu...
16485 For $n\geq 4$ we show that generic closed Ri...
16486 We propose a novel design of a parallel mani...
16487 We introduce a novel loss max-pooling concep...
16488 In this work, we study the nonlinear traveli...
16489 Internal gravity waves play a primary role i...
16490 Silicon-vacancy color centers in nanodiamond...
16491 Online reviews provided by consumers are a v...
16492 We compare the results of the semi-classical...
16493 We introduce an algebraic Fourier transform ...
16494 Semi-supervised learning deals with the prob...
16495 Measurements of root-zone soil moisture acro...
16496 We study discrete time linear constrained sw...
16497 The challenge of taking many variables into ...
16498 A fundamental component of the game theoreti...
16499 The idea of combining different two-dimensio...
16500 We construct examples of cohomogeneity one s...
16501 In regression analysis of multivariate data,...
16502 In this paper, we study matrix scaling and b...
16503 We present the data profile and the evaluati...
16504 The IllustrisTNG project is a new suite of c...
16505 In this paper, we present a fast implementat...
16506 Gallium arsenide (GaAs) is the widest used s...
16507 In this paper we use detailed Monte Carlo si...
16508 Social networks contain implicit knowledge t...
16509 Consolidation of synaptic changes in respons...
16510 This paper investigates gradient recovery sc...
16511 Let $Y$ be the complement of a plane quartic...
16512 Collective motion is an intriguing phenomeno...
16513 We present the first CMB power spectra from ...
16514 Community detection in networks is a very ac...
16515 In this paper, new index coding problems are...
16516 We report on the result of a campaign to mon...
16517 Ultra-faint dwarf galaxies (UFDs) are the fa...
16518 Enterprise Resource Planning (ERP) systems h...
16519 A general approach to selective inference is...
16520 For future mmWave mobile communication syste...
16521 In all approaches to convergence where the c...
16522 Neural machine translation (NMT) has achieve...
16523 The Internet of Things (IoT) enables numerou...
16524 We use positive S^1-equivariant symplectic h...
16525 In global models/priors (for example, using ...
16526 We prove new upper and lower bounds on the V...
16527 We compare performances of well-known numeri...
16528 Due to its wide field of view, cone-beam com...
16529 While the Internet of things (IoT) promises ...
16530 The weakly compact reflection principle $\te...
16531 Techniques such as ensembling and distillati...
16532 Finding an easy-to-build coils set has been ...
16533 We propose a new cellular network model that...
16534 Aims: In this paper we focus on the occurren...
16535 We consider generation and comprehension of ...
16536 The human brain is one of the most complex l...
16537 Feature aided tracking can often yield impro...
16538 The heavyweight stellar initial mass functio...
16539 Deep learning has enabled traditional reinfo...
16540 (Abridged) The formation of large-scale (hun...
16541 Computational quantum technologies are enter...
16542 In this paper, a mixed-effect modeling schem...
16543 The distributed single-source shortest paths...
16544 The formation of vortices is usually conside...
16545 Security-Constrained Unit Commitment (SCUC) ...
16546 We construct constant mean curvature surface...
16547 We consider a hyperkähler reduction and desc...
16548 We introduce a novel approach to Maximum A P...
16549 We prove an inverse theorem for the Gowers $...
16550 We extensively explore networks of weakly un...
16551 Human movement is used as an indicator of hu...
16552 Real-time instrument tracking is a crucial r...
16553 Blockchain systems are designed to produce b...
16554 We theoretically study a one-dimensional (1D...
16555 In this paper, we consider a privacy preserv...
16556 We consider the problem of recovering a $d-$...
16557 The RGB-D camera maintains a limited range f...
16558 This letter provides conditions determining ...
16559 Random geometric graphs consist of randomly ...
16560 Motivation: Word-based or `alignment-free' m...
16561 We show how geodesics, Jacobi vector fields ...
16562 In finite mixture models, apart from underly...
16563 This article explains phase noise, jitter, a...
16564 In order to pursue the vision of the RoboCup...
16565 A novel low cost, near equi-atomic alloy com...
16566 Project 8 is a tritium endpoint neutrino mas...
16567 In this report, two general concepts for pro...
16568 This paper provides an outline of the algori...
16569 We derive a general statistical model of int...
16570 A sparse stochastic block model (SBM) with t...
16571 Given constant data of density $\rho_0$, vel...
16572 X-ray observations of two metal-deficient lu...
16573 CoRoT-9b is one of the rare long-period (P=9...
16574 The paper derives and analyses the (semi-)di...
16575 Deep learning models (aka Deep Neural Networ...
16576 Topological Data Analysis (TDA) is a novel s...
16577 We build on auto-encoding sequential Monte C...
16578 We show that the uniformly accelerated refer...
16579 We propose a deep learning-based approach to...
16580 Assuming a conjecture on distinct zeros of D...
16581 It is well known that parameters for strongl...
16582 Sum-product networks have recently emerged a...
16583 We propose a novel numerical approach for th...
16584 Autonomous driving presents one of the large...
16585 We present a novel time- and phase-resolved,...
16586 Optimized spatial partitioning algorithms ar...
16587 This paper addresses the problem of handling...
16588 A basic goal in complexity theory is to unde...
16589 Effective gauge fields have allowed the emul...
16590 We investigate the interplay between a modal...
16591 Modularity maximization using greedy algorit...
16592 We generalise surface cluster algebras to th...
16593 We investigate the impact of choosing regres...
16594 Let H(q,p) = p^2/2 + V(q) be a 1-degree of f...
16595 A comprehensive theoretical analysis of phot...
16596 In this paper, we propose a novel framework,...
16597 We consider the kernel partial least squares...
16598 We define a homology theory of virtual links...
16599 The purpose of this paper is to investigate ...
16600 We formulate and study a general family of (...
16601 In Kinetic Inductance Detectors (KIDs) and o...
16602 Smoothing is one technique to overcome data ...
16603 Structural discrimination appears to be a pe...
16604 Robots and control systems rely upon precise...
16605 Magnetic domain wall (DW) motion induced by ...
16606 This paper presents an algorithm that enhanc...
16607 In this paper we introduce, the FlashText al...
16608 Logistics network is expected that opened fa...
16609 We carried out 2.5-dimensional resistive MHD...
16610 Standard probabilistic linear discriminant a...
16611 Deep learning on graph structures has shown ...
16612 Kinetic equations play a major rule in model...
16613 The meteoric rise of deep learning models in...
16614 Purpose: To develop generic optimization str...
16615 In this paper, we will investigate the contr...
16616 Recent theoretical predictions of "unprecede...
16617 The unsteady characteristics of the flow ove...
16618 In this research was implemented the use of ...
16619 Extremal Graph Theory aims to determine boun...
16620 We develop an algorithm that forecasts casca...
16621 DZ Cha is a weak-lined T Tauri star (WTTS) s...
16622 A Bayesian filtering algorithm is developed ...
16623 We propose a generic algorithmic building bl...
16624 The past years have shown a remarkable growt...
16625 We construct exact solutions representing a\...
16626 In this paper, we investigate the robustness...
16627 The singular value matrix decomposition play...
16628 Complex network reconstruction is a hot topi...
16629 We study the two-dimensional stochastic nonl...
16630 Twisted electromagnetic waves, of which the ...
16631 Effective file transfer between vehicles is ...
16632 In a Bayesian context, prior specification f...
16633 We consider the problem of automated assignm...
16634 Regularization methods are commonly used in ...
16635 Unsupervised clustering is one of the most f...
16636 The Pepper robot has become a widely recogni...
16637 The ensemble Kalman filter (EnKF) is a Monte...
16638 Full-duplex (FD) technology is likely to be ...
16639 Unmanned Aerial Vehicles (UAVs) have recentl...
16640 In this paper we give an infinite family of ...
16641 Tactile sensing can enable a robot to infer ...
16642 Safe interaction with human drivers is one o...
16643 In this paper, we consider the final state p...
16644 When performing localization and mapping, wo...
16645 We prove that for a generic Lefschetz pencil...
16646 Many state of the art methods for the thermo...
16647 We construct, for any finite commutative rin...
16648 The LZ dark matter detector, like many other...
16649 We present models for single-particle disper...
16650 Microcolonies are aggregates of a few dozen ...
16651 Estimators computed from adaptively collecte...
16652 Alignment of curve data is an integral part ...
16653 We introduce a new class of sequential Monte...
16654 The classical Cuntz semigroup has an importa...
16655 As of 2014, 54% of the earth's population re...
16656 Direct comparison of areal and profile rough...
16657 We present the VLA-COSMOS 3 GHz Large Projec...
16658 Point source detection at low signal-to-nois...
16659 Co-design conditions for the design of a jum...
16660 We study the ground state of a one-dimension...
16661 Rust represents a major advancement in produ...
16662 Game Theory (GT) has been used with signific...
16663 The general theoretical description of the i...
16664 Robots performing manipulation tasks must op...
16665 In Mexico, 25 per cent of the urban populati...
16666 Based on the work of Schoen-Yau, we derive a...
16667 We present ease.ml, a declarative machine le...
16668 Encrypting data before sending it to the clo...
16669 Let $I=(c,d)$, $c < 0 < d$, $Q\in C^1: I\rig...
16670 We demonstrate a close connection between ob...
16671 We report on the realization of a transverse...
16672 We present experimental measurements of the ...
16673 Summary\n1. Infectious disease outbreaks in ...
16674 We investigated a way to predict the gender ...
16675 Information technology (IT) has been used wi...
16676 In this paper we consider an online recommen...
16677 In this paper we present and expand upon pro...
16678 We consider optimal designs for general mult...
16679 Learning to optimize - the idea that we can ...
16680 In the well known logistic map, the paramete...
16681 Advanced brain imaging techniques make it po...
16682 We present a deep neural network for a model...
16683 We introduce an arbitrage-free framework for...
16684 We apply the method of nonlinear steepest de...
16685 In this paper, we consider coding of short d...
16686 We report the three main ingredients to calc...
16687 We present HARP, a novel method for learning...
16688 When a signal is recorded in an enclosed roo...
16689 The current generation of radio and millimet...
16690 This is the first paper that estimates the p...
16691 Kenmotsu's formula describes surfaces in Euc...
16692 In this paper, the structural controllabilit...
16693 Strongly coupled quantum fluids are found in...
16694 In this paper we study the problem of hyperb...
16695 From critical infrastructure, to physiology ...
16696 L systems generalise context-free grammars b...
16697 One of the key aspects of the United States ...
16698 In this work, we study the $k$-means cost fu...
16699 The Internet of things (IoT) is revolutioniz...
16700 A new form of the variational autoencoder (V...
16701 Matrix Product Vectors form the appropriate ...
16702 Deep Learning has recently become hugely pop...
16703 Alastair Graham Walker Cameron was an astrop...
16704 We demonstrate how non-convex "time crystal"...
16705 In this paper we introduce a novel method of...
16706 Dynamic Pushdown Networks (DPNs) are a natur...
16707 A new approach of solving the ill-conditione...
16708 Most deep reinforcement learning algorithms ...
16709 We demonstrate a technique for obtaining the...
16710 We prove the first rigidity and classificati...
16711 For inhomogeneous interacting electronic sys...
16712 This paper analyzes the use of 3D Convolutio...
16713 The kernel embedding algorithm is an importa...
16714 This paper is the first attempt to systemati...
16715 Consider a compact Lie group $G$ and a close...
16716 An algorithm for constructing a control func...
16717 Over the last few years there has been a gro...
16718 Computers are increasingly used to make deci...
16719 Opioid addiction is a severe public health t...
16720 We examine by a perturbation method how the ...
16721 We discuss computability and computational c...
16722 Estimating the 6D pose of known objects is i...
16723 The Steiner Forest problem is among the fund...
16724 We analyze the origins of the luminescence i...
16725 We define a new class of languages of $\omeg...
16726 Maximum regularized likelihood estimators (M...
16727 While the enhancement of the spin-space symm...
16728 From Morita theoretic viewpoint, computing M...
16729 Limited annotated data available for the rec...
16730 Generating molecules with desired chemical p...
16731 This survey is a short version of a chapter ...
16732 Optimization of the fidelity of control oper...
16733 Layered neural networks have greatly improve...
16734 This Chapter, "A Guide to General-Purpose AB...
16735 Feature selection can facilitate the learnin...
16736 Robots have the potential to assist people i...
16737 Hierarchical attention networks have recentl...
16738 Let $t$ be a positive real number. A graph i...
16739 In vitro and in vivo spiking activity clearl...
16740 We propose a simple objective evaluation mea...
16741 We present many new results related to relia...
16742 In this work, we investigate a novel trainin...
16743 Pairwise comparison data arises in many doma...
16744 Decoupling multivariate polynomials is usefu...
16745 In a voice-controlled smart-home, a controll...
16746 This paper introduces an evolutionary approa...
16747 Plasmonics currently faces the problem of se...
16748 We consider the problem of minimizing a smoo...
16749 Economic evaluations from individual-level d...
16750 In the past 50 years, calorimeters have beco...
16751 Recent experiments have revealed that the di...
16752 This paper introduces a new approach to auto...
16753 We propose a data-driven filtered reduced or...
16754 The linear FEAST algorithm is a method for s...
16755 A recent heuristic argument based on basic c...
16756 We establish upper bounds of bit complexity ...
16757 We recalculate the leading relativistic corr...
16758 We establish interior Lipschitz estimates at...
16759 Most people simultaneously belong to several...
16760 We present a proof of concept for solving a ...
16761 Range anxiety, the persistent worry about no...
16762 The Nyström method is a popular technique fo...
16763 We present a quantitative analysis on the re...
16764 Future multiprocessor chips will integrate m...
16765 We give an explicit description for the weig...
16766 We prove the Moore and the Myhill property f...
16767 Objective: The Learning Health System (LHS) ...
16768 Simplified Molecular Input Line Entry System...
16769 We approach the tomographic problem in terms...
16770 We give an elementary combinatorial proof of...
16771 Composite materials comprised of ferroelectr...
16772 We study the kernel of the evaluated Burau r...
16773 In this paper we study possibilities of inte...
16774 We have constructed the database of stars in...
16775 General relativistic effects have long been ...
16776 The role of phase separation in the emergenc...
16777 Primordial black holes (PBHs) have long been...
16778 We consider the high-dimensional inference p...
16779 Gaussian processes (GPs) offer a flexible cl...
16780 The paper explores various special functions...
16781 It is common to model inductive datatypes as...
16782 Let $\mathcal{D}_{n,m}$ be the algebra of th...
16783 This study here suggests a classification of...
16784 With a triangulation of a planar polygon wit...
16785 We present K-band Multi-Object Spectrograph ...
16786 For the gas near a solid planar wall, we pro...
16787 Donoho's JCGS (in press) paper is a spirited...
16788 The demographics of dwarf galaxy populations...
16789 Risk prediction is central to both clinical ...
16790 We address the problem of activity detection...
16791 Regularization is one of the crucial ingredi...
16792 In this paper, we examine the statistical so...
16793 N. Hindman, I. Leader and D. Strauss proved ...
16794 Even when confronted with the same data, age...
16795 In addition to hardware wall-time restrictio...
16796 We recently showed that several Local Group ...
16797 We present a method for scalable and fully 3...
16798 We consider a network of binary-valued senso...
16799 Large-scale Gaussian process inference has l...
16800 Diffusion MRI measurements using hyperpolari...
16801 Understanding the nature of two-level tunnel...
16802 We propose an algorithm for the adaptation o...
16803 Generalizations of the Hermite polynomials t...
16804 Interactions between people are the basis on...
16805 Dynamic topic models (DTMs) model the evolut...
16806 In the setting of the pi-calculus with binar...
16807 Modularity in military vehicle designs enabl...
16808 Under certain general conditions, an explici...
16809 In this work, we study the problem of disper...
16810 Early prognosis of Alzheimer's dementia is h...
16811 Automatic Music Transcription (AMT) is one o...
16812 We prove the Gaschütz Lemma holds for all me...
16813 We present a simplified description for spin...
16814 The interconnected nature of graphs often re...
16815 A compact version of the Variation Evolving ...
16816 Convolutional Neural Networks (CNNs) have be...
16817 We design differentially private algorithms ...
16818 Acoustic neutrino detection is a promising a...
16819 Deep reinforcement learning (RL) methods gen...
16820 We present Deep Illumination, a novel machin...
16821 Recurrent neural networks (RNNs) are importa...
16822 The Behrens-Fisher problem is a well-known h...
16823 Understanding the mechanisms underlying the ...
16824 Active learning aims to train a classifier a...
16825 We compute the polarization function in a do...
16826 Unsupervised machine learning via a restrict...
16827 We study the thermodynamics of ideal Bose ga...
16828 Using a high-frequency expansion in periodic...
16829 This paper deals with two related problems, ...
16830 Most past work on social network link fraud ...
16831 We show that whenever $\delta>0$, $\eta$ is ...
16832 Compositional Game Theory is a new, recently...
16833 Let $X_1, \ldots, X_n$ be i.i.d. sample in $...
16834 Variational autoencoders (VAEs), as well as ...
16835 The space of all probability measures having...
16836 In this article we study automorphisms of To...
16837 Recent results by Alagic and Russell have gi...
16838 In the present work, we use information theo...
16839 Collaborative filtering is a broad and power...
16840 We define a lattice model for rock, absorber...
16841 We consider an extension of the contextual b...
16842 Using the theory of cohomology support locus...
16843 Analyzing temperature dependent photoemissio...
16844 Although proportional hazard rate model is a...
16845 We propose a Las Vegas transformation of Mar...
16846 We show that if a noncollapsed $CD(K,n)$ spa...
16847 Data warehouse performance is usually achiev...
16848 Bayesian optimization (BO) methods are usefu...
16849 The aim of this work is to study, from an in...
16850 The cosmic ray electrons measured by Voyager...
16851 In the following, we present example illustr...
16852 For monomial special multiserial algebras, w...
16853 Context. Considering the importance of softw...
16854 This article provides a short review of some...
16855 We study a data model in which the data matr...
16856 The power sum $1^n + 2^n + \cdots + x^n$ has...
16857 Indexing massive data sets is extremely expe...
16858 We develop a new theoretical framework to an...
16859 Closed-loop field development (CLFD) optimiz...
16860 A regular $t$-balanced Cayley map (RBCM$_t$ ...
16861 Transition metal oxides are promising candid...
16862 We analyze the motion of a rod floating in a...
16863 We prove some basic results on the dimension...
16864 Can an ideal I in a polynomial ring k[x] ove...
16865 It has been shown by McCoy that a right idea...
16866 We propose a new generic type of stochastic ...
16867 Randomly generated programs are popular for ...
16868 Pre-exposure prophylaxis (PrEP) consists in ...
16869 Based on the observation that the correlatio...
16870 For accommodating more electric vehicles (EV...
16871 Let G be a reductive algebraic group over a ...
16872 Despite the increasing use of social media p...
16873 This paper contains a non-trivial generaliza...
16874 Magnetic Particle Imaging (MPI) has been sho...
16875 Community detection is a key data analysis p...
16876 Let k be an infinite perfect field. We provi...
16877 Momentum is a simple and widely used trick w...
16878 We investigate the equilibrium behavior for ...
16879 In this paper, a linear model of diffusion p...
16880 Among the proposals for joint disease mappin...
16881 We show that in decaying hydromagnetic turbu...
16882 We prove that, for any two finite volume hyp...
16883 We provide the first quantum (exact) protoco...
16884 Fog computing is seen as a promising approac...
16885 We present a computer-assisted proof of hete...
16886 We present millimetre dust emission measurem...
16887 Experiments are reported on the performance ...
16888 In this paper, we consider the problem of at...
16889 There has been a recent explosion in applica...
16890 Aims. The purpose of this paper is to detect...
16891 We introduce perfect half space games, in wh...
16892 The research challenge of current Wireless S...
16893 We address the computation of ground-state p...
16894 Inverse Uncertainty Quantification (UQ), or ...
16895 Mendelian randomization (MR) is a popular in...
16896 Trace alignment algorithms have been used in...
16897 Topological insulator surfaces in proximity ...
16898 Let $G$ be a finite, simple, connected graph...
16899 The study of neuronal interactions is curren...
16900 We present an analysis of the main systemati...
16901 Peridynamics (PD) represents a new approach ...
16902 Continuous attractor neural networks generat...
16903 In this paper, we develop a framework for an...
16904 We show that the smallest non-abelian quotie...
16905 This paper explores the information-theoreti...
16906 In this paper, we show that the category of ...
16907 We present a family of Python modules for th...
16908 Diffusion-based classifiers such as those re...
16909 Active Learning (AL) methods have proven cos...
16910 We introduce torchbearer, a model fitting li...
16911 Line-intensity mapping surveys probe large-s...
16912 Classifiers can be trained with data-depende...
16913 Several studies have shown that the network ...
16914 This paper explores the characteristics of D...
16915 We obtain strong consistency and asymptotic ...
16916 In the article, proposed is a new e-learning...
16917 The Euler-Poisson-Alignment (EPA) system app...
16918 New bispectral orthogonal polynomials are ob...
16919 Unsupervised node embedding methods (e.g., D...
16920 Two-dimensional (spin-$2$) Affleck-Kennedy-L...
16921 Efficient management of low blood pressure (...
16922 The power of the press to shape the informat...
16923 Selecting a representative vector for a set ...
16924 ESA Gaia mission is producing the more accur...
16925 We present an amelioration of current known ...
16926 Seven of the nine known Mars Trojan asteroid...
16927 The abundance of metals in galaxies is a key...
16928 We show that quantum communication by means ...
16929 Terramechanics plays a critical role in the ...
16930 We provide novel characterizations of multiv...
16931 We consider multi-task regression models whe...
16932 Since social interactions have been shown to...
16933 Cohomological and K-theoretic stable bases o...
16934 The amount of information available to the m...
16935 This paper presents a convergence analysis o...
16936 We combine the Bondal-Uehara method for prod...
16937 Due to the proliferation of online social ne...
16938 As deep learning advances, algorithms of mus...
16939 Suppose that $Y^n$ is obtained by observing ...
16940 Supervised deep learning often suffers from ...
16941 Clustering problems are well-studied in a va...
16942 The order preserving pattern matching (OPPM)...
16943 We present a simple categorical framework fo...
16944 Let $K$ be a standard Hölder continuous Cald...
16945 The effects of including the Hubbard on-site...
16946 We present a construction of a multi-scale G...
16947 A functional risk curve gives the probabilit...
16948 The paper provides global optimization algor...
16949 During visuomotor tasks, robots must compens...
16950 In this article, we present a cut finite ele...
16951 We explore the problem of learning under sel...
16952 We present a model for the evolution of supe...
16953 Prospection is an important part of how huma...
16954 The classical Weisfeiler-Lehman method WL[2]...
16955 We explore the properties of byte-level recu...
16956 Combining material informatics and high-thro...
16957 We study a non-local variant of a diffuse in...
16958 Although gradient descent (GD) almost always...
16959 Let $L$ be the $n$-th order linear different...
16960 The traditional humanism of the twentieth ce...
16961 Loss functions with a large number of saddle...
16962 This paper addresses the automatic generatio...
16963 The article deals with the connection betwee...
16964 Modern mobile and embedded platforms see a l...
16965 We show that there is no iterated identity s...
16966 The goal of this tutorial is to introduce ke...
16967 Partial Least Squares (PLS) methods have bee...
16968 We study the asymptotic behaviour of the sol...
16969 Internet-wide scans are a common active meas...
16970 We present a method for metric optimization ...
16971 We suggested an algorithm for searching the ...
16972 To the best of our knowledge, this paper pre...
16973 Many complex systems in biology, physics, an...
16974 A second derivative-based moment method is p...
16975 A sequence in a $C^*$-algebra $A$ is called ...
16976 A conflict-free k-coloring of a graph assign...
16977 We study the problem of utility maximization...
16978 Globular clusters (GCs) are amongst the olde...
16979 Given an infinity-category C, one can natura...
16980 Training 3D object detectors for autonomous ...
16981 We study the changes of opinions about vacci...
16982 CASP is an extension of ASP that allows for ...
16983 We study production of primordial black hole...
16984 Typical reinforcement learning (RL) agents l...
16985 Deep generative models have recently shown g...
16986 In this paper we discuss the possible usage ...
16987 This paper presents SceneCut, a novel approa...
16988 In this paper, we show that different body p...
16989 The objective of this work is to take advant...
16990 About 6 years ago, semitoric systems were cl...
16991 In this paper we study \emph{threefolds isog...
16992 We observe standard transfer learning can im...
16993 Fast carrier cooling is important for high p...
16994 Pattern matching is a powerful tool which is...
16995 The beams at the ILC produce electron positr...
16996 The Hamming graph $H(d,n)$ is the Cartesian ...
16997 Android, the #1 mobile app framework, enforc...
16998 Among the many anticipated roles for robots ...
16999 For certain quasi-split reductive groups $G$...
17000 In earlier work, Helen Wong and the author d...
17001 This note is a short summary of the workshop...
17002 Current state-of-the-art approaches for spat...
17003 Percolation based graph matching algorithms ...
17004 We establish the rate region of an extended ...
17005 We introduce the problem of simultaneously l...
17006 There are many problems and configurations i...
17007 In the use of deep neural networks, it is cr...
17008 Tumor cells acquire different genetic altera...
17009 Predicting properties of nodes in a graph is...
17010 This paper studies the daily connectivity ti...
17011 What happens when a new social convention re...
17012 In this article, we propose a new class of p...
17013 The uniform boundary condition in a normed c...
17014 In recent years there has been widespread co...
17015 We present a reinforcement learning framewor...
17016 Plasmas with varying collisionalities occur ...
17017 We study VC-dimension of short formulas in P...
17018 Traffic accident data are usually noisy, con...
17019 Third-party library reuse has become common ...
17020 Bacteria are easily characterizable model or...
17021 Data augmentation is an essential part of th...
17022 Knowledge bases are employed in a variety of...
17023 Machine scheduling problems are a long-time ...
17024 The conditional mutual information I(X;Y|Z) ...
17025 An interesting attempt for solving infrared ...
17026 We consider the spectral structure of indefi...
17027 In this paper, we study the integral curvatu...
17028 For convex co-compact subgroups of SL2(Z) we...
17029 The massive parallel approach of neuromorphi...
17030 We first study the discrete Schrödinger equa...
17031 Greedy optimization methods such as Matching...
17032 We analyze the relation between the emission...
17033 This article offers a personal perspective o...
17034 If $E$ is an elliptic curve over $\mathbb{Q}...
17035 A unified fluid-structure interaction (FSI) ...
17036 The transverse momentum ($p_T$) spectra from...
17037 Toxicity prediction of chemical compounds is...
17038 We introduce a general scheme that permits t...
17039 Multinomial choice models are fundamental fo...
17040 We study the limit shape of successive coron...
17041 Properties of galaxies like their absolute m...
17042 Stochastic Gradient Langevin Dynamics (SGLD)...
17043 More than 23 million people are suffered by ...
17044 The combination of strong correlation and em...
17045 A practical, biologically motivated case of ...
17046 Multivariate generalized Pareto distribution...
17047 In the Alvarez-Macovski method, the line int...
17048 Let $G$ be an adjoint quasi-simple group def...
17049 The b-boundary is a mathematical tool used t...
17050 Lattice Quantum Chromodynamics (Lattice QCD)...
17051 A new MHD solver, based on the Nektar++ spec...
17052 We describe the results of a qualitative stu...
17053 The problem of low rank matrix completion is...
17054 We report magnetic and calorimetric measurem...
17055 We consider the following control problem on...
17056 We use CNNs to build a system that both clas...
17057 This paper presents a method to generate hig...
17058 Engine for Likelihood-Free Inference (ELFI) ...
17059 Deep neural networks are vulnerable to adver...
17060 The most critical time for information to sp...
17061 This paper discusses the potential of applyi...
17062 The General Video Game AI (GVGAI) competitio...
17063 In this paper, we consider pure infiniteness...
17064 Convex sparsity-promoting regularizations ar...
17065 Exoplanets smaller than Neptune are numerous...
17066 The surge in political information, discours...
17067 In open set recognition (OSR), almost all ex...
17068 The projection factor p is the key quantity ...
17069 The United States spends more than $1B each ...
17070 We propose stochastic, non-parametric activa...
17071 We analyze a proprietary dataset of trades b...
17072 This is a list of questions raised by our jo...
17073 ZrSe2 is a band semiconductor studied long t...
17074 In this study we map out the large-scale str...
17075 A large class of modified theories of gravit...
17076 The notion of entropy-regularized optimal tr...
17077 In this paper, we present a methodology to e...
17078 We introduce the problem of variable-length ...
17079 3D-Polarized Light Imaging (3D-PLI) reconstr...
17080 The pair density wave (PDW) superconducting ...
17081 Neuroscience has been carried into the domai...
17082 We have developed a recently proposed Joseph...
17083 Background: Unstructured and textual data is...
17084 We present a study of the continuum polariza...
17085 This study deals with content-based musical ...
17086 ReS$_2$ is considered as a promising candida...
17087 In this paper we deal with the problem of ex...
17088 In this paper we present an algorithm for th...
17089 In contrast with the well-known methods of m...
17090 Bio-inspired paradigms are proving to be use...
17091 Viral zoonoses have emerged as the key drive...
17092 Operationalizing machine learning based secu...
17093 The objective of this research was to design...
17094 Given a positive linear combination of five ...
17095 This paper studies the landscape of empirica...
17096 With the aim of understanding the effect of ...
17097 Recommender systems play a crucial role in m...
17098 This work addresses the instability in async...
17099 This work presents an algorithm for changing...
17100 Given an ideal $\mathcal{I}$ on $\omega$, we...
17101 Gravitons possess a Berry curvature due to t...
17102 All-goals updating exploits the off-policy n...
17103 Key to structured prediction is exploiting t...
17104 Nanocommunications, understood as communicat...
17105 Winograd-based convolution has quickly gaine...
17106 In this paper we investigate the properties ...
17107 We propose a new method for learning the str...
17108 The maximum gap $g(f)$ of a polynomial $f$ i...
17109 In this paper, we have analyzed the stabilit...
17110 We present an $\ell$-adic trace formula for ...
17111 We present the results from an extensive spe...
17112 Superconducting bulk (RE)Ba$_2$Cu$_3$O$_{7-x...
17113 We exhibit an exact simulation algorithm for...
17114 We consider a nonparametric Bayesian approac...
17115 Topological superconductor (TSC) hosting Maj...
17116 Consider a Henselian rank one valued field $...
17117 We report the first observation of the magno...
17118 Italy adopted a performance-based system for...
17119 In this study we performed an initial invest...
17120 From a numerical analysis perspective, asses...
17121 This paper defines homology in homotopy type...
17122 We investigate a time-dependent spatial vect...
17123 Recently, the principal component pursuit ha...
17124 Axion-like particles (ALPs) might constitute...
17125 The stochastic knapsack problem is the stoch...
17126 We study the problem of using i.i.d. samples...
17127 We introduce a new setting where a populatio...
17128 The present work analyzes the distribution f...
17129 We propose a new partial decoding algorithm ...
17130 In this article, we generalize the well-know...
17131 We consider the relationship between two suf...
17132 We show that any self-complementary graph wi...
17133 We study the asymptotic behavior of estimato...
17134 The paper discusses the magnetic state of ze...
17135 Determining wavelength-dependent exoplanet r...
17136 The major system is a mnemonic system that c...
17137 We present experimental results on the contr...
17138 We extend the theoretical analysis of a rece...
17139 End-to-end neural network based approaches t...
17140 Fully Programmable Valve Array (FPVA) has em...
17141 We define the extremal length of elements of...
17142 We investigate properties of the ground stat...
17143 A gyrokinetic reduction is based on a specif...
17144 In this paper, we study the properties of Ca...
17145 A general phase reduction method for a netwo...
17146 Knowledge graphs are large, useful, but inco...
17147 Many relevant tasks require an agent to reac...
17148 Recently we gave arguments that only two uni...
17149 This paper is a tutorial on Formal Concept A...
17150 We present the results of a multiwavelength ...
17151 Recently, the educational initiative TED-Ed ...
17152 We consider the tuning parameter selection r...
17153 Today's Internet traffic is mostly dominated...
17154 In this paper, we consider the weak converge...
17155 Nowadays, a problem of historical beadworks ...
17156 In work of Higson-Roe the fundamental role o...
17157 Tensor decomposition methods are popular too...
17158 Consider the discrete quadratic phase Hilber...
17159 The tree augmentation problem (TAP) is a fun...
17160 Generative source separation methods such as...
17161 We consider the problem of finding confidenc...
17162 We report the magnetoresistance and nonlinea...
17163 This volume contains the proceedings of F-ID...
17164 Animals (especially humans) have an amazing ...
17165 In this paper, we present a new approach to ...
17166 Epidemiological models for the spread of pat...
17167 We study, with the help of a computer progra...
17168 We introduce a new class of mean regression ...
17169 Large eddy simulation (LES) has become the d...
17170 Surface stress and surface energy are fundam...
17171 The biaxial magnetic-field setup for angular...
17172 We investigate the dynamics of a dilute susp...
17173 The formalism of partial information decompo...
17174 We study the asymptotic behavior of a sequen...
17175 In this paper, we present two new results to...
17176 Ultrathin two-dimensional nanosheets raise a...
17177 Resonant x-ray scattering at the Dy $M_5$ an...
17178 We answer a question of Durham, Hagen, and S...
17179 Deep learning requires data. A useful approa...
17180 The anomalously large radii of strongly irra...
17181 Bands of vector-valued functions $f:T\mapsto...
17182 In general, underestimation of risk is somet...
17183 The atomic swap protocol allows for the exch...
17184 We design, analyse and implement an arbitrar...
17185 It is known that one can construct non-param...
17186 We extend the classic convergence rate theor...
17187 We introduce a practical calculation scheme ...
17188 We prove that if $H$ is a topological group ...
17189 Differentiable systems in this paper means s...
17190 The simulation of pedestrian crowd that refl...
17191 The structural description for the intriguin...
17192 Purpose: This paper focuses on an automated ...
17193 A strong mode of a probability measure on a ...
17194 Motivated by the theory of quasi-determinant...
17195 We introduce a Multi-modal Neural Machine Tr...
17196 Phase retrieval algorithms have become an im...
17197 The Cobalt-germanium (Co-Ge) is a fascinatin...
17198 Many image-to-image translation problems are...
17199 This paper addresses the optimal control pro...
17200 Deep neural networks (DNNs) have transformed...
17201 Let $m(n)$ denote the maximum size of a fami...
17202 Test mass charging caused by cosmic rays wil...
17203 We propose a memory-model-aware static progr...
17204 We present an evaluation update (or simply, ...
17205 We analyse extreme event statistics of exper...
17206 The self-consistent nonlinear interaction of...
17207 We present the first adaptive strategy for a...
17208 Synthesizing images of the eye fundus is a c...
17209 We investigate the growth of the graphene bu...
17210 Vaccine hesitancy has been recognized as a m...
17211 Personal electronic devices including smartp...
17212 We study the least squares regression functi...
17213 The thermal stability of most electronic and...
17214 In this paper, we study emergent irreducible...
17215 This paper concerns the low Mach number limi...
17216 In this paper, the formulas of some exponent...
17217 Preserving the privacy of individuals by pro...
17218 The interplay between superconductivity and ...
17219 Background: The quality of a software produc...
17220 Although the Gaia catalogue on its own will ...
17221 We use 16 quarters of the \textit{Kepler} mi...
17222 The reconstruction of water wave elevation f...
17223 The Schatten quasi-norm was introduced to br...
17224 Consider a truncated circular unitary matrix...
17225 In this paper, the task-related fMRI problem...
17226 Motivated by the task of clustering either $...
17227 We present wide-field (167 deg$^2$) weak len...
17228 Finite difference methods are traditionally ...
17229 Kinetic energy density functionals (KEDFs) a...
17230 The muti-layer information bottleneck (IB) p...
17231 We propose a new mathematical model for $n-k...
17232 A central problem of algebraic topology is t...
17233 Optimization is becoming a crucial element i...
17234 In this paper, we study convergence properti...
17235 The direct detection of gravitational wave b...
17236 Approximations during program analysis are a...
17237 Through the development of efficient algorit...
17238 Nonlinear wave interactions affect the evolu...
17239 The single-particle spectral function measur...
17240 The purpose of this article is to determine ...
17241 In this work, we introduce a new type of lin...
17242 Multi-label image classification is a fundam...
17243 The atmospheres of between one quarter and o...
17244 We present a quantization of an isomorphism ...
17245 This paper is concerned with a multi-asset m...
17246 Deep learning has enabled major advances in ...
17247 Undesired unintentional doping and doping li...
17248 In recent years, many research works propose...
17249 For applications exploiting the valley pseud...
17250 Predicting highrisk vascular diseases is a s...
17251 Understanding the evolution of human society...
17252 Autonomic nervous system (ANS) activity is a...
17253 Unsupervised learning of low-dimensional, se...
17254 In the Best-$k$-Arm problem, we are given $n...
17255 We study equilibrium measures (Käenmäki meas...
17256 We present a thermal emission spectrum of th...
17257 Deep learning yields great results across ma...
17258 Neural networks have been used prominently i...
17259 Precise knowledge of the static density resp...
17260 The magnetocrystalline anisotropy exhibited ...
17261 In this paper, we experimentally demonstrate...
17262 The continuous dynamical system approach to ...
17263 With the popularity of Linked Open Data (LOD...
17264 Wave motion in two- and three-dimensional pe...
17265 In this paper, we formulate an analogue of W...
17266 Many real-world multilayer systems such as c...
17267 The reconstruction of sparse signals require...
17268 In this paper, we propose a fault detection ...
17269 We study numerically a Constantin-Lax-Majda-...
17270 We consider the fitting of heavy tailed data...
17271 This paper introduces Deep Incremental Boost...
17272 We consider linear structural equation model...
17273 We show how solutions to a large class of pa...
17274 In 1934, Reinhardt conjectured that the shap...
17275 We study the heating mechanisms and Ly{\alph...
17276 In this chapter we explain briefly the funda...
17277 The electronic structure of ThRu2Si2 was stu...
17278 Factorable surfaces, i.e. graphs associated ...
17279 The paper presents two results. First it is ...
17280 Sequential change-point detection when the d...
17281 We give algorithms to construct the Néron De...
17282 In recent years, deep learning has made trem...
17283 We consider the problem of training generati...
17284 Ontology-based query answering (OBQA) asks w...
17285 Despite their popularity, the practical perf...
17286 In this paper, we study a new learning parad...
17287 We determine which amalgamated products of s...
17288 Understanding shading effects in images is c...
17289 Let $S$ be the power series ring or the poly...
17290 Generative adversarial networks (GANs) are i...
17291 Causal mediation analysis aims to estimate t...
17292 In this work, a novel subspace-based method ...
17293 We extend a previously introduced semi-analy...
17294 In this article we study the existence and s...
17295 We report on the selective fabrication of hi...
17296 In this note, we prove an ${L^{\frac{n}{2}}}...
17297 Pomsets are a model of concurrent computatio...
17298 The ecological invasion problem in which a w...
17299 Nonlocality is a key feature of many physica...
17300 We introduce Deep-HiTS, a rotation invariant...
17301 In various approaches to learning, notably i...
17302 The principle of common cause asserts that p...
17303 When three species compete cyclically in a w...
17304 We study the multiclass online learning prob...
17305 Deep learning techniques have been hugely su...
17306 In this paper we study the infinitesimal sym...
17307 The studying of anomalous diffusion by pulse...
17308 We report a nontrivial transition in the cor...
17309 Multi-armed bandit (MAB) is a class of onlin...
17310 We investigate the initial-boundary value pr...
17311 We demonstrate that a deep neural network ca...
17312 The development of needle-free injection sys...
17313 In this paper, we initiate a rigorous theore...
17314 Classical reverse-mode automatic differentia...
17315 Many-degree-scale gamma-ray halos are expect...
17316 In this work we investigate a one-dimensiona...
17317 We present Generative Adversarial Capsule Ne...
17318 Zoonotic diseases are a major cause of morbi...
17319 The exploitation of the excellent intrinsic ...
17320 We investigate a steady planar flow of an id...
17321 This article demonstrates that convolutional...
17322 Due to the success of deep learning to solvi...
17323 Let $R$ be a commutative ring with identity,...
17324 In the following paper we analyse the ID$_3$...
17325 Characterization of the uncertainty in robot...
17326 Patch-based denoising algorithms like BM3D h...
17327 We have studied disordering effects on the c...
17328 Simulation-based inference plays a major rol...
17329 K-Nearest Neighbours (k-NN) is a popular cla...
17330 In this paper we extend the work by Ryuzo Sa...
17331 We report results of a search for light weak...
17332 The 32 Orionis group was discovered almost a...
17333 This paper proposes XML-Defined Network poli...
17334 This paper discusses a roadmap to investigat...
17335 We discuss the effect of dissipation on heat...
17336 The goal of compressed sensing is to estimat...
17337 Several researchers have described two-part ...
17338 Along with the deraining performance improve...
17339 Statistical inference based on lossy or inco...
17340 Nearest neighbor imputation is popular for h...
17341 We demonstrate that a semiconductor laser pe...
17342 In this paper, we propose a new deep feature...
17343 To detect and segment salient objects accura...
17344 We provide a complete picture of asymptotica...
17345 This paper studies the secrecy rate maximiza...
17346 Stochastic integration \textit{wrt} Gaussian...
17347 We naturally associate a measurable space of...
17348 This paper focuses on automated synthesis of...
17349 In the present work we prove a Nikol'ski ine...
17350 Inferring model parameters from experimental...
17351 This paper establishes an upper bound for th...
17352 By considering a limiting case of a Kronecke...
17353 In this paper, we consider the temporal patt...
17354 We propose in this paper a new approach to t...
17355 We prove a conjecture of Medvedev and Scanlo...
17356 The asymptotic behaviour of the commonly use...
17357 We compute physical properties across the ph...
17358 We introduce MinimalRNN, a new recurrent neu...
17359 Let $BQP(n)$ be a boolean quadric polytope, ...
17360 Analyzing array-based computations to determ...
17361 Independent Component Analysis (ICA) - one o...
17362 We study weighted $H^\infty$ spaces of analy...
17363 Cauchy and exponential transforms are charac...
17364 We report extensive theoretical calculations...
17365 We consider the multi-view data completion p...
17366 We consider the problem of grid-forming cont...
17367 We characterize the near-infrared (NIR) dust...
17368 Using tape or optical devices for scale-out ...
17369 Noisy PN learning is the problem of binary c...
17370 We present a neural model for representing s...
17371 Robust data association is necessary for vir...
17372 We study the effect of dynamical tides assoc...
17373 We consider a Bose-Einstein condensate (BEC)...
17374 The execution of sequential programs allows ...
17375 Specify a randomized algorithm that, given a...
17376 In this paper, we prove modularity results o...
17377 For future networks (i.e., the fifth generat...
17378 Many of the existing methods for learning jo...
17379 Kepler-452b is currently the best example of...
17380 We report the propagation of a square wave s...
17381 We present Sequential Attend, Infer, Repeat ...
17382 We present a new local descriptor for 3D sha...
17383 We present theoretical guarantees for an alt...
17384 In recent years, there have been increasing ...
17385 In this paper, we propose to utilize Convolu...
17386 In this paper, we consider the derivation of...
17387 This paper introduces the variational implic...
17388 Transformation optics methods and gradient i...
17389 Lanthanum family of high-temperature cuprate...
17390 Capable of reaching similar magnitudes to la...
17391 General $N$-solitons in three recently-propo...
17392 We revisit the mathematical models for wirel...
17393 Symbolic data analysis (SDA) is an emerging ...
17394 Many real-world data mining applications nee...
17395 The Cherenkov Telescope Array (CTA) is the n...
17396 The restricted isometry property (RIP) is a ...
17397 Nonparametric kernel density estimation is a...
17398 We applied machine learning to predict wheth...
17399 This paper investigates the algorithmic dime...
17400 Inference in log-linear models scales linear...
17401 When an ordered spin system of a given dimen...
17402 We report the bright solitons of the general...
17403 The most recent experimental advances could ...
17404 Stronger selection implies faster evolution-...
17405 L.J. Savage once hoped to show that "the sup...
17406 Stochastic Gradient Descent (SGD) is the cen...
17407 The Kontsevich integral is a powerful link i...
17408 In this note we prove a selection of commuta...
17409 Short Message Service (SMS) spam is a seriou...
17410 Measuring and analyzing the performance of s...
17411 We present a method for calculating the comp...
17412 Literature on the modeling and simulation of...
17413 In this paper, we study a new type of spatia...
17414 In the game theory literature, there appears...
17415 Superior performance and ease of implementat...
17416 Wavelet frame systems are known to be effect...
17417 A recently proposed exact algorithm for the ...
17418 Privatizing data is a useful strategy for in...
17419 Cellular Electron Cryo-Tomography (CECT) is ...
17420 Large-scale deep convolutional neural networ...
17421 We report evidence for an enstrophy cascade ...
17422 We study contextual multi-armed bandit probl...
17423 Variational inference for latent variable mo...
17424 To understand the self-sustenance of subcrit...
17425 Learning would be a convincing method to ach...
17426 This paper addresses the trajectory tracking...
17427 Though there has been a significant amount o...
17428 This paper gives new results for synchroniza...
17429 We apply both distance-based (Jin and Mattes...
17430 We study the local geometry of testing a mea...
17431 Two of the most fundamental prototypes of gr...
17432 We study the problem of subsampling in diffe...
17433 Assigning a satisfactory truly concurrent se...
17434 We propose a technique for multi-task learni...
17435 We present a probabilistic language model fo...
17436 The multiple scattering of ultra relativisti...
17437 We give necessary and sufficient conditions ...
17438 The photoelectric effect established by Eins...
17439 We apply sequence-to-sequence model to mitig...
17440 We investigate the use of 183 GHz H2O masers...
17441 The free energy principle has been proposed ...
17442 In this paper we study the setting where fea...
17443 Contextual bandit algorithms are sensitive t...
17444 Smart solar inverters can be used to store, ...
17445 Despite recent advances in face recognition ...
17446 Citizen science projects recruit members of ...
17447 We study the category of representations of ...
17448 Complex networks have been found to provide ...
17449 We analyze short cadence K2 light curve of t...
17450 As robots become increasingly prevalent in a...
17451 Let $T$ be a consistent o-minimal theory ext...
17452 Standard Bayesian analyses can be difficult ...
17453 Large Area X-ray Proportional Counter (LAXPC...
17454 We give a counterexample to the vector gener...
17455 In this work, we ask two questions: 1. Can w...
17456 Hilbert's 14th problem studies the finite ge...
17457 We design a stochastic algorithm to train an...
17458 We find evidence for a strong thermal invers...
17459 The magnetic-field-temperature phase diagram...
17460 Extended Kalman filter (EKF) does not guaran...
17461 We establish new approximation results, in t...
17462 In this paper, a multi-agent coordination pr...
17463 For the first time, intermodulation distorti...
17464 InGaAs-based Gate-all-Around (GAA) FETs with...
17465 In this paper we study the integral of type\...
17466 In this paper we define the notion of pullba...
17467 The simplex algorithm for linear programming...
17468 In diffusion-based communication, as for mol...
17469 Modified Hamiltonian Monte Carlo (MHMC) meth...
17470 This whitepaper proposes the design and adop...
17471 In this paper, we introduce DICOD, a convolu...
17472 We study uniqueness of Dirichlet problems of...
17473 At interfaces between oxide materials, latti...
17474 A mathematical model for emerging contaminan...
17475 Deep generative models based on Generative A...
17476 Approximate vanishing ideal, which is a new ...
17477 X-ray Free Electron Lasers (XFELs) have been...
17478 Avenues of Majorana bound states (MBSs) have...
17479 Research is a tertiary priority in the EHR, ...
17480 We show that whereas spin-1/2 one-dimensiona...
17481 In this paper two portfolio choice models ar...
17482 We study some basic properties of the class ...
17483 To realize and test advanced accelerator con...
17484 We investigated the magnetic behavior of met...
17485 Cloud computing helps reduce costs, increase...
17486 Password security can no longer provide enou...
17487 This paper presents a practical approach tow...
17488 Recent advances in deep learning, especially...
17489 The mechanical failure of amorphous media is...
17490 The validity of the strong law of large numb...
17491 In this letter we study the mean sizes of Ha...
17492 Motivated by a host of empirical evidences r...
17493 We consider the spectral Dirichlet problem f...
17494 We examine the meaning and the complexity of...
17495 Recently, Thas et al. (2012) introduced a ne...
17496 We present the strongest constraints to date...
17497 In this paper we introduce a system for unsu...
17498 One of the most significant challenges invol...
17499 This paper examines the speaker identificati...
17500 In this paper, by using the idea of lineariz...
17501 We look at interval exchange transformations...
17502 Consider the parabolic equation with measure...
17503 As the number of contributors to online peer...
17504 This brief note highlights some basic concep...
17505 We present novel experimental results on pat...
17506 The purpose of the paper is to study Yamabe ...
17507 We investigate exceedances of the process ov...
17508 A problem of classification of local field p...
17509 We give a few explicit examples which answer...
17510 We consider inference about the history of a...
17511 In this paper, ellipsoid method for linear p...
17512 We experimentally demonstrate a ring geometr...
17513 We explore the possibility of discovering ex...
17514 Recently, integrability conditions (ICs) in ...
17515 We consider the estimation of the multi-peri...
17516 Tests of gravity at the galaxy scale are in ...
17517 By mapping the most advanced elements of the...
17518 We prove that the generating functions for t...
17519 We study the N=1 supersymmetric solutions of...
17520 In this paper, we show that the recent integ...
17521 This paper proposes a segmentation-free, aut...
17522 We have determined new relations between $UB...
17523 We study numerically the Bloch electron wave...
17524 Sequential Monte Carlo has become a standard...
17525 Decades of psychological research have been ...
17526 We present a collection of conjectural trace...
17527 Targeted attacks against network infrastruct...
17528 Reinforcement learning and symbolic planning...
17529 When pristine material surfaces are exposed ...
17530 We develop the theory of hydrodynamic charge...
17531 Predicting how a proposed cancer treatment w...
17532 Rechargeable redox flow batteries with serpe...
17533 We present a list of open questions in mathe...
17534 Online advertising and product recommendatio...
17535 The goal of population spectral synthesis (P...
17536 In \cite{Chen:2016fgi} we proposed a differe...
17537 In this paper a new restarting method for Kr...
17538 In this paper, nil extensions of some specia...
17539 We examine a class of embeddings based on st...
17540 Probabilistic modeling is fundamental to the...
17541 There has been considerable research on auto...
17542 Despite remarkable successes, Deep Reinforce...
17543 We demonstrate that in diffusive superconduc...
17544 Although a majority of the theoretical liter...
17545 In this paper we use an iterative algorithm ...
17546 Kernel quadratures and other kernel-based ap...
17547 In this work we introduce a conditional acce...
17548 Generative moment matching network (GMMN) is...
17549 We study the multipartite entanglement of a ...
17550 Thermal properties of graphene monolayers ar...
17551 The summary presented in this paper highligh...
17552 A stochastic model of excitatory and inhibit...
17553 We present a new Monte Carlo methodology for...
17554 We study the unitary representations of the ...
17555 In this paper we describe the problem of pai...
17556 In this paper, we will establish an elliptic...
17557 Due to one of the most representative contri...
17558 Environmental pollutants, such as colors fro...
17559 This paper provides the generating series fo...
17560 We report results of simultaneous x-ray refl...
17561 The observation of micron size spin relaxati...
17562 Advanced gravitational-wave detectors such a...
17563 The design of spacecraft trajectories for mi...
17564 We prove that for every Bushnell-Kutzko type...
17565 Let $k = \mathbb{F}_{q}(T)$ be the rational ...
17566 We present a result on the number of decoupl...
17567 Learning to remember long sequences remains ...
17568 Increasingly, Internet of Things (IoT) domai...
17569 It has recently been shown that yield in amo...
17570 We present a review of data types and statis...
17571 We provide sufficient conditions to guarante...
17572 The paper, as a new contribution, aims to ex...
17573 Classification performances of the supervise...
17574 We propose an autoencoding sequence-based tr...
17575 We prove effective Nullstellensatz and elimi...
17576 Let $q$ be a prime power of a prime $p$, $n$...
17577 Zebrafish pretectal neurons exhibit specific...
17578 Being able to predict whether a song can be ...
17579 We train multi-task autoencoders on linguist...
17580 Time series forecasting is a crucial compone...
17581 We investigate the ground state properties o...
17582 Recent determination of the Hubble constant ...
17583 Automatic generation of caption to describe ...
17584 Swirl-switching is a low-frequency oscillato...
17585 A key advance in learning generative models ...
17586 In this paper, we propose a novel learning m...
17587 The sensitivity of molecular dynamics on cha...
17588 In this work we study a multi-agent coordina...
17589 Pattern lock has been widely used for authen...
17590 Many analysis and machine learning tasks req...
17591 In the last decades there have been an incre...
17592 We conjecture the universal probability dist...
17593 We carry out a study of the statistical dist...
17594 Bin Packing problems have been widely studie...
17595 Human populations exhibit complex behaviors-...
17596 Although timely sepsis diagnosis and prompt ...
17597 In this paper we prove the Hölder regularity...
17598 There exists a critical speed of propagation...
17599 This paper describes our submission "CLaC" t...
17600 A local existence and uniqueness theorem for...
17601 The Mapper produces a compact summary of hig...
17602 This paper presents a three dimensional coll...
17603 In this paper, we consider the problems for ...
17604 We examine how the institutional context aff...
17605 A great variety of text tasks such as topic ...
17606 Endovascular sealing is a new technique for ...
17607 MapReduce framework is the de facto standard...
17608 We consider the topic of multivariate regres...
17609 We study the problem of finding a small subs...
17610 Sketch-based modeling strives to bring the e...
17611 We study the problem of ranking a set of ite...
17612 SAGA is a fast incremental gradient method o...
17613 The effects of nitridation on the density of...
17614 We derive the finite temperature Keldysh res...
17615 This work introduces a tensor-based method t...
17616 Given a set of baseline assumptions, a break...
17617 We study detection methods for multivariable...
17618 Singular limits of 6D F-theory compactificat...
17619 Crystal structures and the Bloch theorem pla...
17620 We consider a multi-way massive multiple-inp...
17621 In this paper we introduce and study motives...
17622 This work extends the Elsner & Wandelt (2013...
17623 Self-consistent treatment of cosmological st...
17624 Let $K/F$ be a finite extension of number fi...
17625 We consider the class of Rudin-Shapiro-like ...
17626 We highlight how Rule-based Integration (Rub...
17627 In this paper, we analyze the performance of...
17628 We show that polarization states of electrom...
17629 In empirical work in economics it is common ...
17630 We prove two results concerning an Ulam-type...
17631 In this communication, we describe a novel t...
17632 Despite significant advances in artificial i...
17633 This paper generalises Mori's famous theorem...
17634 We investigate the dynamics of water confine...
17635 The main objective of this paper is to study...
17636 Planetary cores consist of liquid metals (lo...
17637 Followership is generally defined as a strat...
17638 We present improved Mars Odyssey Neutron Spe...
17639 Let $\varphi:\mathbb{R}\rightarrow \mathbb{R...
17640 The navigation problem is classically approa...
17641 This paper presents a thorough evaluation of...
17642 We present DeepPicar, a low-cost deep neural...
17643 Considering structure functions of the strea...
17644 Compact modeling of inter-device radiation-i...
17645 In this note it is shown that the class of a...
17646 We consider using a battery storage system s...
17647 The nervous system encodes continuous inform...
17648 We present an investigation of clumpy galaxi...
17649 We propose the use of incomplete dot product...
17650 Let $A$ be a commutative Noetherian ring con...
17651 This is the last part of a series of three p...
17652 In the cost per click (CPC) pricing model, a...
17653 An important task for many if not all the sc...
17654 The planar linear restricted four-body probl...
17655 We investigate the mechanical properties of ...
17656 Skin cancer is a major public health problem...
17657 This article introduces the notion of arbitr...
17658 We define a class of surfaces and surface pa...
17659 An efficient descriptor model for fast scree...
17660 We prove, combinatorially, that the product ...
17661 Topological nodal line (DNL) semimetals, for...
17662 Variational inference is a popular technique...
17663 Monolayers of transition metal dichalcogenid...
17664 Exact solutions for laminar stratified flows...
17665 A large class of machine learning techniques...
17666 The covariant canonical formalism is a covar...
17667 We study cascading failures in a system comp...
17668 For any geodesic current we associated a qua...
17669 Trivial events are ubiquitous in human to hu...
17670 In this paper, we investigate the Casacore T...
17671 We report the experimental observation of th...
17672 In absence of a lens to form an image, incoh...
17673 Multiview video supports observing a scene f...
17674 The objective of the present work is to cons...
17675 We propose a simple technique for encouragin...
17676 Loosely speaking, the Shannon entropy rate i...
17677 Aspects of the preparation process and perfo...
17678 A mixed manna contains goods (that everyone ...
17679 How can we explain the predictions of a blac...
17680 We study analytically and numerically the op...
17681 Progress in science has advanced the develop...
17682 Each family $\mathcal{M}$ of means has a nat...
17683 We propose a fully distributed actor-critic ...
17684 We describe the structure of Hausdorff local...
17685 Electrons that are confined to a single Land...
17686 Over the last decades, numerous security and...
17687 In this review we discuss how channel simula...
17688 A non-parametric method for ranking stock in...
17689 Plastic deformation of metallic glasses perf...
17690 This work is closely related to the theories...
17691 Detection of cell nuclei in microscopic imag...
17692 Given a Heegaard splitting of a three-manifo...
17693 Modeling network traffic is gaining importan...
17694 Quantum coherence phenomena driven by electr...
17695 Recently, a wide range of smart devices are ...
17696 An element e of an ordered semigroup $(S,\cd...
17697 Let $\pi$ be a Hecke-Maass cusp form for $SL...
17698 It is known that the implied volatility skew...
17699 We calculate the amplitude-to-phase (AM-to-P...
17700 Direct frequency-comb spectroscopy is used t...
17701 A variety of energy resources has been ident...
17702 Inferring walls configuration of indoor envi...
17703 Experience replay is a key technique behind ...
17704 We investigate the problem of dynamic portfo...
17705 We report a sample of 463 high-mass starless...
17706 Artificial neural networks that learn to per...
17707 The problem of object localization and recog...
17708 We propose a fast, simple and robust algorit...
17709 Recently, the deep learning community has gi...
17710 The S=1/2 Heisenberg spin chain compound SrC...
17711 In this joint introduction to an Asterisque ...
17712 Many real-world systems are characterized by...
17713 The field of biomedical imaging has undergon...
17714 A new initiative from the International Swap...
17715 Hierarchical models are utilized in a wide v...
17716 Atomistic simulations were carried out to an...
17717 Hyperspectral/multispectral imaging (HSI/MSI...
17718 Among the large number of promising two-dime...
17719 Starting from a Langevin formulation of a th...
17720 We present a feature functional theory - bin...
17721 One of the serious issues in communication b...
17722 Weighted automata (WA) are an important form...
17723 Let $G$ be a finite group and let $p_1,\dots...
17724 Generalize Kobayashi's example for the Noeth...
17725 We study the continuity of space translation...
17726 In this study, we propose shrinkage methods ...
17727 We formulate Bayesian updates in Markov proc...
17728 Scanning tunnelling microscopy and low energ...
17729 A real hypersurface in the complex quadric $...
17730 The quest towards expansion of the MAX desig...
17731 Deep learning has proven to be a powerful to...
17732 We determine the value of some search games ...
17733 We report the discovery of four short period...
17734 We formulate a general criterion for the exa...
17735 The use of CVA to cover credit risk is widel...
17736 Ensemble pruning, selecting a subset of indi...
17737 The paper is devoted to the relationship bet...
17738 We study Shimura curves of PEL type in $\mat...
17739 Data-driven anomaly detection methods suffer...
17740 Self-similarity was recently introduced as a...
17741 Highly Principled Data Science insists on me...
17742 We study a class of focusing nonlinear Schro...
17743 Following some previous studies on restartin...
17744 In this work, nonparametric statistical infe...
17745 The symbol is used to describe the Springer ...
17746 While harms of allocation have been increasi...
17747 The X-ray spectra of the neutron stars locat...
17748 We prove various inequalities between the nu...
17749 Overabundances in highly siderophile element...
17750 We consider a Bayesian model for inversion o...
17751 A promising route to the realization of Majo...
17752 In this paper we introduce RADULS2, the fast...
17753 Deterministic neural nets have been shown to...
17754 This work relates to the famous experiments,...
17755 The Shortest Paths Problem (SPP) is no longe...
17756 In this paper we present a short and element...
17757 Cosmology in the near future promises a meas...
17758 Liquid-phase-exfoliation is a technique capa...
17759 Designing an exoskeleton to reduce the risk ...
17760 Todays, researchers in the field of Pulmonar...
17761 We point out that most of the classical ther...
17762 High-transmissivity all-dielectric metasurfa...
17763 We proposed a probabilistic approach to join...
17764 Quantum key distribution (QKD) offers a way ...
17765 Deep neural networks are a family of computa...
17766 In an economy with asymmetric information, t...
17767 Ordering theorems, characterizing when parti...
17768 As the foundation of driverless vehicle and ...
17769 Existing Markov Chain Monte Carlo (MCMC) met...
17770 We embed a flipped ${\rm SU}(5) \times {\rm ...
17771 The interactive computation paradigm is revi...
17772 IIn recent years, there has been a growing i...
17773 We propose and analyze an efficient spectral...
17774 Mendelian randomization uses genetic variant...
17775 Direct acoustics-to-word (A2W) models in the...
17776 Convolutional dictionary learning (CDL or sp...
17777 We present late-time optical $R$-band imagin...
17778 In this article, we consider Markov chain Mo...
17779 We generalise a multiple string pattern matc...
17780 The correspondence between definable connect...
17781 A family $\{Q_{\beta}\}_{\beta \geq 0}$ of M...
17782 We present a scheme to deterministically pre...
17783 Bayesian optimization is a sample-efficient ...
17784 In recent years, the attack which leverages ...
17785 We report the discovery of a system of two s...
17786 A new electron beam-optical procedure is pro...
17787 Due to its excellent shock-capturing capabil...
17788 This paper presents an educational code writ...
17789 This document outlines the approach to suppo...
17790 How does the small-scale topological structu...
17791 The Principle of the Glitch states that for ...
17792 In this article we perform an asymptotic ana...
17793 Recent interest in topological semimetals ha...
17794 Recent research has shown the usefulness of ...
17795 Random geometric graphs in hyperbolic spaces...
17796 We study the efficient learnability of geome...
17797 Editorial board members, who are considered ...
17798 This paper examines the Standard Model under...
17799 We introduce flexible robust functional regr...
17800 In this paper, we are concerned with determi...
17801 Dual energy CT (DECT) enhances tissue charac...
17802 In wind farms, wake interaction leads to los...
17803 We show how an ensemble of $Q^*$-functions c...
17804 Two modest-sized symbolic corpora of post-to...
17805 Existing urban boundaries are usually define...
17806 Peer review is the foundation of scientific ...
17807 Generating random variates from high-dimensi...
17808 We show (under mild topological assumptions)...
17809 We present a systematic method for designing...
17810 Terrorism has become one of the most tedious...
17811 I present here the first results from an ong...
17812 It is well-known that GANs are difficult to ...
17813 Acute respiratory infections have epidemic a...
17814 Under model uncertainty, empirical Bayes (EB...
17815 In this paper we introduce a finite field an...
17816 In this article we consider two-way two-tape...
17817 360$^{\circ}$ video requires human viewers t...
17818 Zero-shot learning (ZSL) is a challenging ta...
17819 Speaker change detection (SCD) is an importa...
17820 In this paper we develop a bivariate discret...
17821 Over 150,000 new people in the United States...
17822 Users of Online Social Networks (OSNs) inter...
17823 We present an approach to path following usi...
17824 We theoretically study scattering process an...
17825 Model selection in mixed models based on the...
17826 We study the ground state energy of the Neum...
17827 We develop and implement automated methods f...
17828 Testing the simplifying assumption in high-d...
17829 In this paper we study a natural special cas...
17830 It is shown that using the similarity transf...
17831 Recent studies have shown that reinforcement...
17832 Artificial neural network (ANN) is a very us...
17833 Determinantal point processes (DPPs) have wi...
17834 Double machine learning provides $\sqrt{n}$-...
17835 We perform direct numerical simulations of s...
17836 Latent factor models for recommender systems...
17837 We establish large sample approximations for...
17838 Word2vec (Mikolov et al., 2013) has proven t...
17839 We study extremal and algorithmic questions ...
17840 The selection of West Java governor is one e...
17841 The next generation of AI applications will ...
17842 Temporary work is an employment situation us...
17843 Transition metal dichalcogenides represent a...
17844 We demonstrate identification of position, m...
17845 We prove that the set of symplectic lattices...
17846 A Viterbi-like decoding algorithm is propose...
17847 In multiferroic BiFeO$_3$ a cycloidal antife...
17848 This project proposes to reuse the DAFNE acc...
17849 Understanding planetary interiors is directl...
17850 The occurrence of new events in a system is ...
17851 In this work the conduction of ion-water sol...
17852 Extreme values modeling has attracting the a...
17853 Systems subject to uncertain inputs produce ...
17854 The combination of large open data sources w...
17855 The discrete cosine transform (DCT) is the k...
17856 It is well known that the initialization of ...
17857 Boundary value problem for complete second o...
17858 Change point analysis is a statistical tool ...
17859 Real-time monitoring of functional tissue pa...
17860 The interaction that occurs between a light ...
17861 Compared with relational database (RDB), gra...
17862 In this paper, we present an algorithm for t...
17863 Two-dimensional (2D) materials are among the...
17864 This article provides the first survey of co...
17865 Tensor network methods are taking a central ...
17866 We present four logic puzzles and after that...
17867 Exploration bonus derived from the novelty o...
17868 Much of the success of single agent deep rei...
17869 Synthetic aperture imaging systems achieve c...
17870 In designing most software applications, muc...
17871 Principal component analysis is an important...
17872 In recent years, several convex programming ...
17873 Building on recent work of Bhargava--Elkies-...
17874 Drug repositioning (DR) refers to identifica...
17875 In this work we investigate the dynamics of ...
17876 Our aim is to characterize the Lipschitz fun...
17877 We consider a thin normal metal sandwiched b...
17878 We consider the privacy implications of publ...
17879 The Nash equilibrium paradigm, and Rational ...
17880 The predictions of parameteric property mode...
17881 Split manufacturing is a promising technique...
17882 Autonomous sorting is a crucial task in indu...
17883 The Whittle likelihood is widely used for Ba...
17884 Geophysical model domains typically contain ...
17885 A map merging component is crucial for the p...
17886 This paper introduces a family of local feat...
17887 In this paper, we demonstrate sub-harmonic i...
17888 We have studied the longitudinal spin Seebec...
17889 We complete the picture available in the lit...
17890 Approximate Bayesian computation (ABC) is a ...
17891 Regression problems are pervasive in real-wo...
17892 We define a new method to estimate centroid ...
17893 Calculation of near-neighbor interactions am...
17894 The evolution and the present status of the ...
17895 We propose a hybrid quantum system, where an...
17896 Video games and the playing thereof have bee...
17897 Learning the latent representation of data i...
17898 Sensor selection refers to the problem of in...
17899 We introduce the discrete distribution of a ...
17900 Coherent control of the resonant response in...
17901 Recently we have demonstrated the presence o...
17902 We study a relationship between the ultrapro...
17903 A fundamental issue for statistical classifi...
17904 The problem of machine learning with missing...
17905 This paper provides an entry point to the pr...
17906 In this digital era, one thing that still ho...
17907 This paper proposes a gamma process for mode...
17908 Suppose one has data from one or more comple...
17909 Let $B{ aut}_1X$ be the Dold-Lashof classify...
17910 Sophisticated gated recurrent neural network...
17911 We study many-body localization properties o...
17912 Deep neural networks show great potential as...
17913 In this paper, two robust model predictive c...
17914 Hidden Markov Models (HMMs) are a ubiquitous...
17915 Network growth processes can be understood a...
17916 Advances in data analytics bring with them c...
17917 The present paper is dedicated to the global...
17918 We present large-field (4.25~$\times$~3.75 d...
17919 Unseen data conditions can inflict serious p...
17920 We study the generation of the matter-antima...
17921 This paper introduces the acoustic scene cla...
17922 We propose a class of Particle-In-Cell (PIC)...
17923 Methodological research rarely generates a b...
17924 Deep learning is an established framework fo...
17925 Demographic studies suggest that changes in ...
17926 In this Review we will study rigorously the ...
17927 Background: The chromatin remodelers of the ...
17928 We consider two questions at the heart of ma...
17929 We provide a full analysis of ghost free hig...
17930 We introduce a novel approach for predicting...
17931 Many of the baryons in our Galaxy probably l...
17932 Supercontinuum generation using chip-integra...
17933 Through a series of examples, we illustrate ...
17934 We give a rigorous characterization of what ...
17935 We present a new class of service for locati...
17936 We characterize the completeness and frame/b...
17937 Deep learning models are often successfully ...
17938 Computer based recognition and detection of ...
17939 Let $A$ be an expanding $d\times d$ matrix w...
17940 In this paper we consider the Dvali and Góme...
17941 We consider the problem of convergence to a ...
17942 We investigate to what extent mobile use pat...
17943 In a previous study, the algebraic formulati...
17944 Micro Aerial Vehicles (MAVs) are limited in ...
17945 We describe algorithms to compute elliptic f...
17946 Magnetic skyrmions are localized nanometric ...
17947 Generative models have long been the dominan...
17948 For hidden Markov models one of the most pop...
17949 This paper considers insertion and deletion ...
17950 Periodic supercell models of electric double...
17951 In this paper, we present CrowdTone, a syste...
17952 Restricted Boltzmann machines (RBMs) are ene...
17953 Compound random measures (CoRM's) are a flex...
17954 The test of gravitational force on antimatte...
17955 Attention-based sequence-to-sequence models ...
17956 We propose a new approach to train the Gener...
17957 The seminal work of Gatys et al. demonstrate...
17958 We aim at characterizing the large-scale dis...
17959 We consider a certain quotient of a polynomi...
17960 Blog is becoming an increasingly popular med...
17961 Meaningful laws of nature must be independen...
17962 Characterization of the primary events invol...
17963 We consider implementations of high-order fi...
17964 For lattice Monte Carlo simulations parallel...
17965 We prove upper and lower bounds on the effec...
17966 3D Morphable Models (3DMMs) are powerful sta...
17967 In medicine, visualizing chromosomes is impo...
17968 Based on 13 agile transformation cases over ...
17969 A symbolic-computational algorithm, fully im...
17970 HESS J1826$-$130 is an unidentified hard spe...
17971 We investigate how next-generation laser pul...
17972 Social dilemmas, where mutual cooperation ca...
17973 The Casimir free energy of dielectric films,...
17974 Pharmaco-epidemiology (PE) is the study of u...
17975 A new form of variational autoencoder (VAE) ...
17976 We prove that there exist hypersurfaces that...
17977 Inverse problems, where in broad sense the t...
17978 This work presents a model reduction approac...
17979 Stochastic gradient descent (SGD) is a popul...
17980 Precise trajectory control near ground is di...
17981 This communication presents a longitudinal m...
17982 This new book by cosmologists Geraint F. Lew...
17983 A novel sparsity-based algorithm for audio i...
17984 Identifying palindromes in sequences has bee...
17985 Remanufacturing is a significant factor in s...
17986 A temperature (T)-dependent coarse-grained (...
17987 In this paper, we present libDirectional, a ...
17988 A novel idea is proposed for a natural solut...
17989 Self-paced learning and hard example mining ...
17990 To investigate the electronic structure of W...
17991 The purpose of this study is to analyze cybe...
17992 We develop the theory of weak Fraisse catego...
17993 Music recommendation services collectively s...
17994 This paper studies the large time behavior o...
17995 This paper studies mathematical properties o...
17996 Chemical reaction networks with generalized ...
17997 In this paper, we study the missing sample r...
17998 As one kind of skin cancer, melanoma is very...
17999 We extend Rubio de Francia's extrapolation t...
18000 In layered transition metal dichalcogenides ...
18001 We consider the problem of zero distribution...
18002 We have discovered two novel types of planar...
18003 Our manuscript investigates a self-consisten...
18004 We examine in this article the pricing of ta...
18005 We revisit the Blind Deconvolution problem w...
18006 We present a unified perspective on symmetry...
18007 This volume contains the proceedings of the ...
18008 We analyze the effect of quenched disorder o...
18009 Knowledge graphs are structured representati...
18010 We consider the multi armed bandit problem i...
18011 We propose a new randomized coordinate desce...
18012 We investigate the performance of the standa...
18013 In this paper, algebroid bundle associated t...
18014 The control of complex networks is a signifi...
18015 Despite their fundamental role in determinin...
18016 Surface observations indicate that the speed...
18017 In many studies of environmental change of t...
18018 The ill-posed analytic continuation problem ...
18019 Program slicing provides explanations that i...
18020 Synthetic dimensions alter one of the most f...
18021 The managed-metabolism hypothesis suggests t...
18022 Silicon drift detectors (SDDs) revolutionize...
18023 Online learning to rank is a core problem in...
18024 We extend a technique called Compiling Contr...
18025 Large-scale vortices in protoplanetary disks...
18026 This paper introduces a new nonlinear dictio...
18027 Smillie (1984) proved an interesting result ...
18028 Geospatial semantics is a broad field that i...
18029 In this paper, we continue the study in \cit...
18030 This technical note describes a new baseline...
18031 Even as we advance the frontiers of physics ...
18032 We study the energy functional on the set of...
18033 Viewing the trajectory of a patient as a dyn...
18034 We consider the Schrödinger equation on a ha...
18035 Background\nThe nuclear structure of the clu...
18036 We investigate the terminal-pairibility prob...
18037 Meta learning of optimal classifier error ra...
18038 Event detection is a critical feature in dat...
18039 This paper locally classifies finite-dimensi...
18040 This work sets out to compute and discuss ef...
18041 In this paper we provide an axiomatic charac...
18042 We investigate the constraints on the sum of...
18043 We show that the number of unique function m...
18044 Black-box explanation is the problem of expl...
18045 We derive the finite-volume correction to th...
18046 Additive models, such as produced by gradien...
18047 We formulate a quasiclassical theory ($\omeg...
18048 Context. The Rosetta Orbiter Spectrometer fo...
18049 Walking quadruped robots face challenges in ...
18050 As the field of neuroimaging grows, it can b...
18051 The number of trees T in the random forest (...
18052 This study investigates short-crested wave b...
18053 Transition metal dichalcogenides (TMDCs), wi...
18054 We theoretically study bilayer superconducti...
18055 In this paper, we consider a three-node coop...
18056 Let $F$ be a non-archimedean locally compact...
18057 Game semantics is a rich and successful clas...
18058 We present a proposal for applying nanoscale...
18059 Preprocessing tools for automated text analy...
18060 We propose a new method for embedding graphs...
18061 We develop a feedback control method for net...
18062 We prove that the number of iterations taken...
18063 We prove an analogue of the Hardy-Littlewood...
18064 Besides enabling an enhanced mobile broadban...
18065 In this work, we prove the existence of loca...
18066 We prove the following superexponential dist...
18067 Since the beginning of the new millennium, s...
18068 The superconducting energy gap in $\rm DyNi_...
18069 In this paper we study the problem of findin...
18070 Although there is ample work in the literatu...
18071 Using age of information as the freshness me...
18072 We applied pre-defined kernels also known as...
18073 This paper proposes a neural network archite...
18074 Let $(\mathcal{K} ,\subseteq )$ be a univers...
18075 The super-Neptune exoplanet WASP-107b is an ...
18076 Logical models have been successfully used t...
18077 In this work, we present scalable balancing ...
18078 A flux-splitting method is proposed for the ...
18079 We address unsupervised optical flow estimat...
18080 Autonomous driving requires 3D perception of...
18081 We present a search for CII emission over co...
18082 We complete the proof of the Generalized Sma...
18083 Reinforcement learning (RL) algorithms invol...
18084 A multiscale analysis of 1D stochastic bista...
18085 Interpretability has emerged as a crucial as...
18086 We propose a new technique, Singular Vector ...
18087 This paper establishes a general equivalence...
18088 We prove a Hardy inequality for ultraspheric...
18089 Bayesian Neural Networks (BNNs) have recentl...
18090 In several realistic situations, an interact...
18091 This paper compares the results of applying ...
18092 Acoustical radiation force (ARF) induced by ...
18093 We construct two infinite series of Moufang ...
18094 In the paper "Formality conjecture" (1996) K...
18095 Many similarity-based clustering methods wor...
18096 In this paper, we apply shrinkage strategies...
18097 Let M be a transitive model of set theory. T...
18098 We propose a parallel-data-free voice-conver...
18099 Least-squares models such as linear regressi...
18100 We present a new map of interstellar reddeni...
18101 Seasonal patterns associated with stress mod...
18102 In this paper, we consider the existence (an...
18103 We present a study of Andreev Quantum Dots (...
18104 We introduce the Helsinki Neural Machine Tra...
18105 Phase transformations ruled by non-simultane...
18106 This work considers resilient, cooperative s...
18107 A critical challenge in the observation of t...
18108 For autonomous robots in dynamic environment...
18109 We analyze invariant measures of two coupled...
18110 Any virtually free group $H$ containing no n...
18111 This letter presents a performance compariso...
18112 In this paper, we consider stochastic dual c...
18113 Regularized inversion methods for image reco...
18114 Three dimensional galaxy clustering measurem...
18115 Let $L_u=\begin{bmatrix}1 & 0\\u & 1\end{bma...
18116 This work presents a methodology for modelin...
18117 We study the problem of designing models for...
18118 In this paper, we consider a Markov chain ch...
18119 SAS introduced Type III methods to address d...
18120 Parents and teachers often express concern a...
18121 Existing logical models do not fairly repres...
18122 We study the critical behavior of the 2D $N$...
18123 We study the conductance of a junction betwe...
18124 Training of neural machine translation (NMT)...
18125 Chromosome conformation capture and Hi-C tec...
18126 It is well-known that the verification of pa...
18127 We study the growth of entanglement entropy ...
18128 In this work, we show that saturating output...
18129 We defined a notion of quantum 2-torus $T_\t...
18130 We release two artificial datasets, Simulate...
18131 We introduce a new probabilistic approach to...
18132 Tropical cyclone wind-intensity prediction i...
18133 Given pairwise distinct vertices $\{\alpha_i...
18134 Cirquent calculus is a proof system manipula...
18135 Dual-functional nanoparticles, with the prop...
18136 Photometric observations of planetary transi...
18137 While there exist a number of mathematical a...
18138 When recorded in an enclosed room, a sound s...
18139 The sizes of entire systems of globular clus...
18140 The field enhancement factor at the emitter ...
18141 As demand drives systems to generalize to va...
18142 In this paper, market values of the football...
18143 The Huang-Hilbert transform is applied to Se...
18144 We prove that the exceptional group $E_6(2)$...
18145 The rapid development of artificial intellig...
18146 Let M be a smooth manifold, and let O(M) be ...
18147 It is a well-known fact that adding noise to...
18148 We deal with hypersurfaces in the framework ...
18149 We present a fully edible pneumatic actuator...
18150 State-of-the-art methods for protein-protein...
18151 Decision making is a process that is extreme...
18152 Recent reports claiming tentative associatio...
18153 Simplistic estimation of neural connectivity...
18154 In this paper we provide an update concernin...
18155 Reason and inference require process as well...
18156 The pharmaceutical industry has witnessed ex...
18157 Let $K$ be a simply connected compact Lie gr...
18158 We performed magnetic field and frequency tu...
18159 In this paper, a new Smartphone sensor based...
18160 Depth-sensing is important for both navigati...
18161 In this work, answer-set programs that speci...
18162 We develop a variant of multiclass logistic ...
18163 Approximate Bayesian computation (ABC) and s...
18164 In this paper, we introduce the notions of a...
18165 This paper considers the scenario that multi...
18166 Peer code review locates common coding rule ...
18167 Considering a spherically-symmetric non-stat...
18168 This paper reproduces the text of a part of ...
18169 Private information retrieval (PIR) protocol...
18170 Iterative algorithms, like gradient descent,...
18171 Commented translation of the paper "Universe...
18172 Electronic charge carriers in ionic material...
18173 In this paper, metric reduction in generaliz...
18174 We consider the forecast aggregation problem...
18175 In this paper, cyber attack detection and is...
18176 In this paper, we study the non-self dual ex...
18177 The Lieb Lattice exhibits intriguing propert...
18178 It is analyzed the effects of both bulk and ...
18179 In most realistic models for quantum chaotic...
18180 This paper combines the fast Zero-Moment-Poi...
18181 This work investigates the influence of geom...
18182 Several recent works have empirically observ...
18183 A major challenge in designing neural networ...
18184 In this paper, we study a smoothness regular...
18185 The Painleve-IV equation has three families ...
18186 We numerically study the behavior of self-pr...
18187 RDMA is increasingly adopted by cloud comput...
18188 We recently introduced a method to approxima...
18189 We answer a question of K. Mulmuley: In [Efr...
18190 We develop a one-dimensional notion of affin...
18191 Listed as No. 53 among the one hundred famou...
18192 In this paper, we develop a distributed inte...
18193 The paper conducts a second-order variationa...
18194 Interpreting the performance of deep learnin...
18195 We apply the Acyclicity Theorem of Hess, Ker...
18196 This study aims to analyze the methodologies...
18197 The expedient design of precision components...
18198 This article presents the use of Answer Set ...
18199 In this paper, we define $A_{\infty}$-Koszul...
18200 This paper introduces a class of backward st...
18201 In this paper we present a thorough analysis...
18202 The superconductor-insulator transition (SIT...
18203 We introduce a novel formulation of motion p...
18204 The injective polynomial modules for a gener...
18205 The goal of this present manuscript is to in...
18206 The "least absolute shrinkage and selection ...
18207 Wireless sensor networks are deployed in man...
18208 White-box test generator tools rely only on ...
18209 We study the B ring's complex optical depth ...
18210 We determined the shock-darkening pressure r...
18211 In this paper we study the global fluctuatio...
18212 This paper analyzes publication efficiency i...
18213 Event-based cameras have shown great promise...
18214 Deep learning has yielded state-of-the-art p...
18215 Many methods exist for a bipedal robot to ke...
18216 Inspired by the tremendous success of deep C...
18217 Federated learning is a recent advance in pr...
18218 Okapi is a new causally consistent geo-repli...
18219 Epithelial cell monolayers exhibit traveling...
18220 In the context of the complex-analytic struc...
18221 Initialization of parameters in deep neural ...
18222 We consider a multitask estimation problem w...
18223 We report 3 mm continuum, CH3CN(5-4) and 13C...
18224 High-frequency measurements and images acqui...
18225 In the k-partition problem (k-PP), one is gi...
18226 The present study reports interesting findin...
18227 We show that the definition of the city boun...
18228 The radio intensity and polarization footpri...
18229 We investigate the formation of optical loca...
18230 The most intriguing properties of emergent m...
18231 The nature of three-dimensional reconnection...
18232 We observe that any finite-dimensional centr...
18233 Cross-lingual text classification(CLTC) is t...
18234 We map an interacting helical liquid system,...
18235 We consider nonnegative solutions to $-\Delt...
18236 Rapidly growing product lines and services r...
18237 The entanglement entropy (EE) of quantum sys...
18238 We argue that the preferred classical variab...
18239 The momentum conservation law is applied to ...
18240 Whereas maintenance has been recognized as a...
18241 In the 1950's Hopf gave examples of non-roun...
18242 We revisit the linear programming approach t...
18243 Light-matter interaction processes are signi...
18244 Bechgaard salts, (TMTSF)2X (TMTSF = tetramet...
18245 We introduce an inhomogeneous bosonic mixtur...
18246 We introduce new natural generalizations of ...
18247 This paper presents Klout Topics, a lightwei...
18248 Studying the effects of groups of Single Nuc...
18249 The theme of this paper is three-phase distr...
18250 We develop a general framework for $c$-vecto...
18251 In this thesis we study the lateral electros...
18252 In this paper we study sectional curvature b...
18253 This paper proposes a novel method to automa...
18254 The paper is devoted to the contribution in ...
18255 This paper studies dynamic complexity under ...
18256 This report documents the implementation of ...
18257 We show that state-of-the-art services for c...
18258 This paper is a contribution to the classica...
18259 Wikipedia is a community-created online ency...
18260 People change their physical contacts as a p...
18261 We study the problem of nonparametric estima...
18262 Direct imaging suggests that there is a Jovi...
18263 In this paper, we propose a Quantum variatio...
18264 For the Gegenbauer weight function $w_{\lamb...
18265 We produce precise estimates for the Kogbetl...
18266 We identify a strong equivalence between neu...
18267 We use the empirical normalized (smoothed) p...
18268 Ultracold atomic Fermi gases in two-dimensio...
18269 In this paper, instead of the usual Gaussian...
18270 Complex spatiotemporal patterns, called chim...
18271 The estimation of unknown values of paramete...
18272 We address the boundary value problem for th...
18273 Octahedral tilting is most common distortion...
18274 Elastic weight consolidation (EWC, Kirkpatri...
18275 Following the decision to reduce the L* from...
18276 Transition metal oxide memristors, or resist...
18277 In this paper, deep neural network (DNN) is ...
18278 As program comprehension is a vast research ...
18279 The so-called binary perfect phylogeny with ...
18280 We develop a uniform asymptotic expansion fo...
18281 Understanding a visual scene goes beyond rec...
18282 We investigate the apparent power-law scalin...
18283 The aim of this paper is to present some res...
18284 We study dynamical properties of the one- an...
18285 We propose a direct estimation method for Ré...
18286 Mixtures of Mallows models are a popular gen...
18287 Optimal scheduling of hydrogen production in...
18288 A modified AC method based on micro-fabricat...
18289 This project explores public opinion on the ...
18290 Let $P(n)$ be the set of all posets with $n$...
18291 Advancement in technology has generated abun...
18292 Neural models, in particular the d-vector an...
18293 Methods for detecting structural changes, or...
18294 Statecharts are frequently used as a modelin...
18295 Recently the dynamics of signed networks, wh...
18296 Stagnation of grain growth is often attribut...
18297 We present three natural combinatorial prope...
18298 We study the Cauchy problem for effectively ...
18299 The uniform electron gas at finite temperatu...
18300 We study a connection between mapping spaces...
18301 Area law violations for entanglement entropy...
18302 To guarantee the integrity and security of d...
18303 We present a new large-scale (4 square degre...
18304 Matrix-valued covariance functions are cruci...
18305 We propose a new dynamic stochastic blockmod...
18306 Context: Visual aesthetics is increasingly s...
18307 A large-scale multi-object tracker based on ...
18308 The coefficient of determination, known as $...
18309 A GPS-denied UAV (Agent B) is localised thro...
18310 The inner surface of superconducting cavitie...
18311 In a recent paper by Lasseux, Valdés-Parada ...
18312 Highly distributed training of Deep Neural N...
18313 We present a halo-independent determination ...
18314 Deep reinforcement learning has achieved man...
18315 In his seminal paper, Chua presented a funda...
18316 The differential event rate in Weakly Intera...
18317 In the past few years, datacenter (DC) energ...
18318 The numerical analysis of the diffraction fe...
18319 We show that any $d$-colored set of points i...
18320 With the purpose of modeling, specifying and...
18321 We consider higher order parabolic operator ...
18322 The fashion industry is establishing its pre...
18323 Fluid-structure interactions are ubiquitous ...
18324 The early universe could feature multiple re...
18325 We propose an intuitive method, called time-...
18326 Predicting epidemic dynamics is of great val...
18327 Limitations in processing capabilities and m...
18328 The problem of synchronization of coupled Ha...
18329 Semantic segmentation remains a computationa...
18330 Motivated by applications of mixed longitudi...
18331 The recent Nobel-prize-winning detections of...
18332 I outline a construction of a local Floer ho...
18333 This paper presents contributions on nonline...
18334 We consider the problem of estimating the th...
18335 Different questions related with analysis of...
18336 Inductive $k$-independent graphs generalize ...
18337 We prove that the word problem is undecidabl...
18338 The current processes for building machine l...
18339 We show that any totally geodesic submanifol...
18340 We show that $K(2)$-locally, the smash produ...
18341 In this paper, we explore various forms of o...
18342 Small $p$-values are often required to be ac...
18343 Researchers have previously shown that Coinc...
18344 We observe the effects of the three differen...
18345 In this paper, we consider the use of struct...
18346 We show that, for a quantale $V$ and a $\mat...
18347 We compute the leading Post-Newtonian (PN) c...
18348 Tangent categories provide an axiomatic appr...
18349 An objective Bayesian approach to estimate t...
18350 Navigation in unknown, chaotic environments ...
18351 Artificial Intelligence (AI) is an effective...
18352 Headline generation is a special type of tex...
18353 We observed the Galactic mixed-morphology su...
18354 Software systems are not static, they have t...
18355 We explore efficient neural architecture sea...
18356 For the purpose of Uncertainty Quantificatio...
18357 We present here a new model and algorithm wh...
18358 This paper studies the Sobolev regularity es...
18359 Despite recent advances, large scale visual ...
18360 This work proposes a process for efficiently...
18361 The multi-label classification framework, wh...
18362 In this work we establish the tightest lower...
18363 Web archives are large longitudinal collecti...
18364 We begin by summarizing the relevance and im...
18365 Expanding upon earlier results [arXiv:1702.0...
18366 In this paper we present AWEsome (Airborne W...
18367 We propose a one-dimensional model for colle...
18368 We prove the existence of a one-parameter fa...
18369 Haptic feedback is essential to acquire imme...
18370 Although the recent progress in the deep neu...
18371 Recently, continuous cache models were propo...
18372 Dyson demonstrated an equivalence between in...
18373 We establish lower bounds on the volume and ...
18374 A previously unreported Pb-based perovskite ...
18375 Most long memory forecasting studies assume ...
18376 Source code plagiarism detection is a proble...
18377 Early attempts to apply asteroseismology to ...
18378 Semantic labeling for numerical values is a ...
18379 A statistical model assuming a preferential ...
18380 Descent theory for linear categories is deve...
18381 We give topological and game theoretic defin...
18382 Theory of the influence of the thermal fluct...
18383 We demonstrate optomechanical interference i...
18384 We propose algorithms for online principal c...
18385 Cross-term spatiotemporal encoding (xSPEN) i...
18386 We derive formulas for the performance of ca...
18387 Apart from solving complicated problems that...
18388 This article considers algorithmic and stati...
18389 Privacy has become a serious concern for mod...
18390 We give a brief description of the Birch-Swi...
18391 Unmanned aerial vehicles (UAVs) have gained ...
18392 We present a denotational account of dynamic...
18393 Deep networks thrive when trained on large s...
18394 In the restricted three-body problem, consec...
18395 This paper presents the notion of AND-OR red...
18396 The present work shows the application of tr...
18397 In this paper, we study simple splines on a ...
18398 The hand is one of the most complex and impo...
18399 We study the popular centrality measure know...
18400 Here we detail the dynamic evolution of loca...
18401 Most risk analysis models systematically und...
18402 A curve $\theta$: $I\to E$ in a metric space...
18403 We consider learning of fundamental properti...
18404 Artificial Intelligence methods to solve con...
18405 The workhorse of atomic physics: quantum ele...
18406 Feedback control theory has been extensively...
18407 Users suffering from mental health condition...
18408 The famous pentagon identity for quantum dil...
18409 Traditional Linear Genetic Programming (LGP)...
18410 Given a link $L\subset S^3$, a representatio...
18411 It is well-known that every non-negative uni...
18412 We discuss the existence of (injectively) un...
18413 Numerous embedding models have been recently...
18414 In the present paper we propose and study es...
18415 The Complex Kohn variational method for elec...
18416 We develop a geometric approach to quantum m...
18417 Given a relatively projective birational mor...
18418 Current theories hold that brain function is...
18419 As computer scientists working in bioinforma...
18420 Convolution is a critical component in moder...
18421 In this paper we present results of our stud...
18422 We apply the first-order reversal curve (FOR...
18423 The data-driven economy has led to a signifi...
18424 Motivated by safety-critical applications, t...
18425 In this paper, we proposed a non-uniform pow...
18426 Competition to bind microRNAs induces an eff...
18427 Long range frequency chirping of Bernstein-G...
18428 Type inference is an application domain that...
18429 We introduce a multi-factor stochastic volat...
18430 Single-Photon Avalanche Diodes (SPAD) are af...
18431 We give a complete picture of when the tenso...
18432 We establish that first-order methods avoid ...
18433 Connectivity related concepts are of fundame...
18434 Generative adversarial networks (GANs) are a...
18435 We study fingering instabilities and pattern...
18436 Information-theoretic Bayesian optimisation ...
18437 H$_3^+$ is a ubiquitous and important astron...
18438 The generalized linear model (GLM) plays a k...
18439 Test Case Prioritization (TCP) techniques ai...
18440 Birhythmicity occurs in many natural and art...
18441 El Nino is probably the most influential cli...
18442 Recent results of Grepstad and Lev are used ...
18443 We investigate the ordinal invariants height...
18444 With XML becoming a standard for business in...
18445 We deal with kernel theorems for modulation ...
18446 Artificial Neural Networks (ANNs) have recei...
18447 The potential lack of fairness in the output...
18448 The vertices of the four dimensional $120$-c...
18449 The study of single-crystal Raman spectra of...
18450 In a real-world setting, visual recognition ...
18451 A repulsive Hubbard model with both spin-asy...
18452 Optical properties of color centers in diamo...
18453 Julian Besag was an outstanding statistical ...
18454 Dielectric lined waveguides are under extens...
18455 The rotational and hyperfine spectrum of the...
18456 The domain name system translates human frie...
18457 In this article, we study the plasmonic reso...
18458 We investigate, numerically and experimental...
18459 We show that one-dimensional circle is the o...
18460 In the field of software engineering there a...
18461 3D feature descriptor provide information be...
18462 We propose and throughly investigate a tempo...
18463 In this paper, we introduce and provide a sh...
18464 This paper presents a randomized algorithm f...
18465 Obtaining reliable numerical simulations of ...
18466 By using, among other things, the Fourier an...
18467 We study focus-focus singularities (also kno...
18468 Using implicit loci in GeoGebra Euler's $R\g...
18469 We study the physical and dynamical properti...
18470 Recovery of multispecies oral biofilms is in...
18471 The multi-commodity flow-cut gap is a fundam...
18472 Post-starbursts (PSBs) are candidate for rap...
18473 We point out that two of Milne's fourth-orde...
18474 The conventional theory of hydrodynamics des...
18475 We consider the problems of compressed sensi...
18476 For the problem of nonparametric estimation ...
18477 We show that gradient descent on full-width ...
18478 In this work, we study degradation of clofib...
18479 The stability against quench is one of the m...
18480 This paper presents new methods to estimate ...
18481 The TurLab facility is a laboratory, equippe...
18482 Electrical machines employing superconductor...
18483 Deterministic recursive algorithms for the c...
18484 We provide a method to solve optimization pr...
18485 It is shown that the Ising distribution can ...
18486 Multi-agent systems (MAS) is able to charact...
18487 Streaming instability is a powerful mechanis...
18488 The micro-local Gevrey regularity of a class...
18489 We give a new formulation and proof of a the...
18490 We construct a linear basis of a free GDN su...
18491 In this article we investigate an inexact it...
18492 Mixture models combine multiple components i...
18493 Most of the existing medicine recommendation...
18494 Deep neural networks (DNNs) have achieved gr...
18495 Magnetic Resonance Imaging (MRI) is a widely...
18496 Speech enhancement model is used to map a no...
18497 `Double edge swaps' transform one graph into...
18498 Background has played an important role in X...
18499 Widespread interest in the emerging area of ...
18500 Using a (1+2)-dimensional boson-vortex duali...
18501 A new coding technique, based on \textit{fix...
18502 Transport of excitations along proteins can ...
18503 Solubility of dyes in amphiphilic associatio...
18504 Many model-based Visual Odometry (VO) algori...
18505 Prediction of popularity has profound impact...
18506 In the smart grid, smart meters, and numerou...
18507 We consider the homogeneous equation ${\math...
18508 Crowded environments modify the diffusion of...
18509 We study the effect of coupling a spin bath ...
18510 The quest for large and low frequency band g...
18511 A search for instability of nucleons bound i...
18512 Massive stars like company. Here, we provide...
18513 We analyze the behavior of the eigenvalues o...
18514 Using a formalism based on the two-body S-ma...
18515 Sr$_2$RuO$_4$ is the best candidate for spin...
18516 We are concerned with the regularity of solu...
18517 The European Space Agency (ESA) defines an E...
18518 The Minimum Error Correction (MEC) approach ...
18519 We present opinion recommendation, a novel t...
18520 We formulate an optimization problem for max...
18521 We propose boundary conditions for the diffu...
18522 We consider a stable Cox--Ingersoll--Ross pr...
18523 This paper presents millimeter wave (mmWave)...
18524 The electron spectrometer, SPEDE, has been d...
18525 A control design approach is developed for a...
18526 We introduce a pipeline including multifract...
18527 The goal of the OSIRIS-REx mission is to ret...
18528 We modify the standard relativistic dispersi...
18529 We present an algorithm for construction ste...
18530 Fragmentation of filaments into dense cores ...
18531 What transpires from recent research is that...
18532 This paper studies problems on locally stopp...
18533 We present the characteristics and the perfo...
18534 We consider a class of a nested optimization...
18535 Designing a new drug is a lengthy and expens...
18536 This paper deals with feature selection proc...
18537 The origins of rapid dynamical slow down in ...
18538 Technological civilizations may rely upon la...
18539 This paper addressed the issue of estimating...
18540 Non-availability of reliable and sustainable...
18541 We express the coefficients of the Hirzebruc...
18542 Let {\Xi} be a function relating to the Riem...
18543 Background: Many researchers have studied th...
18544 We achieve an explicit construction of the l...
18545 The Linked Data principles provide a decentr...
18546 I apply the recently developed formalism of ...
18547 We study a multi-parametric family of quadra...
18548 These are notes from introductory lectures a...
18549 Firms should keep capital to offer sufficien...
18550 Angle-resolved photoemission (ARPES) experim...
18551 We prove the theorem on the completeness of ...
18552 We define web categories describing intertwi...
18553 One version of the concept of structural con...
18554 We study the structure of martingale transpo...
18555 A branched covering surface-knot is a surfac...
18556 A well-known question in classical different...
18557 We attach to each $\langle 0, \vee \rangle$-...
18558 A quasi-Gray code of dimension $n$ and lengt...
18559 Recent theoretical work has shown that the p...
18560 We present a quantum-mechanical model for su...
18561 We explore the existence of global weak solu...
18562 We resolve a number of long-standing open pr...
18563 We performed an empirical comparison of ICA ...
18564 The band structure of a Si inverse diamond s...
18565 In the last decade, digital footprints have ...
18566 We argue that Time-Sensitive Networking (TSN...
18567 Sparse Subspace Clustering (SSC) is a state-...
18568 Measurements of AC losses in a HTS-tape plac...
18569 We examine the performance of efficient and ...
18570 We propose a new A* CCG parsing model in whi...
18571 We have developed polynomial-time algorithms...
18572 The assumption that action and perception ca...
18573 In this article, we develop a clique-based m...
18574 We extend the formalism of Matrix Product St...
18575 On their roller coaster ride through turbule...
18576 We study a static game played by a finite nu...
18577 We study bivariate stochastic recurrence equ...
18578 We present a unified classical treatment of ...
18579 The main goal of modeling human conversation...
18580 Principal Component Analysis (PCA) is a very...
18581 In this work a design is proposed for an act...
18582 How do we learn an object detector that is i...
18583 Linear arrays of trapped and laser cooled at...
18584 In this work, we revisit the problem of unif...
18585 Refraction deflects photons that pass throug...
18586 We describe a multi-phased Wizard-of-Oz appr...
18587 Argument component detection (ACD) is an imp...
18588 We present VUNet, a novel view(VU) synthesis...
18589 We introduce a new class of priors for Bayes...
18590 In this paper, a novel multitaper modified g...
18591 This paper studies deterministic consensus n...
18592 We investigate possible links between the la...
18593 We consider the "searching for a trail in a ...
18594 The main aim of this article is to give a ne...
18595 We consider relative error low rank approxim...
18596 Boolean matrix factorisation aims to decompo...
18597 Using a negative gradient flow approach, we ...
18598 We show that every countable group H with so...
18599 Topological defects unavoidably form at symm...
18600 We formulate, and present a numerical method...
18601 We introduce the coherent state mapping ring...
18602 Stochastic gradient descent in continuous ti...
18603 We consider a family of $*$-commuting local ...
18604 This paper proposes a new approach to a nove...
18605 We study the problem of recovering a structu...
18606 We describe a new cognitive ability, i.e., f...
18607 Let $M$ be a compact connected smooth Rieman...
18608 We present a formal measure of argument stre...
18609 The property 4 in Proposition 2.3 from the p...
18610 The Rasch model is widely used for item resp...
18611 One of the most directly observable features...
18612 We investigate the atmospheric dynamics of t...
18613 As the focus of applied research in topologi...
18614 We prove that for $1<p\le q<\infty$, $qp\geq...
18615 The Low Frequency Array (LOFAR) radio telesc...
18616 There is a growing interest in learning data...
18617 We consider the nonunitary quantum dynamics ...
18618 We propose a slightly revised Miller-Hagberg...
18619 Our understanding of topological insulators ...
18620 Most reinforcement learning algorithms are i...
18621 Quantum technologies can be presented to the...
18622 The question of continuous-versus-discrete i...
18623 Background-Foreground classification is a fu...
18624 We investigate the problem of computing a ne...
18625 Based on a version of Dudley's Wiener proces...
18626 Path planning for autonomous vehicles in arb...
18627 Training deep networks is expensive and time...
18628 The electroencephalogram (EEG) provides a no...
18629 We derive new variance formulas for inferenc...
18630 In this paper we propose a method to solve t...
18631 The key idea of current deep learning method...
18632 Halide perovskite (HaP) semiconductors are r...
18633 Data cube materialization is a classical dat...
18634 The success of deep convolutional architectu...
18635 In this paper, we aim at the completion prob...
18636 In this paper we introduce a family of Delig...
18637 For an embedded Fano manifold $X$, we introd...
18638 A Fog Radio Access Network (F-RAN) is a cell...
18639 Intel software guard extensions (SGX) aims t...
18640 Volume transmission is an important neural c...
18641 The mixture of factor analyzers model was fi...
18642 This is a semi--expository update and rewrit...
18643 By performing X-rays measurements in the "co...
18644 We investigate core-collapse supernova (CCSN...
18645 Many technologies have been developed to hel...
18646 An interactive session of video-on-demand (V...
18647 In this paper we show how polynomial walks c...
18648 We prove the global existence of the unique ...
18649 This study concerned the active use of Wikip...
18650 Deep learning (DL), a new-generation of arti...
18651 The ccns3Sim project is an open source imple...
18652 In this paper, a new approach is proposed fo...
18653 Every time a person encounters an object wit...
18654 In the paper, we prove an analogue of the Ka...
18655 A peculiar infrared ring-like structure was ...
18656 The question of suitability of transfer matr...
18657 This paper studies Bayesian ranking and sele...
18658 In this paper, we propose a perturbation fra...
18659 This paper claims that a new field of empiri...
18660 We propose an automatic diabetic retinopathy...
18661 We present the DRYVR framework for verifying...
18662 Novice programmers often struggle with the f...
18663 In this article, we will construct the addit...
18664 Partial differential equations are central t...
18665 Manifold calculus is a form of functor calcu...
18666 In this paper, a quick and efficient method ...
18667 Infants are experts at playing, with an amaz...
18668 A computational method, based on $\ell_1$-mi...
18669 Current flow closeness centrality (CFCC) has...
18670 The work in the paper presents an animation ...
18671 Networks capture pairwise interactions betwe...
18672 We present $\emph{NuSTAR}$ observations of n...
18673 Motivated by comparative genomics, Chen et a...
18674 We study the algebraic structures of the vir...
18675 In games of friendship links and behaviors, ...
18676 Proxies for regulatory reforms based on cate...
18677 We apply the theory of ground states for cla...
18678 We show that relative Property (T) for the a...
18679 We study the distributional properties of th...
18680 Despite impressive advances in simultaneous ...
18681 We overview our recent work defining and stu...
18682 In this paper, robust nonparametric estimato...
18683 Numerical simulations of Einstein's field eq...
18684 This paper develops a method to construct un...
18685 We investigate the superconducting-gap aniso...
18686 The class of Lq-regularized least squares (L...
18687 In this paper, we firstly exploit the inter-...
18688 Inspired by the recent work of Carleo and Tr...
18689 A central claim in modern network science is...
18690 We extend the deep and important results of ...
18691 We propose a simple mathematical model for u...
18692 While the success of deep neural networks (D...
18693 The Sachdev-Ye--Kitaev is a quantum mechanic...
18694 Higher category theory is an exceedingly act...
18695 The SuperCDMS experiment is designed to dire...
18696 In standard general relativity the universe ...
18697 Recurrent Neural Networks (RNNs) achieve sta...
18698 We study classes of Borel subsets of the rea...
18699 Recently, Prakash et. al. have discovered bu...
18700 In the present paper we provide a descriptio...
18701 Many graphical Gaussian selection methods in...
18702 Angiogenesis - the growth of new blood vesse...
18703 We present in this article the work of Henri...
18704 A homomorphism from a graph G to a graph H i...
18705 The normalized subband adaptive filter (NSAF...
18706 In this paper we introduce the novel framewo...
18707 We propose a graph-based process calculus fo...
18708 In this paper, we will prove the Weyl's law ...
18709 We prove Zagier's conjecture regarding the 2...
18710 We develop an approximate formula for evalua...
18711 The objective of this paper is to introduce ...
18712 In conventional chemisorption model, the d-b...
18713 Extracting significant places or places of i...
18714 Generalizing several previous results in the...
18715 HL-LHC federates the efforts and R&D of a la...
18716 Various approaches have been proposed to lea...
18717 In the derivation of the generating function...
18718 We are now witnessing the increasing availab...
18719 In this paper we consider a network of agent...
18720 We analyze generic sequences for which the g...
18721 Machine learning qualifies computers to assi...
18722 Network classification has a variety of appl...
18723 In this paper, we show that $\mathrm{RT}^{2}...
18724 This paper considers the joint design of use...
18725 Armed conflict has led to an unprecedented n...
18726 Here we deconstruct, and then in a reasoned ...
18727 We study the problem of generating adversari...
18728 We introduce a dynamic model of the default ...
18729 In this paper, we propose a novel reception/...
18730 A correlation between giant-planet mass and ...
18731 Cooperative geolocation has attracted signif...
18732 We define a family of intuitionistic non-nor...
18733 This paper investigates the impact of link f...
18734 Consider the problem: given data pair $(\mat...
18735 We treat utility maximization from terminal ...
18736 Learning-based binary hashing has become a p...
18737 The idea of incompetence as a learning or ad...
18738 We analyze the information-theoretic limits ...
18739 We axiomatize the molecular-biology reasonin...
18740 We briefly recall the history of the Nijenhu...
18741 Recently, a hydrodynamic description of loca...
18742 Plane Poiseuille flow, the pressure driven f...
18743 With an exponentially growing number of scie...
18744 In many phase II trials in solid tumours, pa...
18745 We provide explicit formulas of Evans kernel...
18746 What is the current state-of-the-art for ima...
18747 Let $\mu_1 \ge \dotsc \ge \mu_n > 0$ and $\m...
18748 Making the right decision in traffic is a ch...
18749 We present Sequential Neural Likelihood (SNL...
18750 Generating diverse questions for given image...
18751 We demonstrated sympathetic cooling of a sin...
18752 We determine the stability and instability o...
18753 Agent modelling involves considering how oth...
18754 Let q be a power of a prime and let V be a v...
18755 Bayesian Networks have been widely used in t...
18756 In this paper, we will demonstrate how Manha...
18757 We analyzed the performance of a biologicall...
18758 Application of humanoid robots has been comm...
18759 The goal of this note is to show that, also ...
18760 The rapid advancement in high-throughput tec...
18761 We review instrumentation for nuclear magnet...
18762 It is shown that CH implies the existence of...
18763 Information about intrinsic dimension is cru...
18764 Optimal dimensionality reduction methods are...
18765 The Oseledets Multiplicative Ergodic theorem...
18766 Electronic health records (EHR) data provide...
18767 A framework for the generation of bridge-spe...
18768 The ubiquity of systems using artificial int...
18769 Sub-sampling can acquire directly a passband...
18770 We give a moment map interpretation of some ...
18771 We examine the impact of adversarial actions...
18772 This paper presents two novel control method...
18773 Variational Bayes (VB) is a common strategy ...
18774 The weighted tree augmentation problem (WTAP...
18775 Social media such as tweets are emerging as ...
18776 We deal with the problem of maintaining a sh...
18777 The coupling of human movement dynamics with...
18778 Various models have been recently proposed t...
18779 In this paper, we consider the problem of se...
18780 We present some observations on the tau-func...
18781 Representational Similarity Analysis (RSA) a...
18782 In this article we explore an algorithm for ...
18783 In this paper, we give a characterization of...
18784 Topological optical states exhibit unique im...
18785 In this paper we propose and explore the k-N...
18786 Proportional mean residual life model is stu...
18787 In this paper we consider an extension of th...
18788 The state of the art for integral evaluation...
18789 Our aims are to determine flux densities and...
18790 Synapses in real neural circuits can take di...
18791 With the increasing interest in applying the...
18792 The penetration of distributed renewable ene...
18793 In this paper, we consider the 2 X 2 multi-u...
18794 Autonomous driving and electric vehicles are...
18795 Identifying community structure of a complex...
18796 We show that the solutions obtained in the p...
18797 Researchers at the National Institute of Sta...
18798 The aim of process discovery, originating fr...
18799 We obtain alternative explicit Specht filtra...
18800 Network embeddings, which learn low-dimensio...
18801 Axion-like particles are promising candidate...
18802 We obtain restrictions on the persistence ba...
18803 Carbon materials have a range of properties ...
18804 In this paper, we use a new approach to prov...
18805 Life is a complex biological phenomenon repr...
18806 We study truncated point schemes of connecte...
18807 Hand-crafted features extracted from dynamic...
18808 In this paper, we present a new dataset for ...
18809 The purpose of this document is to create a ...
18810 We use Markov state models (MSMs) to analyze...
18811 Current induced magnetization manipulation i...
18812 Orientation effects on the resistivity of co...
18813 By applying the classic telescoping summatio...
18814 In this paper, we explore the connection bet...
18815 It is a longstanding debate concerning the a...
18816 A complete family of solutions for the one-d...
18817 In this paper we develop a numerical method ...
18818 In the pursuit of real-time motion planning,...
18819 We consider estimation of the parameters of ...
18820 Nine transiting Earth-sized planets have rec...
18821 We study front propagation phenomena for a l...
18822 We study the problem of designing distribute...
18823 In this contribution, we extend the methodol...
18824 Many researches demonstrated that the DNA me...
18825 A toy-model of publications and citations pr...
18826 Laser-induced adiabatic alignment and mixed-...
18827 We developed and used a collection of statis...
18828 Distributed algorithms for solving additive ...
18829 Network analysis needs tools to infer distri...
18830 We consider stationary autoregressive proces...
18831 Most current results on coverage control usi...
18832 A self-adjoint first order system with Hermi...
18833 Informally, "Information Inconsistency" is t...
18834 Material mixing induced by a Rayleigh-Taylor...
18835 We construct nonlinear oblique projections a...
18836 It becomes increasingly popular to perform m...
18837 In this article a DNN-based system for detec...
18838 A key challenge in multi-robot and multi-age...
18839 In this work, we study the extent to which s...
18840 A Robust Markov Decision Process (RMDP) is a...
18841 The Fisher information matrix (FIM) is a fun...
18842 In this paper we study the extension problem...
18843 Univariate isotonic regression (IR) has been...
18844 Measuring domain relevance of data and ident...
18845 Cyber attacks are growing in frequency and s...
18846 In this paper and its sequels, we give an un...
18847 We present the results of an optical spectro...
18848 An algorithm for solving smooth nonconvex op...
18849 We consider an inverse boundary value proble...
18850 We discuss the process of building semantic ...
18851 Multimodal sensory data resembles the form o...
18852 Blind gain and phase calibration (BGPC) is a...
18853 Empirical observations show that ecological ...
18854 We have discovered that the extremely red, l...
18855 We determine the abundances of neutron-captu...
18856 The identification of the Stuxnet worm in 20...
18857 The objective assessment of the prestige of ...
18858 The ab initio description of the spectral in...
18859 We analyze the rank gradient of finitely gen...
18860 Fuel cells, batteries, thermochemical and ot...
18861 Comments play an important role within onlin...
18862 We develop new numerical schemes for Vlasov-...
18863 Markov Chain Monte Carlo based Bayesian data...
18864 We use nonabelian Poincaré duality to recove...
18865 In this report, an automated bartender syste...
18866 For spaces of constant, linear, and quadrati...
18867 It is known that the primary source of dieta...
18868 We propose a new table-top experimental conf...
18869 Micro-panel data are collected and analysed ...
18870 Ab initio low-energy effective Hamiltonians ...
18871 In clinical practice and biomedical research...
18872 We present a new model of the optical nebula...
18873 Column closed pattern subgroups $U$ of the f...
18874 Multicomponent nanoparticles can be synthesi...
18875 Unsupervised neural nets such as Restricted ...
18876 In 1947 Nathan Fine gave a beautiful product...
18877 Under noisy environments, to achieve the rob...
18878 In this paper, we consider zero-sum repeated...
18879 Random code-trees with necks were introduced...
18880 Let R be a commutative ring with unity, M a ...
18881 We give the first polynomial-time algorithms...
18882 Previous studies have found that a significa...
18883 Cell nuclei detection is a challenging resea...
18884 Recently, the vertical shear instability (VS...
18885 In this paper, we study the optimal converge...
18886 Brain-Computer Interface (BCI) uses brain si...
18887 We provide a uniform framework to study the ...
18888 In the following paper we present a simple i...
18889 Oxygen functional groups are one of the most...
18890 We study asymptotic properties of conditiona...
18891 This paper is concerned with minimization of...
18892 Let $G$ be a simply-connected semisimple alg...
18893 Machine learning models have been widely use...
18894 The main aim of this paper is to give a new ...
18895 Stochastic user equilibrium is an important ...
18896 We investigate quantifier alternation hierar...
18897 Let $\mathcal{I}$ be an analytic P-ideal [re...
18898 The unprecedented demand for large amount of...
18899 The hardness of the learning with errors (LW...
18900 The nature of the bipolar, $\gamma$-ray Ferm...
18901 In this paper, we revisit primal-dual dynami...
18902 The distribution of the sum of r-th power of...
18903 We propose a dynamic boosted ensemble learni...
18904 In this paper, a novel framework is proposed...
18905 We consider the problem of training generati...
18906 Sound event detection (SED) is typically pos...
18907 We study optimally doped\nBi$_{2}$Sr$_{2}$Ca...
18908 Ordering dynamics of self-propelled particle...
18909 We discuss the amplification of loop correct...
18910 Reinforcement learning (RL), while often pow...
18911 Motivation: Epigenetic heterogeneity within ...
18912 Granger-causality in the frequency domain is...
18913 Asymmetric segregation of key proteins at ce...
18914 We consider an exchange who wishes to set su...
18915 Spontaneous symmetry breaking (SSB) is an im...
18916 Evolutionary algorithms have recently been u...
18917 In this paper, we prove a sharp limit on the...
18918 Nonlocal neural networks have been proposed ...
18919 The main aim of the present paper is to repr...
18920 The nature of aerosols in hot exoplanet atmo...
18921 We introduce a family of mathematical object...
18922 A considerable amount of machine learning al...
18923 We identify the "organization" of a human so...
18924 We show that for any solvable Lie group of r...
18925 Recently, it has become feasible to generate...
18926 The Zap Q-learning algorithm introduced in t...
18927 In recent years, the rapidly increasing amou...
18928 In this work, we address the problem of dise...
18929 In the paper "Optimal control of a Vlasov-Po...
18930 We observe that a certain kind of algebraic ...
18931 In recent years, a great deal of interest ha...
18932 Discussions about the choice of a tree hash ...
18933 In this paper we present a neurally plausibl...
18934 Advances in artificial intelligence (AI) wil...
18935 Recurrent Neural Networks (RNNs) are a key t...
18936 Mathematical modelling has shown that activi...
18937 Lederer and van de Geer (2013) introduced a ...
18938 Justification logics are modal-like logics w...
18939 In the Number On the Forehead (NOF) multipar...
18940 A key challenge in online learning is that c...
18941 Let $\phi$ be a spherical Hecke-Maass cusp f...
18942 Newton's mechanical revolution unifies the m...
18943 Data-driven predictive analytics are in use ...
18944 We give an new proof of the well-known compe...
18945 Random Differential Equations provide a natu...
18946 Given a set of attributed subgraphs known to...
18947 We present a new technique to probe the cent...
18948 We propose the ambiguity problem for the for...
18949 Generalized polyhedral convex sets, generali...
18950 Proteins are commonly used by biochemical in...
18951 In order to handle intense time pressure and...
18952 Recently, a link between Lorentzian and Fins...
18953 Recently, Grynkiewicz et al. [{\it Israel J....
18954 In order for robots to perform mission-criti...
18955 Based on the convex least-squares estimator,...
18956 There is often a significant trade-off betwe...
18957 This paper addresses the problem of selectin...
18958 We derive estimators of the density of the e...
18959 We propose a new approach to the Mirror Symm...
18960 Empirical researchers often trim observation...
18961 In this paper, a real-time 105-channel data ...
18962 Substitution of isovalent non-magnetic defec...
18963 Higher-order logic programming is an interes...
18964 We describe an approach, based on direct num...
18965 While all organisms on Earth descend from a ...
18966 We introduce two models of taxation, the lat...
18967 We provide a novel approach to model space-t...
18968 We study the stability of coupled impedance ...
18969 In this paper, we consider the estimation of...
18970 In this paper, we consider a dense vehicular...
18971 We relate the old and new cohomology monoids...
18972 State-of-the-art methods in convex and non-c...
18973 We report the effects of Ce substitution on ...
18974 We propose Gaussian processes for signals ov...
18975 To derive recommendations on how to analyze ...
18976 We consider alternate formulations of recent...
18977 During the flyby in 2010, the OSIRIS camera ...
18978 We show that, for a given compact or discret...
18979 In identification of dynamical systems, the ...
18980 Learning graphical models from data is an im...
18981 We consider restless multi-armed bandit (RMA...
18982 We use Gauge/Gravity duality to write down a...
18983 We develop and analyze new protocols to veri...
18984 We focus on autonomously generating robot mo...
18985 The planar equilateral restricted four-body ...
18986 The secular approximation of the hierarchica...
18987 For C*-algebras $A$ and $B$, we generalize t...
18988 We study pattern formation in a 2-D reaction...
18989 In modern biomedical research, it is ubiquit...
18990 Improving distant speech recognition is a cr...
18991 This paper describes a preliminary study for...
18992 The combination of high-contrast imaging and...
18993 Low-rank structures play important role in r...
18994 Many scenarios require a robot to be able to...
18995 In 2012, JPMorgan accumulated a USD~6.2 bill...
18996 We develop a topology data analysis-based me...
18997 One of the defining features of many-body lo...
18998 We study the action of the dihedral group on...
18999 As a living information and communications s...
19000 We present a new class of decentralized firs...
19001 Having the right assortment of shipping boxe...
19002 We present Flipper, a natural language inter...
19003 This article presents a rigorous analysis fo...
19004 We report a methodology for measuring 85Kr/K...
19005 We address the problem of executing tool-usi...
19006 Motivated by understanding Majorana zero mod...
19007 We have investigated the band structure of t...
19008 There is a great need to stock materials for...
19009 The autoencoder is an effective unsupervised...
19010 In this article we are interested in the non...
19011 It is common practice to decay the learning ...
19012 If QCD axions form a large fraction of the t...
19013 In the Best-$K$ identification problem (Best...
19014 In a recent paper Baker and Bowler introduce...
19015 We consider a binary branching process struc...
19016 Computer science would not be the same witho...
19017 Recently, some E-commerce sites launch a new...
19018 Calibration of the Advanced LIGO detectors i...
19019 The probability of large deviations of the s...
19020 Large-scale systems with arrays of solid sta...
19021 We provide justifications for two questions ...
19022 As a competitive alternative to least square...
19023 The understanding of epidemics on networks h...
19024 Hybrid graphene photoconductor/phototransist...
19025 This paper proposes a real-time embedded fal...
19026 In this paper, we consider the problem of so...
19027 We present the results of the investigation ...
19028 The stochastic block model (SBM) is a probab...
19029 It is well known that an extreme order stati...
19030 Material recognition enables robots to incor...
19031 This paper presents a method for the optimiz...
19032 Thermal effects are already important in cur...
19033 We show some rigidity properties of divergen...
19034 The first goal of this note is to study the ...
19035 We consider the quantum complexity of comput...
19036 We define mixed states associated with subma...
19037 A precision measurement by AMS of the antipr...
19038 We derive analogues of the classical Rayleig...
19039 We propose a superconducting spin-triplet va...
19040 Learning has propelled the cutting edge of p...
19041 We prove sharp upper and lower bounds for ge...
19042 Transition metal dichalcogenides (TMDs) are ...
19043 We give a formula for computing the characte...
19044 The process to certify highly Automated Vehi...
19045 The phase shift's influence of two strong pu...
19046 We present a novel mechanism for resolving t...
19047 We present a new kind of structural Markov p...
19048 We introduce Fisher consistency in the sense...
19049 The notion of disentangled autoencoders was ...
19050 Global hypothesis tests are a useful tool in...
19051 We prove that the ordinary least-squares (OL...
19052 Motivated by applications in protein functio...
19053 We study properties of quantim wires with sp...
19054 The paper presents a new state estimation al...
19055 The group affect or emotion in an image of p...
19056 3D beamforming is a promising approach for i...
19057 We study sharp detection thresholds for degr...
19058 Driven by the visions of Internet of Things ...
19059 Neural networks offer high-accuracy solution...
19060 Multirate digital signal processing and mode...
19061 Recent work has shown that state-of-the-art ...
19062 For nanotechnology, the semiconductor device...
19063 Location-based social network data offers th...
19064 Representing large-scale motions and topolog...
19065 A strong certification process is required t...
19066 Evolutionary game dynamics in structured pop...
19067 In this paper, we study the robust consensus...
19068 We analyze the "higher rank" gauge theories,...
19069 Let $K$ be a local field whose residue field...
19070 Galactic orbits have been constructed over l...
19071 Motion planning for underwater vehicles must...
19072 Hot, Dust-Obscured Galaxies, or "Hot DOGs", ...
19073 Surface scattering is the key limiting facto...
19074 Systems Engineering (SE) is the set of proce...
19075 We reduce the exponent in the error term of ...
19076 This paper introduces PriMaL, a general PRIv...
19077 The online problem of computing the top eige...
19078 Using Maple, we implement a SAT solver based...
19079 We consider submanifolds into Riemannian man...
19080 Superconducting electronic devices have re-e...
19081 These notes correspond to a mini-course give...
19082 Investigating Friedel oscillations in ultrac...
19083 While variational methods have been among th...
19084 Metric learning aims at learning a distance ...
19085 This paper introduces a fast algorithm for s...
19086 (abridged) We investigate the signatures lef...
19087 Data analytics (such as association rule min...
19088 Using the first-principles and Monte Carlo m...
19089 In this note we present a fast algorithm tha...
19090 We investigate the role of transition metal ...
19091 We introduce an algorithm to generate (not s...
19092 The processes that led to the formation of t...
19093 Galaxy clusters are thought to grow by accre...
19094 A metamaterial made by stacked hole-array la...
19095 We develop a novel policy synthesis algorith...
19096 Reduced motor control is one of the most fre...
19097 Recent work of M.D. Johnston et al. has prod...
19098 A person's weight status can have profound i...
19099 This paper proposes a new method which build...
19100 We study the correlators of irregular vertex...
19101 We introduce a new variant of the game of Co...
19102 We prove new pinching estimate for the inver...
19103 We present an easy-to-use, Python-based fram...
19104 An experiment conducted in the framework of ...
19105 Let $F_n$ denote the $n^{th}$ Fibonacci numb...
19106 Based on their formation mechanisms, Dirac p...
19107 We consider a class of fractional stochastic...
19108 A finite-dimensional algebra $A$ over an alg...
19109 This paper studies the nonparametric modal r...
19110 The ability to use a 2D map to navigate a co...
19111 Average radio pulse profile of a pulsar B in...
19112 Core-periphery networks are structures that ...
19113 The last decade has seen a surge of interest...
19114 Regarding the analysis of Web communication,...
19115 In recent work, redressed warped frames have...
19116 For the multiterminal secret key agreement p...
19117 Constructing a smart wheelchair on a commerc...
19118 Kernel methods have produced state-of-the-ar...
19119 When you see a person in a crowd, occluded b...
19120 This article presents "John", an open-source...
19121 The real energy spectrum from the $PT$-symme...
19122 Virtually all real-world networks are dynami...
19123 B cells develop high affinity receptors duri...
19124 Merging Mobile Edge Computing (MEC), which i...
19125 In the realm of Delone sets in locally compa...
19126 In this paper, we study biconservative surfa...
19127 In an effort to increase the versatility of ...
19128 We investigate the asymptotic behavior of so...
19129 For a point set of $n$ elements in the $d$-d...
19130 We have performed angle-resolved photoemissi...
19131 In the hierarchical formation model, galaxy ...
19132 Using a novel rewriting problem, we show tha...
19133 We construct two examples of invariant manif...
19134 We determine barycentric coordinates of tria...
19135 During active learning, an effective stoppin...
19136 In this paper, a random clique network model...
19137 The paucity of videos in current action clas...
19138 We introduce and study the game of "Selfish ...
19139 The 2016 Snook Prize has been awarded to Die...
19140 We provide a new computationally-efficient c...
19141 In biology, there are several questions that...
19142 Multipartite viruses replicate through a puz...
19143 Collective cell migration is a highly regula...
19144 We consider the problem of learning function...
19145 Steganography involves hiding a secret messa...
19146 Euler and Navier-Stokes have variant systems...
19147 We define a holographic dual to the Donaldso...
19148 We systematically analyzed magnetodielectric...
19149 We develop a commuting vector field method f...
19150 We conducted a search for an exotic spin- an...
19151 Deep learning models have lately shown great...
19152 Although block compressive sensing (BCS) mak...
19153 A consistent treatment of the coupling of su...
19154 We prove that recent breaking by Zahl of the...
19155 We establish existence of Stein kernels for ...
19156 Synchronizations of processing elements (PEs...
19157 For future application of automated vehicles...
19158 The Swift test was originally proposed as a ...
19159 Strong gravitational lensing by galaxy clust...
19160 E. Opdam introduced the tool of spectral tra...
19161 We propose Batch-Expansion Training (BET), a...
19162 Coordinate descent methods usually minimize ...
19163 The set of 2-dimensional packing problems bu...
19164 A review of the replica symmetric solution o...
19165 To solve deep neural network (DNN)'s huge tr...
19166 Hierarchy is an efficient way for a group to...
19167 Bioinformatics tools have been developed to ...
19168 Given a nonconvex function that is an averag...
19169 We present a Bounded Model Checking techniqu...
19170 In this paper we study the cubic fractional ...
19171 Cryptovirological augmentations present an i...
19172 Various Alexandrov-Fenchel type inequalities...
19173 In this paper we consider the role of nonmod...
19174 Face modeling has been paid much attention i...
19175 In this paper, we consider time-inhomogeneou...
19176 For a compact, connected metric graphs with ...
19177 The Monge-Kantorovich problem for the infini...
19178 We use a non-perturbative renormalization gr...
19179 Given a tournament T and a positive integer ...
19180 We prove Szegő-Widom asymptotics for the Che...
19181 Timings of human activities are marked by ci...
19182 In computational 3D geometric problems invol...
19183 Near infrared spectroscopy (NIRS) is an imag...
19184 Generalization performance of classifiers in...
19185 Measurements of element abundances in galaxi...
19186 With the aim of getting closer to the perfor...
19187 Machine learning models benefit from large a...
19188 Starting from the integral representation of...
19189 We introduce the concept of $r$-equilateral ...
19190 According to Kearnes and Oman (2013), an ord...
19191 Drawing on some recent results that provide ...
19192 In the current article our primary objects o...
19193 A third-order three-dimensional symmetric tr...
19194 Strang splitting is a well established tool ...
19195 In this paper, we introduce a new class of n...
19196 We derive a Cramér-Rao lower bound for the v...
19197 Lack of moderation in online communities ena...
19198 We develop numerical tools for Diagrammatic ...
19199 There is an increasing interest on accelerat...
19200 Zero-shot learning (ZSL) endows the computer...
19201 Grid cells in the medial entorhinal cortex (...
19202 Online social network (OSN) discussion group...
19203 Image stitching is challenging in consumer-l...
19204 Probabilistic modeling provides the capabili...
19205 Semantic segmentation of 3D point clouds is ...
19206 Motivated by posted price auctions where buy...
19207 We analyse certain Haar systems associated t...
19208 Numerical (and experimental) data analysis o...
19209 We propose a new active learning strategy de...
19210 Nowadays, the Security Information and Event...
19211 Adaptive methods such as Adam and RMSProp ar...
19212 Films of Cu-K-In-Se were co-evaporated at va...
19213 Over the course of last decade, the Nice mod...
19214 Using the natural action of $S_\infty$ we sh...
19215 The cost of attending college has been stead...
19216 Users of Virtual Reality (VR) systems often ...
19217 In this paper we present a comprehensive vie...
19218 We examine the sensitivity of the Love and t...
19219 Let $\varphi:\mathbb{F}_q\to\mathbb{F}_q$ be...
19220 We form real-analytic Eisenstein series twis...
19221 We study closed $n$-dimensional manifolds of...
19222 Using quantum representations of mapping cla...
19223 In this work, we propose an infinite restric...
19224 We present the discovery of four low-mass ($...
19225 Perovskite solar cells with record power con...
19226 Giant radio galaxies (GRGs) are one of the l...
19227 We propose a general yet simple theorem desc...
19228 We study an extreme scenario in multi-label ...
19229 To explore large-scale population indoor int...
19230 Highly robust and efficient estimators for t...
19231 We present lifestate rules--an approach for ...
19232 Restricted Boltzmann Machines (RBMs) are a c...
19233 It is becoming increasingly clear that compl...
19234 Principal component regression is a linear r...
19235 We propose an efficient meta-algorithm for B...
19236 We consider the boundary rigidity problem fo...
19237 We consider the spontaneous breaking of tran...
19238 The method of brackets is an efficient metho...
19239 The R package optimParallel provides a paral...
19240 Some key results obtained in joint research ...
19241 We show that Rashba spin-orbit coupling at t...
19242 Fraud has severely detrimental impacts on th...
19243 Systems which can spontaneously reveal perio...
19244 The analysis of the demographic transition o...
19245 Cyber-Physical Systems (CPS) revolutionize v...
19246 This paper gives a self-contained group-theo...
19247 A measurable function $\mu$ on the unit disk...
19248 We give a detailed account of the so-called ...
19249 An asymmetric resonant cavity can be used to...
19250 The 3.6 and 4.5 micron characteristics of AG...
19251 Effective teams are crucial for organisation...
19252 Given a semigroup S with zero, which is left...
19253 A generalization of classical determinant in...
19254 We propose a new reinforcement learning algo...
19255 We introduce the notion of ST-pairs of trian...
19256 We introduce features for massive data strea...
19257 We study the problem of learning to rank fro...
19258 In order for a robot to be a generalist that...
19259 We give an explicit formula for the second v...
19260 The idea that black hole spin is instrumenta...
19261 The distance covariance of two random vector...
19262 We investigate nonparametric regression meth...
19263 A number of optimal decision problems with u...
19264 The iterated posterior linearization filter ...
19265 We consider a system where randomly generate...
19266 Most analyses of randomised trials with inco...
19267 Let R be a family of n axis-parallel rectang...
19268 We present a new method to derive oxygen and...
19269 We study the extent to which we can infer us...
19270 The ABALONE Photosensor Technology (U.S. Pat...
19271 In large scale coverage operations, such as ...
19272 We study fairness in collaborative-filtering...
19273 Graph inference methods have recently attrac...
19274 This paper presents a provably correct metho...
19275 The resolvent Krylov subspace method builds ...
19276 The best known manifestation of the Fermi-Di...
19277 This paper proves the approximate intermedia...
19278 The ultraviolet (UV) light from a host star ...
19279 We construct a double-well potential for whi...
19280 Social ties are strongly related to well-bei...
19281 We analyze spectral properties of two mutual...
19282 Given a positive function $u\in W^{1,n}$, we...
19283 The recent literature on deep learning offer...
19284 Recent advances show that two-dimensional li...
19285 Distinct striation patterns are observed in ...
19286 This paper presents a motion planner for sys...
19287 Can we learn a binary classifier from only p...
19288 It is well-known that kernel regression esti...
19289 To harness the complexity of their high-dime...
19290 We prove that $\tilde{\Theta}(k d^2 / \varep...
19291 We present a heuristic based algorithm to in...
19292 Manipulation of deformable objects, such as ...
19293 We derive upper and lower bounds for the pol...
19294 The dynamical characteristics of electromagn...
19295 In this paper we give three functors $\mathf...
19296 We define the notion of a hierarchically coc...
19297 An explosion of high-throughput DNA sequenci...
19298 Quantum effects, prevalent in the microscopi...
19299 This paper presents a deep learning framewor...
19300 The significant halogenation effects on the ...
19301 We propose an information-theoretic framewor...
19302 We present a theoretical assessment of the e...
19303 The normalized maximum likelihood (NML) is o...
19304 Existing memory management mechanisms used i...
19305 The regular icosahedron is connected to many...
19306 This paper demonstrates the feasibility of i...
19307 We develop game-theoretic semantics (GTS) fo...
19308 The wide usage of Machine Learning (ML) has ...
19309 We analyse a linear regression problem with ...
19310 The topological data analysis method "concur...
19311 As is known, an elementary excitation of a m...
19312 In a previous paper [ arXiv:1508.03269 ] we ...
19313 In this work we introduce malware detection ...
19314 In this paper, we investigate the model chec...
19315 We prove that the moduli space of complete R...
19316 We consider the problem of optimal dynamic i...
19317 The celebrated theorem of Robertson and Seym...
19318 In this paper we consider the problem of dis...
19319 The magnetic, thermodynamic and dielectric p...
19320 A classification algorithm, called the Linea...
19321 In this paper, we address the problem of spa...
19322 The formation and the interaction of multipl...
19323 Machine-learning potentials (MLPs) for atomi...
19324 In this paper we consider a network of proce...
19325 The low-frequency vibrational and low-temper...
19326 This paper deals with the initial value prob...
19327 The CEV model subsumes some of the previous ...
19328 Classical results of Chentsov and Campbell s...
19329 Smartphones have become the most pervasive d...
19330 Blockchain, which is a technology for distri...
19331 We propose a multinomial logistic regression...
19332 Traditionally, kernel learning methods requi...
19333 Dense suspensions are non-Newtonian fluids w...
19334 One of the open challenges in designing robo...
19335 We study rewriting for equational theories i...
19336 In this work we addressed the issue of apply...
19337 Wilcoxon Rank-based tests are distribution-f...
19338 We propose a method for simultaneously detec...
19339 In this paper, we analyze the behavior of th...
19340 We describe the approximation of a continuou...
19341 The Wasserstein distance between two probabi...
19342 Several recent works have proposed and imple...
19343 A proof of concept for high speed near-field...
19344 We introduce the notion of stationary action...
19345 In supervised machine learning for author na...
19346 Recent successes in word embedding and docum...
19347 The present online social media platform is ...
19348 Designing adaptive classifiers for an evolvi...
19349 This paper aims to establish theoretical fou...
19350 A variety of complex systems exhibit differe...
19351 Controlling Chaos could be a big factor in g...
19352 We investigate relaxation in the recently di...
19353 A saliency guided hierarchical visual tracki...
19354 The present study shows that the performance...
19355 This article develops a novel operational se...
19356 We provide a compact and unified treatment o...
19357 The magnetic anisotropy (MA) of Mo/Au/Co0.9F...
19358 Ionic solutions are often regarded as fully ...
19359 Network embedding methodologies, which learn...
19360 In this paper, we continue to study pairwise...
19361 Internship assignment is a complicated proce...
19362 Quantum mechanical calculations had been pre...
19363 This paper addresses the question: Why do ne...
19364 In this paper we tackle the problem of visua...
19365 We present a new non-Archimedean model of ev...
19366 We present a new approach to the design of D...
19367 We propose a statistical model for weighted ...
19368 We report a Dynamical Cluster Approximation ...
19369 This paper formalises the problem of online ...
19370 We construct periodic solutions of nonlinear...
19371 Attribute-based recognition models, due to t...
19372 In this paper, a scale mixture of Normal dis...
19373 We study the systematic numerical approximat...
19374 As a fundamental challenge in vast disciplin...
19375 In this paper, we consider nonlinear equatio...
19376 In recent works we have constructed axisymme...
19377 We implement the coupled cluster method to v...
19378 Clouds have a strong impact on the climate o...
19379 Magnetic resonance imaging (MRI) has been pr...
19380 In Crowdfunding platforms, people turn their...
19381 Learning to infer Bayesian posterior from a ...
19382 We discuss the distributed matching scheme i...
19383 We complement the characterization of the gr...
19384 Multi-Task Learning (MTL) can enhance a clas...
19385 In this note, we discuss the cobordism maps ...
19386 We give necessary and sufficient conditions ...
19387 This is the Proceedings of the 2017 ICML Wor...
19388 We study the quantum phase transition betwee...
19389 A 4-dimensional Riemannian manifold equipped...
19390 Modern software systems provide many configu...
19391 We review André Luiz Barbosa's paper "P != N...
19392 We consider the minimax setup for the two-ar...
19393 Traditional intelligent fault diagnosis of r...
19394 In one perspective, the main theme of this r...
19395 In this paper we introduce an easily verifia...
19396 We study the problems of clustering locally ...
19397 The OSIRIS-REx Visible and Infrared Spectrom...
19398 We prove boundedness results for integral op...
19399 We consider a large portfolio limit where th...
19400 We introduce a spectrum of monotone coarse i...
19401 Coexistence of a new-type antiferromagnetic ...
19402 Grigni and Hung~\cite{GH12} conjectured that...
19403 Mexico City tracks ground-level ozone levels...
19404 The elastic scattering cross sections for a ...
19405 Predicting fine-grained interests of users w...
19406 Quantitative extraction of high-dimensional ...
19407 Recently, two new indicators (Equalized Mean...
19408 We show that Willwacher's cyclic formality t...
19409 Process Control Systems (PCSs) are the opera...
19410 For the quantum kinetic system modelling the...
19411 Over the past few years, the futures market ...
19412 Deep neural networks are playing an importan...
19413 The public transports provide an ideal means...
19414 Let $\mathcal{P}_r$ denote an almost-prime w...
19415 We use recent results by Bainbridge-Chen-Gen...
19416 Interference arises when an individual's pot...
19417 We present a unifying framework to solve sev...
19418 Machine learning models are notoriously diff...
19419 Inferring interactions between processes pro...
19420 The Alvarez-Macovski method [Alvarez, R. E a...
19421 Using our results about Lorentzian Kac--Mood...
19422 We study the elementary characteristics of t...
19423 An extensive empirical literature documents ...
19424 Motivated by expansion in Cayley graphs, we ...
19425 We introduce a class of normal complex space...
19426 With the rapid increase of compound database...
19427 We study the sample covariance matrix for re...
19428 Lung nodule classification is a class imbala...
19429 We introduce and examine a collection of unu...
19430 Skorobogatov constructed a bielliptic surfac...
19431 We define "Locally Nameless Permutation Type...
19432 We study dimension-free $L^p$ inequalities f...
19433 The one-particle density matrix of the one-d...
19434 We propose a 2D generalization to the $M$-ba...
19435 We introduce the Nonlinear Cauchy-Riemann eq...
19436 Deep Neural Networks have been shown to succ...
19437 Participants enrolled into randomized contro...
19438 Effects of subgrid-scale gravity waves (GWs)...
19439 Cricket is a game played between two teams w...
19440 We study basic geometric properties of some ...
19441 Isogeometric analysis (IGA) is used to simul...
19442 In this paper, we study behavior of bidders ...
19443 The internet has become a central medium thr...
19444 Representation learning is at the heart of w...
19445 Topological Data Analysis (tda) is a recent ...
19446 The resemblance between the methods used in ...
19447 We study how to effectively leverage expert ...
19448 We investigate the effects of social interac...
19449 A powerful data transformation method named ...
19450 Cascading failures are a critical vulnerabil...
19451 Despite its extremely weak intrinsic spin-or...
19452 We present a blind multiframe image-deconvol...
19453 We consider the framework of aggregative gam...
19454 Condensed matter systems that simultaneously...
19455 The paper presents the application of Variat...
19456 In this paper, we propose a new algorithm fo...
19457 The answer is Yes! We indeed find that inter...
19458 Dual Fabry-Perot cavity based optical refrac...
19459 We introduce the Self-Annotated Reddit Corpu...
19460 We use a model of aerosol microphysics to in...
19461 Opinion formation in the population has attr...
19462 Given data over variables $(X_1,...,X_m, Y)$...
19463 We study the evolution of the eccentricity a...
19464 We discuss various forms of definitions in m...
19465 Fix any field $K$ of characteristic $p$ such...
19466 We consider the minimax estimation problem o...
19467 The effect of the Coulomb repulsion of holes...
19468 Multiplayer Online Battle Arena (MOBA) games...
19469 Tendon-driven hand orthoses have advantages ...
19470 For years security machine learning research...
19471 Software reusability has become much interes...
19472 We consider classical Merton problem of term...
19473 The lack of efficiency in urban diffusion is...
19474 We derive a new Bayesian Information Criteri...
19475 Combinatorial interaction testing is an impo...
19476 We consider the habitability of Earth-analog...
19477 Unsupervised learning is about capturing dep...
19478 Convolutional neural networks (CNNs) have sh...
19479 In this paper, we address the rigid body pos...
19480 In this paper we propose definitions and exa...
19481 We study the relationship between performanc...
19482 Beyond traditional security methods, unmanne...
19483 In this paper, we extend two classical resul...
19484 In this paper, we use replica analysis to de...
19485 We discuss the local properties of weak solu...
19486 The real vector space of non-oriented graphs...
19487 In order to address the need for an affordab...
19488 Texture classification is a problem that has...
19489 Contingent Convertible bonds (CoCos) are deb...
19490 E-generalization computes common generalizat...
19491 We study quartic double fivefolds from the p...
19492 Thermal atmospheric tides can torque telluri...
19493 Obtaining enough labeled data to robustly tr...
19494 We provide an integral formula for the Maslo...
19495 As modern precision cosmological measurement...
19496 Morava $E$-theory $E$ is an $E_\infty$-ring ...
19497 We consider numerical schemes for root findi...
19498 Inspired by the recent evolution of deep neu...
19499 The hyperbolic Pascal triangle ${\cal HPT}_{...
19500 We report on an empirical study of the main ...
19501 Much effort has been devoted to device and m...
19502 Motivation: Protein-protein interactions (PP...
19503 Component-based development is a software en...
19504 Sales forecast is an essential task in E-com...
19505 In this study, we provide mathematical and p...
19506 Let $F$ be a $p$-adic fied, $E$ be a quadrat...
19507 A simple double-decker molecule with magneti...
19508 We consider nonlinear transport equations wi...
19509 Sampling from large networks represents a fu...
19510 Recent works have shown that social media pl...
19511 Can we make a famous rap singer like Eminem ...
19512 We present a robust deep learning based 6 de...
19513 We study a generalization of a cross-diffusi...
19514 In distributed storage systems, locally repa...
19515 Syntax-guided synthesis aims to find a progr...
19516 In this paper we are concerned with the exis...
19517 We analyse spectral properties of a class of...
19518 There are tradeoffs between current sharing ...
19519 We prove a new off-diagonal asymptotic of th...
19520 Networks are powerful instruments to study c...
19521 We present the 2017 DAVIS Challenge on Video...
19522 Context: The success of Stack Overflow and o...
19523 Massive multiple-input multiple-output (MIMO...
19524 Surface parameterizations have been widely a...
19525 In this paper, we consider a distributed sto...
19526 In a wide variety of applications, including...
19527 Let $\Delta$ be a simplicial complex of a ma...
19528 We propose a max-pooling based loss function...
19529 In Packet Scheduling with Adversarial Jammin...
19530 Despite the progress in high performance com...
19531 In this paper, we propose a deep learning ba...
19532 On the surface of icy dust grains in the den...
19533 We revisit the fundamental problem of liquid...
19534 We demonstrate the control of resonance char...
19535 A surrogate model approximates a computation...
19536 The most data-efficient algorithms for reinf...
19537 This work explores the trade-off between the...
19538 The stability (or instability) of synchroniz...
19539 Vortices, turbulence, and unsteady non-lamin...
19540 Direct numerical simulation of liquid-gas-so...
19541 This paper focuses on temporal localization ...
19542 We present here numerical modelling of granu...
19543 Like it or not, attempts to evaluate and mon...
19544 Widespread usage of complex interconnected s...
19545 Recent developments have established the vul...
19546 We study loss functions that measure the acc...
19547 Performing diagnostics in IT systems is an i...
19548 We prove a generalization of the Davenport-H...
19549 Neural networks are known to be vulnerable t...
19550 We present a novel method for learning the w...
19551 We found analytically a first order quantum ...
19552 Combining Bayesian nonparametrics and a forw...
19553 Achieving superhuman playing level by AlphaG...
19554 We consider estimating the "de facto" or eff...
19555 Recent studies in social media spam and auto...
19556 We explore the power of spatial context as a...
19557 We present a statistical analysis of the var...
19558 The line spectral estimation problem consist...
19559 Monte Carlo methods approximate integrals by...
19560 Let $f: \mathbb{R}^d \to\mathbb{R}$ be a Lip...
19561 Despite the success of deep learning on repr...
19562 We study a frequency-dependent damping model...
19563 Geometric variations of objects, which do no...
19564 We discuss, in the context of energy flow in...
19565 Floer theory was originally devised to estim...
19566 Bayesian inference for stochastic volatility...
19567 We study simple root flows and Liouville cur...
19568 This paper is a review of the evolutionary h...
19569 Imitation is widely observed in populations ...
19570 Complex Finsler vector bundles have been stu...
19571 Development and growth are complex and tumul...
19572 Generating structured input files to test pr...
19573 Using the set-up of deformation categories o...
19574 We developed a simple, physical and self-con...
19575 Fermi Large Area Telescope data reveal an ex...
19576 The European X-ray Free Electron Laser (XFEL...
19577 In this paper, for the first time, we study ...
19578 Appearing on the stage quite recently, the L...
19579 The impacts of climate change are felt by mo...
19580 Among asteroids there exist ambiguities in t...
19581 Learning preferences implicit in the choices...
19582 The use of Laplacian eigenfunctions is ubiqu...
19583 Significant parts of cultural heritage are p...
19584 We study a system consisting of a Luttinger ...
19585 Jittered Sampling is a refinement of the cla...
19586 Analysis and quantification of brain structu...
19587 This work proposes a visual odometry method ...
19588 Autoignition delay experiments for the isome...
19589 In this paper, we prove that for every integ...
19590 We investigate an inverse problem in time-fr...
19591 In this paper, we present a system that asso...
19592 In this paper, the Kelvin wave and knot dyna...
19593 We develop the non-commutative polynomial ve...
19594 We introduce an integrated meshing and finit...
19595 In this note, we show the class of finite, e...
19596 Motivated by the problem of domain formation...
19597 In this paper, we investigate the reconstruc...
19598 Robotics enables a variety of unconventional...
19599 The present numerical study aims at shedding...
19600 For a positive parameter $\beta$, the $\beta...
19601 Pipelines are used in a huge range of indust...
19602 The quadratic unconstrained binary optimizat...
19603 In order to address the economical dispatch ...
19604 We develop an importance sampling (IS) type ...
19605 With a few hundred spacecraft launched to da...
19606 There exists various proposals to detect cos...
19607 Recent works on planetary migration show tha...
19608 The General AI Challenge is an initiative to...
19609 A key enabler for optimizing business proces...
19610 Lorenzen's "Algebraische und logistische Unt...
19611 Online interactive recommender systems striv...
19612 Low-rank matrix completion (MC) has achieved...
19613 We obtain results on mixing for a large clas...
19614 Many cognitive, sensory and motor processes ...
19615 In this paper, we sharpen earlier work of th...
19616 Bilevel optimization is defined as a mathema...
19617 This paper proposes a speaker recognition (S...
19618 Governing equations for two-dimensional invi...
19619 We prove a global limiting absorption princi...
19620 In this paper we explore the role of duality...
19621 A looming question that must be solved befor...
19622 Autoignition experiments of stoichiometric m...
19623 Crowdsourced GPS probe data has become a maj...
19624 Generating and detection coherent high-frequ...
19625 For classical many-body systems, our recent ...
19626 We consider a generalized Dirac operator on ...
19627 The discovery of influential entities in all...
19628 We consider learning of submodular functions...
19629 An irreducible weight module of an affine Ka...
19630 We study the behavior of a real $p$-dimensio...
19631 In this paper, we propose an online learning...
19632 We device a new method to calculate a large ...
19633 The escape mechanism of orbits in a star clu...
19634 We present Atacama Large Millimeter/ sub-mil...
19635 We have modelled the evolution of cometary H...
19636 This paper uses a classical approach to feat...
19637 We match analytic results to numerical calcu...
19638 We tackle the problem of template estimation...
19639 Bayesian inverse modeling is important for a...
19640 One-Class Classification (OCC) has been prim...
19641 INTRODUCTION\nThis papers deals with partial...
19642 Machine Learning models have been shown to b...
19643 In cellular massive Machine-Type Communicati...
19644 We report the first detection of sodium abso...
19645 Choreographies are widely used for the speci...
19646 The "reproducibility crisis" has been a high...
19647 SciSports is a Dutch startup company special...
19648 We consider the problem of segmenting a larg...
19649 In this report, it is shown that Cr doped in...
19650 We present a technique for automatically tra...
19651 Hierarchical neural architectures are often ...
19652 Research in analysis of microblogging platfo...
19653 Logic-based paradigms are nowadays widely us...
19654 Mixture models have been around for over 150...
19655 In this work we study the pointwise and ergo...
19656 Latent features learned by deep learning app...
19657 In the near future, cosmology will enter the...
19658 The crowdsourcing consists in the externalis...
19659 We study positive solutions to the heat equa...
19660 This paper considers an alternative method f...
19661 Virtual network services that span multiple ...
19662 Using the semiclassical WKB approximation an...
19663 Natural language and symbols are intimately ...
19664 Feature extraction and dimension reduction f...
19665 Let $q$ be a prime power. We estimate the nu...
19666 In the present paper, using a replica analys...
19667 Researchers often summarize their work in th...
19668 Liquid metal (LM) is of current core interes...
19669 The local model for differential privacy is ...
19670 A low-cost, robust, and simple mechanism to ...
19671 In this paper, we study the following classi...
19672 The newly emerging field of wave front shapi...
19673 In large-scale agile projects, product owner...
19674 We analyse a simple extension of the SM with...
19675 Consider a Gaussian vector $\mathbf{z}=(\mat...
19676 We present a method for synthesizing a front...
19677 Scaling clustering algorithms to massive dat...
19678 In this paper, we consider the existence of ...
19679 We study estimators with generalized lasso p...
19680 According to data from the United Nations, m...
19681 The current-voltage (I-V) conversion charact...
19682 We characterize the neutron output of a deut...
19683 We describe how turbulence distributes trace...
19684 In this paper, we give a correspondence betw...
19685 This paper reviews the checkered history of ...
19686 Algorithms working with linear algebraic gro...
19687 This article studies the monotonicity, log-c...
19688 Epilepsy is a neurological disorder arising ...
19689 In this paper, we study a classical construc...
19690 Parity and time-reversal violating electric ...
19691 The increasing amount of information and the...
19692 Neutron diffraction and muon spin relaxation...
19693 A unified viewpoint on the van Vleck and Her...
19694 This paper presents an alternate form for th...
19695 We present a Las Vegas algorithm for dynamic...
19696 The rising popularity of intelligent mobile ...
19697 Fine particulate matter (PM$_{2.5}$) is one ...
19698 A profile describes a set of properties, e.g...
19699 We present a sample of $\sim 1000$ emission ...
19700 Tensor factorization with hard and/or soft c...
19701 In this paper, we propose a replay attack sp...
19702 For linear inverse problem with Gaussian ran...
19703 Light carries momentum which induces on atom...
19704 For a contraction $C_0$-semigroup on a separ...
19705 Traceroute is the main tools to explore Inte...
19706 We studied the thermodynamic behaviors of no...
19707 Many deep models have been recently proposed...
19708 Consider a terminal in which users arrive co...
19709 In this paper we extend the theory of two we...
19710 We show that a link in an open book can be r...
19711 The \Delta-convolution of real probability m...
19712 When classifying point clouds, a large amoun...
19713 Some boundedness properties of function spac...
19714 In this paper, we propose a novel approach t...
19715 Topic lifecycle analysis on Twitter, a branc...
19716 Previous research on unstable footwear has s...
19717 In this paper we introduce a modified versio...
19718 Structured Peer Learning (SPL) is a form of ...
19719 The monograph represents analysis of the pos...
19720 Recently, researchers have discovered that t...
19721 Over the last decades, the Internet and mobi...
19722 Unexpected clustering in the orbital element...
19723 We introduce two tactics to attack agents tr...
19724 One of the big challenges in machine learnin...
19725 In this paper, we propose a Tensor Train Nei...
19726 Three dimensional (3D) topology optimization...
19727 Let M be an irreducible Riemannian symmetric...
19728 Microscopy imaging plays a vital role in und...
19729 In this paper, we study geometric properties...
19730 The generation of anisotropic shapes occurs ...
19731 We extend the notion of localic completion o...
19732 According to magnetohydrodynamics (MHD), the...
19733 In this paper, we propose Squeezed Convoluti...
19734 Most state-of-the-art graph kernels only tak...
19735 Quantitative nuclear magnetic resonance imag...
19736 We present an updated halo-dependent and hal...
19737 Current and upcoming radio interferometric e...
19738 Magnetic skyrmions are particle-like objects...
19739 In this paper, we introduce metallic maps be...
19740 Hashing, or learning binary embeddings of da...
19741 A new exact solution of Einstein's field equ...
19742 Implicit discourse relation classification i...
19743 The idea of posing a command following or tr...
19744 Wireless communication plays a vital role in...
19745 This paper studies the synchronization of a ...
19746 We derive representation theorems for exchan...
19747 The replicator equation is one of the fundam...
19748 Go gaming is a struggle for territory contro...
19749 Laser writing with ultrashort pulses provide...
19750 Ensemble weather predictions require statist...
19751 In recent work, Pomerance and Shparlinski ha...
19752 In this note we prove a conjecture by Li, Qu...
19753 Recently in speaker recognition, performance...
19754 Employers actively look for talents having n...
19755 We study a class of anomalies associated wit...
19756 We present a new model for the redshift-spac...
19757 It is proven that an infinite finitely gener...
19758 The spin Peltier effect (SPE), heat-current ...
19759 We discuss the number-theoretic properties o...
19760 In this paper, we describe a phenomenon, whi...
19761 In this paper we perform the analysis that l...
19762 This work reports an electronic and micro-st...
19763 We fabricated NiFe$_\textrm{2}$O$_\textrm{x}...
19764 This paper proposes a new sampling-based non...
19765 We study the primary entanglement effect on ...
19766 Breast density classification is an essentia...
19767 Motivated by the recent progress in analog c...
19768 A crucial challenge in image-based modeling ...
19769 We study an optimal control problem arising ...
19770 This paper describes our experience of train...
19771 The purpose of this article is to analyze th...
19772 Covalently linked acene dimers are of intere...
19773 We discuss an investigation of student diffi...
19774 In this paper, we first design a time optima...
19775 Knowledge about the graph structure of the W...
19776 We show that for any convex differentiable l...
19777 Research on automated vehicles has experienc...
19778 This paper deals with a nonhomogeneous scala...
19779 Phase changing materials (PCM) are widely us...
19780 Sortition, i.e., random appointment for publ...
19781 We provide a particle picture representation...
19782 Generating adversarial examples is a critica...
19783 We consider the problem of designing efficie...
19784 We present a model that takes into account t...
19785 The quality of a Neural Machine Translation ...
19786 Close-contact melting refers to the process ...
19787 Complex networks or graphs are ubiquitous in...
19788 Accurate demand forecasts can help on-line r...
19789 In the covariate shift learning scenario, th...
19790 One-dimensional systems obtained as low-ener...
19791 Convolution as inner product has been the fo...
19792 This paper presents a robotic pick-and-place...
19793 We develop various aspects of classical enum...
19794 The spread of online reviews, ratings and op...
19795 A dual control problem is presented for the ...
19796 We propose Graph Priority Sampling (GPS), a ...
19797 This paper studies the optimal investment pr...
19798 The emergence and nature of amplitude mediat...
19799 Photons from distant astronomical sources ca...
19800 A major challenge in computational chemistry...
19801 Measurements of cosmic microwave background ...
19802 For over a decade, scientists at NASA's Jet ...
19803 Proteins are only moderately stable. It has ...
19804 We provide a proposal, motivated by Separati...
19805 A monotone drawing of a graph G is a straigh...
19806 Graph data models are widely used in many ar...
19807 We remark that sparse and Carleson coefficie...
19808 Discovering business rules from business pro...
19809 We combine features extracted from pre-train...
19810 Context. Planet formation with pebbles has b...
19811 We show that NSOP$_{1}$ theories are exactly...
19812 Heterogeneity has been studied as one of the...
19813 The magnetorotational instability (MRI) is t...
19814 An individual has been subjected to some exp...
19815 It is well known that the Milgrom's MOND (mo...
19816 We present a framework for testing independe...
19817 This is a survey article, based on the autho...
19818 The surface of metal, glass and plastic obje...
19819 The oscillatory behavior of the solutions to...
19820 In recent years, Variational Autoencoders (V...
19821 Boltzmann exploration is a classic strategy ...
19822 For sophisticated reinforcement learning (RL...
19823 We present a quantum algorithm to compute th...
19824 The Jiangmen Underground Neutrino Observator...
19825 Recent work has explored the problem of auto...
19826 State space models in which the system state...
19827 We study a number of graph exploration probl...
19828 The Fourier-Walsh expansion of a Boolean fun...
19829 Oxygen-deficient TiO$_2$ in the rutile struc...
19830 Auxetic materials are a novel class of mecha...
19831 Exploiting the powerful tool of strong gravi...
19832 Autonomous agents must often detect affordan...
19833 We revisit the question of whether and how t...
19834 Trapping molecular ions that have been sympa...
19835 The precise nature of complex structural rel...
19836 A regularized optimization problem over a la...
19837 We analyze the effect of intersite-interacti...
19838 We consider tackling a single-agent RL probl...
19839 The dissipation of small-scale perturbations...
19840 Multi-subject fMRI data analysis is an inter...
19841 Knowledge transfer between tasks can improve...
19842 Because the grand unification theory of gaug...
19843 Rich-club ordering refers to the tendency of...
19844 In this work, we propose to integrate predic...
19845 Inverse electromagnetic design has emerged a...
19846 This paper describes a general, scalable, en...
19847 We show that maximal $S$-free convex sets ar...
19848 The nearby ultra-luminous infrared galaxy (U...
19849 Motivated by recent experimental observation...
19850 The behavior of an interior test particle in...
19851 The KATRIN experiment aims to determine the ...
19852 The stabilization of lasers to absolute freq...
19853 In this paper, a new type of 3D bin packing ...
19854 The goal of this article is to clarify the m...
19855 The problem of the estimation of relevance t...
19856 In this paper we present a strategy for the ...
19857 This paper presents a method of reconstructi...
19858 We consider the problem of performing Spoken...
19859 We present a method to derive the density sc...
19860 Advertisements are unavoidable in modern soc...
19861 We study a deep linear network endowed with ...
19862 We apply our theory of partial flag spaces d...
19863 The robustness of dynamical properties of ne...
19864 Maximizing the area under the receiver opera...
19865 Motivated by problems in data clustering, we...
19866 We describe all rigid algebras and all irred...
19867 In this paper we compute the discrete fundam...
19868 We investigate the theoretical foundations o...
19869 We live in a 3D world, performing activities...
19870 Advances in astronomy are intimately linked ...
19871 Eliminating duplicate data in primary storag...
19872 Freeplay is a significant source of nonlinea...
19873 Understanding user preference is essential t...
19874 Low-dimensional embeddings of nodes in large...
19875 Assume that $f:(\mathbb{C}^n,0) \to (\mathbb...
19876 We study the convergence properties of the G...
19877 We point out a unique mechanism to produce t...
19878 In this paper, we propose a method using a t...
19879 A setting for global variational geometry on...
19880 In this paper we revisit some classic board ...
19881 In recent years, citizen science has grown i...
19882 The SRv6 architecture (Segment Routing based...
19883 We apply a large-scale computational techniq...
19884 Pre-trained word embeddings improve the perf...
19885 We start with an overview of a class of subm...
19886 We consider the inverse problems of determin...
19887 A tragedy of the commons (TOC) occurs when i...
19888 The linear growth of operators in local quan...
19889 Each Multiplicative Exponential Linear Logic...
19890 Multi robot systems have the potential to be...
19891 For a Riemannian covering $M_1\to M_0$ of co...
19892 We extend the theory of ground states of cla...
19893 We present a framework for vision-based mode...
19894 We give a $K$-theoretic criterion for a quas...
19895 Modern surveys have provided the astronomica...
19896 We propose a novel approach towards adversar...
19897 We show how to answer spatial multiple-set i...
19898 We present a framework to calculate the casc...
19899 Monge-Kantorovich distances, otherwise known...
19900 We construct an analog of the intrinsic norm...
19901 Most old globular clusters (GCs) in the Gala...
19902 While domain adaptation has been actively re...
19903 We report the discovery of the minor planet ...
19904 Using Lindblad dynamics we study quantum spi...
19905 We study the spatially homogeneous time depe...
19906 We consider the minimization of composite ob...
19907 Generative Adversarial Networks (GANs) are p...
19908 We propose a statistical model for natural l...
19909 The low energy optical conductivity of conve...
19910 This work demonstrates nanoscale magnetic im...
19911 Superconducting detectors are now well-estab...
19912 We prove that the Hilbert scheme of 11 point...
19913 We propose a novel type of tunable Yagi-Uda ...
19914 Modified structures of SAPO-34 were prepared...
19915 Support Vector Machines (SVMs) with various ...
19916 Voltage deviations occur frequently in power...
19917 Convolutional Neural Networks (CNNs) are a p...
19918 Traditional neural network approaches for tr...
19919 The Tolman paradox is well known as a base f...
19920 For analysing text algorithms, for computing...
19921 Spin-relaxation is conventionally discussed ...
19922 In the information overloaded web, personali...
19923 Scholarly communication has the scope to tra...
19924 Machine learning algorithms, when applied to...
19925 Recently, the fabrication of CdSe nanoplatel...
19926 Advances in GNC, particularly from miniaturi...
19927 Unsupervised learning is of growing interest...
19928 We define monodromy maps for tropical Dolbea...
19929 In this paper, we study the problems in the ...
19930 Word embeddings generated by neural network ...
19931 We will say that an Abelian group $\Gamma$ o...
19932 Cosmologies including strongly Coupled (SC) ...
19933 Proof schemata are a variant of LK-proofs ab...
19934 This paper examines the task of detecting in...
19935 Using simulations with a whole-atmosphere ch...
19936 A fundamental question in biology is how org...
19937 Conventional seismic techniques for detectin...
19938 We present a novel approach to achieve adapt...
19939 From medicines to materials, small organic m...
19940 Let $\hat{L}$ be the projective completion o...
19941 To ensure that a robot is able to accomplish...
19942 Over the last decade, tremendous strides hav...
19943 We develop polynomial-time heuristic methods...
19944 It is well known that the F test is severly ...
19945 Feature representations from pre-trained dee...
19946 Let p be a prime, and k be a field of charac...
19947 Recently, a general expression for Eckart-fr...
19948 This paper studies an optimal trading proble...
19949 We explore the relationship between features...
19950 Estimating individualized treatment rules is...
19951 Fine-tuning in physics and cosmology is ofte...
19952 Experiments using nuclei to probe new physic...
19953 Machine Learning (ML) models are applied in ...
19954 We introduce the fraud de-anonymization prob...
19955 The types of instability in the interacting ...
19956 The interaction blockade phenomenon isolates...
19957 SPIDER is a balloon-borne instrument designe...
19958 Wind shear measured by Doppler tracking of t...
19959 Relativistic protocols have been proposed to...
19960 We prove that all eigenstates of many-body l...
19961 We study the formation of massive black hole...
19962 We study an optimization-based approach to c...
19963 We show how third-party web trackers can dea...
19964 Virtualization technologies have evolved alo...
19965 We give an integral formula for the total $Q...
19966 The Internet of Things (IoT) is continuously...
19967 Modelling information cascades over online s...
19968 Living cells exhibit multi-mode transport th...
19969 We define various height functions for motiv...
19970 This paper studies the dimension effect of t...
19971 Fundamental questions on the nature of matte...
19972 The main aim of this paper is to prove $R$-t...
19973 We present near-infrared interferometry of t...
19974 Long Short-Term Memory (LSTM) has achieved s...
19975 I welcome the contribution from Falessi et a...
19976 Recent advances in computer vision-in the fo...
19977 Recent research implies that training and in...
19978 The probability simplex is the set of all pr...
19979 We present a novel condition, which we term ...
19980 Every linear system of partial differential ...
19981 Convolutional neural networks (CNNs) have be...
19982 Dominant approaches to action detection can ...
19983 This work introduces a novel estimation meth...
19984 We consider the Cauchy problem in R^n for so...
19985 Unconventional d-wave superconductors with p...
19986 Neuromorphic computing has come to refer to ...
19987 We study junctions of Wilson lines in refine...
19988 Stochastic gradient algorithms are more and ...
19989 The location of the terrestrial magnetopause...
19990 Using a membrane-driven diamond anvil cell a...
19991 Everyday robotics are challenged to deal wit...
19992 Malware is constantly adapting in order to a...
19993 We construct examples of finite covers of pu...
19994 Training convolutional networks (CNN's) that...
19995 Identifying transport pathways in fractured ...
19996 We analyse archival CGRO-BATSE X-ray flux an...
19997 We investigate some basic applications of Fr...
19998 We present ~0.4 resolution images of CO(3-2)...
19999 We investigate equilibrium properties, inclu...
20000 The influence of the Dzyaloshinskii-Moriya i...
20001 I analyze Osaka factory worker households in...
20002 On the 29 March 2014 NOAA active region (AR)...
20003 We prove that every connected affine scheme ...
20004 Deep neural network models have been proven ...
20005 Arabic word segmentation is essential for a ...
20006 This paper studies an electricity market con...
20007 To investigate the existence of sterile neut...
20008 Protein crystal production is a major bottle...
20009 We present the Kepler Object of Interest (KO...
20010 The dark sector may contain a dark photon th...
20011 A network epidemics model based on the class...
20012 We describe a general framework --compressiv...
20013 Bandit structured prediction describes a sto...
20014 The ability to learn from a small number of ...
20015 Faster R-CNN is one of the most representati...
20016 Data-target pairing is an important step tow...
20017 We present Calipso, an interactive method fo...
20018 The resolutions and maximal sets of compatib...
20019 Spectrum of a first order sentence is the se...
20020 Within the past few decades we have witnesse...
20021 We introduce a refinement of the classical L...
20022 In the presence of a certain class of functi...
20023 Conditional specification of distributions i...
20024 Let $\mathcal{B}$ denote a set of bicoloring...
20025 In part I we considered the problem of conve...
20026 JavaScript systems are becoming increasingly...
20027 Phononic bandgaps of Parylene-C microfibrous...
20028 Though the deep learning is pushing the mach...
20029 We present semiparametric spectral modeling ...
20030 We present a term rewrite system that formal...
20031 Most complex networks are not static, but ev...
20032 Potential critical risks of cascading failur...
20033 We present a comprehensive account of the pr...
20034 We consider the one-dimensional model of a s...
20035 In this paper, we deform the thermodynamics ...
20036 In this paper we study rotationally symmetri...
20037 The rank of a hierarchically hyperbolic spac...
20038 Recurrent Neural Networks are showing much p...
20039 Statistical analysis (SA) is a complex proce...
20040 We firstly suggest new cache policy applying...
20041 Shape-constrained density estimation is an i...
20042 The aim of this paper is to analyze the arra...
20043 In this study, the gravitational octree code...
20044 Instanton bundles on $\mathbb{P}^3$ have bee...
20045 Learning weights in a spiking neural network...
20046 In this work, we propose to train a deep neu...
20047 An analytical expression is received for the...
20048 Online Social Networks (OSN) are increasingl...
20049 We characterize operator-theoretic propertie...
20050 We present results from the first observatio...
20051 We derive the gaugeon formalism of the Kalb-...
20052 In this work, the authors give a new method ...
20053 Complex distribution networks are pervasive ...
20054 Deep learning methods employ multiple proces...
20055 The increasing impact of robotics on industr...
20056 Remote Attestation (RA) allows a trusted ent...
20057 Social robots, also known as service or assi...
20058 In this paper we solve the inverse problem f...
20059 Building a complete inertial navigation syst...
20060 We demonstrate that photonic and phononic cr...
20061 The experimental efforts to detect the redsh...
20062 We unify the feeding and feedback of superma...
20063 The inherent noise in the observed (e.g., sc...
20064 Online advertisers and analytics services (o...
20065 We consider the $2+1$ Toda system \[ \frac{1...
20066 We prove that a meromorphic mapping, which s...
20067 Cameras are the most widely exploited sensor...
20068 The time evolution of the energy transport t...
20069 This chapter of the forthcoming Handbook of ...
20070 This paper presents a survey of some new app...
20071 HD$\,$169142 is an excellent target to inves...
20072 The mechanism of ion bombardment induced mag...
20073 We implement two algorithms in MATHEMATICA f...
20074 We show that model compression can improve t...
20075 This paper presents a procedure to retrieve ...
20076 Space photometric missions have been steadil...
20077 We present an explicitly correlated formalis...
20078 We study algebro-geometric consequences of t...
20079 Companies and academic researchers may colle...
20080 A fundamental problem in neuroscience is to ...
20081 Deep reinforcement learning enables algorith...
20082 This article deals with the first detection ...
20083 The remarkably strong chemical adsorption be...
20084 In this work we propose approaches to effect...
20085 We derive a priori estimates for the incompr...
20086 Let $M$ be a Liouville 6-manifold which is t...
20087 We construct an iterated function system con...
20088 Recent years have seen tremendous growth of ...
20089 A model for the development of turbulent she...
20090 This paper gives a thorough overview of Sola...
20091 The present study investigates a way to desi...
20092 A fraction of early-type dwarf galaxies in t...
20093 This paper reports the first results of a di...
20094 We address the problem of epipolar geometry ...
20095 This paper describes a new modelling languag...
20096 The new wave of successful generative models...
20097 We consider the RANSAC algorithm in the cont...
20098 Though there is a growing body of literature...
20099 In the research of the impact of gestures us...
20100 We define an infinite measure-preserving tra...
20101 An exciting branch of machine learning resea...
20102 We consider a system of nonlinear partial di...
20103 We report the development of indium oxide (I...
20104 In this paper, change-point problems for lon...
20105 Gravity assist manoeuvres are one of the mos...
20106 In the last years, model checking with inter...
20107 Next investigations in our program of transi...
20108 An important and emerging component of plane...
20109 We consider the motion of incompressible vis...
20110 We study the fundamental group of the comple...
20111 Spectral Clustering (SC) is a widely used da...
20112 A hyperbolic space has been shown to be more...
20113 We present a parameterized approach to produ...
20114 Recent studies have revealed the vulnerabili...
20115 The detection of intermediate mass black hol...
20116 We examine the possibility of a dark matter ...
20117 Modeling inverse dynamics is crucial for acc...
20118 New ternary Mg-Ni-Mn intermetallics have bee...
20119 Recent advances in the field of network embe...
20120 This paper describes some applications of an...
20121 The question in this paper is whether R&D ef...
20122 The global dynamics of event cascades are of...
20123 We revisit a classical scenario in communica...
20124 Motivated by contemporary and rich applicati...
20125 The main limitation that constrains the fast...
20126 We consider the Cauchy problem for the repul...
20127 The growing pressure on cloud application sc...
20128 2-level polytopes naturally appear in severa...
20129 Learning to learn has emerged as an importan...
20130 This paper aims at one-shot learning of deep...
20131 The inverse problem of determining the unkno...
20132 Many engineering processes exist in the indu...
20133 We introduce a framework using Generative Ad...
20134 We propose and demonstrate a novel laser coo...
20135 We report on 176 close (<2") stellar compani...
20136 We exploit a recently derived inversion sche...
20137 The effectiveness of a statistical machine t...
20138 In this short note, we prove that if $F$ is ...
20139 Monte Carlo Tree Search (MCTS) has been exte...
20140 We propose a search of galactic axions with ...
20141 Datasets with significant proportions of noi...
20142 Adversarial examples have been shown to exis...
20143 We investigate two arithmetic functions natu...
20144 Lurking variables represent hidden informati...
20145 Fourier ptychographic microscopy (FPM) is a ...
20146 The primary goal of this paper is to recast ...
20147 Robotic assistants in a home environment are...
20148 Let $n$ and $k$ be natural numbers such that...
20149 We present a neural architecture that takes ...
20150 We classify the band degeneracies in 3D crys...
20151 Deep Neural Networks (DNNs) are very popular...
20152 We propose a new approach based on a local H...
20153 This paper is the second chapter of three of...
20154 The well-known Axler-Zheng theorem character...
20155 This paper presents a simple approach to inc...
20156 We introduce a new method of statistical ana...
20157 We derive a closed formula for the determina...
20158 In this technical report, we consider an app...
20159 The maximal density of a measurable subset o...
20160 Mass segmentation provides effective morphol...
20161 A transitive model $M$ of ZFC is called a gr...
20162 Wild-land fire fighting is a hazardous job. ...
20163 High signal-to-noise and high-resolution lig...
20164 The Sachdev-Ye-Kitaev (SYK) model is a concr...
20165 The Ward identities associated with spontane...
20166 We report on the growth of epitaxial Sr2RuO4...
20167 The antiproton-to-proton ratio in the cosmic...
20168 The precise localization of the repeating fa...
20169 Thicket density is a new measure of the comp...
20170 A $(\gamma,n)$-gonal pair is a pair $(S,f)$,...
20171 Online advertising is progressively moving t...
20172 The quantum nature of light-matter interacti...
20173 The critical properties of the single-crysta...
20174 We implement a scale-free version of the piv...
20175 M-convex functions, which are a generalizati...
20176 Bayesian matrix factorization (BMF) is a pow...
20177 The successful deployment of safe and trustw...
20178 The XENON1T experiment is the most recent st...
20179 We argue that the standard graph Laplacian i...
20180 Public space utilization is crucial for urba...
20181 Two families of symplectic methods specially...
20182 The recent breakthroughs of deep reinforceme...
20183 In a Dirac nodal line semimetal, the bulk co...
20184 Let $n$ be a positive multiple of $4$. We es...
20185 The process of designing neural architecture...
20186 Traditionally, most complex intelligence arc...
20187 A central challenge in modern condensed matt...
20188 We consider the path planning problem for a ...
20189 Heterogeneous information networks (HINs) ar...
20190 Dynamical phase transitions are crucial feat...
20191 Due to their capability to reduce turbulent ...
20192 We predict a geometric quantum phase shift o...
20193 For well-generated complex reflection groups...
20194 The magnetic properties of BaFe$_{2}$As$_{2}...
20195 We obtain an explicit error expansion for th...
20196 We combine $Spitzer$ and ground-based KMTNet...
20197 This paper presents a class of new algorithm...
20198 The Atacama Large Millimeter/submilimeter Ar...
20199 Endowing robots with the capability of asses...
20200 Good parameter settings are crucial to achie...
20201 We study the critical behavior of a general ...
20202 An appearance-based robot self-localization ...
20203 We currently witness the emergence of intere...
20204 We propose a method to infer domain-specific...
20205 Genome-wide chromosome conformation capture ...
20206 It is proposed and substantiated that an ext...
20207 We show how to reverse a while language exte...
20208 Hubble Space Telescope photometry from the A...
20209 Phylogenetic networks are a generalization o...
20210 $G$-deformability of maps into projective sp...
20211 Atmospheric modeling of low-gravity (VL-G) y...
20212 Ongoing innovations in recurrent neural netw...
20213 Separating audio mixtures into individual in...
20214 Let $d$ be a positive integer and $x$ a real...
20215 Triggered star formation around HII regions ...
20216 The methodology of Software-Defined Robotics...
20217 We consider a curved Sitnikov problem, in wh...
20218 We define Hardy spaces $H^p(\Omega_\pm)$ on ...
20219 In recent years, numerous vision and learnin...
20220 The control task of tracking a reference poi...
20221 Computer programs do not always work as expe...
20222 A vector composition of a vector $\mathbf{\e...
20223 This paper shows that a simple baseline base...
20224 Deep learning is having a profound impact in...
20225 We use publicly available data for the Mille...
20226 Support vector machines (SVM) and other kern...
20227 This paper considers the problem of approxim...
20228 In this study we follow Grossmann and Lohse,...
20229 The renormalization method based on the Tayl...
20230 The numerical approximation of 2D elasticity...
20231 In this paper, we consider the problem of es...
20232 A polymer model given in terms of beads, int...
20233 Distributed learning is an effective way to ...
20234 Kriging or Gaussian Process Regression is ap...
20235 Over the past three years it has become evid...
20236 Deep learning is the state-of-the-art in fie...
20237 The Alzheimer's Disease Prediction Of Longit...
20238 The acquisition of Magnetic Resonance Imagin...
20239 We present a state-of-the-art end-to-end Aut...
20240 This study focuses on the social structure a...
20241 It is well-known that the Harish-Chandra tra...
20242 We consider the estimation of a signal from ...
20243 Memristors have recently received significan...
20244 We introduce a directed, weighted random gra...
20245 In this letter, we investigate the performan...
20246 Migration the main process shaping patterns ...
20247 We establish the Gröbner-Shirshov bases theo...
20248 Conversion optimization means designing a we...
20249 This paper investigates the phenomenon of em...
20250 In many biological, agricultural, military a...
20251 We consider minimization problems in the cal...
20252 In this paper, we extend the Hermite-Hadamar...
20253 This paper provides several statistical esti...
20254 In this paper, we compute the E-polynomials ...
20255 Modern computer architectures share physical...
20256 We show various supercongruences for truncat...
20257 Layer normalization is a recently introduced...
20258 Translating formulas of Linear Temporal Logi...
20259 This short note describes the benefit one ob...
20260 In this paper, we introduce a new concept of...
20261 The convolution properties are discussed for...
20262 Network densification and heterogenisation t...
20263 We investigate the integration of a planning...
20264 In this paper, we propose a novel recurrent ...
20265 Our start point is a 3D piecewise smooth vec...
20266 Why is it difficult to refold a previously f...
20267 We discuss a general procedure to construct ...
20268 The Hawkes process is a class of point proce...
20269 Rapid deployment and operation are key requi...
20270 We present an analytical treatment of a thre...
20271 This document describes our submission to th...
20272 The number of component classifiers chosen f...
20273 Low-rank modeling has many important applica...
20274 Inspired by the importance of diversity in b...
20275 Community detection is a commonly used techn...
20276 Electronic friction and the ensuing nonadiab...
20277 We explore the notion of the quantum auxilia...
20278 Recurrent neural networks with various types...
20279 Hydrogen bonding between nucleobases produce...
20280 This paper derives an upper limit on the den...
20281 Mobile edge caching enables content delivery...
20282 We develop an online learning method for pre...
20283 We study the mass imbalanced Fermi-Fermi mix...
20284 We establish concrete criteria for fully sup...
20285 While in standard photoacoustic imaging the ...
20286 Deep convolutional neural network (CNN) base...
20287 In this paper, we investigate the fundamenta...
20288 We identify graphene layer on a disordered s...
20289 Many approaches for testing configurable sof...
20290 We propose a reinforcement learning (RL) bas...
20291 We consider the parabolic Allen-Cahn equatio...
20292 The long-tail phenomenon tells us that there...
20293 A real-world dataset is provided from a pulp...
20294 An experimental setup for consecutive measur...
20295 In their recent book Merchants of Doubt [New...
20296 In this paper we deal with the well-known no...
20297 In preprint we consider and compare differen...
20298 This paper investigates the computational co...
20299 The Hard Problem of consciousness has been d...
20300 We study the interplay between Steinberg alg...
20301 The Dirac equation for relativistic electron...
20302 Though Convolutional Neural Networks (CNNs) ...
20303 We study the crossover between the sudden qu...
20304 We report strong interfacial exchange coupli...
20305 Software-driven cloud networking is a new pa...
20306 PID control architectures are widely used in...
20307 The Min-Hashing approach to sketching has be...
20308 Among other macroeconomic indicators, the mo...
20309 Understanding the origin of unintentional do...
20310 Optic flow is two dimensional, but no specia...
20311 Neurons process information by transforming ...
20312 Cyclic data structures, such as cyclic lists...
20313 High-order harmonic generation (HHG) from al...
20314 Here we report on a set of programs develope...
20315 Many computationally-efficient methods for B...
20316 The optical properties of a multilayer syste...
20317 Quadratic systems of equations appear in sev...
20318 In most illiquid markets, there is no obviou...
20319 We propose a novel method for 3D object pose...
20320 In human microbiome studies, sequencing read...
20321 Transition points mark qualitative changes i...
20322 We provide a hybrid method that captures the...
20323 Primarily motivated by the drug development ...
20324 In this paper we present the co-simulation o...
20325 Here, in this paper it has been considered a...
20326 This paper revisits the problem of optimal c...
20327 Schumann resonance transients which propagat...
20328 How do you learn to navigate an Unmanned Aer...
20329 Exploratory analysis over network data is of...
20330 As algorithms increasingly inform and influe...
20331 (abridged) In this paper we revisit the prob...
20332 In this paper we discuss some general proper...
20333 Quasiparticle excitations in FeSe were studi...
20334 This paper presents a model based on Deep Le...
20335 Janus type Water-Splitting Catalysts have at...
20336 A prevailing challenge in the biomedical and...
20337 This paper argues that a class of Riemannian...
20338 This work develops techniques for the sequen...
20339 We propose the kl-UCB ++ algorithm for regre...
20340 Ordinary differential operators with periodi...
20341 The set of all possible configurations of th...
20342 We study the cooperative optical coupling be...
20343 Measures of neuroelectric activity from each...
20344 We present accurate electrical resistivity m...
20345 One of the goals in scaling sequential machi...
20346 A triple array is a rectangular array contai...
20347 Learning algorithms for natural language pro...
20348 In axisymmetric fusion reactors, the equilib...
20349 We introduce a new sub-linear space sketch--...
20350 Weiyi Zhang noticed recently a gap in the pr...
20351 In this article we discuss the Mass Transfer...
20352 By two-color photoassociation of $^{40}$Ca f...
20353 We provide criteria for the cyclotomic quive...
20354 We compare electronic structures of single F...
20355 Regularization techniques are widely employe...
20356 Network models are applied in numerous domai...
20357 Extrapolation methods use the last few itera...
20358 The motion of a massive particle in Rindler ...
20359 Approximate Markov chain Monte Carlo (MCMC) ...
20360 In search engines, online marketplaces and o...
20361 In the real world, many complex systems inte...
20362 Previously, the controllability problem of a...
20363 We relate the counting of honeycomb dimer co...
20364 Programming by demonstration has recently ga...
20365 Aiming at financial applications, we study t...
20366 Supervised learning based methods for source...
20367 A revolution in galaxy cluster science is on...
20368 Previous studies have shown that intermediat...
20369 Generative adversarial networks (GANs) are h...
20370 We present and implement a non-destructive d...
20371 The only open case of Vizing's conjecture th...
20372 We present a study of the low-frequency radi...
20373 It is known that the initial-boundary value ...
20374 Wheeled ground robots are limited from explo...
20375 When studying flocking/swarming behaviors in...
20376 We are developing a system for human-robot c...
20377 The recent turn towards quantitative text-as...
20378 We introduce a lattice gas implementation th...
20379 In the present paper we investigate the infl...
20380 Unconventional superconductivity or superflu...
20381 The problem of controlling the mean and the ...
20382 Big, fine-grained enterprise registration da...
20383 This paper presents a novel technique that a...
20384 Recurrent neural networks (RNNs) have been d...
20385 We propose a vision-based method that locali...
20386 We consider geometrical optimization problem...
20387 Time delay neural networks (TDNNs) are an ef...
20388 This paper proposes a new model for extracti...
20389 We view a neural network as a distributed sy...
20390 We consider a two-node tandem queueing netwo...
20391 In this letter, we present a new robotic har...
20392 AMI observations towards CIZA J2242+5301, in...
20393 In the orthognathic surgery, dental splints ...
20394 Energy-transport equations for the transport...
20395 We report ab initio density functional calcu...
20396 Making sense of Wasserstein distances betwee...
20397 X-ray emission associated to accretion onto ...
20398 We develop Riemannian Stein Variational Grad...
20399 Spring-antispring systems have been investig...
20400 In the study of extensions of polytopes of c...
20401 Given a finite honest time, we derive repres...
20402 In this paper we study the implications for ...
20403 Real-world networks are difficult to charact...
20404 Topological superfluid is an exotic state of...
20405 The process of liquidity provision in financ...
20406 This paper describes the design and implemen...
20407 The variational autoencoder (VAE) is a popul...
20408 Consider a sequence of real data points $X_1...
20409 The concept of stochastic configuration netw...
20410 Many database columns contain string or nume...
20411 We address the problem of multi-class classi...
20412 Travel time on a route varies substantially ...
20413 We study planted problems---finding hidden s...
20414 Polynomial chaos expansions (PCE) have seen ...
20415 We currently harness technologies that could...
20416 We prove that the Gromov--Witten theory (GWT...
20417 We introduce the concept of numerical Gaussi...
20418 The quality of experience (QoE) is known to ...
20419 Deep learning is still not a very common too...
20420 Consider a stochastic process being controll...
20421 Discrminative trackers, employ a classificat...
20422 Most of the JavaScript code deployed in the ...
20423 In the theory of the Navier-Stokes equations...
20424 In this paper, we make an important step tow...
20425 Why do large neural network generalize so we...
20426 We would like to learn latent representation...
20427 Deep convolutional neural networks (CNNs) ca...
20428 Mechanical oscillators are at the heart of m...
20429 IP networks became the most dominant type of...
20430 The dynamical systems found in Nature are ra...
20431 Uncertainty quantification is a critical mis...
20432 The \emph{Orbit Problem} consists of determi...
20433 The Large-Aperture Experiment to Detect the ...
20434 Making sense of a dataset in an automatic an...
20435 With the widespread use of machine learning ...
20436 The balance held by Brownian motion between ...
20437 Working in the context of $\mu$-abstract ele...
20438 The Yangtze River has been subject to heavy ...
20439 Classical causal inference assumes a treatme...
20440 A reliable, accurate, and affordable positio...
20441 We present several upper bounds for the heig...
20442 Shale gas plays an important role in reducin...
20443 This paper develops a novel methodology for ...
20444 By tracking the divergence of two initially ...
20445 As one of the most important semiconductors,...
20446 Humans are the ultimate ecosystem engineers ...
20447 This paper describes a simple yet novel syst...
20448 In this paper we give a close-to-sharp answe...
20449 We study the interplay of spin and charge co...
20450 This paper is an introduction to the membran...
20451 We present a compilation of LEGO Technic par...
20452 The conjecture is formulated in an affine st...
20453 Recent experiments show no statistical impac...
20454 Let $G$ be a reductive algebraic group over ...
20455 We give a general method of extending unital...
20456 Convolution with Green's function of a diffe...
20457 Many-body phenomena were always an integral ...
20458 When performing Bayesian data analysis using...
20459 With the increasing of electric vehicle (EV)...
20460 Vulnerabilities in password managers are unr...
20461 This text is a survey on cross-validation. W...
20462 Objective: Using traditional approaches, a B...
20463 The index coding problem has been generalize...
20464 We are concerned with the inverse scattering...
20465 Thermoelectric energy conversion - the explo...
20466 In this work we study the excitatory AMPA, a...
20467 We use a coarse version of the fundamental g...
20468 We study the growth of degrees in many auton...
20469 A laser heterodyne polarimeter (LHP) designe...
20470 The availability of big data recorded from m...
20471 The aim of this paper is to give an explicit...
20472 An algorithm for irreducible decomposition o...
20473 This note is a commentary on the model-theor...
20474 In this work, we ask the following question:...
20475 In the classical secretary problem, one atte...
20476 This paper addresses challenges in flexibly ...
20477 By analyzing spin-spin correlation functions...
20478 The CUORE experiment, a ton-scale cryogenic ...
20479 Recently, the Cauchy-Carlitz number was defi...
20480 Networks provide an informative, yet non-red...
20481 We present Synkhronos, an extension to Thean...
20482 Cell division site positioning is precisely ...
20483 We consider a system of polynomials $f_1,\ld...
20484 Let $G = GL_N$ over an algebraically closed ...
20485 Our work focuses on the problem of predictin...
20486 We propose a minority route choice game to i...
20487 Massive content about user's social, persona...
20488 Networked system often relies on distributed...
20489 Catalytic swimmers have attracted much atten...
20490 We consider the Bogolubov-de Gennes equation...
20491 Penalized likelihood methods are widely used...
20492 Machine learning is a field of computer scie...
20493 We use a deep learning model trained only on...
20494 We investigate the possibility of extending ...
20495 We propose a new variational Bayes estimator...
20496 Scene modeling is very crucial for robots th...
20497 In order to perform complex actions in human...
20498 We study numerically the entanglement entrop...
20499 Strongly interacting many-body systems consi...
20500 Casimir forces between material surfaces at ...
20501 Driven by the interest of reasoning about pr...
20502 In this paper we consider the development of...
20503 Localization-based imaging has revolutionize...
20504 Within the standard model of many-body local...
20505 Spectroscopic properties, useful for plasma ...
20506 This paper presents the submissions by the U...
20507 We consider generalizations of the Sylvester...
20508 Viscoelasticity has been described since the...
20509 Adaptive optic (AO) systems delivering high ...
20510 The progress made in understanding spontaneo...
20511 Wireless engineers and business planners com...
20512 The scripting language described in this doc...
20513 We consider abstract evolution equations wit...
20514 Spectral properties of the turbulent cascade...
20515 The blind source separation model for multiv...
20516 We introduce the notion of a $[z, r; g]$-mix...
20517 A technique to levitate and measure the thre...
20518 Monero is a privacy-centric cryptocurrency t...
20519 Face image quality can be defined as a measu...
20520 Networks, which represent agents and interac...
20521 The pairing symmetry of the newly proposed c...
20522 The search for flat-band solid-state realiza...
20523 A deep neural network is a hierarchical nonl...
20524 We identify and describe the main dynamic re...
20525 We survey different classification results f...
20526 Since introduction [A. Knyazev, Toward the o...
20527 We compare a large suite of theoretical cosm...
20528 The work is devoted to the variety of $2$-di...
20529 We present a Bayesian object observation mod...
20530 We investigate the generation of optical fre...
20531 Physical media (like surveillance cameras) a...
20532 A physical model of a three-dimensional flow...
20533 Localization of anatomical structures is a p...
20534 Let $(X,d,\mu)$ be a doubling metric measure...
20535 The last decade was remarkable for neutrino ...
20536 We study several variants of q-Garnier syste...
20537 We investigate, in the Luttinger model with ...
20538 The cosmological relaxation of the electrowe...
20539 In solving hard computational problems, semi...
20540 Magnetically tunable Feshbach resonances in ...
20541 In Compressed Sensing, a real-valued sparse ...
20542 Momentum methods such as Polyak's heavy ball...
20543 The recovery of approximately sparse or comp...
20544 Despite recent advances, memory-augmented de...
20545 The crystallographic stacking order in multi...
20546 We study a variational Ginzburg-Landau type ...
20547 We present a multimodal non-linear optical (...
20548 In 1965, the discovery of a new type of unif...
20549 Leibniz algebras are certain generalization ...
20550 Reconstruction of skilled humans sensation a...
20551 Let $(X, T^{1,0}X)$ be a compact connected o...
20552 In the present work we explore resistive cir...
20553 We have developed a computational code, Dyna...
20554 The change detection problem is to determine...
20555 Context: Poor usability of cryptographic API...
20556 Building dialog agents that can converse nat...
20557 We propose an alternative framework to exist...
20558 This paper presents a statistical method of ...
20559 Understanding the global optimality in deep ...
20560 Concepts and tools from network theory, the ...
20561 In this paper, by maximum principle and cuto...
20562 In this paper, we extend the improved pointw...
20563 This paper presents a novel deep learning-ba...
20564 We study the following nonlocal diffusion eq...
20565 Fast and efficient motion planning algorithm...
20566 With the ever increasing size of web, releva...
20567 This paper fills a gap in aspect-based senti...
20568 Let $(X, \mathscr{L}, \lambda)$ and $(Y, \ma...
20569 Partial differential equations with random i...
20570 Music relies heavily on repetition to build ...
20571 Massive multiple-input multiple-output (M-MI...
20572 A split feasibility formulation for the inve...
20573 In this paper we study the superalgebra $A_n...
20574 We investigate preference profiles for a set...
20575 This review is based on lectures given at th...
20576 Using the representation theory of Cherednik...
20577 We show that the Khovanov complex of a ratio...
20578 We study how shocks to the forward-looking e...
20579 This work presents a novel framework based o...
20580 Slimness of a graph measures the local devia...
20581 Despite their immense popularity, deep learn...
20582 We present an $O((\log k)^2)$-competitive ra...
20583 We present a general framework for studying ...
20584 'Sharing of statistical strength' is a phras...
20585 This paper uses model symmetries in the inst...
20586 In this paper we use the classical electrody...
20587 Assume that we observe a sample of size n co...
20588 Pulsed-laser dry printing of noble-metal mic...
20589 Increasing amounts of data from varied sourc...
20590 This paper proposes a distributed consensus ...
20591 A secure and private framework for inter-age...
20592 Under covariate shift, training (source) dat...
20593 While enormous progress has been made to Var...
20594 We demonsrtate electrical spin injection and...
20595 We present an algorithm for rapidly learning...
20596 SCADA protocols for Industrial Control Syste...
20597 Despite their significant functional roles, ...
20598 We propose a natural relaxation of different...
20599 In this paper, we propose a quality enhancem...
20600 The main result of this paper is a discrete ...
20601 Networks are fundamental models for data use...
20602 By combining analytic and geometric viewpoin...
20603 Realization of a short bunch beam by manipul...
20604 We create fermionic dipolar $^{23}$Na$^6$Li ...
20605 Let $\sigma$ be arc-length measure on $S^1\s...
20606 We consider the diffusion of new products in...
20607 While there has been substantial progress in...
20608 A quantum computer (QC) can solve many compu...
20609 Recurrence networks are powerful tools used ...
20610 As Ocean General Circulation Models (OGCMs) ...
20611 While accelerators such as GPUs have limited...
20612 Understanding the relationship between the s...
20613 We study stochastic multi-armed bandits with...
20614 High-resolution non-invasive 3D study of int...
20615 There are a number of articles which deal wi...
20616 We present a class of simple algorithms that...
20617 In an increasingly polarized world, demagogu...
20618 We study the semi-discrete directed polymer ...
20619 In this paper, we introduce the use of a per...
20620 The paper provides results for a non-standar...
20621 Unsupervised learning techniques in computer...
20622 In this work, we explore the problems of det...
20623 The latent feature relational model (LFRM) i...
20624 The ancient mind/body problem continues to b...
20625 We investigate the dependence of transmissio...
20626 Standard interpolation techniques are implic...
20627 This is an elementary introduction to infini...
20628 Repair mechanisms are important within resil...
20629 Every real is computable from a Martin-Loef ...
20630 This paper proposes the use of subspace trac...
20631 We consider a particle dressed with boundary...
20632 We study the behavior of exponential random ...
20633 Proof-carrying-code was proposed as a soluti...
20634 Until now, little was known about properties...
20635 We investigate the problem of guessing a dis...
20636 In this paper the methods of forming a trave...
20637 In this paper, we consider two rainfall-runo...
20638 Classification of imbalanced datasets is a c...
20639 We consider the problems of liveness verific...
20640 Inference over tails is performed by applyin...
20641 The Soil Moisture Active Passive (SMAP) miss...
20642 It has been discovered previously that the t...
20643 We propose a new model for unsupervised docu...
20644 The purpose of this work is to construct a m...
20645 We consider the inverse problem of parameter...
20646 Hyperuniform disordered photonic materials (...
20647 Scientific explanation often requires inferr...
20648 Cross-lingual representations of words enabl...
20649 A lattice is the integer span of some linear...
20650 This research was to design a 2.4 GHz class ...
20651 The study of Dense-$3$-Subhypergraph problem...
20652 A literature survey on ontologies concerning...
20653 Logic-based event recognition systems infer ...
20654 Graph isomorphism is an important computer s...
20655 Effect modification occurs when the effect o...
20656 A growing body of research focuses on comput...
20657 Recent work has shown that state-of-the-art ...
20658 Exploiting the wealth of imaging and non-ima...
20659 An independence system (with respect to the ...
20660 We consider theoretically ultracold interact...
20661 An overview of research on laser-plasma base...
20662 In this paper, we consider estimators for an...
20663 The van der Waals heterostructures of allotr...
20664 We provide a surprising answer to a question...
20665 Scattering of obliquely incident electromagn...
20666 This paper describes two supervised baseline...
20667 This paper is concerned with a linear quadra...
20668 Let $X=\{x_i:i\in\mathbb{Z}\}$, $\dots<x_{i-...
20669 The mean objective cost of uncertainty (MOCU...
20670 Artificial neural networks are a popular and...
20671 Curating labeled training data has become th...
20672 In many applications of classifier learning,...
20673 Today, we have to deal with many data (Big d...
20674 We consider a repeated newsvendor problem wh...
20675 Social networking sites such as Twitter have...
20676 We study the class of rings $R$ with the pro...
20677 Effective riverine flood forecasting at scal...
20678 We consider the frequency domain form of pro...
20679 When stochastic dominance $F\leq_{st}G$ does...
20680 An electron lens can serve as an effective m...
20681 We search for sterile neutrinos in the holog...
20682 In this work, we present a parallel, fully-d...
20683 To improve system performance, modern operat...
20684 The interaction between proteins and DNA is ...
20685 This paper presents KeypointNet, an end-to-e...
20686 A general theoretical framework is derived f...
20687 This paper presents a systematic approach fo...
20688 Atomically thin PtSe2 films have attracted e...
20689 We present NAVREN-RL, an approach to NAVigat...
20690 Digital image correlation (DIC) is a widely ...
20691 The classical idea of evolutionarily stable ...
20692 Measurements of the high-frequency complex r...
20693 This paper presents an empirical study on ap...
20694 In this letter we present a measurement of t...
20695 The $E_8$ root lattice can be constructed fr...
20696 We present convergence rate analysis for the...
20697 We give a description of complex geodesics a...
20698 Recent advances in bioinformatics have made ...
20699 This article illustrates how to measure the ...
20700 Planetesimals may form from the gravitationa...
20701 A covering system of the integers is a finit...
20702 Asymptotic Safety, based on a non-Gaussian f...
20703 Future predictions on sequence data (e.g., v...
20704 This paper presents a modular in-pipeline cl...
20705 This paper presents a learning-based approac...
20706 In this work decay estimates are derived for...
20707 A simple and self-consistent approach has be...
20708 Superconducting linacs are capable of produc...
20709 This paper introduces the concept of size-aw...
20710 To explain the unusual richness and compactn...
20711 The current work is done to see which artery...
20712 The last decade has witnessed an increase of...
20713 In order to understand the physical hysteres...
20714 Finding the reduced-dimensional structure is...
20715 Two-sample summary-data Mendelian randomizat...
20716 This paper contains two parts: the descripti...
20717 Recently, Riemannian Gaussian distributions ...
20718 Power flow in a low voltage direct current g...
20719 We prove (adjoint) bilinear restriction esti...
20720 This note presents an algebraic theory of in...
20721 How can we find patterns and anomalies in a ...
20722 Planning problems in partially observable en...
20723 A message passing algorithm is derived for r...
20724 We explore the Borel complexity of some basi...
20725 Capable of significantly reducing cell size ...
20726 The information carrier of modern technologi...
20727 In the typical framework for boolean games (...
20728 Let $X$ be a connected open Riemann surface....
20729 Unidirectional control of optically induced ...
20730 This paper proposes a novel deep reinforceme...
20731 Generalized Linear Bandits (GLBs), a natural...
20732 The pressure dependence of the structural, m...
20733 This paper describes Luminoso's participatio...
20734 We determine the symmetrized topological com...
20735 We introduce intertwining operators among tw...
20736 The ever-increasing architectural complexity...
20737 Cooperative behavior in real social dilemmas...
20738 Binary random compacts with different propor...
20739 Many real-world networks known as attributed...
20740 We compute the maximal halfspace depth for a...
20741 This letter is about a principal weakness of...
20742 Many of the current scientific advances in t...
20743 Capabilities of detecting temporal relations...
20744 We study the central problem in data privacy...
20745 We point out that there is a simple variant ...
20746 We derive integrable equations starting from...
20747 Molecular dynamics is based on solving Newto...
20748 Contamination of covariates by measurement e...
20749 We consider the process $\widehat\Lambda_n-\...
20750 This paper studies the approximate and null ...
20751 In this work we study two families of codes ...
20752 We present a CO(2-1) mosaic map of the spira...
20753 We have obtained low-resolution optical (0.7...
20754 The Blackbird unmanned aerial vehicle (UAV) ...
20755 Motivation: Cellular Electron CryoTomography...
20756 This article focuses on a quasilinear wave e...
20757 Given a discrete group $\Gamma=<g_1,\ldots,g...
20758 We consider the task of collaborative prefer...
20759 For the emerging Internet of Things (IoT), o...
20760 We study the multi-armed bandit problem wher...
20761 The physical properties of an intermetallic ...
20762 Based on the results of the second author, w...
20763 Spectral clustering and Singular Value Decom...
20764 Solving linear programs by using entropic pe...
20765 Network latencies have become increasingly i...
20766 Accurate diagnosis of psychiatric disorders ...
20767 An accurate model of patient-specific kidney...
20768 We introduce a framework for the modeling of...
20769 We develop efficient algorithms for estimati...
20770 We present data streaming algorithms for the...
20771 We consider capillary condensation transitio...
20772 The Melan equation for suspension bridges is...
20773 Optimal path planning problems for rigid and...
20774 We give a sufficient condition for a Verdier...
20775 A sum where each of the $N$ summands can be ...
20776 Detecting activities in untrimmed videos is ...
20777 Principal component analysis continues to be...
20778 Nonlinear systems, whose outputs are not dir...
20779 In this work, we present a novel strategy fo...
20780 This paper studies effective separability fo...
20781 Most of existing image denoising methods lea...
20782 MAC address randomization is a privacy techn...
20783 In this paper, we proposed an procedure to c...
20784 In this note, we investigate the representat...
20785 Fitting linear regression models can be comp...
20786 We consider linear groups which do not conta...
20787 The discrete Laplace operator is ubiquitous ...
20788 In this paper, we develop a class of decentr...
20789 Today digital sources supply an unprecedente...
20790 Gaussian processes (GPs) are important model...
20791 Most state-of-the-art text detection methods...
20792 The aim of this paper is to introduce and st...
20793 Robot awareness of human actions is an essen...
20794 We obtain some necessary and sufficient cond...
20795 Many methods for automated software test gen...
20796 It is expected that progress toward true art...
20797 Recently, it has been claimed that inflation...
20798 Regularization for matrix factorization (MF)...
20799 A temporal graph is a data structure, consis...
20800 Orbifold equivalence is a notion of symmetry...
20801 The standard content-based attention mechani...
20802 The local multiplicities of the Maxwell sets...
20803 The growing field of large-scale time domain...
20804 Motivations Short-read accuracy is important...
20805 Patient pain can be detected highly reliably...
20806 Tracking humans that are interacting with th...
20807 We introduce an affine generalization of cou...
20808 In this paper, we characterize several lower...
20809 We consider row sequences of vector valued P...
20810 In this work, we present a novel background ...
20811 In this paper, we establish a second main th...
20812 We prove that for any partially hyperbolic d...
20813 Speech enhancement (SE) aims to reduce noise...
20814 We reexamine interactions between the dark s...
20815 Existing zero-shot learning (ZSL) models typ...
20816 We methodologically address the problem of Q...
20817 With the analysis of noise-induced synchroni...
20818 We establish that matter-wave interference a...
20819 Recent works have shown that synthetic paral...
20820 We propose an automatic method to infer high...
20821 We prove that the negative infinitesimal gen...
20822 We present a three player Bayesian game for ...
20823 Most recent work on interpretability of comp...
20824 Deep learning (DL) creates impactful advance...
20825 We derive macroscopic dynamics for self-prop...
20826 The spin Hall effect (SHE) is found to be st...
20827 By considering nests on a given space, we ex...
20828 We introduce differential characters of Drin...
20829 A strong submeasure on a compact metric spac...
20830 Professional baseball players are increasing...
20831 When deriving a master equation for a multip...
20832 This work presents a method for contact stat...
20833 Recent literature in the robotics community ...
20834 Evaluation complexity for convexly constrain...
20835 In this paper, we prove some one level densi...
20836 Existing approaches to online convex optimiz...
20837 Causal discovery from empirical data is a fu...
20838 We investigate the Fredholm alternative for ...
20839 Precipitation hardening, which relies on a h...
20840 Multi-band phase variations in principle all...
20841 We introduce a new algorithm, called CDER, f...
20842 Integrable optics is an innovation in partic...
20843 We propose an empirical estimator of the pre...
20844 Learned boundary maps are known to outperfor...
20845 MAGIC (Major Atmospheric Gamma Imaging Chere...
20846 Predicate encryption is a new paradigm of pu...
20847 Galaxy clustering on small scales is signifi...
20848 We consider the hypothesis that dark matter ...
20849 The demand on mobile electronics to continue...
20850 We simplify the construction of projection c...
20851 Designing software systems for Geometric Com...
20852 In the planted partition problem, the $n$ ve...
20853 Business Architecture (BA) plays a significa...
20854 The lack of interpretability remains a key b...
20855 Probability modelling for DNA sequence evolu...
20856 We consider the problem of robust inference ...
20857 Convolutional Neural Networks (CNN) and the ...
20858 This paper presents new results on predictio...
20859 Population control policies are proposed and...
20860 The Neutralized Drift Compression Experiment...
20861 Many structured prediction problems (particu...
20862 Quantitative methods are more familiar to mo...
20863 We define a right Cartan-Eilenberg structure...
20864 Quantum computing for machine learning attra...
20865 This paper provides a new similarity detecti...
20866 These are reminiscences of my interactions w...
20867 We demonstrate site-resolved imaging of a st...
20868 We develop a unified continuum modeling fram...
20869 Fast timing capability in X-ray observation ...
20870 In this article, we use $\lambda$-sequences ...
20871 Nested weighted automata (NWA) present a rob...
20872 We study the regularity of the solutions of ...
20873 A Fourier-Chebyshev spectral method is propo...
20874 Many biological and cognitive systems do not...
20875 The present paper is a companion to the pape...
20876 We propose a dynamic edge exchangeable netwo...
20877 Motivated by advantages of current-mode desi...
20878 We obtain a new bound for incomplete Gauss s...
20879 Functional Magnetic Resonance Imaging is a n...
20880 The layered cuprate Bi$_{2}$CuO$_{4}$ is inv...
20881 In this paper, we study Landau damping in th...
20882 Deep learning has revolutionised many fields...
20883 We prove that the generating function of ove...
20884 We study the decentralized machine learning ...
20885 We prove existence and uniqueness of strong ...
20886 We propose and evaluate new techniques for c...
20887 Sparse subspace clustering (SSC) is one of t...
20888 Health related social media mining is a valu...
20889 Recently, efforts have been made to improve ...
20890 A fundamental question in language learning ...
20891 We present a form of Schwarz's lemma for hol...
20892 In this paper, we focus on the COM-type nega...
20893 Most contextual bandit algorithms minimize r...
20894 The search engine is tightly coupled with so...
20895 We consider the task of semantic robotic gra...
20896 For any group $G$ and any set $A$, a cellula...
20897 We present a simplified treatment of stabili...
20898 Existing shape estimation methods for deform...
20899 In recent years, reinforcement learning (RL)...
20900 In this paper we demonstrate how genetic alg...
20901 We derive a lower bound on the location of g...
20902 This paper presents the InScript corpus (Nar...
20903 $\alpha$-(BEDT-TTF)$_2$I$_3$ is a prominent ...
20904 Photometric stereo is a method for estimatin...
20905 We present a micro aerial vehicle (MAV) syst...
20906 The high efficiency of charge generation wit...
20907 We construct a one-parameter family of Lapla...
20908 Learning the model parameters of a multi-obj...
20909 Given an elliptic curve $E$ over a finite fi...
20910 Missing data recovery is an important and ye...
20911 Microscopic artificial swimmers have recentl...
20912 We show that on bounded Lipschitz pseudoconv...
20913 Purpose: To provide a fast computational met...
20914 This work details the development of a three...
20915 This paper studies optimal communication and...
20916 We study a quadruple of interrelated subexpo...
20917 Nowadays, modern earth observation programs ...
20918 We define and address the problem of unsuper...
20919 In the light of the recently proposed scenar...
20920 As part of autonomous car driving systems, s...
20921 We provide a pair of dual results, each stat...
20922 We prove the existence of a solution to the ...
20923 Unification and generalization are operation...
20924 This paper addresses the question of how a p...
20925 Risk diversification is one of the dominant ...
20926 Today's telecommunication networks have beco...
20927 The management of long-lived radionuclides i...
20928 There are two natural simplicial complexes a...
20929 Due to their simplicity and excellent perfor...
20930 We consider the inverse problem of recoverin...
20931 Our ability to model the shapes and strength...
20932 Background. Several studies have used phylog...
20933 The aim of this paper is to generalize the n...
20934 This paper shows a statistical analysis of 1...
20935 This work investigates the macroscopic therm...
20936 We analyze the definitions of generalized qu...
20937 In this paper, we consider the problem of pr...
20938 Can textual data be compressed intelligently...
20939 Detection of protein-protein interactions (P...
20940 The Coupon Collector's Problem is one of the...
20941 We study accretion driven turbulence for dif...
20942 Outlier detection plays an essential role in...
20943 A city's critical infrastructure such as gas...
20944 Over the years, Twitter has become one of th...
20945 A finitely presented 1-ended group $G$ has {...
20946 This paper addresses the problem of output v...
20947 In this paper, we study quantum query comple...
20948 Overset methods are commonly employed to ena...
20949 In this paper we survey the various implemen...
20950 Playing a Parrondo's game with a qutrit is t...
20951 We analyse multimodal time-series data corre...
20952 The key idea of variational auto-encoders (V...
20953 In 1996, Jackson and Martin proved that a st...
20954 The performance of deep learning in natural ...
20955 This article presents the novel breakthrough...
20956 Ambiguities in the definition of stored ener...
20957 We construct Hall algebra of elliptic curve ...
20958 Queueing networks are systems of theoretical...
20959 Using a large-scale Deep Learning approach a...
20960 In this paper, we propose a new algorithm ba...
20961 We present numerical evidence that most two-...
20962 Features and applications of quasi-spherical...
20963 Inference amortization methods share informa...
20964 We study the U.S. Operations Research/Indust...
20965 An aggregate data meta-analysis is a statist...
20966 Large inter-datacenter transfers are crucial...
20967 Machine learning is finding increasingly bro...
20968 Polycrystalline diamond coatings have been g...
20969 We present a new approach for identifying si...
20970 The sum of Log-normal variates is encountere...
20971 Recently, optional stopping has been a subje...
Name: ABSTRACT, dtype: object
Apply function to remove symbols and numbers¶
data['ABSTRACT'] = data['ABSTRACT'].apply(remove_symbols_numbers)
See data again to see the implementation of removal of symbols and numbers¶
data['ABSTRACT']
0 Predictive models allow subjectspecific infe... 1 Rotation invariance and translation invarian... 2 We introduce and develop the notion of spher... 3 The stochastic LandauLifshitzGilbert LLG equ... 4 Fouriertransform infrared FTIR spectra of sa... 5 Let Omega subset mathbbRn be a bounded domai... 6 We observed the newly discovered hyperbolic ... 7 The ability of metallic nanoparticles to sup... 8 We model largescale approxkm impacts on a Ma... 9 Time varying susceptibility of host at indiv... 10 We present a systematic global sensitivity a... 11 Three is a crowd is an old proverb that appl... 12 We study the exciton magnetic polaron EMP fo... 13 The classical Eilenberg correspondence based... 14 Using lowtemperature Magnetic Force Microsco... 15 The recent discovery that the exponent of ma... 16 The process that leads to the formation of t... 17 We describe a variant construction of the un... 18 When investigators seek to estimate causal e... 19 Assigning homogeneous boundary conditions su... 20 The impact of random fluctuations on the dyn... 21 Rare regions with weak disorder Griffiths re... 22 The Fault Detection and Isolation Tools FDIT... 23 Detectability of discrete event systems DESs... 24 Let X be a partially ordered set with the pr... 25 Efficient methods are proposed for computing... 26 We present a novel sound localization algori... 27 In this paper we introduce the notion of zet... 28 We consider the problem of estimating the L ... 29 We investigate the density large deviation f... 30 Large deep neural networks are powerful but ... 31 In Brakke introduced the mean curvature flo... 32 With recent advancements in drone technology... 33 Electronic health records EHR contain a larg... 34 Artificial Neural Network computation relies... 35 In this work we establish a full singlelette... 36 This work discusses the numerical approximat... 37 There are many webbased visualization system... 38 We present an investigation of the supernova... 39 Previous approaches to training syntaxbased ... 40 Meanfield Variational Bayes MFVB is an appro... 41 In this paper we empirically study models fo... 42 Ballistic point contact BPC with zigzag edge... 43 Sparse superposition SS codes were originall... 44 When developing general purpose robots the o... 45 We propose an approach to estimate D human p... 46 We extend the work of Fouvry Kowalski and Mi... 47 Nonclassical states of a quantized light are... 48 Following the recent progress in image class... 49 Real time large scale streaming data pose ma... 50 Machine learning algorithms such as linear r... 51 We consider multitime correlators for output... 52 Constraint Handling Rules is an effective co... 53 Many people are suffering from voice disorde... 54 Computing a basis for the exponent lattice o... 55 Investigating the emergence of a particular ... 56 Stimuliresponsive materials that modify thei... 57 Todays landscape of robotics is dominated by... 58 Machine learning models especially based on ... 59 We study the query complexity of cake cuttin... 60 This paper studies the emotion recognition f... 61 We consider previous models of Timed Probabi... 62 We present muon spin rotation measurements o... 63 Here we reveal details of the interaction be... 64 We report on experimentally measured light s... 65 We describe a novel weakly supervised deep l... 66 We establish the C regularity of quasipsh en... 67 Let M be a complex manifold of dimension n w... 68 Reinforcement learning methods require caref... 69 In this paper we are interested in the class... 70 We propose a new multivariate dependency mea... 71 The pyrochlore metal CdReO has been recently... 72 In evolutionary biology the speciation histo... 73 Subject of research is complex networks and ... 74 We study the effect of domain growth on the ... 75 This paper discusses minimum distance estima... 76 Mobile edge clouds MECs bring the benefits o... 77 Analog blackwhite hole pairs consisting of a... 78 Let K be a function field over a finite fiel... 79 We study the evolution of spinorbital correl... 80 For autonomous agents to successfully operat... 81 Endtoend approaches have drawn much attentio... 82 Elasticity is a cloud property that enables ... 83 This is an exposition of homotopical results... 84 Answer Set Programming ASP is a wellestablis... 85 The advances in geometric approaches to opti... 86 We investigate crack propagation in a simple... 87 The fundamental group pi of a Kodaira fibrat... 88 Transistors incorporating singlewall carbon ... 89 This paper derives two new optimizationdrive... 90 Yes but only for a parameter value that make... 91 The interest in the extracellular vesicles E... 92 The processes of the averaged regression qua... 93 We study primordial perturbations from hyper... 94 Vanadium pentoxide VO the most stable member... 95 In this paper we presented a novel convoluti... 96 A variety of representation learning approac... 97 Motivated by Perelmans Pseudo Locality Theor... 98 We bound an exponential sum that appears in ... 99 We investigate the effect of dimensional cro... 100 Humans can learn in a continuous manner Old ... 101 In this paper we study the generalized polyn... 102 Over the last decade wireless networks have ... 103 We report on a combined study of the de Haas... 104 Atar Chowdhary and Dupuis have recently exhi... 105 Bilayer van der Waals vdW heterostructures s... 106 We construct the algebraic cobordism theory ... 107 People with profound motor deficits could pe... 108 Object detection in wide area motion imagery... 109 Monte Carlo Tree Search MCTS most famously u... 110 We study the Fermiedge singularity describin... 111 Retrosynthesis is a technique to plan the ch... 112 The class of stochastically selfsimilar sets... 113 We report on the influence of spinorbit coup... 114 In this work we examine how the updates addr... 115 Gene regulatory networks are powerful abstra... 116 Glaucoma is the second leading cause of blin... 117 The life of the modern world essentially dep... 118 This paper considers the actorcritic context... 119 In Kolmogorov constructed a general theory ... 120 Recently a new fault tolerant and simple mec... 121 This work presents a new method to quantify ... 122 The first transiting planetesimal orbiting a... 123 In this review article we discuss recent stu... 124 Stackingbased deep neural network SDNN in ge... 125 In spite of Andersons theorem disorder is kn... 126 We investigate beam loading and emittance pr... 127 In this paper we propose a practical receive... 128 According to astrophysical observations valu... 129 Dynamic languages often employ reflection pr... 130 Reductions for transition systems have been ... 131 Poyntings theorem is used to obtain an expre... 132 Let M be a compact Riemannian manifold and l... 133 We examine the representation of numbers as ... 134 Regression for spatially dependent outcomes ... 135 One of the most important parameters in iono... 136 For the particles undergoing the anomalous d... 137 Stabilizing the magnetic signal of single ad... 138 We study a minimal model for the growth of a... 139 Electronic Health Records EHR are data gener... 140 Mission critical data dissemination in massi... 141 We develope a twospecies exclusion process w... 142 We introduce a large class of random Young d... 143 We explicitly compute the critical exponents... 144 We obtain a Bernsteintype inequality for sum... 145 The temperaturedependent evolution of the Ko... 146 Hegarty conjectured for nneq that mathbb... 147 An immersion f mathcal D rightarrow mathcal... 148 Resolving the relationship between biodivers... 149 The principle of democracy is that the peopl... 150 With the increasing commoditization of compu... 151 We rework and generalize equivariant infinit... 152 We prove that any open subset U of a semisim... 153 We show that nonlocal minimal cones which ar... 154 Let fldotsfk mathbbN rightarrow mathbbC be ... 155 The apparent gas permeability of the porous ... 156 In previous papers threshold probabilities f... 157 Runtime enforcement can be effectively used ... 158 The atomic norm provides a generalization of... 159 We study the problem of causal structure lea... 160 We present a novel datadriven nested optimiz... 161 We explore the topological properties of qua... 162 Most of the codes that have an algebraic dec... 163 Motivated by the study of NishinouNoharaUeda... 164 Ensemble data assimilation methods such as t... 165 In this paper we consider the Tensor Robust ... 166 Galaxies in the local Universe are known to ... 167 We introduce a minimal model for the evoluti... 168 The handwritten string recognition is still ... 169 We note that the necessary and sufficient co... 170 These lectures notes were written for a summ... 171 It has been shown recently that changing the... 172 To identify the estimand in missing data pro... 173 In this paper we provide an analysis of self... 174 Understanding smart grid cyber attacks is ke... 175 We propose a family of nearmetrics based on ... 176 Recommender system is an important component... 177 This paper describes the Stockholm Universit... 178 Neuroscientists classify neurons into differ... 179 The extremely low efficiency is regarded as ... 180 A numerical method for particleladen fluids ... 181 We construct a SchwingerKeldysh effective fi... 182 Observables have a dual nature in both class... 183 Let Mg be a smooth compact Riemannian manifo... 184 Random feature maps are ubiquitous in modern... 185 The calculation of minimum energy paths for ... 186 Social media has changed the ways of communi... 187 Let Enfalphabetagamma denote the error of be... 188 Due to the increasing dependency of critical... 189 We implement an efficient numerical method t... 190 Bulk and surface electronic structures calcu... 191 It is often recommended that identifiers for... 192 Deep learning methods have achieved high per... 193 We propose a lineartime singlepass topdown a... 194 In this paper we consider a Hamiltonian syst... 195 We relate the concepts used in decentralized... 196 Timevarying network topologies can deeply in... 197 A longstanding obstacle to progress in deep ... 198 We study the band structure topology and eng... 199 Boundary value problems for SturmLiouville o... 200 The topological morphologyorder of zeros at ... 201 The purpose of this paper is to formulate an... 202 This paper considers the problem of autonomo... 203 This study explores the validity of chain ef... 204 Developing neural network image classificati... 205 We propose a new multiframe method for effic... 206 Let K be an algebraically closed field of po... 207 We present the mixed Galerkin discretization... 208 The regularity of earthquakes their destruct... 209 In this paper we prove some difference analo... 210 Largescale datasets have played a significan... 211 Observational data collected during experime... 212 For a knot K in a homology sphere Sigma let ... 213 Sparse feature selection is necessary when w... 214 In this letter we consider the joint power a... 215 A ROSAT survey of the Alpha Per open cluster... 216 Realistic music generation is a challenging ... 217 Young asteroid families are unique sources o... 218 We provide a graph formula which describes a... 219 Tomography has made a radical impact on dive... 220 Generative Adversarial Networks GANs excel a... 221 Based on optical highresolution spectra obta... 222 Inferring directional connectivity from poin... 223 Support vector machines SVMs are an importan... 224 Estimating vaccination uptake is an integral... 225 We show that every invertible strong mixing ... 226 Development of a mesoscale neural circuitry ... 227 The system that we study in this paper conta... 228 In this paper we present a novel methodology... 229 As a measure for the centrality of a point i... 230 When a twodimensional electron gas is expose... 231 In many applications involving large dataset... 232 In the work of Peng et al in a new measure ... 233 Categories of polymorphic lenses in computer... 234 We present an efficient algorithm to compute... 235 We give a new example of an automata group o... 236 The crossover from BardeenCooperSchrieffer B... 237 Model compression is essential for serving l... 238 nm thick SiO layers grown on Si substrates ... 239 Corrosion of Indian RAFMS reduced activation... 240 This paper presents an overview and discussi... 241 For the problem of nonparametric detection o... 242 Metabolic flux balance analyses are a standa... 243 We introduce a robust estimator of the locat... 244 In glass forming liquids close to the glass ... 245 We propose a new Pareto Local Search Algorit... 246 We identify the components of bioinspired ar... 247 In the present work we study Bayesian nonpar... 248 We will show that qqdots qm is a polynomial ... 249 In this paper we develop a position estimati... 250 We study the decomposition of a multivariate... 251 Linear timeperiodic LTP dynamical systems fr... 252 Broad efforts are underway to capture metada... 253 Recently digital music libraries have been d... 254 One key requirement for effective supply cha... 255 We propose a deformable generator model to d... 256 The Gaussian kernel is a very popular kernel... 257 Security privacy and fairness have become cr... 258 The difficulty of modeling energy consumptio... 259 This paper studies a recently proposed conti... 260 When the brain receives input from multiple ... 261 A common problem in largescale data analysis... 262 The unusually high surface tension of room t... 263 Hamiltonian Monte Carlo HMC is a powerful Ma... 264 We present a new method for the automated sy... 265 In the present paper we consider numerical m... 266 This paper reinvestigates the estimation of ... 267 We experimentally confirmed the threshold be... 268 The paper proposes an expanded version of th... 269 In processing human produced text using natu... 270 The asymptotic variance of the maximum likel... 271 Fully automating machine learning pipelines ... 272 We provide a comprehensive study of the conv... 273 Magnetic Particle Imaging MPI is a novel ima... 274 Draft of textbook chapter on neural machine ... 275 Let D be a bounded domain D in mathbb Rn wi... 276 The novel unseen classes can be formulated a... 277 In this paper we study the performance of tw... 278 In recent years the proliferation of online ... 279 Deep convolutional neural networks CNNs have... 280 The task of calibration is to retrospectivel... 281 Cyclotron resonant scattering features CRSFs... 282 This paper is devoted to the study of the co... 283 We present a unified categorical treatment o... 284 Recent advances in stochastic gradient techn... 285 We study the problems related to the estimat... 286 Training a neural network using backpropagat... 287 We study a diagrammatic categorification the... 288 Recently we have predicted that the modulati... 289 A threedimensional spin current solver based... 290 This paper aims to explore models based on t... 291 Immiscible fluids flowing at high capillary ... 292 Quantum charge pumping phenomenon connects b... 293 Heart disease is the leading cause of death ... 294 The theory of integral quadratic constraints... 295 Foreshock transients upstream of Earths bow ... 296 The quantum speed limit QSL or the energytim... 297 This paper mainly discusses the diffusion on... 298 This paper proposes a nonparallel manytomany... 299 Informed by LES data and resolvent analysis ... 300 One of the popular approaches for lowrank te... 301 Nous tentons dans cet article de proposer un... 302 Xray computed tomography CT using sparse pro... 303 A singular or Hermann foliation on a smooth ... 304 The Weyl semimetal phase is a recently disco... 305 A sequence of pathological changes takes pla... 306 This work bridges the technical concepts und... 307 Fragility curves are commonly used in civil ... 308 We consider continuoustime Markov chains whi... 309 We construct embedded minimal surfaces which... 310 We report the discovery of three small trans... 311 We define a family of quantum invariants of ... 312 We propose Sparse Neural Network architectur... 313 Computer vision has made remarkable progress... 314 A numerical analysis of heat conduction thro... 315 This paper provides short proofs of two fund... 316 Nefarious actors on social media and other p... 317 Recent advances in adversarial Deep Learning... 318 Users form information trails as they browse... 319 We analyze two novel randomized variants of ... 320 In this paper we prove a mean value formula ... 321 In this work we investigate the value of unc... 322 SuperconductorFerromagnet SF heterostructure... 323 We present the first general purpose framewo... 324 Longterm load forecasting plays a vital role... 325 Many empirical studies document power law be... 326 In topological quantum computing information... 327 defveccboldsymbol We design a polynomial ti... 328 Selfsupervised learning SSL is a reliable le... 329 Deep reinforcement learning on Atari games m... 330 We consider the problem of isotonic regressi... 331 Heating Ventilation and Cooling HVAC systems... 332 In this paper we consider the problem of ide... 333 Identification of patients at high risk for ... 334 Tropical recurrent sequences are introduced ... 335 An interesting approach to analyzing neural ... 336 We explore whether useful temporal neural ge... 337 Kitaev quantum spin liquid is a topological ... 338 Identifying the mechanism by which high ener... 339 Dependently typed languages such as Coq are ... 340 Any generic closed curve in the plane can be... 341 Consider a channel with a given input distri... 342 Let L and L be two distinct rays emanating f... 343 A habitable exoplanet is a world that can ma... 344 In this paper we evaluate the accuracy of de... 345 The distance standard deviation which arises... 346 One of the most basic skills a robot should ... 347 In this paper we give a complete characteriz... 348 We derive the mean squared error convergence... 349 Widespread use of social media has led to th... 350 The vortex method is a common numerical and ... 351 Let R be an associative ring with unit and d... 352 For an arbitrary finite family of semialgebr... 353 Riemannian geometry is a particular case of ... 354 We investigate how a neural network can lear... 355 In this paper we present a combinatorial app... 356 Many giant exoplanets are found near their R... 357 A new ShortOrbit Spectrometer SOS has been c... 358 Capacitive deionization CDI is a fastemergin... 359 We present bilateral teleoperation system fo... 360 We propose two multimodal deep learning arch... 361 Educational research has shown that narrativ... 362 Hospital acquired infections HAI are infecti... 363 We advocate the use of curated comprehensive... 364 In this article we study orbifold constructi... 365 Deconstruction of the theme of the FQXi ess... 366 The Atacama Large millimetresubmillimetre Ar... 367 In this paper we study the muordinary locus ... 368 Charts are an excellent way to convey patter... 369 We consider a modification to the standard c... 370 We describe the configuration space mathbfS ... 371 This paper discusses a MetropolisHastings al... 372 Luke P Lee is a Tan Chin Tuan Centennial Pro... 373 Topology has appeared in different physical ... 374 We study the scale and tidy subgroups of an ... 375 The coupled excitonvibrational dynamics of a... 376 In the first part of this work we show the c... 377 We study the Nonparametric Maximum Likelihoo... 378 Parametric resonance is among the most effic... 379 The REMPI spectrum of SiO in the nm range ... 380 Robots and automated systems are increasingl... 381 With the use of ontologies in several domain... 382 In this short note we present a novel method... 383 Visualizing a complex network is computation... 384 We prove that every trianglefree graph with ... 385 We study the twodimensional topology of the ... 386 The new index of the authors popularity esti... 387 We compute the genus Belyi map for the spor... 388 Our goal is to find classes of convolution s... 389 CMO Council reports that of internet users ... 390 We prove the Lefschetz duality for intersect... 391 All possible removals of n nodes from networ... 392 In this paper we study stochastic nonconvex ... 393 Lower bounds on the smallest eigenvalue of a... 394 This paper describes the development of a ma... 395 One advantage of decision tree based methods... 396 For decades conventional computers based on ... 397 We generalise some wellknown graph parameter... 398 During the ionization of atoms irradiated by... 399 We are interested in extending operators def... 400 Convolutional Neural Networks CNNs can learn... 401 We present an efficient secondorder algorith... 402 Swarm systems constitute a challenging probl... 403 We describe the design and implementation of... 404 Controlling embodied agents with many actuat... 405 Let n and k fracn be integers In this p... 406 Recently software development companies star... 407 Generative Adversarial Networks GANs produce... 408 We study the phase space dynamics of cosmolo... 409 In this work we propose an endtoend deep arc... 410 In this paper we prove that there exists a d... 411 To probe the starformation SF processes we p... 412 We present novel oblivious routing algorithm... 413 We study functional graphs generated by quad... 414 Helmholtz decomposition theorem for vector f... 415 We use Richters primary proof of Grays conje... 416 We show that certain orderable groups admit ... 417 Machine learning classifiers are known to be... 418 Tidal streams of disrupting dwarf galaxies o... 419 The response of an electron system to electr... 420 A new generation of solar instruments provid... 421 In the past decade the information security ... 422 Permutation polynomials over finite fields h... 423 BenDavid and Shelah proved that if lambda is... 424 The real Scarf II potential is discussed as ... 425 This paper presents a novel model for multim... 426 In a single winner election with several can... 427 In the framework of the EinsteinMaxwellaethe... 428 The pset which is in a simple analytic form ... 429 This paper presents the design and implement... 430 This work proposes a new algorithm for train... 431 Learningbased approaches to robotic manipula... 432 A ended finitely presented group has semista... 433 Developing and testing algorithms for autono... 434 Let G be a finitely generated prop group equ... 435 BrainMachine Interaction BMI system motivate... 436 Road networks in cities are massive and is a... 437 In this Letter we study the motion and wakep... 438 Theory of Mind is the ability to attribute m... 439 We study families of varieties endowed with ... 440 Largescale extragalactic magnetic fields may... 441 Predicting the future state of a system has ... 442 We show that for an elliptic curve E defined... 443 Wireless backhaul communication has been rec... 444 Feature engineering has been the key to the ... 445 We investigate the spin structure of a uniax... 446 Several natural satellites of the giant plan... 447 A number of fundamental quantities in statis... 448 Let EmathbbQ be an elliptic curve of level N... 449 The TuDeng Conjecture is concerned with the ... 450 In this paper we made an extension to the co... 451 We further progress along the line of Ref Ph... 452 Markerbased and markerless optical skeletal ... 453 Diffusion maps are an emerging datadriven te... 454 We present a set of effective outflowopen bo... 455 The recent detection of two faint and extend... 456 Fundamental relations between information an... 457 Galaxy cluster centring is a key issue for p... 458 The goal of this article is to provide an us... 459 The ongoing progress in quantum theory empha... 460 Nonconding RNAs play a key role in the postt... 461 We show that in Graysons model of higher alg... 462 We study the mincost seed selection problem ... 463 We propose a new splitting criterion for a m... 464 Variational approaches for the calculation o... 465 In this work we present a methodology that e... 466 Recent studies on diffusionbased sampling me... 467 We use automatic speech recognition to asses... 468 We consider bilinear optimal control problem... 469 We carry out a comprehensive analysis of let... 470 A hybrid mobilefixed device cloud that harne... 471 Despite numerous studies the exact nature of... 472 We study SUN Quantum Chromodynamics QCD in ... 473 Investigation of the autoignition delay of t... 474 Choi et al introduced a minimum spanning tr... 475 Variational Bayesian neural nets combine the... 476 We define rules for cellular automata played... 477 In the present work we explore the existence... 478 For a class of partially observed diffusions... 479 We study the motion of an electron bubble in... 480 We present new JVLA multifrequency measureme... 481 We develop an online monitoring procedure to... 482 A susceptibility propagation that is constru... 483 This paper analyzes the downlink performance... 484 We demonstrate the first application of deep... 485 Strongcoupling of monolayer metal dichalcoge... 486 Positioning data offer a remarkable source o... 487 BiHomLie Colour algebra is a generalized Hom... 488 We consider the problem related to clusterin... 489 Baker Harman and Pintz showed that a weak fo... 490 Improved Phantom cell is a new scenario whic... 491 We address the problem of localisation of ob... 492 All people have to make risky decisions in e... 493 Modeling the interior of exoplanets is essen... 494 In this paper we discuss the characteristics... 495 Schoofs classic algorithm allows pointcounti... 496 Let LK be a tame and Galois extension of num... 497 Transformative AI technologies have the pote... 498 Let GH be groups phi G rightarrow H a group ... 499 A matrix is said to possess the Restricted I... 500 We present a compact design for a velocityma... 501 Batch codes first introduced by Ishai Kushil... 502 The energy efficiency and power of a threete... 503 In recent years a number of methods for veri... 504 During exploratory testing sessions the test... 505 We demonstrate the parallel and nondestructi... 506 In this work we apply Amplitude Modulation S... 507 We propose a novel class of dynamic shrinkag... 508 The monitoring of the lifestyles may be perf... 509 The extreme value index is a fundamental par... 510 The spread of opinions memes diseases and al... 511 We study the problem of testing identity aga... 512 Componentbased design is a different way of ... 513 Dust devils are likely the dominant source o... 514 With the help of first principles calculatio... 515 Lowpass envelope approximation of smooth con... 516 We study the spectral properties of curl a l... 517 This paper presents a topology optimization ... 518 It is pointed out that the generalized Lambe... 519 Motivated by applications in cancer genomics... 520 Smart cities are a growing trend in many cit... 521 Bayesian estimation is increasingly popular ... 522 Reactiondiffusion equations appear in biolog... 523 Drivable free space information is vital for... 524 In this paper the fundamental problem of dis... 525 Highmass stars are expected to form from den... 526 The LennardJones LJ potential is a cornersto... 527 Thompson sampling has emerged as an effectiv... 528 In recent years Deep Learning has become the... 529 Proxima Centauri is known as the closest sta... 530 In this paper we propose an optimizationbase... 531 Using densityfunctional theory calculations ... 532 MicroRNAs play important roles in many biolo... 533 We present a simultaneous localization and m... 534 This survey is about old and new results abo... 535 A high redundant nonholonomic humanoid mobil... 536 This article discusses a framework to suppor... 537 The amount of ultraviolet irradiation and ab... 538 Online video services messaging systems game... 539 We prove that the homotopy algebraic Ktheory... 540 Screened modified gravity SMG is a kind of s... 541 Selective weed treatment is a critical step ... 542 Let GwidehatSL denote the affine KacMoody gr... 543 The existing measurement theory interprets t... 544 Researchers are often interested in analyzin... 545 This paper deals with some simple results ab... 546 In this study we determine all modular curve... 547 In the framework of multibody dynamics succe... 548 Capsule Networks envision an innovative poin... 549 The effects of MHD boundary layer flow of no... 550 Restingstate functional Arterial Spin Labeli... 551 We propose a novel endtoend neural network a... 552 The collective magnetic excitations in the s... 553 We report the proximity induced anomalous tr... 554 Networked control systems NCS have attracted... 555 Given a property of representations satisfyi... 556 A novel adaptive local surface refinement te... 557 This paper introduces a general method to ap... 558 Largescale computational experiments often r... 559 We provide an overview of several nonlinear ... 560 Advancements in deep learning over the years... 561 Our desire and fascination with intelligent ... 562 Conventional crystalline magnets are charact... 563 We introduce the new version of SimProp a Mo... 564 Given a collection of data points nonnegativ... 565 Muon reconstruction in the Daya Bay water po... 566 We present a method to improve the accuracy ... 567 The primary function of memory allocators is... 568 We extend a databased modelfree multifractal... 569 We formulate and analyze a novel hypothesis ... 570 This work is motivated by a particular probl... 571 Telescopes based on the imaging atmospheric ... 572 Transition metal dichalcogenides TMDs are em... 573 In a classical regression model it is usuall... 574 We present a clusteringbased language model ... 575 We study special circle bundles over two ele... 576 We report a method to control the positions ... 577 Let f be a primitive cusp form of weight k a... 578 Hierarchical graph clustering is a common te... 579 A twodimensional bidisperse granular fluid i... 580 We study the emphProximal Alternating Predic... 581 Chemical or enzymatic crosslinking of casein... 582 We investigate a construction of an integral... 583 Nowadays online video platforms mostly recom... 584 Exploration of asteroids and smallbodies can... 585 In automatic speech processing systems speak... 586 Predicting when rupture occurs or cracks pro... 587 This paper investigates the multiplicative s... 588 We present a representation learning algorit... 589 Consider a social network where only a few n... 590 In this paper we present a novel structure S... 591 We show how a characteristic length scale im... 592 Starting from isentropic compressible Navier... 593 We study a stochastic primaldual method for ... 594 We investigate a new sampling scheme aimed a... 595 We report the measurements of de Haasvan Alp... 596 Statistical inference can be computationally... 597 Mitochondrial oxidative phosphorylation mOxP... 598 Using a representation theorem of Erik Alfse... 599 Highpressure neutron powder diffraction muon... 600 This paper presents a fixturing strategy for... 601 Labeled Latent Dirichlet Allocation LLDA is ... 602 Multimedia Forensics allows to determine whe... 603 We present an informal review of recent work... 604 We consider the problem of learning sparse p... 605 The KdV equation can be derived in the shall... 606 This paper proposes a new actorcriticstyle a... 607 Counting dominating sets in a graph G is clo... 608 High signal to noise ratio SNR consistency o... 609 Reduction of communication and efficient par... 610 In this paper we focus on fully automatic tr... 611 The success of autonomous systems will depen... 612 This paper presents a distancebased discrimi... 613 Molecular reflections on usual wall surfaces... 614 Let fabcdsqrtabsqrtcdsqrtacbd let\nabcd stan... 615 We consider the task of generating draws fro... 616 Using holography we model experiments in whi... 617 In this paper we study random subsampling of... 618 Both hybrid automata and action languages ar... 619 In this paper an enthalpybased multiplerelax... 620 Barchan dunes are crescentic shape dunes wit... 621 Isotonic regression is a standard problem in... 622 This paper considers a timeinconsistent stop... 623 The Internet of Things IoT demands authentic... 624 The increasing number of proteinbased metama... 625 Recent advances in the field of network repr... 626 Numerous studies have been carried out to me... 627 We study the problem of constructing a near ... 628 We begin by introducing the main ideas of th... 629 Time series shapelets are discriminative sub... 630 In this work we present an experimental stud... 631 Recent work on the representation of functio... 632 Measurement error in observational datasets ... 633 An extremely simple description of Karmarkar... 634 We consider a wireless sensor network that u... 635 Transfer operators such as the PerronFrobeni... 636 In this paper we consider the threedimension... 637 In this paper a comparative study was conduc... 638 Tensionnetwork tensegrity robots encounter m... 639 The statistical behaviour of the smallest ei... 640 Dam breach models are commonly used to predi... 641 We study the nearinfrared properties of Mir... 642 There is an inherent need for autonomous car... 643 We consider the problem of dynamic spectrum ... 644 We design a new myopic strategy for a wide c... 645 Deep convolutional neural networks have libe... 646 Numerical simulations of the GO Roberts dyna... 647 Using a projectionbased decoupling of the Fo... 648 We offer a generalization of a formula of Po... 649 In this paper we show that any compact manif... 650 Given the importance of crystal symmetry for... 651 Several social medical engineering and biolo... 652 This paper is concerned with the online esti... 653 Computed tomography CT examinations are comm... 654 The turbulent RayleighTaylor system in a rot... 655 In the animal world the competition between ... 656 With approximately half of the worlds popula... 657 The best summary of a long video differs amo... 658 Recently heavily doped semiconductors are em... 659 It is shown that using beam splitters with n... 660 In this paper we consider a partial informat... 661 In recent years research has been done on ap... 662 Shock wave interactions with defects such as... 663 We propose factor models for the crosssectio... 664 Many signals on Cartesian product graphs app... 665 The double exponential formula was introduce... 666 Strain engineering has attracted great atten... 667 A complex system can be represented and anal... 668 Neural network based generative models with ... 669 Detection of interactions between treatment ... 670 The limitations in performance of the presen... 671 Given a klt singularity xin X D we show that... 672 Condensedmatter analogs of the Higgs boson i... 673 Wellknown for its simplicity and effectivene... 674 We study the problem of sparsity constrained... 675 We present a communication and datasensitive... 676 This paper outlines a methodology for Bayesi... 677 Failing to distinguish between a sheepdog an... 678 Achieving the goals in the title and others ... 679 We present a scalable black box perceptionin... 680 This paper presents a novel generative model... 681 The twostage leastsquares SLS estimator is k... 682 An unsupervised learning classification mode... 683 We investigate the predictability of several... 684 Correlated random walks CRW have been used f... 685 This paper presents a novel contextbased app... 686 We present E NERGY N ET a new framework for... 687 Finding the dense regions of a graph and rel... 688 We propose a robust gesturebased communicati... 689 Unique among alkalidoped textit AC fullerene... 690 Improving the performance of superconducting... 691 This paper will detail changes in the operat... 692 We consider the withdrawal of a ball from a ... 693 We disentangle all the individual degrees of... 694 Motivated by the recently proposed parallel ... 695 The particular type of fourkink multisoliton... 696 Estimates of the Hubble constant H from the ... 697 A multiuser multiarmed bandit MAB framework ... 698 In this paper we analyze the effects of cont... 699 The challenge of assigning importance to ind... 700 An elementary rheory of concatenation is int... 701 JavaBIP allows the coordination of software ... 702 In rapid release development processes patch... 703 Examining games from a fresh perspective we ... 704 We establish the convergence rates and asymp... 705 The study of relays with the scope of energy... 706 Generative Adversarial Networks GANs were in... 707 This paper is concerned with the computation... 708 We present possible explanations of pulsatio... 709 Recently introduced composition operator for... 710 InternetofThings endnodes demand low power p... 711 During the last two decades Genetic Programm... 712 The control of dynamical networked systems c... 713 We construct constant mean curvature surface... 714 We discuss various universality aspects of n... 715 The relativistic jets created by some active... 716 A new synthesis scheme is proposed to effect... 717 We present a machine learning based informat... 718 In todays databases previous query answers r... 719 Beam search is a desirable choice of testtim... 720 In B Weiss introduced the notion of measura... 721 In this paper we show how to construct graph... 722 Let fxyaxbxycy be a binary quadratic form wi... 723 The numerical availability of statistical in... 724 Phaseless superresolution is the problem of ... 725 This paper is the first chapter of three of ... 726 Photoelectron yields of extruded scintillati... 727 We report a precise measurement of hyperfine... 728 We study a dynamical system induced by the A... 729 We introduce a new invariant the real logari... 730 Effective communication is required for team... 731 The discovery of I U Oumuamua has provided t... 732 In the context of orientable circuits and su... 733 Purpose Basic surgical skills of suturing an... 734 Many complex systems share two characteristi... 735 Even and oddfrequency superconductivity coex... 736 Let X be an irreducible smooth projective cu... 737 With Fq the finite field of q elements we in... 738 In this paper we exhibit Morse geodesics oft... 739 We study the ultimate bounds on the estimati... 740 We show that publishing results using the st... 741 The centerofmass motion of a single opticall... 742 We introduce new techniques to the analysis ... 743 We describe a year survey carried out by the... 744 Artificial intelligence methods have often b... 745 Let a and b be algebraic numbers such that e... 746 This note establishes the inputtostate stabi... 747 The problem of reliable communication over t... 748 We present a new paradigm for understanding ... 749 We propose a probabilistic model for interpr... 750 Macronovae kilonovae that arise in binary ne... 751 The calculation of caloric properties such a... 752 We study wellposedness of a velocityvorticit... 753 Generative Adversarial Networks GANs represe... 754 A database of minima and transition states c... 755 Asynchronous distributed machine learning so... 756 This paper describes an English audio and te... 757 Deep learning has been demonstrated to achie... 758 We develop the theoretical foundations of a ... 759 Using the Panama Papers we show that the beg... 760 Mammography screening for early detection of... 761 Small depth networks arise in a variety of n... 762 Knowledgeintensive companies that adopt Agil... 763 Recent Fe results have suggested that the es... 764 The surface tension of flowing soap films is... 765 Indoor localization based on Visible Light C... 766 We show that the output of a residual convol... 767 Detecting attacks in control systems is an i... 768 For people with visual impairments tactile g... 769 Very often features come with their own vect... 770 We give a short proof of the L criterion for... 771 Social media users often make explicit predi... 772 Applications involving autonomous navigation... 773 We apply a method that combines the tightbin... 774 In this lecture note we describe high dynami... 775 We classify prop Poincar duality pairs in di... 776 Sports data analysis is becoming increasingl... 777 In kernel methods temporal information on th... 778 We consider the problem of sequential learni... 779 We develop a new approach to learn the param... 780 The intricate interplay between optically da... 781 In this article we develop a notion of Quill... 782 In this paper we define canonical sine and c... 783 Compressed sensing CS is a sampling theory t... 784 Predictive models for music are studied by r... 785 Many realworld data sets especially in biolo... 786 In this research we propose a deep learning ... 787 We present and evaluate a technique for comp... 788 The next generation of cosmological surveys ... 789 Playing the game of heads or tails in zero g... 790 The variational autoencoder VAE is a popular... 791 Synchronization on multiplex networks have a... 792 We continue to investigate binary sequence f... 793 A central question in science of science con... 794 Excited states of a single donor in bulk sil... 795 We present a statistical study on the C I rm... 796 We study largescale kernel methods for acous... 797 We determine the composition factors of the ... 798 Current understanding of how contractility e... 799 This work encompasses RateSplitting RS provi... 800 We prove a general width duality theorem for... 801 Network pruning is aimed at imposing sparsit... 802 Graph models are widely used to analyse diff... 803 Training neural networks involves finding mi... 804 We study the homogenization process for fami... 805 A polynomial pinmathbbRzdotszn is real stabl... 806 This volume contains the proceedings of the ... 807 This chapter presents an Hinfinity filtering... 808 In this work we introduce a time and memorye... 809 This paper introduces a new approach to Larg... 810 We consider the problem of inference in a ca... 811 The weighted Maximum Satisfiability problem ... 812 We show that in the presence of magnetic fie... 813 We have recently established some integral i... 814 The support vector machine SVM is a powerful... 815 Data analytics and data science play a signi... 816 In this paper we present a new task that inv... 817 Recent progress in applying complex network ... 818 Under suitable conditions a substitution til... 819 We prove that the Tutte embeddings aka harmo... 820 Muroga M showed how to express the Shannon c... 821 Let R be a twosided noetherian ring and M be... 822 Regression based methods are not performing ... 823 We consider systems with memory represented ... 824 We discuss the concept of inner function in ... 825 Data center networks are an important infras... 826 In the setting of highdimensional linear reg... 827 Finding patterns in data and being able to r... 828 As a natural extension of compressive sensin... 829 We present an exhaustive census of Lyman alp... 830 Building on insights of Jovanovic and subse... 831 OSIRISREx will return pristine samples of ca... 832 We consider ddimensional linear stochastic a... 833 We study the fundamental tradeoffs between s... 834 Audiovisual speech recognition AVSR system i... 835 The goal of this survey article is to explai... 836 White dwarf stars have been used as flux sta... 837 Most existing approaches address multiview s... 838 The P eventrelated potential ERP evoked in s... 839 The purpose of this paper is to study stable... 840 Segmentation in dynamic outdoor environments... 841 Stochastic bandit algorithms can be used for... 842 Dynamic security analysis is an important pr... 843 Second order conic programming SOCP has been... 844 We present the multihop extensions of the re... 845 Instructional labs are widely seen as a uniq... 846 The formation of pattern in biological syste... 847 Namedentity recognition NER aims at identify... 848 Blocking objects blockages between a transmi... 849 We present an introduction to a novel model ... 850 Convolutional Neural Networks CNNs are commo... 851 In this paper we obtain some formulae for ha... 852 In this paper we develop cyclic proof system... 853 In this paper we introduce a new model for l... 854 We describe a neural network model that join... 855 For nge it is well known that the moduli spa... 856 The radio interferometric positioning system... 857 We present an affine analog of the evaluatio... 858 In this paper we present a framework for ris... 859 Groundbased astronomical observations may be... 860 Gossip protocols aim at arriving by means of... 861 We examine discrete vortex dynamics in twodi... 862 In this paper we study a nonlinear partial d... 863 An important yet largely unstudied problem i... 864 A Schottky structure on a handlebody M of ge... 865 In this paper we propose a new method of spe... 866 This paper describes an implementation of th... 867 Networks of vertically coriented prism shape... 868 Machine Learning focuses on the construction... 869 This paper presents a simple agentbased mode... 870 The variability response function VRF is gen... 871 We show that training a deep network using b... 872 In this paper we consider a singlecell downl... 873 The block bootstrap approximates sampling di... 874 Given a polynomial system f associated with ... 875 It can be difficult to tell whether a traine... 876 Refraction represents one of the most fundam... 877 We reconsider the classic problem of estimat... 878 The Landau collision integral is an accurate... 879 In this paper we combine a survey of the mos... 880 The ButlerPortugal algorithm for obtaining t... 881 The masspreconditioning MP technique has bec... 882 A model in which a threedimensional elastic ... 883 We analyze the response of a type II superco... 884 Classical principal component analysis PCA i... 885 In antiferromagnets the DzyaloshinskiiMoriya... 886 In disordered elastic systems driven by disp... 887 The search for a superconductor with nonswav... 888 The extension complexity mathsfxcP of a poly... 889 This work provides a comprehensive scaling l... 890 In view of a resurgence of concern about the... 891 We explore the response of Ir d orbitals to ... 892 An infinite convergent sum of independent an... 893 We consider the problem of estimating from s... 894 The stateoftheart SOTA for mixed precision t... 895 The foreseen implementations of the Small Si... 896 We obtain bounded for all t solutions of ord... 897 Waveforms of gravitational waves provide inf... 898 A simple DNAbased data storage scheme is dem... 899 This paper presents VECNBT a variation on th... 900 We have used soft xray photoemission electro... 901 A set function f on a finite set V is submod... 902 Quick Shift is a popular modeseeking and clu... 903 In recent years Deep Neural Networks DNNs ha... 904 Convolutional Neural Networks CNNs have been... 905 We present a terahertz spectroscopic study o... 906 We compare the social character networks of ... 907 Motivated by the recent experimental realiza... 908 Exoplanet host star activity in the form of ... 909 Developers of Molecular Dynamics MD codes fa... 910 We obtain the nonlinear generalization of th... 911 We prove sharp decoupling inequalities for a... 912 In this paper we introduce a simple yet powe... 913 Our purpose is to focus attention on a new c... 914 Stochastic variance reduction algorithms hav... 915 The algorithmic Markov condition states that... 916 The recently proposed Temporal Ensembling ha... 917 We present a new code for astrophysical magn... 918 Virtual Network Functions as a Service VNFaa... 919 The Zika virus has been found in individual ... 920 This paper considers the problem of decentra... 921 Recent studies have demonstrated that nearda... 922 Historically machine learning in computer se... 923 Deep learning has demonstrated tremendous po... 924 This paper introduces a method based on deep... 925 One of the most challenging problems in corr... 926 Cosmological parameter constraints from obse... 927 We characterize the response of the quiet ti... 928 Let R be a local ring of dimension d Buchwei... 929 Learning to make decisions from observed dat... 930 Based on the KP hierarchy reduction method t... 931 Deep learning has been successfully applied ... 932 The modular GromovHausdorff propinquity is a... 933 We present a prototype of a software tool fo... 934 Word sense disambiguation WSD improves many ... 935 We develop a theory for nondegenerate parame... 936 Generic generation and manipulation of text ... 937 Our eyes sample a disproportionately large a... 938 Molecular dynamics simulates themovements of... 939 Developers increasingly rely on text matchin... 940 We prove the existence of an optimal feedbac... 941 How can we enable novice users to create eff... 942 The torsion complexity of a finite edgeweigh... 943 Neutronic performance is investigated for a ... 944 We prove that the only entrywise transforms ... 945 The most popular and widely used subtractwit... 946 We consider the refined topological vertex o... 947 We investigate bias voltage effects on the s... 948 Extensive efforts have been devoted to recog... 949 We found an easy and quick postlearning meth... 950 As traditional neural network consumes a sig... 951 Mobile robots are increasingly being used to... 952 Mixed effects models are widely used to desc... 953 We show that a positive Borel measure of pos... 954 The Large European Array for Pulsars combine... 955 In this paper we discuss how a suitable fami... 956 Deep Learning models are vulnerable to adver... 957 The recent discovery of the planetary system... 958 We show that mathbbQFano varieties of fixed ... 959 We consider quantum nondterministic and prob... 960 We study the relation between the microscopi... 961 We study a generic onedimensional model for ... 962 We report experiments on an agarose gel tabl... 963 Artificial intelligence is revolutionizing o... 964 In this letter we define the homodyne qdefor... 965 Graph edit distance GED is an important simi... 966 We introduce canonical measures on a locally... 967 Reusing passwords across multiple websites i... 968 As affordability pressures and tight rental ... 969 Interbank markets are often characterised in... 970 We present a novel algorithm that uses exact... 971 Everything in the world is being connected a... 972 Recently an Atacama Large Millimetersubmilli... 973 The existence of weak solutions to the stati... 974 New results on the Baire product problem are... 975 In the Ultimatum Game UG one player named pr... 976 In this work we study the tradeoffs between ... 977 Constructing tests or confidence regions tha... 978 Generalized BcklundDarboux transformations G... 979 We describe a procedure called panel collaps... 980 The recently proposed selfensembling methods... 981 Efficient algorithms and techniques to detec... 982 With the tremendous increase of the Internet... 983 We consider a fundamental integer programmin... 984 In wireless communication heterogeneous tech... 985 We have derived background corrected intensi... 986 The beta is one of the key quantities in the... 987 In partially observed environments it can be... 988 Open problems abound in the theory of comple... 989 The highenergy nonthermal universe is domina... 990 We develop estimates for the solutions and d... 991 In modern election campaigns political parti... 992 In Jacob Steiner on Christian Rudolfs reque... 993 Anomaly detecting as an important technical ... 994 We survey the dimension theory of selfaffine... 995 Buoyancythermocapillary convection in a laye... 996 In the paper we consider a graph model of me... 997 In this article we derive a Bayesian model t... 998 We introduce a new family of thermostat flow... 999 We introduce the shifted quantum affine alge... 1000 The analysis of mixed data has been raising ... 1001 The development of spintronic technology wit... 1002 Motivation P values derived from the null hy... 1003 We develop high temperature series expansion... 1004 The Baran metric deltaE is a Finsler metric ... 1005 We consider a condensate of excitonpolariton... 1006 We consider the statistical problem of recov... 1007 We consider the problem of estimating an exp... 1008 Generalized cross validation GCV is one of t... 1009 Biochemical oscillations are prevalent in li... 1010 Algorithms are often used to produce decisio... 1011 In this work we present a technique to use n... 1012 In light of the classic impossibility result... 1013 In this paper we investigate a coverage exte... 1014 We introduce a new paradigm that is importan... 1015 We reevaluate the Zemach recoil and polariza... 1016 Ising models describe the joint probability ... 1017 Direct experimental investigations of the lo... 1018 We establish a fundamental property of bivar... 1019 This work compares several node and network ... 1020 We consider a programming language based on ... 1021 We propose an extended variant of the reform... 1022 Continuing the study of preduals of spaces m... 1023 EPG graphs introduced by Golumbic et al in ... 1024 The Web is an important resource for underst... 1025 For an effect algebra A we examine the categ... 1026 In a previous work we have detailed the requ... 1027 We study magnetic TaylorCouette flow in a sy... 1028 Compared with the twocomponent CamassaHolm s... 1029 The two dimensional incompressible NavierSto... 1030 Training model to generate data has increasi... 1031 We introduce a pliable lasso method for esti... 1032 We report on the experimental realization of... 1033 We prove versions of Khintchines Theorem fo... 1034 Neural networks with random hidden nodes hav... 1035 Artificial neural networks have been success... 1036 Suppose the data consist of a set S of point... 1037 Let k be a fixed integer We determine the co... 1038 These notes are intended to provide a brief ... 1039 In this paper we extend the AtiyahGuilleminS... 1040 This paper is concerned with learning of mix... 1041 By the certain macroscopic perturbations in ... 1042 Light traveling through the vacuum interacts... 1043 Many asteroid databases with lightcurve brig... 1044 We present the calibratedprojection MATLAB p... 1045 We use an atomic fountain clock to measure q... 1046 A quantitative understanding of how sensory ... 1047 It has been argued in EPL bf entitled it ... 1048 We estimate the spin distribution of primord... 1049 Deep convolutional neural networks CNN based... 1050 Objective to establish an algorithmic framew... 1051 Convolutional neural networks have recently ... 1052 Compute the coarsest simulation preorder inc... 1053 A principle on the macroscopic motion of sys... 1054 CaFeAs exhibits collapsed tetragonal cT stru... 1055 We study a mathematical model of cell popula... 1056 The extraction system of CSNS mainly consist... 1057 Many realworld analytics problems involve tw... 1058 Novel data acquisition schemes have been an ... 1059 We consider a registrationbased approach for... 1060 How might a smooth probability distribution ... 1061 In the context of commutative differential g... 1062 Both the human brain and artificial learning... 1063 Fifth Generation G telecommunication system ... 1064 Consider reconstructing a signal x by minimi... 1065 This document is a response to a report from... 1066 The stochastic GrossPitaevskii equation is u... 1067 Let theta theta be irrational numbers and A ... 1068 This paper proposes a new convex model predi... 1069 We unveil the geometric nature of the multip... 1070 We present a selective review of statistical... 1071 Pipelines combining SQLstyle business intell... 1072 In this paper we propose a simple but effect... 1073 In this paper we investigate the umbral repr... 1074 In this paper a brief review of delay popula... 1075 I show that propositional intuitionistic log... 1076 We present a newly discovered correlation be... 1077 Plumbene similar to silicene has a buckled h... 1078 Providing a background discrimination tool i... 1079 We obtain upper bounds on the composition le... 1080 In this article we present a Bernstein inequ... 1081 We explore different approaches to integrati... 1082 We study two dispersive regimes in the dynam... 1083 We design and implement the first private an... 1084 In this paper we will show an unprecedented ... 1085 Background As most of the software developme... 1086 In this paper our aim is to present the comp... 1087 Despite the effectiveness of convolutional n... 1088 Real and complex Clifford bundles and Dirac ... 1089 The Next Generation Transit Survey NGTS oper... 1090 We present the evolution of the Cosmic Spect... 1091 Let f be a Hecke cusp form of weight k for t... 1092 Recent studies have highlighted the vulnerab... 1093 Maximizing product use is a central goal of ... 1094 In this paper we enumerate Newton polygons a... 1095 By applying invariantbased inverse engineeri... 1096 In this paper the authors consider leaf spac... 1097 We discuss a backward MonteCarlo technique f... 1098 Noise is an inherent part of neuronal dynami... 1099 Policy evaluation is a crucial step in many ... 1100 We develope a selfconsistent description of ... 1101 When internal states of atoms are manipulate... 1102 Modern processors are highly optimized syste... 1103 Semantic segmentation and object detection r... 1104 Matrix factorization is a key tool in data a... 1105 Mild Cognitive Impairment MCI is a mental di... 1106 Slaters condition existence of a strictly f... 1107 We extend the homotopy theories based on poi... 1108 For characterizing the Brownian motion in a ... 1109 Since its inception Bohmian mechanics has be... 1110 While conventional lasers are based on gain ... 1111 The evaluation of possible climate change co... 1112 We study the problem of finding the cycle of... 1113 Polarized extinction and emission from dust ... 1114 Gaussian processes GPs are powerful nonparam... 1115 Bandit based optimisation has a remarkable a... 1116 Intel Software Guard Extension SGX offers so... 1117 Sensor setups consisting of a combination of... 1118 In paper we study the representation theory ... 1119 Software developers frequently issue generic... 1120 The Ethereum blockchain network is a decentr... 1121 Conjunctivochalasis is a common cause of tea... 1122 Here we report the preparation and supercond... 1123 A numerical method for free boundary problem... 1124 NeuralNetwork Quantum States have been recen... 1125 We reported the usage of gratingbased Xray p... 1126 Most stateoftheart information extraction ap... 1127 We prove Lipschitz continuity of viscosity s... 1128 Hardware acceleration is an enabler for ubiq... 1129 We propose a new localized inference algorit... 1130 We study simultaneous collisions of two thre... 1131 We introduce InverseFaceNet a deep convoluti... 1132 The Partial Information Decomposition PID ar... 1133 We present convolutional neural network CNN ... 1134 For fluctuating currents in nonequilibrium s... 1135 With the proliferation of mobile devices and... 1136 Understanding the origin nature and function... 1137 The main challenge of online multiobject tra... 1138 Classical plasma with arbitrary degree of de... 1139 The paper studies a PDE model for the growth... 1140 The discovery of multiple stellar population... 1141 We establish a large deviation theorem for t... 1142 A reinforcement learning agent that needs to... 1143 Photoionized nebulae comprising HII regions ... 1144 The prediction of cancer prognosis and metas... 1145 We propose a novel estimation procedure for ... 1146 We consider a general branching population w... 1147 As the distribution grid moves toward a tigh... 1148 Investigation of the electronphonon interact... 1149 The magnetic phases of a triangularlattice a... 1150 The remarkable development of deep learning ... 1151 We show that a sufficient condition for the ... 1152 Consider the classical ErdosRenyi random gra... 1153 The Least Significant Bit LSB substitution i... 1154 In this work we outline the mechanisms contr... 1155 Machine learning has shown much promise in h... 1156 Lenses are crucial to lightenabled technolog... 1157 We present the extension of variational Mont... 1158 This paper studies power allocation for dist... 1159 Using algebraic methods and motivated by the... 1160 Motivated by recent experiments on alphaRuCl... 1161 The aim of this study is to investigate the ... 1162 In the new approach to study the optical res... 1163 Overfitting which happens when the number of... 1164 Russell is a logical framework for the speci... 1165 Let us call the novel quantities which in ad... 1166 Distances between sequences based on their k... 1167 In the excitonpolariton system a linear disp... 1168 We present the results of our search for the... 1169 A recent paper X Guo A Mandelis J Tolev and ... 1170 A fundamental question in systems biology is... 1171 We address the problem of temporal action lo... 1172 Cassava is the third largest source of carbo... 1173 Ability to continuously learn and adapt from... 1174 We investigate the use of alternative diverg... 1175 The curvature properties of RobinsonTrautman... 1176 We prove that the Dehn invariant of any flex... 1177 Skillful mobile operation in threedimensiona... 1178 We utilize variational method to investigate... 1179 Human action recognition in videos is one of... 1180 Reconstruction of population histories is a ... 1181 Source localization in ocean acoustics is po... 1182 Illegal insider trading of stocks is based o... 1183 Using deep multiwavelength photometry of gal... 1184 Boron subphthalocyanine chloride is an elect... 1185 Recent machine learning models have shown th... 1186 In the present paper we consider the problem... 1187 For a given manyelectron molecule it is poss... 1188 Using the formalism of the classical nucleat... 1189 Most machine learning classifiers give predi... 1190 Deep reinforcement learning for multiagent c... 1191 We study the data reliability problem for a ... 1192 This paper studies a meanvariance portfolio ... 1193 We obtain estimation error rates for estimat... 1194 In this paper we are interested in a Neumann... 1195 In this paper we investigate the integral of... 1196 For the past three years we have been conduc... 1197 We propose a new mathematical model for the ... 1198 In a given problem the Bayesian statistical ... 1199 The Network of Noisy Leaky Integrate and Fir... 1200 The distinguishing index of a simple graph G... 1201 Pseudo healthy synthesis ie the creation of ... 1202 Given a poset P and a standard closure opera... 1203 The work is devoted to constructing a wide c... 1204 Modeling agent behavior is central to unders... 1205 We design a jammingresistant receiver scheme... 1206 The behavior of many complex systems is dete... 1207 Clause Learning is one of the most important... 1208 We consider the squared singular values of t... 1209 In this paper we consider the D primitive eq... 1210 The Eisenhart geometric formalism which tran... 1211 This paper formulates a timevarying socialwe... 1212 The object of the present paper is to study ... 1213 This paper gives drastically faster gossip a... 1214 Magnesium and its alloys are ideal for biode... 1215 Publishing reproducible analyses is a longst... 1216 Google uses continuous streams of data from ... 1217 To obtain a better understanding of the trad... 1218 The adaptive zeroerror capacity of discrete ... 1219 With increasing complexity and heterogeneity... 1220 We focus on nonconvex and nonsmooth minimiza... 1221 In online discussion communities users can i... 1222 Bayesian optimization has recently attracted... 1223 We propose a mapaided vehicle localization m... 1224 We present an adaptive grasping method that ... 1225 Algorithmdependent generalization error boun... 1226 The Deep Impact spacecraft flyby of comet PH... 1227 In this paper we suggest a macroscopic toy s... 1228 We consider the class of measurable function... 1229 We carried out a Bayesian homogeneous determ... 1230 This paper is the first one in a series of t... 1231 Eigenvector centrality is a standard network... 1232 Neural networks allow Qlearning reinforcemen... 1233 We perform a detailed analytical study of th... 1234 We study the heavy path decomposition of con... 1235 We consider a firm that sells a large number... 1236 We present a new algorithm which detects the... 1237 We perform a detailed comparison of the Dira... 1238 The ability to recognize objects is an essen... 1239 To convert standard Brownian motion Z into a... 1240 General relativitys nohair theorem states th... 1241 By drawing an analogy with superfluid He vor... 1242 Clouds play a significant role in the fluctu... 1243 Predicting the response of a system to pertu... 1244 An Electronic Health Record EHR is designed ... 1245 The leastsquares support vector machine is a... 1246 We propose a simple subsampling scheme for f... 1247 A Bernoulli Mixture Model BMM is a finite mi... 1248 In this paper we prove pointwise convergence... 1249 In many societies alcohol is a legal and com... 1250 The motion of a viscous deformable droplet s... 1251 We study Principal Component Analysis PCA in... 1252 The spot pricing scheme has been considered ... 1253 We consider free rotation of a body whose pa... 1254 Recent progress in deep learning for audio s... 1255 We prove a pathbypath regularization by nois... 1256 We present a novel endtoend trainable neural... 1257 Recently neural models for information retri... 1258 Diamond Light Source is the UKs National Syn... 1259 Let bf MMldots Mk be a tuple of real dtimes ... 1260 The main goal of the paper is the full proof... 1261 By analyzing energyefficient management of d... 1262 We analyze a rich dataset including SubaruSu... 1263 Adaptive designs for multiarmed clinical tri... 1264 MixedInteger SecondOrder Cone Programs MISOC... 1265 A Discriminative Deep Forest DisDF as a metr... 1266 A simple robust genuinely multidimensional c... 1267 We prove the optimal strong convergence rate... 1268 A Boolean network is a finite state discrete... 1269 Gammaray and fastneutron imaging was perform... 1270 The task board is an essential artifact in m... 1271 Hydrogeologic models are commonly oversmooth... 1272 Suszkos problem is the problem of finding th... 1273 In this paper we introduce a new classificat... 1274 We study the Galois descent of semiaffinoid ... 1275 We have synthesized a new layered oxychalcog... 1276 Is perfect matching in NC That is is there a... 1277 In this paper we investigate the common scen... 1278 Using deep reinforcement learning we train c... 1279 We study the following generalization of sin... 1280 It is undeniable that the worldwide computer... 1281 Using contiguous relations we construct an i... 1282 This paper gives upper and lower bounds on t... 1283 With Bells inequalities one has a formal exp... 1284 Improving endurance is crucial for extending... 1285 The Surjective HColouring problem is to test... 1286 This paper proposes a modal typing system th... 1287 Recommender System research suffers currentl... 1288 This paper considers the problem of implemen... 1289 Stacking is a general approach for combining... 1290 The twodimensional discrete wavelet transfor... 1291 We apply the MinSum messagepassing protocol ... 1292 In the last few years we have seen the trans... 1293 The aim of Galactic Archaeology is to recove... 1294 We propose a general framework for entropyre... 1295 We present some basic integer arithmetic qua... 1296 We analyzed the longitudinal activity of nea... 1297 The beyond worstcase synthesis problem was i... 1298 VAEs Variational AutoEncoders have proved to... 1299 Rotating radio transients RRATs loosely defi... 1300 Lowdimensional plasmonic materials can funct... 1301 In this paper we analyse the interaction bet... 1302 The first author introduced a relative sympl... 1303 We report on the design and sensitivity of a... 1304 Invoking Maxwells classical equations in con... 1305 In this work we perform outlier detection us... 1306 The local electronic and magnetic properties... 1307 We prove the unique assembly and unique shap... 1308 One of the defining characteristics of human... 1309 This paper addresses the problem of large sc... 1310 Scientific collaborations shape ideas as wel... 1311 Complex interactions between entities are of... 1312 Drone racing is becoming a popular sport whe... 1313 The combustion characteristics of ethanolJet... 1314 The graph Laplacian plays key roles in infor... 1315 Manipulating topological disclination networ... 1316 Generative Adversarial Networks GAN have rec... 1317 We revisit the classification problem and fo... 1318 The development of chemical reaction models ... 1319 We consider the Cauchy problem for the incom... 1320 Inspired by the success of deep learning tec... 1321 We introduce a twoparameter family of birati... 1322 The integrable nonlocal nonlinear Schrodinge... 1323 While bigger and deeper neural network archi... 1324 A novel approach towards the spectral analys... 1325 We propose a method TTGP for approximate inf... 1326 In the second edition of the congruence latt... 1327 Vasculature is known to be of key biological... 1328 We report the results of a sensitive search ... 1329 In this paper we propose a probabilistic par... 1330 Modularity is designed to measure the streng... 1331 Vision science particularly machine vision h... 1332 Next generation radio telescopes namely the ... 1333 In this letter we propose a new identificati... 1334 Supervisory control synthesis encounters wit... 1335 Agents vote to choose a fair mixture of publ... 1336 We give criteria on an inverse system of fin... 1337 Recent advances in learning Deep Neural Netw... 1338 In this article the issues are discussed wit... 1339 In spite of decades of research much remains... 1340 We consider generalizations of the familiar ... 1341 We establish the Iwasawa main conjecture for... 1342 We consider induced emission of ultrarelativ... 1343 Measuring gases for air quality monitoring i... 1344 In this paper the problem of maximizing a bl... 1345 We present a method for conditional time ser... 1346 Bias is a common problem in todays media app... 1347 Many astronomical sources produce transient ... 1348 A method is developed for generating pseudop... 1349 We offer a general Bayes theoretic framework... 1350 Following the presentation and proof of the ... 1351 Detecting and evaluating regions of brain un... 1352 The global sensitivity analysis of a numeric... 1353 Ridesourcing platforms like Uber and Didi ar... 1354 Managing dynamic information in large multis... 1355 We describe a fully data driven model that l... 1356 We present the results of the spectroscopic ... 1357 Given a projective hyperkahler manifold with... 1358 Calcium imaging permits optical measurement ... 1359 We investigate multiparticle excitation effe... 1360 In the present article we describe how one c... 1361 The popular Alternating Least Squares ALS al... 1362 Domain generalization is the problem of assi... 1363 We study two colored operads of configuratio... 1364 This paper proposes a datadriven approach by... 1365 Tunneling of electrons into a twodimensional... 1366 We consider the problem of diagnosis where a... 1367 This work explores the feasibility of steeri... 1368 Localitysensitive hashing LSH is a fundament... 1369 A commonly cited inefficiency of neural netw... 1370 We establish a Pontryagin maximum principle ... 1371 A system of N particles in a chemical medium... 1372 It is well established that neural networks ... 1373 For any stream of timestamped edges that for... 1374 We revisit the generation of balanced octree... 1375 With the advent of the era of artificial int... 1376 In the artificial intelligence field learnin... 1377 The involution Stanley symmetric functions h... 1378 In this paper we focus on subspace learning ... 1379 Topologists are sometimes interested in spac... 1380 An ancient repertoire of UV absorbing pigmen... 1381 Output impedances are inherent elements of p... 1382 The quest to observe gravitational waves cha... 1383 Finite Gaussian mixture models are widely us... 1384 We document the data transfer workflow data ... 1385 Datasets are often reused to perform multipl... 1386 Regression or classification This is perhaps... 1387 Anthropogenic climate change increased the p... 1388 In this paper boundary regularity for pharmo... 1389 In this paper we propose to construct confid... 1390 Finding actions that satisfy the constraints... 1391 A major challenge in brain tumor treatment p... 1392 In a localization network the lineofsight be... 1393 We investigate the relation between kinemati... 1394 In this paper we introduce the BMT distribut... 1395 While learning visuomotor skills in an endto... 1396 We searched high resolution spectra of near... 1397 Learning large scale nonlinear ordinary diff... 1398 Clustering mixtures of Gaussian distribution... 1399 In this study we developed a method to estim... 1400 Detect facial keypoints is a critical elemen... 1401 One initial and essential question of magnet... 1402 In this paper we exhibit the tradeoffs betwe... 1403 Estimates of population size for hidden and ... 1404 Single ion solvation free energies are one o... 1405 We consider estimation of worker skills from... 1406 Recent deep learning based denoisers often o... 1407 Here we consider some wellknown facts in syn... 1408 We study the moduli space of stable sheaves ... 1409 The development of efficient heuristic algor... 1410 We study a demand response problem from util... 1411 This paper presents a triangular lattice pho... 1412 The Epicurean Philosophy is commonly thought... 1413 The use of lowprecision fixedpoint arithmeti... 1414 Person reidentification task has been greatl... 1415 We consider the task of unsupervised extract... 1416 The manybody localization MBL is commonly re... 1417 Verifying that a statistically significant r... 1418 In this paper we adopt a new noisy wireless ... 1419 We study the problem of constructing synthet... 1420 Recognition of Handwritten Mathematical Expr... 1421 This is an expository article on properties ... 1422 In this paper we theoretically study xray mu... 1423 Magnetic materials hosting correlated electr... 1424 Large amount of image denoising literature f... 1425 In this paper we analyze in depth a simplici... 1426 Blockchains are distributed data structures ... 1427 We prove in a mathematically rigorous way th... 1428 We give a simple optimistic algorithm for wh... 1429 We study the superradiant evolution of a set... 1430 We introduce a selfconsistent multispecies k... 1431 In a recent paper it was claimed that any ho... 1432 Observational and theoretical arguments supp... 1433 We provide Lpversus Linftybounds for eigenfu... 1434 We consider a strongly interacting quantum d... 1435 The Cherenkov Telescope Array CTA is the nex... 1436 The increase in customer expectation in term... 1437 Although the cuspcore controversy for dwarf ... 1438 A is a bestfirst search algorithm for findin... 1439 Integrated waveguides exhibiting efficient s... 1440 In this paper we revisit the largescale cons... 1441 We study the key domain wall properties in s... 1442 This article improves the existing proven ra... 1443 We investigate the magnetic properties of th... 1444 The friendship paradox states that in a soci... 1445 Many stochastic optimization algorithms work... 1446 Robust reinforcement learning aims to produc... 1447 The central theme of this work is that a sta... 1448 We present NMR spectra of remotemagnetized d... 1449 Large datasets often have unreliable labelss... 1450 Modern networks are of huge sizes as well as... 1451 Continuous latent time series models are pre... 1452 We prove upper bounds on the Lp norms of eig... 1453 A key resource for distributed quantumenhanc... 1454 Most end devices are now equipped with multi... 1455 In this paper we show how the defense relati... 1456 While optimizing convex objective loss funct... 1457 A photodetector may be characterized by vari... 1458 All living systems can function only far awa... 1459 We numerically study jamming transitions in ... 1460 Survival analysis has been developed and app... 1461 The study of timevarying dynamic networks gr... 1462 We consider the multilabel ranking approach ... 1463 Waveparticle duality in quantum mechanics al... 1464 We prove a quantitative Fourth Moment Theore... 1465 Generative Adversarial Networks GANs have be... 1466 We show that the ladic realization functor i... 1467 Software startups face with multiple technic... 1468 We show that a generalized Dirac structure s... 1469 A generative model based on training deep ar... 1470 Single magnetic skyrmions are localized whir... 1471 We complement the theory developed in Preine... 1472 Effect modification means the magnitude or s... 1473 Many internet ventures rely on advertising f... 1474 Calculating the value of Ckininfty class of ... 1475 Let P and Q be two convex polytopes both con... 1476 Existence of steady states in elastic media ... 1477 The field of plasmabased particle accelerato... 1478 In this paper we propose a novel application... 1479 A clustering algorithm is applied to Cassini... 1480 We reexamine the notion of stress in peridyn... 1481 Successful humanrobot cooperation hinges on ... 1482 We present a prototype for a news search eng... 1483 Models of complex systems are widely used in... 1484 Color names based image representation is su... 1485 This PhD thesis is devoted to the lowenergy ... 1486 Phase transitions in isotropic quantum antif... 1487 From philosophers of ancient times to modern... 1488 Deep neural networks are increasingly being ... 1489 In this paper we develop new firstorder meth... 1490 Recent progress in variational inference has... 1491 The ADR algebra RA of a finitedimensional al... 1492 We study the structure of the mathfrakgKmodu... 1493 We study theoretically and experimentally th... 1494 It is shown that the nonrelativistic ground ... 1495 Traditional data cleaning identifies dirty d... 1496 Three complementary methods have been implem... 1497 The thermoregulation system in animals remov... 1498 We introduce a notion of Koszul Ainfinity al... 1499 By exploiting the property that the RBM logl... 1500 We consider a theory of a twocomponent Dirac... 1501 Pair Hidden Markov Models PHMMs are probabil... 1502 This study focuses on the formation of two m... 1503 In this paper prediction for linear systems ... 1504 We study ionic liquids composed alkylmethyli... 1505 Tick is a statistical learning library for P... 1506 We present a wellposedness and stability res... 1507 In this paper we consider the Graphical Lass... 1508 We prove that the orthogonal free quantum gr... 1509 We studied the temperature dependence of the... 1510 In this paper we will use the interior funct... 1511 Imagine that a malicious hacker is trying to... 1512 We consider the global consensus problem for... 1513 Let H subseteq K be two subgroups of a finit... 1514 This work proposes the variable exponent Leb... 1515 We present radio observations at GHz of lo... 1516 Deep neural networks DNNs have emerged as ke... 1517 In R Gompf defined a homotopy invariant the... 1518 We enumerate all circulant good matrices wit... 1519 Spectral mapping uses a deep neural network ... 1520 Gravitational wave astronomy has set in moti... 1521 We present a stochastic CA modelling approac... 1522 We give a bordered extension of involutive H... 1523 This comprehensive study of comet C O focuse... 1524 In this paper we investigate property testin... 1525 The CauchyRayleigh CR distribution has been ... 1526 In Paris Basin we evaluate how HTEM data com... 1527 The methods to access large relational datab... 1528 This paper proposes a novel adaptive algorit... 1529 The multiindexed orthogonal polynomials the ... 1530 We describe an approach to understand the pe... 1531 Locationbased augmented reality games have e... 1532 Most interesting proofs in mathematics conta... 1533 A near pristine atomic cooling halo close to... 1534 Graphs are commonly used to encode relations... 1535 Due to economic globalization each countrys ... 1536 In this work we compare different batch cons... 1537 In the DruryArveson space we consider the su... 1538 In this paper we present the results of a si... 1539 A new search strategy for the detection of t... 1540 We present an algorithm that computes the pr... 1541 We study the stochastic multiarmed bandit MA... 1542 The goal of unbounded program verification i... 1543 We present a simple proof of the fact that t... 1544 Modern multiscale type segmentation methods ... 1545 For the architecture community reasonable si... 1546 Neighborhood regression has been a successfu... 1547 Pseudorandom sequences with good statistical... 1548 A bilevel hierarchical clustering model is c... 1549 Generalized Lambdasemiflows are an abstracti... 1550 We consider variants of trustregion and cubi... 1551 We analyze the space of differentiable funct... 1552 Bangla handwriting recognition is becoming a... 1553 In this article we continue the study of the... 1554 In recent years MEMS inertial sensors D acce... 1555 In classical mechanics a nonrelativistic par... 1556 A new Bayesian framework is presented that c... 1557 Molecular interactions have widely been mode... 1558 If accreting white dwarfs WD in binary syste... 1559 If the facecycles at all the vertices in a m... 1560 We consider the dynamics of porous icy dust ... 1561 Urbach tails in semiconductors are often ass... 1562 Recent work has provided ample evidence that... 1563 Shrinkage estimation usually reduces varianc... 1564 Continuous integration CI tools integrate co... 1565 Amyloid precursor with amino acids dimerize... 1566 An everimportant issue is protecting infrast... 1567 In this paper we introduce a method for adap... 1568 The over threshold carbonloadings at of ini... 1569 Several theorems on the volume computing of ... 1570 Organic material in anoxic sediment represen... 1571 With the recent development of highend LiDAR... 1572 Motivated by the proposal of topological qua... 1573 A graph is said to be welldominated if all i... 1574 We describe here the latest results of calcu... 1575 Affiliation network is one kind of twomode s... 1576 We analyze the running time of the SaukasSon... 1577 Agentbased Internet of Things IoT applicatio... 1578 In this study we introduce a new approach to... 1579 The paper is concerned with an inbody system... 1580 We present FLASH textbfFast textbfLSH textbf... 1581 We propose a new neural sequence model train... 1582 Deep neural networks NN are extensively used... 1583 Projection theorems of divergences enable us... 1584 Advanced persistent threats APTs are stealth... 1585 In an influential recent paper Harvey et al ... 1586 Analyzing available FAO data from countries... 1587 Debate and deliberation play essential roles... 1588 Modelling gene regulatory networks not only ... 1589 As David Berlinski writes the existence and... 1590 Technology is an extremely potent tool that ... 1591 The central aim in this paper is to address ... 1592 Assessment of the motor activity of grouphou... 1593 The origin of ultrahighenergy cosmic rays UH... 1594 It is widely recognized that citation counts... 1595 Since their inception in the s regression tr... 1596 Oral Disintegrating Tablets ODTs is a novel ... 1597 Calcium imaging has emerged as a workhorse m... 1598 Fieldaligned currents in the Earths magnetot... 1599 Theoretical predictions of pressureinduced p... 1600 We derive the uniqueness of weak solutions t... 1601 The main task in oil and gas exploration is ... 1602 We tackle the problem of template estimation... 1603 Highindex dielectric nanoparticles have beco... 1604 We propose a bioinspired agentbased approach... 1605 Consider the linear congruence equation xldo... 1606 Bismuth substituted lutetium iron garnet BLI... 1607 We present a new variable selection method b... 1608 A semicalssical method based on surfacehoppi... 1609 Random tensor networks provide useful models... 1610 Persistent spread measurement is to count th... 1611 In the last few years an extensive literatur... 1612 The optical emission of InGaN quantum dots e... 1613 We propose a novel computational method to e... 1614 Membership Inference Attack MIA determines t... 1615 We identify Se III micron in the planetary ... 1616 In this paper locally Lipschitz regular func... 1617 This thesis investigates unsupervised time s... 1618 In this work we aim at building a bridge fro... 1619 The purpose this article is to try to unders... 1620 This article concerns a class of elliptic eq... 1621 In this paper we represent Raptor codes as m... 1622 The package cleanNLP provides a set of fast ... 1623 We propose a modified expectationmaximizatio... 1624 We report point contact Andreev Reflection P... 1625 Doubly occupied configuration interaction DO... 1626 We first investigate the evolution of openin... 1627 We present measurements of the hyperfine spl... 1628 We address the issue of limit cycling behavi... 1629 In the field of cold atom inertial sensors w... 1630 We study statistical models for onedimension... 1631 Meaningful topological invariants for mixed ... 1632 Deep learning DL advances stateoftheart rein... 1633 A space GM varPhi of infinitely differentiab... 1634 An accurate description of spatial variation... 1635 We study the influence of degree correlation... 1636 Multisource transfer learning has been prove... 1637 We show that blackhole HighMass Xray Binarie... 1638 We study syzygies of maximal CohenMacaulay m... 1639 Chirality in shape and motility can evolve r... 1640 We propose a simple algorithm to train stoch... 1641 This note proposes a simple and general fram... 1642 We investigate the emergence of cal N supers... 1643 Adaptive gradient methods have become recent... 1644 We study connections between Dykstras algori... 1645 Techniques from higher categories and higher... 1646 We introduce dynamic nested sampling a gener... 1647 Multistage design has been used in a wide ra... 1648 We investigate powerspace constructions on t... 1649 A numerical method is presented which conven... 1650 We prove neartight concentration of measure ... 1651 This paper proposes an exploration method fo... 1652 In this paper based on the framework of trad... 1653 We propose a method to solve the initial val... 1654 Quantum confinement and interference often g... 1655 The gamma distribution arises frequently in ... 1656 In this paper we present two algorithms base... 1657 We address the problem of a lightly doped sp... 1658 Nonconvex optimization problems arise in dif... 1659 This paper considers the problem of phase re... 1660 Inverse problems in statistical physics are ... 1661 We propose a novel mechanism which explains ... 1662 Recommender systems have been successfully a... 1663 We prove a lower bound of Omeganlog n on the... 1664 We introduce the concept of saturated absorp... 1665 In this work we investigate the combined inf... 1666 We report the observation of magnetic domain... 1667 Phylogenetic networks are becoming of increa... 1668 In this paper we prove the shorttime existen... 1669 We identify a tradeoff between robustness an... 1670 The DArk Matter Particle Explorer DAMPE is o... 1671 Representation learning is a fundamental but... 1672 We address in this paper the problem of modi... 1673 Marginbased classifiers have been popular in... 1674 Let k be a nonperfect separably closed field... 1675 In a general linear model this paper derives... 1676 In this article we construct three explicit ... 1677 We demonstrate the use of semantic object de... 1678 There have been numerous breakthroughs with ... 1679 One of the primary questions when characteri... 1680 With everincreasing productivity targets in ... 1681 Laman graphs model planar frameworks that ar... 1682 We demonstrate an InAlNGaNonSi HEMT based UV... 1683 This paper is the first attempt to learn the... 1684 The problem of Times Arrow is rigorously sol... 1685 Phone sensors could be useful in assessing c... 1686 In view of recent intense experimental and t... 1687 When measuring quadratic values representati... 1688 How does our motor system solve the problem ... 1689 OeljeklausToma OT manifolds are complex nonK... 1690 We investigate different strategies for acti... 1691 We study a possible connection between diffe... 1692 We show that the partial transposes of compl... 1693 The technique for constructing conformally i... 1694 A wellknown result says that the Euclidean u... 1695 Multiple imputation MI inference handles mis... 1696 Given samples from a distribution how many n... 1697 We construct new continued fraction expansio... 1698 The convolution of galaxy images by the poin... 1699 Given a traveling salesman problem TSP tour ... 1700 In many modern machine learning applications... 1701 Kuniba Okado Takagi and Yamada have found th... 1702 Scientists and engineers commonly use simula... 1703 Reinforcement Learning is gaining attention ... 1704 Nonreversible Markov chain Monte Carlo schem... 1705 These are lecture notes for the course MATS ... 1706 Recent studies show that widely used deep ne... 1707 We prove that the arrow category of a monoid... 1708 Given a suitable ordering of the positive ro... 1709 This paper consists of two parts The first p... 1710 As online fraudsters invest more resources i... 1711 We provide new approximation guarantees for ... 1712 The topology of a power grid affects its dyn... 1713 We present Wasserstein introspective neural ... 1714 Let Omega be an unbounded domain in mathbbRt... 1715 We introduce new skein invariants of links b... 1716 Big data streaming applications require util... 1717 The interest in higher derivatives field the... 1718 In this work we study the spin Hall effect a... 1719 This paper explores the application of Koopm... 1720 Turbulence is a challenging feature common t... 1721 In the setting of nonparametric regression w... 1722 In this work we present theoretical results ... 1723 Certain sufficient homological and ringtheor... 1724 Let G be an undirected graph An edge of G do... 1725 HeckeHopf algebras were defined by A Berenst... 1726 Lengthmatching is an important technique to ... 1727 The yeast Saccharomyces cerevisiae is one of... 1728 Advances in deep generative networks have le... 1729 A number of recent papers have provided evid... 1730 We examine the nature possible orbits and ph... 1731 In the present note we study certain arrange... 1732 We investigate the problem of inferring the ... 1733 In state space models smoothing refers to th... 1734 Nonlinear dynamics of the free surface of an... 1735 Given n vectors mathbfxiin mathbbRd we want ... 1736 While being of persistent interest for the i... 1737 We define outliers as a set of observations ... 1738 We propose a DC proximal Newton algorithm fo... 1739 In reinforcement learning agents learn by pe... 1740 Network integration studies try to assess th... 1741 We report ALMA Cycle observations of GHz ... 1742 The astonishing success of AlphaGo ZerociteS... 1743 Electrondoped EuFeRhAs has been systematical... 1744 Chapter in HighLuminosity Large Hadron Coll... 1745 It is shown that the relativistic quantum me... 1746 A new type of absorbing boundary conditions ... 1747 This paper deals with the homotopy theory of... 1748 We consider the nonlinear Kalman filtering p... 1749 We prove that if X X is a threefold terminal... 1750 The Helioseismic and Magnetic Imager HMI pro... 1751 In contact with a superconductor a normal me... 1752 Functional data analysis is typically conduc... 1753 In this work we explore a straightforward va... 1754 Galaxy crosscorrelations with highfidelity r... 1755 We initiate the study of the completely boun... 1756 Blackbox risk scoring models permeate our li... 1757 To improve the efficiency of elderly assessm... 1758 We present a GPUaccelerated version of a hig... 1759 The Auger Engineering Radio Array AERA aims ... 1760 Painting is an art form that has long functi... 1761 Glassy dynamics is intermittent as particles... 1762 Hidden Markov model based various phoneme re... 1763 In this paper we prove that the arithmetic a... 1764 In this chapter we analyze the multiple ioni... 1765 In this paper we reconsider a circular cylin... 1766 This paper considers the problem of switchin... 1767 As more aspects of social interaction are di... 1768 We report the application of femtosecond fou... 1769 We introduce computable actions of computabl... 1770 Programming is a valuable skill in the labor... 1771 We express two CR invariant surface area ele... 1772 In this article we address the general appro... 1773 We show that every Hminorfree graph has a li... 1774 Generative Adversarial Networks GANs have ga... 1775 We present the first good evidence for exoco... 1776 We analyze the charge and spin response func... 1777 We introduce and study a notion of canonical... 1778 As the number of Internet of Things IoT devi... 1779 PARAFAC has demonstrated success in modeling... 1780 We model the intracluster medium as a weakly... 1781 An event structure is a mathematical abstrac... 1782 Many realworld networks are known to exhibit... 1783 We study interacting Majorana fermions in tw... 1784 We present a new class of polynomialtime alg... 1785 PTsymmetry in optics is a condition whereby ... 1786 Single phase uniform size nm Cobalt Ferrite... 1787 The MidInfrared Instrument MIRI for the em J... 1788 This paper describes an Open Source Software... 1789 This paper is concerned with qualitative pro... 1790 We have developed an Electron Tracking Compt... 1791 Using largescale simulations based on matrix... 1792 it Ellsberg thought experiments and empirica... 1793 Event learning is one of the most important ... 1794 Review of the third edition of Interferometr... 1795 Data augmentation a technique in which a tra... 1796 Transition metal oxides are well known for t... 1797 An important problem in training deep networ... 1798 Recent large cancer studies have measured so... 1799 The paper introduces Laplacetype operators f... 1800 Private record linkage PRL is the problem of... 1801 Despite the recent popularity of deep genera... 1802 We consider the optimal coverage problem whe... 1803 A novel and scalable geometric multilevel al... 1804 Recently the kinduction algorithm has proven... 1805 Gaussian process GP regression has been wide... 1806 Using movement primitive libraries is an eff... 1807 Radio astronomy observational facilities are... 1808 Data quality of Phasor Measurement Unit PMU ... 1809 We provide a detailed and fully rigorous der... 1810 We address the controversy over the proximit... 1811 This paper presents a novel method for struc... 1812 We propose to introduce the concept of excep... 1813 In this paper we consider a location model o... 1814 We show that the Poisson centre of truncated... 1815 Motivated by the question of whether the rec... 1816 Recent years have seen growing interest in t... 1817 The metaltometal clearances of a steam turbi... 1818 Summary statistics of genomewide association... 1819 Biological networks are a very convenient mo... 1820 Bytewise approximate matching algorithms hav... 1821 GANDALF is a new hydrodynamics and Nbody dyn... 1822 We consider BoltzmannGibbs measures associat... 1823 The design of good heuristics or approximati... 1824 This paper studies the optimal extraction po... 1825 Scattering for the masscritical fractional S... 1826 Developer preferences language capabilities ... 1827 The demand for single photon sources at lamb... 1828 As enjoying the closed form solution least s... 1829 We consider the networked multiagent reinfor... 1830 Noninteractive Local Differential Privacy LD... 1831 Statistical learning relies upon data sample... 1832 This work is a technical approach to modelin... 1833 Despite intense interest in realizing topolo... 1834 We examine topological solitons in a minimal... 1835 Plasma wakefield acceleration is one of the ... 1836 We obtain a rigorous upper bound on the resi... 1837 This paper introduces and addresses a wide c... 1838 While modern day web applications aim to cre... 1839 We discuss the relative merits of optimistic... 1840 Size weight and power constrained platforms ... 1841 We consider fourdimensional gravity coupled ... 1842 We show the hardness of the geodetic hull nu... 1843 Using etale cohomology we define a birationa... 1844 We propose novel semisupervised and active l... 1845 We consider the problem of recovering a func... 1846 Automatic conflict detection has grown in re... 1847 Assuming a conjecture about factorization ho... 1848 We discover a population of shortperiod Nept... 1849 Describing the dimension reduction DR techni... 1850 Many practical problems are characterized by... 1851 Summarization of long sequences into a conci... 1852 A first order theory T is said to be tight i... 1853 We investigate the accuracy and robustness o... 1854 During software maintenance developers usual... 1855 The use of computers in statistical physics ... 1856 We consider a helical system of fermions wit... 1857 We study correlations in fermionic lattice s... 1858 We present an integrated microsimulation fra... 1859 Stochastic optimization naturally arises in ... 1860 We consider a variation on the problem of pr... 1861 Subsequence clustering of multivariate time ... 1862 In this paper we consider a nonlocal energy ... 1863 Recently the advancement in industrial autom... 1864 We present an approach to testing the gravit... 1865 We present a novel approach to fast onthefly... 1866 We consider the potential for positioning wi... 1867 In this expository work we discuss the asymp... 1868 Artificial Spin Ice ASI consisting of a two ... 1869 Since the events of the Arab Spring there ha... 1870 We initiate the algorithmic study of the fol... 1871 We derive a semianalytic formula for the tra... 1872 Recurrent Neural Networks RNNs are used in s... 1873 With any not necessarily proper edge kcolour... 1874 The celebrated NadarayaWatson kernel estimat... 1875 We consider the problem of bandit optimizati... 1876 We theoretically study a scheme to develop a... 1877 The Kalman Filter has been called one of the... 1878 We present a new method for the separation o... 1879 GC and GC are two globular clusters GCs in t... 1880 We present a method to generate renewable sc... 1881 Many social and economic systems are natural... 1882 In this article Hopf parametric adjunctions ... 1883 Solving symmetric positive definite linear p... 1884 Despite remarkable achievements in its pract... 1885 These notes aim at presenting an overview of... 1886 Extracting useful entities and attribute val... 1887 This tutorial provides a gentle introduction... 1888 Statelevel minimum Bayes risk sMBR training ... 1889 The increasing illegal parking has become mo... 1890 We discuss some extensions of results from t... 1891 We tightly analyze the sample complexity of ... 1892 We propose a novel approach to address the S... 1893 This paper introduces the combinatorial Bool... 1894 On September Hurricane Irma made landfall ... 1895 Human behavioural patterns exhibit selfish o... 1896 We study the special central configurations ... 1897 Following the selection of The Gravitational... 1898 Empirical Bayes is a versatile approach to l... 1899 Techniques for reducing the variance of grad... 1900 Binary mixtures of dry grains avalanching do... 1901 Given a set of n points P in the plane the f... 1902 This paper mainly focus on the frontlike ent... 1903 In this paper we classify the fundamental so... 1904 To predict the final result of an athlete in... 1905 Nowadays multiprocessing is mainstream with ... 1906 We study the dynamics of an isotropic spin H... 1907 Erasure codes play an important role in stor... 1908 Machine learning libraries such as TensorFlo... 1909 We devise a new high order local absorbing b... 1910 We describe some necessary conditions for th... 1911 We introduce two new bootstraps for exchange... 1912 In this paper we shall prove that any subset... 1913 We present textttBHM a tool for restoring a ... 1914 We develop a general polynomial chaos gPC ba... 1915 We study the seasonal evolution of Titans lo... 1916 Multiagent approach has become popular in co... 1917 We present an introductory survey to first o... 1918 The PercusYevick theory for monodisperse har... 1919 We test the mathbbCPN sigma models for the P... 1920 In the framework of matrix valued observable... 1921 Evaluating generative adversarial networks G... 1922 The intersecting pedestrian flow on the D la... 1923 LiOsO is the first example of a new class of... 1924 Convolutional neural networks CNNs are the c... 1925 Retrieving the most similar objects in a lar... 1926 Let A be a finite dimensional real algebra w... 1927 In this paper we first discuss the relation ... 1928 We consider a Josephson junction consisting ... 1929 Rashba spin orbit coupling in topological in... 1930 A Floquet systems is a periodically driven q... 1931 This paper maps out the relation between dif... 1932 In this work we consider diffusionbased mole... 1933 We define variable parameter analogues of th... 1934 We study the problem of estimating finite sa... 1935 Extremescale computational science increasin... 1936 Uranium beryllium is a heavy fermion system ... 1937 In this article we study the behavior as p n... 1938 We show that a finite unitary group which ha... 1939 Multivariate time series MTS have become inc... 1940 For parabolic equations of the form fracpar... 1941 Many radiological studies can reveal the pre... 1942 We provide a complete classification of all ... 1943 We revisit the study of the phenomenology as... 1944 Consider the following asynchronous opportun... 1945 We give a fully polynomialtime randomized ap... 1946 Sparse coding is a crucial subroutine in alg... 1947 Reducedrank regression is a dimensionality r... 1948 We find asymptotic formulas for error probab... 1949 The visual focus of attention VFOA has been ... 1950 We introduce the fullydynamic conflictfree c... 1951 A systematic experimental study of Gilbert d... 1952 Learning to detect fraud in largescale accou... 1953 We consider a problem of learning a binary c... 1954 We show in the case of a special dipolar sou... 1955 We propose a novel randomized linear program... 1956 This report summarizes the discussions open ... 1957 Statisticians increasingly face the problem ... 1958 A locally repairable code with availability ... 1959 We present a general form of Renormalization... 1960 We study duality spectral sequences for Weie... 1961 In this short communication we study a fluid... 1962 We introduce the class of affine forward var... 1963 The free loops space Lambda X of a space X h... 1964 Cosmic ray muons with the average energy of ... 1965 A number of microorganisms leave persistent ... 1966 In the present paper we study the existence ... 1967 We show that there exist complete and minima... 1968 In this paper we describe a new Las Vegas al... 1969 These are lecture notes for a short course a... 1970 When two identical coherent beams are inject... 1971 We prove a Structure Identity Principle for ... 1972 In recent years constrained optimization has... 1973 We study how small a local set of the contin... 1974 In a prediction market individuals can seque... 1975 Several dihedral angles prediction methods w... 1976 A simple recurrence relation for the even or... 1977 A long range corrected range separated hybri... 1978 Deep networks often perform well on the data... 1979 In spite of the close connection between the... 1980 The Sagnac effect has been shown in inertial... 1981 Anisotropic displacement parameters ADPs are... 1982 Robotic motion planning problems are typical... 1983 In this article we consider hook removal ope... 1984 In the present paper we consider modal propo... 1985 Neural network NN model chemistries MCs prom... 1986 Automated service classification plays a cru... 1987 We study the photoinduced breakdown of a two... 1988 We draw a formal connection between using sy... 1989 Learning and memory are intertwined in our b... 1990 The nonlinear response of entangled polymers... 1991 We demonstrate the generation of higherorder... 1992 Magnetic trilayers having large perpendicula... 1993 Grain boundary diffusion in severely deforme... 1994 The quantum SchrodingerNewton equation is so... 1995 We consider learning a predictor which is no... 1996 Many brown dwarfs exhibit photometric variab... 1997 Traveling fronts describe the transition bet... 1998 We propose an original concept of compressiv... 1999 Advantages of electric vehicles EV include r... 2000 Interactive Music Systems IMS have introduce... 2001 We study the relationship between informatio... 2002 How do regions acquire the knowledge they ne... 2003 We analyze the problem of learning a single ... 2004 It is widely observed that deep learning mod... 2005 Artifical Neural Networks are a particular c... 2006 Macquarie Universitys contribution to the Bi... 2007 Internetofthings IoT architectures connectin... 2008 We report T diffusion Monte Carlo results fo... 2009 We prove that that the number p of positive ... 2010 Motivated by the study of collapsing CalabiY... 2011 When it comes to searches for extensions to ... 2012 This paper presents the design of a nonlinea... 2013 Probabilistic representations of movement pr... 2014 Access to the transverse spin of light has u... 2015 In survival studies classical inferences for... 2016 We present a strongly interacting quadruple ... 2017 We develop the notion of higher Cheeger cons... 2018 Petri nets are an established graphical form... 2019 We consider the problem of low canonical pol... 2020 We introduce a statistical method to investi... 2021 We study a new model of interactive particle... 2022 We present pricing mechanisms for several on... 2023 CaseBased Reasoning CBR has been widely used... 2024 In this paper we present a new method for de... 2025 The CALICE collaboration is developing highl... 2026 Hamiltonian Monte Carlo has emerged as a sta... 2027 In this paper we derive the pointwise upper ... 2028 For simulating large networks of neurons Hin... 2029 This paper describes our submission to the ... 2030 Recently decentralised onblockchain platform... 2031 We demonstrate electromechanical control of ... 2032 People speak at different levels of specific... 2033 We prove that the meet level m of the Trotte... 2034 Aboria is a powerful and flexible C library ... 2035 In classical mechanics wellknown cryptograph... 2036 Autoencoders have been successful in learnin... 2037 We consider a large market model of defaulta... 2038 Lifeexpectancy is a complex outcome driven b... 2039 Recent several years have witnessed the surg... 2040 We define some new invariants for manifolds ... 2041 In this paper we propose an image encryption... 2042 The recently developed bagofpaths framework ... 2043 Recent advances in analysis of subband ampli... 2044 We study the Vladimirov fractional different... 2045 We propose positionvelocity encoders PVEs wh... 2046 Convolutional neural networks CNNs are one o... 2047 Linear regression models contaminated by Gau... 2048 This paper addresses the problem of depth es... 2049 One of the fundamental results in computabil... 2050 Research on mobile collocated interactions h... 2051 Instrumental variable IV methods are widely ... 2052 We prove that the length function for perver... 2053 Deep neural networks are commonly developed ... 2054 We show that the expected size of the maximu... 2055 A systematic firstprinciples study has been ... 2056 Answering a question of the second listed au... 2057 Statistical relational AI StarAI aims at rea... 2058 Gravitinos are a fundamental prediction of s... 2059 We study networks of human decisionmakers wh... 2060 Membrane proteins constitute a large portion... 2061 We present spectroscopic redshifts of SmJy s... 2062 The paper treats several aspects of the trun... 2063 Let Omega be a pseudoconvex domain in mathbb... 2064 In observational studies and sample surveys ... 2065 Recent studies have shown that framelevel de... 2066 Collective urban mobility embodies the resid... 2067 We investigate the macroeconomic consequence... 2068 Convolutional Neural Networks CNNs are widel... 2069 Neurofeedback is a form of brain training in... 2070 Image and video analysis is often a crucial ... 2071 We give a survey of recent results on weakst... 2072 Accurate diagnosis of Alzheimers Disease AD ... 2073 We introduce a novel approach for training a... 2074 The potential for machine learning ML system... 2075 The prospect of pileup induced backgrounds a... 2076 We report the first result on Ge neutrinoles... 2077 Keywords are important for information retri... 2078 Free space optical communication techniques ... 2079 This work focuses on the question of how ide... 2080 We develop theory for nonlinear dimensionali... 2081 Hashing has been widely used for largescale ... 2082 Based upon the idea that network functionali... 2083 In this paper we use Gaussian Process GP reg... 2084 We propose a new method to evaluate GANs nam... 2085 We use superconducting rings with asymmetric... 2086 Human societies around the world interact wi... 2087 This paper presents a proposal story of how ... 2088 We define a symmetric monoidal category with... 2089 Permutation codes in the form of rank modula... 2090 Dembowska a large bright mainbelt asteroid ... 2091 We propose CM a new deep reinforcement learn... 2092 This work addresses the problem of robust at... 2093 With its origin in sociology Social Network ... 2094 Accounting fraud is a global concern represe... 2095 Gaussian processes GPs are a good choice for... 2096 The complex electric modulus and the ac cond... 2097 Uniform convergence rates are provided for a... 2098 Predicting Arctic sea ice extent is a notori... 2099 Plasmids are autonomously replicating geneti... 2100 Distributional approximations of bi linear f... 2101 We introduce a criterion resilience which al... 2102 Space out of a topological defect of the Abr... 2103 An accurate assessment of the risk of extrem... 2104 We answer the question to what extent homoto... 2105 We formulate part I of a rigorous theory of ... 2106 A promising research area that has recently ... 2107 We use Monte Carlo simulations to explore th... 2108 With recent developments in remote sensing t... 2109 We consider the reproducing kernel function ... 2110 In this paper we consider a concentration of... 2111 JPEG is one of the most widely used image fo... 2112 We study the problems of clustering with out... 2113 Realvalued word representations have transfo... 2114 Contemporary software documentation is as co... 2115 In an mathsfLembedding of a graph each verte... 2116 We develop a novel family of algorithms for ... 2117 Objective We investigate whether deep learni... 2118 This paper is concerned with finite sample a... 2119 All previous experiments in open turbulent f... 2120 We propose a method inspired from discrete l... 2121 Phylogenetic networks generalise phylogeneti... 2122 Bibliometric indicators citation counts ando... 2123 Unprecedented human mobility has driven the ... 2124 Flexibility in shape and scale of Burr XII d... 2125 Argo floats measure seawater temperature and... 2126 Theories of knowledge reuse posit two distin... 2127 We consider the problem of matching applican... 2128 One of the most challenging problems in tech... 2129 In this paper we study the ideal variable ba... 2130 The increase of vehicle in highways may caus... 2131 For VSLAM Visual Simultaneous Localization a... 2132 Dielectronic recombination DR is the dominan... 2133 Structural nested mean models SNMMs are amon... 2134 We develop a reinforcement learning based se... 2135 A nonparametric fuel consumption model is de... 2136 A vast majority of computation in the brain ... 2137 Winds from the NorthWest quadrant and lack o... 2138 We study randomly initialized residual netwo... 2139 We obtain a structure theorem for the group ... 2140 The vision systems of the eagle and the snak... 2141 I present a web service for querying an embe... 2142 We describe MELEE a metalearning algorithm f... 2143 We present a manybody theory that explains a... 2144 The potential of an efficient ridesharing sc... 2145 Pillared Graphene Frameworks are a novel cla... 2146 Recent progress in computer vision has been ... 2147 We prove that for every n in mathbbN and del... 2148 We theoretically address spin chain analogs ... 2149 Motivated by applications in biological scie... 2150 Motivated by applications that arise in onli... 2151 PBW degenerations are a particularly nice fa... 2152 This paper is concerned with the problem of ... 2153 Weyl semimetals WSMs have recently attracted... 2154 We analyze performance of a class of timedel... 2155 We explore the problem of intersection class... 2156 We study the Liouville heat kernel in the L ... 2157 Isoperimetric inequalities form a very intui... 2158 This chapter revisits the concept of excitab... 2159 We give the first examples of closed Laplaci... 2160 The Markoff group of transformations is a gr... 2161 Consider a spin manifold M equipped with a l... 2162 Participatory budgeting is one of the exciti... 2163 This paper presents the first estimate of th... 2164 We give a simple proof of a standard zerofre... 2165 Binary stars can interact via mass transfer ... 2166 This paper deals with skew ruled surfaces in... 2167 Ultrafast Xray imaging provides high resolut... 2168 We decompose returns for portfolios of botto... 2169 Nearly all autonomous robotic systems use so... 2170 For years recursive neural networks RvNNs ha... 2171 Consider the NavierStokes flow in dimensiona... 2172 Metabolic fluxes in cells are governed by ph... 2173 Archetypal analysis is a type of factor anal... 2174 A function from Baire space to the natural n... 2175 We consider the problem of universal joint c... 2176 We consider a general relation between fixed... 2177 The redundancy for universal lossless compre... 2178 In deep learning performance is strongly aff... 2179 We propose ultranarrow dynamical control of ... 2180 Bryant Horsley Maenhaut and Smith recently g... 2181 Modern statistical inference tasks often req... 2182 Passive Kerr cavities driven by coherent las... 2183 We present a framework that connects three i... 2184 Previous studies have demonstrated the empir... 2185 The bound to factor large integers is domina... 2186 The increasing uptake of residential batteri... 2187 The evolution of cellular technologies towar... 2188 Training deep neural networks with Stochasti... 2189 We report the design fabrication and charact... 2190 We investigate spatial evolutionary games wi... 2191 We provide the first analysis of a nontrivia... 2192 This paper proposes a detailed optimal sched... 2193 Justification Awareness Models JAMs were pro... 2194 The splendid success of convolutional neural... 2195 Thomassen conjectured that trianglefree plan... 2196 This paper presents a continuoustime equilib... 2197 The brain can display selfsustained activity... 2198 Several important applications such as strea... 2199 Heavytailed errors impair the accuracy of th... 2200 In this paper we analyse the benefits of inc... 2201 Neutron beam monitors with high efficiency l... 2202 Previous studies have shown the filamentary ... 2203 Pandeia is the exposure time calculator ETC ... 2204 A basic combinatorial invariant of a convex ... 2205 Recently the integration of geographical coo... 2206 Fitchstyle modal deduction in which modaliti... 2207 Recently the first installment of data from ... 2208 We consider randomly distributed mixtures of... 2209 In this paper we propose a general framework... 2210 This paper will cover several studies and de... 2211 We consider multidimensional optimization pr... 2212 A graph is a powerful concept for representa... 2213 This paper considers the assignment of multi... 2214 Cyclic codes have efficient encoding and dec... 2215 We prove that indecomposable Sigmapureinject... 2216 We present a novel continuous optimization m... 2217 We provide a microeconomic framework for dec... 2218 In recent years Deep Reinforcement Learning ... 2219 We consider the problem of identifying any k... 2220 Recommender systems RS help users navigate l... 2221 We develop a new technique based on Steins m... 2222 In this paper we propose a novel and elegant... 2223 The literature on Inverse Reinforcement Lear... 2224 In recent work it was shown how recursive fa... 2225 This paper seeks to combine differential gam... 2226 We introduce the notion of the depth of a fi... 2227 Cosmic rays originating from extraterrestria... 2228 Our aim in this paper is to establish some s... 2229 This paper develops theory for feasible esti... 2230 Generating realistic artificial preference d... 2231 Let MOmega be a closed dimensional manifold ... 2232 Deep learning methods have recently achieved... 2233 Point clouds provide a flexible and natural ... 2234 A new challenge for learning algorithms in c... 2235 The study of the restricted isometry propert... 2236 We propose new positive definite kernels for... 2237 We study a connection between synchronizing ... 2238 The quest for performant networks has been a... 2239 We analyze the loss landscape and expressive... 2240 We formulated and implemented a procedure to... 2241 Let G be a quasisimple algebraic group defin... 2242 Let fn rightarrow be a Boolean function The... 2243 Oshimas Lemma describes the orbits of parabo... 2244 In humanintheloop machine learning the user ... 2245 We employ the exponentially improved asympto... 2246 In data summarization we want to choose k pr... 2247 The brms package allows R users to easily sp... 2248 In this paper we prove the characterization ... 2249 Anomalies in the abundance measurements of s... 2250 We establish a geometric condition guarantee... 2251 This paper proposes a family of weighted bat... 2252 Gradientbased optimization is the foundation... 2253 Dirichlet process mixture models DPMM are a ... 2254 We study the existence and uniqueness of min... 2255 We study the stationary photon output and st... 2256 Many applied settings in empirical economics... 2257 Periodograms are used as a key significance ... 2258 In this work we consider the problem of pred... 2259 In this paper we present the state of the ar... 2260 Link discovery is an active field of researc... 2261 The minimum kenclosing ball problem seeks th... 2262 Dependency parses are an effective way to in... 2263 The motion of a mechanical system can be def... 2264 We give a polynomialtime algorithm for learn... 2265 Machine learning techniques have been used i... 2266 The main properties of the climate of waves ... 2267 Estimating covariances between financial ass... 2268 We present a thorough analysis of the interp... 2269 Android has been the most popular smartphone... 2270 This paper presents a framework for the impl... 2271 Motivated by the intriguing behavior display... 2272 We present a software tool that employs stat... 2273 Knowledge graph embedding aims at translatin... 2274 I present a simple phenomenological model fo... 2275 Convolutional neural networks CNNs have beco... 2276 The positive impacts of platooning on travel... 2277 This paper studies the role of dgLie algebro... 2278 This paper presents a novel method to reduce... 2279 Artificial ice systems have unique physical ... 2280 Nodeperturbation learning is a type of stati... 2281 Recently Sbmetric spaces have been introduce... 2282 Designing decentralized policies for wireles... 2283 In this paper we propose and analyze a finit... 2284 This paper investigates power control and re... 2285 We introduce and study ternary fdistributive... 2286 The important unsolved problem in theory of ... 2287 In this work we study the impact of chromati... 2288 Anisotropy describes the directional depende... 2289 Logistic linear mixed model is widely used i... 2290 We prove that any nonadaptive algorithm that... 2291 Language understanding is a key component in... 2292 A novel delaybased spacing policy for the co... 2293 The Reidemeister number of an endomorphism o... 2294 In this paper we propose a framework for cro... 2295 Many important problems can be modeled as a ... 2296 A functional version of the Kato oneparametr... 2297 Recent breakthroughs in computer vision and ... 2298 Objective To evaluate unsupervised clusterin... 2299 We report structural optical temperature and... 2300 Let Xrightarrow mathbb P be an elliptically ... 2301 In this paper we propose the use of quantum ... 2302 We present a visiononly model for gaming AI ... 2303 Several kinds of differential relations for ... 2304 This paper studies holomorphic semicocycles ... 2305 In this work we plan to develop a system to ... 2306 The emergence of intellectual property as an... 2307 In this paper we consider the cubic fourthor... 2308 In this thesis we study the problem of featu... 2309 We introduce new boundary integral operators... 2310 Granular materials are complex multiparticle... 2311 In the stochastic matching problem we are gi... 2312 The prevention of domestic violence DV have ... 2313 In this paper we show how to attain the capa... 2314 Avionics is one kind of domain where prevent... 2315 Recent research has revealed that the output... 2316 We investigate of a special dam optimal loca... 2317 Protondriven plasma wakefield acceleration h... 2318 Convolutional Neural Networks have been a su... 2319 This paper is the first work to perform spat... 2320 This paper studies the structure of a parabo... 2321 In this paper we generally formulate the dyn... 2322 Graphs are an important tool to model data i... 2323 Context In the past decade sensitive resolve... 2324 DisjointSet forests consisting of UnionFind ... 2325 In this paper we study the problem of explor... 2326 The present paper shows that warped Riemanni... 2327 We look at stochastic optimization problems ... 2328 We study the single machine scheduling probl... 2329 Rural building mapping is paramount to suppo... 2330 The problem of suppressing the scattering fr... 2331 The accurate and robust simulation of transc... 2332 Given a substitution tiling T of the plane w... 2333 The detection of molecular species in the at... 2334 I discuss several issues related to classica... 2335 We study the convergence of the parameter fa... 2336 For stationary homogeneous Markov processes ... 2337 We consider smooth complex quasiprojective v... 2338 We describe a list of open problems in rando... 2339 We proposed a semiparametric estimation proc... 2340 The spectra of starforming or HII regions i... 2341 The problem of outputonly parameter identifi... 2342 Over half a million individuals are diagnose... 2343 We consider the problem of detecting a few t... 2344 A number of imageprocessing problems can be ... 2345 An adversarial example is an example that ha... 2346 We propose a homotopy continuation method ca... 2347 User participation is considered an effectiv... 2348 In this article we consider the equivariant ... 2349 A collection of arbitrarilyshaped solid obje... 2350 A reinforcement learning agent tries to maxi... 2351 The structure composition and electrophysica... 2352 This work describes the development of a hig... 2353 The upcoming Fermilab E experiment will meas... 2354 In their previous work S Koenig S Ovsienko a... 2355 Telecom companies are severely damaged by by... 2356 It is observed that many thin superconductin... 2357 The goal of scenario reduction is to approxi... 2358 The relationship of scientific knowledge dev... 2359 The learning of mixture models can be viewed... 2360 Resolving abstract anaphora is an important ... 2361 We present an effective harmonic density int... 2362 Many problems in computer vision and recomme... 2363 Classical novae show a rapid rise in optical... 2364 In this work we compare the thermophysical p... 2365 Recovering lowrank structures via eigenvecto... 2366 We present the use of the fitted Q iteration... 2367 Finite rank median spaces are a simultaneous... 2368 Explaining underlying causes or effects abou... 2369 We propose a type system for reasoning on pr... 2370 A homomorphism from a graph G to a graph H i... 2371 We consider the spatially homogeneous Boltzm... 2372 Materials science has adopted the term of au... 2373 Asymptotics of maximum likelihood estimation... 2374 Deep Neural Networks DNNs have emerged as a ... 2375 Marshall and Olkin Biometrika introduce... 2376 Rapid improvements in machine learning over ... 2377 This paper studies the dynamics of a network... 2378 For every qin mathbb N let textrmFOq denote ... 2379 Community analysis is an important way to as... 2380 Composite adaptive control schemes which use... 2381 We introduce a new critical value cinftyL fo... 2382 We analyze a decentralized random walkbased ... 2383 The Fan Region is one of the dominant featur... 2384 Determining the redshift distribution nz of ... 2385 In this paper we develop a novel computation... 2386 Nowadays the construction of a complex robot... 2387 The joint sparse recovery problem is a gener... 2388 The dynamics of infectious diseases spread i... 2389 We investigate the dynamical complexity of C... 2390 Mathematical modelers have long known of a r... 2391 Egbert Brieskorn died on July a few days a... 2392 Exploiting fullduplex FD technology on base ... 2393 We consider task and motion planning in comp... 2394 Recently deep neural networks DNNs have been... 2395 Sequential Monte Carlo SMC methods are a cla... 2396 An incoming electron is reflected back as a ... 2397 We examine the dynamics of entanglement entr... 2398 Aggressive incentive schemes that allow indi... 2399 The nearby space surrounding the Earth is de... 2400 We characterize photonic transport in a boun... 2401 We show empirically that the optimal strateg... 2402 We compare the longterm fractional frequency... 2403 The bootstrap current and flow velocity of a... 2404 We use the Hubble Space Telescope to obtain ... 2405 Society faces a fundamental global problem o... 2406 This paper establishes convergence rate boun... 2407 In this paper we address the basic problem o... 2408 Klavs F Jensen is Warren K Lewis Professor i... 2409 The complexity and size of stateoftheart cel... 2410 We introduce a new method for building model... 2411 In this paper we propose a Hamiltonian appro... 2412 This paper considers the nonHermitian Zakhar... 2413 The central goal of this thesis is to develo... 2414 Given a matrix mathbfAinmathbbRntimes d and ... 2415 Autonomous robots increasingly depend on thi... 2416 Silicon photomultipliers SiPMs are potential... 2417 Experiments may not reveal their full import... 2418 We study the statistical and computational a... 2419 We consider a population of n agents which c... 2420 In this note we show that a mutation theory ... 2421 We use the generalized hierarchical equation... 2422 We consider the groundstate properties of Ra... 2423 Solving the global method of Weighted Least ... 2424 This work builds on earlier results We defin... 2425 Residual Network ResNet is the stateoftheart... 2426 A second generation of gravitational wave de... 2427 A surprising diversity of different products... 2428 Simple scaling consideration and NRG solutio... 2429 This paper proposes a deep Convolutional Neu... 2430 Recurrent Neural Networks RNNs with attentio... 2431 The paper describes the Faraday room that sh... 2432 We describe a benchmark study of collective ... 2433 Correlated random fields are a common way to... 2434 Deep learning approaches such as convolution... 2435 A SPaT Signal Phase and Timing message descr... 2436 In this paper we propose a novel method to e... 2437 In this work a novel approach is presented t... 2438 Flexibility is a key enabler for the smart g... 2439 This paper describes the Duluth system that ... 2440 This work presents an innovative application... 2441 Stellar evolution models are most uncertain ... 2442 We study complexity of short sentences in Pr... 2443 Mean square error MSE has been the preferred... 2444 We introduce a new application of measuring ... 2445 We consider the problem of undirected graphi... 2446 Highdoserate brachytherapy is a tumor treatm... 2447 We use the scattering network as a generic a... 2448 We studied how lagged linear regression can ... 2449 We develop a complexity measure for largesca... 2450 The net contribution of the strange quark sp... 2451 Carmesin Federici and Georgakopoulos arXiv c... 2452 We consider machine learning in a comparison... 2453 Predicting the completion time of business p... 2454 Quantum annealing QA is a generic method for... 2455 Unwanted variation can be highly problematic... 2456 We present ALMA CO detections in gasrich c... 2457 Anatomical and biophysical modeling of left ... 2458 Data assimilation is widely used to improve ... 2459 The presence of ubiquitous magnetic fields i... 2460 We study a model of two species of onedimens... 2461 The positive semidefinite rank of a convex b... 2462 We investigate the holonomy group of singula... 2463 Selective classification techniques also kno... 2464 Cognitive computing systems require human la... 2465 We demonstrate a random bit streaming system... 2466 We have investigated the electronic states a... 2467 A quality assurance and performance qualific... 2468 We search for the signature of universal pro... 2469 We present a search for metal absorption lin... 2470 By year the number of smartphone users glob... 2471 Motivated by the model independent pricing o... 2472 This paper aims to provide a better understa... 2473 The ease of integration coupled with large s... 2474 We prove that any cyclic quadrilateral can b... 2475 We prove that for a free noncyclic group F H... 2476 Intentional or unintentional contacts are bo... 2477 The number of published findings in biomedic... 2478 We consider a classical problem of control o... 2479 Refactoring is a maintenance activity that a... 2480 This is the second in a series of papers whe... 2481 Bayesian inference via standard Markov Chain... 2482 The kernel trick concept formulated as an in... 2483 The seminal paper of Caponnetto and de Vito ... 2484 We propose a supervised algorithm for genera... 2485 Network embedding aims to find a way to enco... 2486 Automated program repair APR has attracted w... 2487 This study tries to explain the connection b... 2488 We introduce a model of anonymous games with... 2489 In this work we study the problem of minimiz... 2490 We show that after forming a connected sum w... 2491 We introduce a technique that can automatica... 2492 In this paper we introduce two new nonsingul... 2493 In several domains obtaining class annotatio... 2494 The number of studies for the analysis of re... 2495 The multiarmed restless bandit problem is st... 2496 Iteratively reweighted ell algorithm is a po... 2497 In object oriented software development the ... 2498 This Perspective provides examples of curren... 2499 An explicit description of the virtualizatio... 2500 The mechanisms underlying cardiac fibrillati... 2501 In this paper we propose an informationtheor... 2502 We introduce the Probabilistic Generative Ad... 2503 The reversible jump Markov chain Monte Carlo... 2504 We define compactifications of vector spaces... 2505 We show that the mfold connected sum mmathbb... 2506 We present a microscopic theory of Raman sca... 2507 In this work we study the robust subspace tr... 2508 In this paper we argue for the adoption of a... 2509 Understanding tie strength in social network... 2510 The paper considers nonstationary responses ... 2511 Investigation of social influence dynamics r... 2512 The weighted knearest neighbors algorithm is... 2513 An important novelty of G is its role in tra... 2514 We consider a reinforcement learning RL sett... 2515 We study a threewave truncation of a recentl... 2516 With the future likely to see even more perv... 2517 Skodas result on ideal generation is a cruc... 2518 One of the defining properties of deep learn... 2519 Dielectric microstructures have generated mu... 2520 Given a zerodimensional ideal I in a polynom... 2521 In this paper we introduce the concept of a ... 2522 We present a selfcontained proof of Uhlenbec... 2523 We consider the problem of making distribute... 2524 We present a straightforward sourcetosource ... 2525 We investigate the open dynamics of an atomi... 2526 Composition and lattice join transitive clos... 2527 We propose a simple risklimiting audit for e... 2528 In this paper we study the category LCA of c... 2529 We study how to sample paths of a random wal... 2530 Cell migration is a fundamental process invo... 2531 Recent work has proposed various adversarial... 2532 The detection of thousands of extrasolar pla... 2533 We define nearestneighbour point processes o... 2534 One of the challenges in modelbased control ... 2535 Health care is one of the most exciting fron... 2536 Let X be a normal connected and projective v... 2537 A pressure driven flow in contact interface ... 2538 Species tree reconstruction from genomic dat... 2539 In this paper we establish the characterizat... 2540 We represent Matrn functions in terms of Sch... 2541 The HasseWitt matrix of a hypersurface in ma... 2542 We propose to study the problem of fewshot l... 2543 We report on the precise measurement of the ... 2544 Distribution of cold gas in the postreioniza... 2545 Assume that T is a selfadjoint operator on a... 2546 We formulate and propose an algorithm MultiR... 2547 Given a combinatorial design mathcalD with b... 2548 The growing literature on affect among softw... 2549 We propose a typesafe abstraction to tensors... 2550 Exploiting sparsity enables hardware systems... 2551 Densitybased clustering techniques are used ... 2552 We propose a fast proximal Newtontype algori... 2553 We use grey forecast model to predict the fu... 2554 Text password has long been the dominant use... 2555 Randomized experiments have been critical to... 2556 The planets of the Solar System divide neatl... 2557 When plated onto substrates cell morphology ... 2558 AgentBased Computing is a diverse research d... 2559 As novel topological phases in correlated el... 2560 Motivated by the current interest in the und... 2561 Opinion mining and sentiment analysis in soc... 2562 Developing a dialogue agent that is capable ... 2563 A weakstrong uniqueness result is proved for... 2564 Gradient descent and coordinate descent are ... 2565 Inverse reinforcement learning IRL aims to e... 2566 On one hand consider the problem of finding ... 2567 The step of expert taxa recognition currentl... 2568 Thermoelectric TE materials achieve localise... 2569 Over million scholarly articles have been p... 2570 Bayesian optimization is a sampleefficient a... 2571 We present a MUSE and KMOS dynamical study ... 2572 The aim of finegrained recognition is to ide... 2573 There are many hard conjectures in graph the... 2574 Modern theories of galaxy formation predict ... 2575 Deep learning involves a difficult nonconvex... 2576 The attention for personalized mental health... 2577 Robust estimation is much more challenging i... 2578 The grapheneMoS heterojunction formed by joi... 2579 Let p be a prime A pgroup G is defined to be... 2580 The lack of diversity in a genetic algorithm... 2581 In this work we analyze the problem of adopt... 2582 We prove Cherlins conjecture concerning bina... 2583 This article concerns the expressive power o... 2584 Ji Matouek had many breakthrough contributi... 2585 Modern neural networks are often augmented w... 2586 Intrinsically motivated spontaneous explorat... 2587 Previous research has traditionally analyzed... 2588 The concept of a Cclass of differential equa... 2589 Interval estimation of quantiles has been tr... 2590 In recent years a large body of research has... 2591 Texture characterization is a key problem in... 2592 Images and spectra of the open cluster NGC ... 2593 We present an exact ground state solution of... 2594 We study the instability of standing wave so... 2595 This paper proposes the matrixweighted conse... 2596 We study a strategic version of the multiarm... 2597 With the recent focus in the accessibility f... 2598 Machine learning and quantum computing are t... 2599 Using password based authentication techniqu... 2600 In this paper we study an analytical approac... 2601 In this paper we study the behavior of the f... 2602 Biomedical events describe complex interacti... 2603 Nowadays it is quite evident that knowledgeb... 2604 Bilinear matrix inequality BMI problems in s... 2605 We have carried out the transient nonlinear ... 2606 Compression and computational efficiency in ... 2607 In the discrete modeling approach for hybrid... 2608 This paper proposes a privacypreserving dist... 2609 We study methods to estimate drivers posture... 2610 We propose new smoothed median and the Wilco... 2611 We study the neverworse relation NWR for Mar... 2612 In a network a tunnel is a part of a path wh... 2613 The paper summarizes the development of the ... 2614 To understand narrative humans draw inferenc... 2615 We define the notion of homBatalinVilkovisky... 2616 The paper should be viewed as complement of ... 2617 We establish four supercongruences between t... 2618 A multiple classifiers fusion localization t... 2619 Embedding graph nodes into a vector space ca... 2620 We introduce a kernel Lasso kLasso optimizat... 2621 We consider the problem of reconstructing si... 2622 We identify multirole logic as a new form of... 2623 In this work we present the novel ASTRID met... 2624 In this paper we propose a modified Levy jum... 2625 We present a test to quantify how well some ... 2626 Advances in Wireless Sensor Network WSN have... 2627 Samples with a common mean but possibly diff... 2628 We report the discovery and constrain the ph... 2629 This article proposes a numerical scheme for... 2630 The reproducibility of scientific research h... 2631 We prove that the Tate Beilinson and Parshin... 2632 The dueling bandits problem is an online lea... 2633 The presence of dusty debris around main seq... 2634 Based on a quasionedimensional limit of quan... 2635 With onboard operating systems becoming incr... 2636 We obtain a spectral gap characterization of... 2637 Dynamic neural network toolkits such as PyTo... 2638 Clustering is the process of finding and ana... 2639 Deep learning models require extensive archi... 2640 The actions of an autonomous vehicle on the ... 2641 This paper introduces a method for efficient... 2642 Understanding the structure of ZnO surface r... 2643 In this paper we consider the problem of det... 2644 The quantile ratio index introduced by Prend... 2645 This paper considers a practical scenario wh... 2646 The persistence diagram of CohenSteiner Edel... 2647 Firstorder optimization algorithms often pre... 2648 Datacenterbased Cloud Computing services pro... 2649 We prove that when q is a power of every co... 2650 In this paper we discuss the application of ... 2651 With the help of transfer entropy we analyze... 2652 Many problems in machine learning and relate... 2653 In the previous article we derived a detaile... 2654 In this work we propose a novel robot learni... 2655 Scientific publishing conveys the outputs of... 2656 We present a multiquery recovery policy for ... 2657 tdistributed Stochastic Neighborhood Embeddi... 2658 Winds arising from galaxies star clusters an... 2659 Neural models enjoy widespread use across a ... 2660 In this paper we propose a novel ranking fra... 2661 This paper introduces consensusbased primald... 2662 The proportional odds model gives a method o... 2663 We describe global embeddings of fractional ... 2664 Consider a nilpotent element e in a simple c... 2665 We consider the problem of proving that each... 2666 The estimation of a logconcave density on ma... 2667 Metric graphs are special types of metric sp... 2668 The critcal exponent omega is evaluated at O... 2669 This article presents a framework and develo... 2670 Active learning is relevant and challenging ... 2671 Over the last few decades psychologists have... 2672 Comprehensive Two dimensional gas chromatogr... 2673 Panel data analysis is an important topic in... 2674 In order to understand the origin of observe... 2675 We theoretically investigate the dispersion ... 2676 In this paper we develop a new approach to t... 2677 There is a digraph corresponding to every sq... 2678 We study the Loschmidt echo for quenches in ... 2679 A new prior is proposed for representation l... 2680 We propose a multiscale edgedetection algori... 2681 Inspired by recent work of I Baoulina we giv... 2682 In this paper we study the fractional Poisso... 2683 Adaptive Fourier decomposition AFD precisely... 2684 Due to the growth of geotagged images recent... 2685 Electron CryoTomography ECT enables D visual... 2686 We use the KotliarRuckenstein slaveboson for... 2687 Schmerl and Beklemishevs work on iterated re... 2688 Internet of Things IoT is the next big evolu... 2689 In this paper we propose a new approach to C... 2690 Uncertainty analysis in the form of probabil... 2691 Asynchronousparallel algorithms have the pot... 2692 The groundstate magnetic response of fullere... 2693 We show that discrete distributions on the d... 2694 The incorporation of macroactions temporally... 2695 The current dominant visual processing parad... 2696 We describe algorithms for symbolic reasonin... 2697 For TimeDomain Global Similarity TDGS method... 2698 If dark matter interactions with Standard Mo... 2699 We develop a strong diagnostic for bubbles a... 2700 The formaldehyde MegaMaser emission has been... 2701 Inference prediction and control of complex ... 2702 This paper presents a new framework for anal... 2703 Ferromagnetic semiconductors FMSs which have... 2704 Efficient extraction of useful knowledge fro... 2705 Accretion of planetary material onto host st... 2706 We use a cotrapped ion mathrmSr to sympathet... 2707 InfraRedIR astronomical databases namely IRA... 2708 Decisions by Machine Learning ML models have... 2709 This activity has been developed as a resour... 2710 In this work we propose to fit a sparse logi... 2711 We study the complexity of approximating the... 2712 This paper considers the use of Machine Lear... 2713 We present a nearinfrared direct imaging sea... 2714 We prove that if a contact manifold admits a... 2715 Under the usual condition that the volume of... 2716 Uncertainty computation in deep learning is ... 2717 Availability of research datasets is keyston... 2718 Deep learning models for graphs have achieve... 2719 From the energymomentum tensors of the elect... 2720 The control of electric currents in solids i... 2721 We present the results from the first measur... 2722 This paper provides a mathematical approach ... 2723 At CCS Naveed et al presented first attacks... 2724 Condensate of spin atoms frozen in a unique ... 2725 Empirically neural networks that attempt to ... 2726 When conducting large scale inference such a... 2727 Objects moving in fluids experience patterns... 2728 Recent studies show that the fast growing ex... 2729 Shortcircuit evaluation denotes the semantic... 2730 We describe a communication game and a conje... 2731 For a finite field of odd cardinality q we s... 2732 We present second cadence observations of M ... 2733 Bipartite networks manifest as a stream of e... 2734 Background Performance bugs can lead to seve... 2735 Classical coupling constructions arrange for... 2736 The primary motivation of much of software a... 2737 The increasing richness in volume and especi... 2738 Taxi demand prediction is an important build... 2739 We have explored the optimal frequency of in... 2740 We present an asymptotic criterion to determ... 2741 In this note we study the Seifert rational h... 2742 We investigate the impact of resonant gravit... 2743 We present the detection of longperiod RV va... 2744 A personalized learning system needs a large... 2745 This paper is a contribution to the study of... 2746 Supermassive black hole SMBH binaries residi... 2747 Web applications require access to the files... 2748 Fully realizing the potential of acceleratio... 2749 The physical layer security in the uplink of... 2750 We develop a new modeling framework for Inte... 2751 Nanoscale quantum probes such as the nitroge... 2752 Optimization plays a key role in machine lea... 2753 Centrality metrics are among the main tools ... 2754 The removal of noise typically correlated in... 2755 The understanding of variations in genome se... 2756 How can we design reinforcement learning age... 2757 We introduce the State Classification Proble... 2758 Tree ensemble models such as random forests ... 2759 The formalism to augment the classical model... 2760 Knowledge distillation KD consists of transf... 2761 The annual cost of Cybercrime to the global ... 2762 Surface plasmon waves carry an intrinsic tra... 2763 In this work we introduce declarative statis... 2764 In Phase of CRESSTII detector modules were... 2765 The problem of construction of ladder operat... 2766 By a classical principle of probability theo... 2767 We have synthesized new iron oxyarsenides K... 2768 The present paper introduces the initial imp... 2769 Time Projection Chamber TPC has been chosen ... 2770 We classify all invariants of the functor In... 2771 In this paper we first present an adaptive d... 2772 Recent results of Laca Raeburn Ramagge and W... 2773 In manufacture steel and other metals are ma... 2774 It was recently shown that architectural reg... 2775 We define a secondorder neural network stoch... 2776 Word embeddings are a powerful approach for ... 2777 We analyse the homotopy types of gauge group... 2778 We define an integral form of the deformed W... 2779 The aim of this paper is to present a new lo... 2780 Plasmons the collective excitations of elect... 2781 We describe a procedure naturally associatin... 2782 We study the challenges of applying deep lea... 2783 Novel lowbandgap copolymer oligomers are pro... 2784 We propose an efficient and accurate measure... 2785 In this paper we study how to learn stochast... 2786 A publication trend in Physics Education by ... 2787 Selforganization is a natural phenomenon tha... 2788 A finite abstract simplicial complex G defin... 2789 Chaos and ergodicity are the cornerstones of... 2790 Over the years many different indexing techn... 2791 Contour integration is a crucial technique i... 2792 The goal of this study is to develop an effi... 2793 Goldstone modes are massless particles resul... 2794 This paper provides a link between causal in... 2795 Traditional medicine typically applies onesi... 2796 Leakage of polarized Galactic diffuse emissi... 2797 This paper proposes a joint framework wherei... 2798 Here we present a working framework to estab... 2799 We investigate the problem of testing the eq... 2800 Physicallayer group secretkey GSK generation... 2801 Interactive reinforcement learning IRL exten... 2802 As South and Central American countries prep... 2803 In this study we systematically investigate ... 2804 Let Gamma leq mathrmAutTd times mathrmAutTd ... 2805 We present in this paper algorithms for solv... 2806 Machine learning algorithms for prediction a... 2807 An introduction to the ZwanzigMoriGtzeWlfle ... 2808 The multilabel learning problem with large n... 2809 We correct one erroneous statement made in o... 2810 Nextgeneration ax WLANs will make extensive ... 2811 The belief that three dimensional space is i... 2812 Twinning is an important deformation mode of... 2813 Femtosecond optical pulses at midinfrared fr... 2814 In Optical diffraction tomography the multip... 2815 Optical tweezers have enabled important insi... 2816 In this Essay we investigate the observation... 2817 In many modern machine learning applications... 2818 Correlation networks were used to detect cha... 2819 Existing neural conversational models proces... 2820 In this paper energy efficient power allocat... 2821 The composite fermion CF formalism produces ... 2822 In the kCut problem we are given an edgeweig... 2823 This paper analyses in detail the dynamics i... 2824 This paper deals with existence and regulari... 2825 Among the manifold takes on world literature... 2826 We investigate task clustering for deeplearn... 2827 The roles played by learning and memorizatio... 2828 Evaluating the return on ad spend ROAS the c... 2829 Nevilles algorithm is known to provide an ef... 2830 Traditional linear methods for forecasting m... 2831 The continually increasing number of documen... 2832 We present a method for efficient learning o... 2833 We prove upper bounds for the mean square of... 2834 We define a novel extensional threevalued se... 2835 Spectroscopic surveys require fast and effic... 2836 Microservice Architecture MSA is a novel ser... 2837 RoboJam is a machinelearning system for gene... 2838 We report measurements of the de Haasvan Alp... 2839 We associate an Albert form to any pair of c... 2840 A nonlinear cyclic system with delay and the... 2841 Automatic welding of tubular TKY joints is a... 2842 We prove that the killing rate of certain de... 2843 Neural models have become ubiquitous in auto... 2844 Diffusion MRI dMRI is a valuable tool in the... 2845 Empirical risk minimization ERM is ubiquitou... 2846 Deep learning searches for nonlinear factors... 2847 ADMM is a popular algorithm for solving conv... 2848 We prove finite jet determination for finite... 2849 We present a mathematical analysis of a nonc... 2850 Inspired by biophysical principles underlyin... 2851 The entropy of a random variable is wellknow... 2852 In this paper we consider solving a class of... 2853 In this paper we present a novel deep fusion... 2854 Recently twodimensional canonical correlatio... 2855 The wide adoption of smartphones and mobile ... 2856 Hybridized moleculemetal interfaces are ubiq... 2857 Detection of the mostly geomagnetically gene... 2858 We study how the regret guarantees of nonsto... 2859 The paper presents a novel concept that anal... 2860 We study classes of atomic models AtT of a c... 2861 We study the problem of estimating the mean ... 2862 We study the problem of containing epidemic ... 2863 In this paper we investigate the possibility... 2864 In computer vision applications such as doma... 2865 Among mobile cloud applications mobile cloud... 2866 Cosmic ray intensities CRIs recorded by sixt... 2867 In many developing countries public transit ... 2868 We consider a class of magnetic fields defin... 2869 Some lung diseases are related to bronchial ... 2870 In this paper we present the design and impl... 2871 In recent years a number of prominent comput... 2872 There are a number of examples of variations... 2873 Recent results in coupled or temporal graphi... 2874 A distributed algorithm is described for fin... 2875 For a metric measure space we treat the set ... 2876 Distributed ledger technologies rely on cons... 2877 We study the complexity of approximations to... 2878 As training data rapid growth largescale par... 2879 Hyperparameter tuning is the black art of au... 2880 We present Deep Generalized Canonical Correl... 2881 A main question in graphical models and caus... 2882 We give a lower bound for the multipliers of... 2883 We show that within a linear approximation o... 2884 Predicting personality is essential for soci... 2885 We propose a novel couple mappings method fo... 2886 Various sectors are likely to carry a set of... 2887 Let G be the circulant graph CnS with Ssubse... 2888 Barrier options are one of the most widely t... 2889 Generalizedensemble Monte Carlo simulations ... 2890 We compared positions of the Gaia first data... 2891 The analysis of manifoldvalued data requires... 2892 The paper presents the graph Fourier transfo... 2893 DempsterShafer evidence theory is wildly app... 2894 Could we use Computer Vision in the Internet... 2895 Interpretability of deep neural networks is ... 2896 Graph matching in two correlated random grap... 2897 Semisupervised learning deals with the probl... 2898 We obtain an essential spectral gap for a co... 2899 In this work several semantic approaches to ... 2900 During the start of a survey program using F... 2901 For nin mathbbN let Sn be the smallest numbe... 2902 The advection equation is the basis for math... 2903 Functional time series have become an integr... 2904 Benfords law is an empirical observation fir... 2905 Synchronization that occurs both for nonchao... 2906 The deformation of disordered solids relies ... 2907 The reproducing kernel Hilbert space RKHS em... 2908 In this work we consider the presence of con... 2909 We develop a unified valuation theory that i... 2910 We use trace class scattering theory to excl... 2911 Weyl fermions are shown to exist inside a pa... 2912 The recent success of Deep Neural Networks D... 2913 Despite a long record of intense efforts the... 2914 This paper addresses image classification th... 2915 Recurrent neural nets RNN and convolutional ... 2916 We derive new estimates for the number of di... 2917 Recently low displacement rank LDR matrices ... 2918 Classification rules can be severely affecte... 2919 Finding the exact integrality gap alpha for ... 2920 Gaussian mixture models are widely used in S... 2921 In this paper we will consider a generalized... 2922 Intensionality is a phenomenon that occurs i... 2923 This twopart paper details a theory of solva... 2924 It is a neat result from functional programm... 2925 In this article we study the role of the Gre... 2926 The rising need of secret image sharing with... 2927 In this paper we introduce MATMPC an open so... 2928 We propose a copula based method to handle m... 2929 Cooling the rotation and the vibration of mo... 2930 Numerous pattern recognition applications ca... 2931 When participating in electricity markets ow... 2932 We design and analyse variations of the clas... 2933 We experimentally study steady Marangonidriv... 2934 We study the asymptotic behavior of the homo... 2935 In rectangle packing problems we are given t... 2936 The aim of this work is to study the existen... 2937 Understanding the entanglement structure of ... 2938 Transfer learning has the potential to reduc... 2939 The ErdsGinzburgZiv constant of an abelian g... 2940 The success of deep learning in numerous app... 2941 We show that discourse structure as defined ... 2942 Grid based binary holography GBH is an attra... 2943 We present spatially and spectrallyresolved ... 2944 Nowadays the availability of largescale data... 2945 We present a homogeneous set of accurate atm... 2946 A procedure for the design of fixedgain trac... 2947 Magnetically active stars possess stellar wi... 2948 We report the electronic band structures and... 2949 Given a set of data one central goal is to g... 2950 Active particles which interact hydrodynamic... 2951 Many applications of machine learning for ex... 2952 We experimentally study the stability of a b... 2953 We present a scheme for nanoscopic imaging o... 2954 We present a deep learning approach to the I... 2955 In nonlinear dynamics and to a lesser extent... 2956 The ungrammatical sentence The key to the ca... 2957 This is a photographic dataset collected for... 2958 Human learning is a complex process in which... 2959 We follow the dual approach to Coxeter syste... 2960 In the emerging advancement in the branch of... 2961 Game theory has emerged as a novel approach ... 2962 Advances in deep learning have led to substa... 2963 Being able to fall safely is a necessary mot... 2964 The collisional shift of a transition consti... 2965 Generating music medleys is about finding an... 2966 We investigate the focusing coupled PTsymmet... 2967 We have performed magnetic susceptibility he... 2968 The goal of this paper is to present an endt... 2969 The SPIRou near infrared spectropolarimeter ... 2970 We construct energydependent potentials for ... 2971 This paper is intended both an introduction ... 2972 The principle of the common cause claims tha... 2973 We report the discovery and analysis of the ... 2974 In this paper we explore remarkable similari... 2975 Existing works on building a soliton transmi... 2976 In this paper we are concerned with the appr... 2977 Health economic evaluation studies are widel... 2978 Today freshwater is more important than ever... 2979 Despite of the appearance of numerous new ma... 2980 We study the bulk and surface nonlinear mode... 2981 A possibility of the topological KosterlitzT... 2982 The short coherence lengths characteristic o... 2983 In this work we investigate the potential of... 2984 The joint Value at Risk VaR and expected sho... 2985 The paper addresses the hydrodynamic behavio... 2986 In many realworld binary classification task... 2987 Researchers have attempted to model informat... 2988 The extended form of the classical polynomia... 2989 We develop a method to study the implied vol... 2990 We consider the problem of designing risksen... 2991 One of the most significant goals of modern ... 2992 For G an algebraic group of type Al over an ... 2993 We report the detection of the prebiotic mol... 2994 A qualgebra G is a set having two binary ope... 2995 Dimension reduction and visualization is a s... 2996 We introduce a new model for building condit... 2997 In this work we build on recent advances in ... 2998 The bacterial genome is organized in a struc... 2999 For a single equation in a system of linear ... 3000 We consider spatially extended systems of in... 3001 The Global Historical Climatology NetworkDai... 3002 Understanding the mechanism of the heterojun... 3003 About two decades ago Tsfasman and Boguslavs... 3004 When a vortex refracts surface waves the mom... 3005 Microtubules MTs are filamentous protein pol... 3006 The intrinsic stacking fault energy ISFE gam... 3007 In this paper we address the problem of elec... 3008 Estimating the structure of directed acyclic... 3009 We consider the problem of efficient packet ... 3010 Much attention has been given in the literat... 3011 DNA is a flexible molecule but the degree of... 3012 Although aviation accidents are rare safety ... 3013 Adaptive optimization algorithms such as Ada... 3014 Modelbased optimization methods and discrimi... 3015 Effects of spinorbit interactions in condens... 3016 In this paper we study twosided tilting comp... 3017 We propose and analyze a method for semisupe... 3018 Staphylococcus aureus responsible for nosoco... 3019 Understanding how ideas relate to each other... 3020 This paper presents a general graph represen... 3021 Trajectory optimization of a controlled dyna... 3022 In monolayer semiconductor transition metal ... 3023 Policy evaluation or value function or Qfunc... 3024 We prove that for c the subsequence of the T... 3025 This paper extends the method introduced in ... 3026 Wigners little groups are the subgroups of t... 3027 We present the MOA Collaboration light curve... 3028 We develop a nogo theorem for twodimensional... 3029 Neural Networks are function approximators t... 3030 Polarised neutron diffraction measurements h... 3031 In this paper we generalize the main result ... 3032 A streaming graph is a graph formed by a seq... 3033 We study existence and multiplicity of semic... 3034 Recently there is a flourishing and notable ... 3035 We obtain minimal dimension matrix represent... 3036 Motivated by the increasing integration amon... 3037 Providing diagnostic feedback about growth i... 3038 The machine learning community has become in... 3039 Simulation systems have become an essential ... 3040 We investigate a schemetheoretic variant of ... 3041 VO samples are grown with different oxygen c... 3042 We present a state interaction spinorbit cou... 3043 Quantum transport is studied for the nonequi... 3044 Correct classification of breast cancer subt... 3045 SemiLagrangian methods are numerical methods... 3046 Many studies have been undertaken by using m... 3047 Nearestneighbor search dominates the asympto... 3048 A minimal deterministic finite automaton DFA... 3049 Applications for deep learning and big data ... 3050 In cryptography block ciphers are the most f... 3051 We present numerical studies of two photonic... 3052 This paper is about an extension of monadic ... 3053 Calcium imaging data promises to transform t... 3054 Sequential decision making problems such as ... 3055 Patientspecific cranial implants are importa... 3056 Information concentration of probability mea... 3057 In this paper we will give an account of Dan... 3058 Compression of Neural Networks NN has become... 3059 In this paper we propose a method of designi... 3060 Modern large scale machine learning applicat... 3061 Bacterial communities have rich social lives... 3062 We study Frobenius extensions which are free... 3063 We consider the Burgers equation posed on th... 3064 We describe a Markov latent state space MLSS... 3065 A new characterization of CMORn is establish... 3066 We show that the task of question answering ... 3067 We define a map fcolon Xto Y to be a phantom... 3068 The current ISO standards pertaining to the ... 3069 We prove two main results concerning mesopri... 3070 Emerging economies frequently show a large c... 3071 We find that cusp densities of hyperbolic kn... 3072 Accurate ondevice keyword spotting KWS with ... 3073 This paper presents a new compact canonicalb... 3074 We generalize the natural cross ratio on the... 3075 In our previous work we studied an interconn... 3076 We introduce the multiplexing of a crossing ... 3077 This paper presents the development of an Ad... 3078 We investigate the automatic differentiation... 3079 Initial RV characterisation of the enigmatic... 3080 Building effective enjoyable and safe autono... 3081 A periodic array of atomic sites described w... 3082 This paper proposes a deep cerebellar model ... 3083 Transient stability simulation of a largesca... 3084 Web portals have served as an excellent medi... 3085 The role of portfolio construction in the im... 3086 In this paper we propose a function space ap... 3087 We construct a model of random groups of ran... 3088 We theoretically study transport properties ... 3089 The lasso and elastic net linear regression ... 3090 The El NioSouthern Oscillation ENSO is a mod... 3091 One of the key challenges for operations res... 3092 The optimization of algorithm hyperparameter... 3093 This paper develops detailed mathematical st... 3094 A sum of a largedimensional random matrix po... 3095 The composition of web services is a promisi... 3096 We present an automatic measurement platform... 3097 In JF Aarnes introduced the concept of quas... 3098 We extend the framework for complexity of op... 3099 Deep generative models provide powerful tool... 3100 Advances in deep learning for natural images... 3101 We investigate the frequentist properties of... 3102 A convex optimizationbased method is propose... 3103 The enactive approach to cognition is typica... 3104 We study computable topological spaces and s... 3105 We present a theoretical and experimental st... 3106 The dynamic and secondary spectra of many pu... 3107 In the presented study ParentTeacher Disrupt... 3108 The PoissonFermi model is an extension of th... 3109 We study several aspects of the recently int... 3110 We introduce coroICA confoundingrobust indep... 3111 DiversificationBased Learning DBL derives fr... 3112 Canonical correlation analysis is a family o... 3113 The field of braincomputer interfaces is poi... 3114 Many phenomena in collisionless plasma physi... 3115 In this paper we have generalized the notion... 3116 Using a probabilistic argument we show that ... 3117 Programming Computable Functions PCF is a si... 3118 Analysis of solar magnetic fields using obse... 3119 Topological data analysis such as persistent... 3120 We study the problem of computing the textsc... 3121 It has been pointed out that nonsingular cos... 3122 NMDA receptors NMDAR typically contribute to... 3123 Aligning sequencing reads on graph represent... 3124 Ensembles of classifier models typically del... 3125 A rotating continuum of particles attracted ... 3126 We have studied the critical properties of t... 3127 A new StrouhalReynolds number relationship S... 3128 The randomizedfeature approach has been succ... 3129 The recent discovery of a direct link betwee... 3130 This paper proposes new specification tests ... 3131 Integrating different semiconductor material... 3132 We survey the main ideas in the early histor... 3133 In this paper we investigate an emerging app... 3134 We prove that for a finitely generated field... 3135 This paper considers a version of the Wiener... 3136 Robust navigation in urban environments has ... 3137 This report has several purposes First our r... 3138 This paper studies density estimation under ... 3139 Let U be the complement of a smooth anticano... 3140 Modelfree deep reinforcement learning has be... 3141 Temporal cavity solitons CS are optical puls... 3142 New system for ivector speaker recognition b... 3143 Many machine learning models are reformulate... 3144 We define a Newman property for BLDmappings ... 3145 In this paper we study a variant of the fram... 3146 Time series TS occur in many scientific and ... 3147 In this work we investigate the value of emp... 3148 Online programming discussion platforms such... 3149 Prior works such as the Tallinn manual on th... 3150 We observe that derived equivalent K surface... 3151 Motivated by recent advance of machine learn... 3152 Microplasma generation using microwaves in a... 3153 We investigate Banach algebras of convolutio... 3154 Spiking neural networks SNNs possess energye... 3155 Suicide is an important but often misunderst... 3156 This paper proposes a principled information... 3157 Twin Support Vector Machines TWSVMs have eme... 3158 Recurrent Neural Networks RNNs are powerful ... 3159 In this paper we propose deep learning archi... 3160 Selfadmitted technical debt refers to situat... 3161 A better understanding and anticipation of n... 3162 For a given XSbeta where Sbetacolon Xtimes X... 3163 We present a new extensible and divisible ta... 3164 The CREATE database is composed of hours of... 3165 Mobilephones have facilitated the creation o... 3166 In this paper we consider an estimation prob... 3167 Given a conjunctive Boolean network CBN with... 3168 Starting from a summary of detection statist... 3169 Complex OrnsteinUhlenbeck OU processes have ... 3170 We consider estimating the parametric compon... 3171 We define Dirac operators on mathbbS and mat... 3172 Latent tree models are graphical models defi... 3173 Program synthesis is the process of automati... 3174 Applications which use human speech as an in... 3175 Let G be a sofic group and let Sigma sigman... 3176 Visual localization and mapping is a crucial... 3177 A key problem in research on adversarial exa... 3178 While the analysis of airborne laser scannin... 3179 We study the groundstate properties of a dou... 3180 We propose a novel approach for loss reservi... 3181 In this paper a new distributed asynchronous... 3182 For developers concerned with a performance ... 3183 We present a novel controller synthesis appr... 3184 Recently research on accelerated stochastic ... 3185 Gradient reconstruction is a key process for... 3186 The Jordan decomposition theorem states that... 3187 We compute the semiflat positive cone KSFAth... 3188 We have measured the magnetization of the or... 3189 Class imbalance is a challenging issue in pr... 3190 In order to handle undesirable failures of a... 3191 A method for inverse design of horizontal ax... 3192 We report Chandra Xray observations and opti... 3193 We introduce superdensity operators as a too... 3194 We study properties of magnetic nanoparticle... 3195 We introduce an asymptotically unbiased esti... 3196 Counterfactual learning is a natural scenari... 3197 The bit Mersenne Twister generator MT is a w... 3198 Numerical QCD is often extremely resource de... 3199 The electronic structure and energetic stabi... 3200 For highdimensional sparse linear models how... 3201 At the core of many important machine learni... 3202 Class imbalance classification is a challeng... 3203 In this paper we study the problem of discov... 3204 We study configuration spaces of linkages wh... 3205 The smallcluster exactdiagonalization calcul... 3206 Process discovery techniques return process ... 3207 Formal languages theory is useful for the st... 3208 In this paper we find an upper bound for the... 3209 This paper proposes a new algorithm for Gaus... 3210 Pairwise comparisons are an important tool o... 3211 We study the existence of monotone heterocli... 3212 I describe a method for computer algebra tha... 3213 This paper describes a micro fluorescence in... 3214 Neural timeseries data contain a wide variet... 3215 We describe two recently proposed machine le... 3216 Polyphonic sound event detection polyphonic ... 3217 The global gyrokinetic toroidal code GTC has... 3218 A nanofabrication process for realizing opti... 3219 We consider the connections among clumped re... 3220 Rydberg atoms have attracted considerable in... 3221 In this paper we propose a novel variable se... 3222 Background Models of cancerinduced neuropath... 3223 We present a novel method for frequentist st... 3224 Massive network exploration is an important ... 3225 We consider the Bradlow equation for vortice... 3226 Let Piq be an arbitrary finite projective pl... 3227 Following the seminal work of Nesterov accel... 3228 We study the conditions under which one is a... 3229 Stability is an important aspect of a classi... 3230 In this paper we analyze the capacitary pote... 3231 NonGaussian component analysis NGCA is a pro... 3232 Recent years have seen a surprising connecti... 3233 Computational Thinking CT has been described... 3234 Spincaloritronic signal generation due to th... 3235 We quantify uncertainties in the location an... 3236 Pollution in urban centres is becoming a maj... 3237 During the accretion phase of a corecollapse... 3238 From only positive P and unlabeled U data a ... 3239 The possibly unbiased selection process in s... 3240 A fundamental goal in network neuroscience i... 3241 A boundary behavior of ring mappings on Riem... 3242 Recently cloud storage and processing have b... 3243 This work provides a simplified proof of the... 3244 It is becoming increasingly common to see la... 3245 We define the Abelian distribution and study... 3246 We introduce PULSEDYN a particle dynamics pr... 3247 This paper presents the design of a control ... 3248 Big data sets must be carefully partitioned ... 3249 In this paper we present a family of bivaria... 3250 Machine learning can extract information fro... 3251 We consider the problem of recovering a lowr... 3252 Supervised learning based on a deep neural n... 3253 We propose a Monte Carlo algorithm to sample... 3254 Convolutional dictionary learning CDL estima... 3255 This paper derives new formulations for desi... 3256 In this note we present an inftycategorical ... 3257 There has been relatively little attention t... 3258 This paper addresses the boundary stabilizat... 3259 We study vertex colourings of digraphs so th... 3260 Locality Sensitive Hashing LSH based algorit... 3261 For a group H and a non empty subset Gammasu... 3262 Using the energy method we investigate the s... 3263 We present an elementary proof of a conjectu... 3264 In this paper we prove the following pointwi... 3265 We report experimental results of the static... 3266 We investigate the formation of multiplecore... 3267 Few ideas have enjoyed as large an impact on... 3268 We study the ideal structure of reduced cros... 3269 Understanding and discovering knowledge from... 3270 We focus on two supervised visual reasoning ... 3271 We offer the proofs that complete our articl... 3272 These lecture notes on entanglement in topol... 3273 In this paper we study the existence and the... 3274 Synthetic biological macromolecule of magnet... 3275 Most multispectral remote sensors eg QuickBi... 3276 Empirical scoring functions based on either ... 3277 We define the Lmeasure on the set of Dirichl... 3278 In the present study superheating treatment ... 3279 We discuss different types of humanrobot int... 3280 Background Choosing the most performing meth... 3281 This contribution will show how Access play ... 3282 In this work we mainly consider the dynamics... 3283 Incommensurately modulated twin structure of... 3284 The cortex exhibits selfsustained highlyirre... 3285 This paper deals with relative normalization... 3286 GeTe wins the renewed research interest due ... 3287 We show theoretically that the phase of the ... 3288 Observations of the CMB today allow us to an... 3289 We describe a parallel adaptive multiblock a... 3290 Triangle counting is a key algorithm for lar... 3291 The growing importance and utilization of me... 3292 Diet design for vegetarian health is challen... 3293 We show that learning methods interpolating ... 3294 Search of new frustrated magnetic systems is... 3295 Previous CNNbased video superresolution appr... 3296 Large organizations often have users in mult... 3297 We show that some results from the theory of... 3298 Multicarrierlow density spreading multiple a... 3299 Many important problems are characterized by... 3300 We present a distributed control strategy fo... 3301 Our contribution is to widen the scope of ex... 3302 We describe a mechanism by which artificial ... 3303 We propose a novel approach for the generati... 3304 Following a new microlensing constraint on p... 3305 It is well known the concept of the conditio... 3306 In this paper we study further properties an... 3307 Honeycomb structures of group IV elements ca... 3308 The motion of electrons and nuclei in photoc... 3309 With the advent of public access to small ga... 3310 In our previous works a relationship between... 3311 In this paper we develop linear transfer Per... 3312 Machine learning algorithms based on deep ne... 3313 We analyze largescale data sets about collab... 3314 We study quantum tunnelling in Dantes Infern... 3315 Highly automated robot ecologies HARE or soc... 3316 The multilinear normal distribution is a wid... 3317 Data driven activism attempts to collect ana... 3318 Deep convolutional neural networks have achi... 3319 Nanographitic structures NGSs with multitude... 3320 We present the first theoretical evidence of... 3321 We present a simple electromechanical finite... 3322 Frustrated Lewis pairs FLPs are known for it... 3323 Cataloging is challenging in crowded fields ... 3324 We analyze the local convergence of proximal... 3325 Causal relationships among variables are com... 3326 The holy grail of deep learning is to come u... 3327 It is shown that for a given ordered nodelab... 3328 Delay is omnipresent in modern control syste... 3329 This paper discusses the time series trend a... 3330 Dietzfelbinger and Weidling DW proposed a na... 3331 Consider the problem of modeling memory for ... 3332 We show that a closed almost Khler manifold ... 3333 In this study we consider preliminary test a... 3334 Conventional fracture data collection method... 3335 Influenza remains a significant burden on he... 3336 This paper shows how to recover stochastic v... 3337 Mobile edge computing MEC is expected to be ... 3338 Given a regular cardinal kappa such that kap... 3339 We describe a new training methodology for g... 3340 In all supersymmetric theories gravitinos wi... 3341 Automatic abusive language detection is a di... 3342 We show how the massive data compression alg... 3343 Electronic medical records EMR contain longi... 3344 We examine knotted solutions the most simple... 3345 We present a method that automatically evalu... 3346 Legal professionals worldwide are currently ... 3347 Accurate modeling of light scattering from n... 3348 In Joselli et al introduced the Neighborhoo... 3349 We investigate the structure of join tensors... 3350 Complex computer simulators are increasingly... 3351 We show that the equations of reinforcement ... 3352 We consider the sparse highdimensional linea... 3353 Several fundamental problems that arise in o... 3354 This paper considers channel estimation and ... 3355 We investigate the relationship between seve... 3356 In this note we investigate the pdegree func... 3357 In citey Yin generalized the definition of W... 3358 Mazur Rubin and Stein have recently formulat... 3359 There has been an increasing demand for form... 3360 We study the effects of local perturbations ... 3361 We study the indices of the geodesic central... 3362 The controversy regarding the precise nature... 3363 We report Raman sideband cooling of a single... 3364 Meaningful climate predictions must be accom... 3365 Situational awareness in vehicular networks ... 3366 Spatialtemporal prediction is a fundamental ... 3367 We prove Rungetype theorems and universality... 3368 In recent times the use of separable convolu... 3369 We present recent improvements in the simula... 3370 In recent years social bots have been using ... 3371 A set of Smoothed Particle Hydrodynamics sim... 3372 A number of formal methods exist for capturi... 3373 We propose and analyze a new estimator of th... 3374 We propose a novel computational strategy fo... 3375 We consider the twoarmed bandit problem as a... 3376 Accurate estimates of the under mortality ra... 3377 Strong external difference family SEDF and i... 3378 Using a Multiple Scattering Theory algorithm... 3379 Typically AI researchers and roboticists try... 3380 We consider Schrdinger equation with a nonde... 3381 Let Fn denote the nth term of the Fibonacci ... 3382 Social dilemmas have been regarded as the es... 3383 We study the diffusion or heat equation on a... 3384 In this work we perform an empirical compari... 3385 By combining Shannons cryptography model wit... 3386 Generative models either by simple clusterin... 3387 We study a spectral initialization method th... 3388 Generative Adversarial Networks GANs have be... 3389 The numerical approximation of the solution ... 3390 In interactive information retrieval researc... 3391 The excited states of polyatomic systems are... 3392 This work offers a design of a video surveil... 3393 Recent work by Cohen emphet al has achieved ... 3394 Catastrophic events though rare do occur and... 3395 The quantum anomalous Hall QAH phase is a no... 3396 The automatic analysis of ultrasound sequenc... 3397 Data analysis plays an important role in the... 3398 Dynamics of a system in general depends on i... 3399 We study laserdriven isomerization reactions... 3400 In this paper a theory of quandle rings is p... 3401 The polynomial eigenvalue problem arises in ... 3402 In this paper we study the Teichmller harmon... 3403 In this note we give a nature action of the ... 3404 In higher category theory we use fibrations ... 3405 We have examined the effects of embedded pit... 3406 Star clusters interact with the interstellar... 3407 We present a new method called Analysisofmar... 3408 Shelf and coastal sea processes extend from ... 3409 The Giornata Sesta about the Force of Percus... 3410 A brief introduction to radar principles Dop... 3411 One of the challenges in computational acous... 3412 In this paper we strengthen the splitting th... 3413 We present an approach for building an activ... 3414 Significant parts of the recent learning lit... 3415 This paper introduces a novel approach to te... 3416 Analyzing the behaviour of a concurrent prog... 3417 Extended strongly periodic links have been i... 3418 Over the past decade the idea of smart homes... 3419 Deep learning models can take weeks to train... 3420 We deduce a simple closed formula for illiqu... 3421 Long linear codes constructed from toric var... 3422 Often the challenge associated with tasks li... 3423 We construct firstly the complete list of fi... 3424 A method to control results of gradient desc... 3425 Graphs networks are ubiquitous and allow us ... 3426 Disk migration and higheccentricity migratio... 3427 The combination of photometry spectroscopy a... 3428 A new majority and minority voted redundancy... 3429 We present a tight analysis for the wellstud... 3430 Using stateoftheart techniques combining ima... 3431 According to the theory of urban scaling urb... 3432 Living cells move thanks to assemblies of ac... 3433 There is an increasing interest in exploitin... 3434 Cardiac indices estimation is of great impor... 3435 We characterize certain noncommutative domai... 3436 We consider the problem of estimating a regr... 3437 Chimera states namely complex spatiotemporal... 3438 Technologies have become important part of o... 3439 We study the neurallinear bandit model for s... 3440 We present twodimensional hydrodynamical sim... 3441 Firstpassage times in random walks have a va... 3442 Video prediction has been an active topic of... 3443 In this paper we cluster classical music pi... 3444 For random quantum spin models the strong di... 3445 We introduce a semisupervised discrete choic... 3446 Mean motion commensurabilities in multiplane... 3447 In van der Waals heterostructures the period... 3448 We conjecture that bounded generalised polyn... 3449 We will give general sufficient conditions u... 3450 We provide a mathematical analysis of a ther... 3451 We consider the motion of small bodies in ge... 3452 Impervious surface area is a direct conseque... 3453 We study the problem Delta vlambda v v pvte... 3454 PCA is a classical statistical technique who... 3455 End user privacy is a critical concern for a... 3456 We study the orbital properties of dark matt... 3457 In this paper we are concerned with the anal... 3458 Studying the internal structure of complex s... 3459 We verify a conjecture of Perelman which sta... 3460 Hyperuniform geometries feature correlated d... 3461 This paper proposes a new loss using shortti... 3462 We study continuum Schrdinger operators on t... 3463 The logdet distance between two aligned DNA ... 3464 In this paper we focus on the construction o... 3465 There are several different modalities eg su... 3466 A great deal of effort has gone into trying ... 3467 We study conditional independence relationsh... 3468 A currentaided inertial navigation framework... 3469 In February World Health Organization decla... 3470 The lowenergy constants namely the spin stif... 3471 Political and social polarization are a sign... 3472 Despite decades of inquiry the origin of gia... 3473 Several applications of slicing require a pr... 3474 Physicists at the Large Hadron Collider LHC ... 3475 We study ancient Khmer ephemerides described... 3476 Modelbased compression is an effective facil... 3477 Matrix factorisation methods decompose multi... 3478 Developers often try to find occurrences of ... 3479 A new method to improve the accuracy and eff... 3480 We examine the growth and evolution of quenc... 3481 We study SU calorons also known as periodic ... 3482 Natural disasters can have catastrophic impa... 3483 The Simultaneous Localization And Mapping SL... 3484 We study an asynchronous online learning set... 3485 Convolutional neural networks CNNs have mass... 3486 We study Brauers longstanding kBconjecture o... 3487 The Sloan Digital Sky Survey SDSS is the fir... 3488 We compare a global high resolution resistiv... 3489 Algorithms for detecting communities in comp... 3490 This paper investigates reverse auctions tha... 3491 In deterministic optimization line searches ... 3492 Hydrogen Hdoped LaFeAsO is a prototypical ir... 3493 We consider corotational wave maps from dime... 3494 We consider a closed chain of even number of... 3495 We construct nonsemisimple TQFTs yielding ma... 3496 Deep Reinforcement Learning RL recently emer... 3497 Games of timing aim to determine the optimal... 3498 Humans are not only adept in recognizing wha... 3499 A new semiclassical divideandconquer method ... 3500 In this letter we establish Yangian symmetry... 3501 Conventional dark matter direct detection ex... 3502 We propose a novel approach to allocating re... 3503 Networks provide a powerful formalism for mo... 3504 A minimal constructed language conlang is us... 3505 Nonparametric models are versatile albeit co... 3506 Anomaly detection AD has garnered ample atte... 3507 Time reversal is one of the most intriguing ... 3508 We present a series of definitions and theor... 3509 We study the global consequences in the halo... 3510 We propose new methods for Support Vector Ma... 3511 We show that each limiting semiclassical mea... 3512 Atmospheric moist available potential energy... 3513 Many seminal results in Interactive Proofs I... 3514 Quantum magnetic phases near the magnetic sa... 3515 We consider the problem of finding local min... 3516 Syntax errors are generally easy to fix for ... 3517 Predicting the popularity of news article is... 3518 In this paper we give a negative answer to a... 3519 Forecasts of mortality provide vital informa... 3520 Machine learning is usually defined in behav... 3521 Acoustic wave attenuation due to vibrational... 3522 A Lagrangian fluctuationdissipation relation... 3523 This paper examines the limit properties of ... 3524 Density estimation is a fundamental problem ... 3525 Existing strategies for finitearmed stochast... 3526 Asynchronous parallel computing and sparse r... 3527 Stateoftheart neural networks are vulnerable... 3528 One of the challenges in testing gravity wit... 3529 Let A be a free hyperplane arrangement In Z... 3530 The integration of IIIV on silicon is still ... 3531 This volume contains a selection of the pape... 3532 We investigate the asymptotic behavior of se... 3533 Canards are special solutions to ordinary di... 3534 In this paper we study selected argument for... 3535 We propose a DTCWT ScatterNet Convolutional ... 3536 Let taun be the number of divisors of n We g... 3537 In this study we present the preliminary tes... 3538 We present an efficient coresetsbased neural... 3539 Active Galactic Nuclei AGN are energetic ast... 3540 A recent result characterizes the fully orde... 3541 The optimization of composition and processi... 3542 Consider the noncrossing set partitions of a... 3543 In this paper we focus on finding clusters i... 3544 Large bundles of myelinated axons called whi... 3545 We present a strengthening of the lemma on t... 3546 Functional Analysis of Variance FANOVA from ... 3547 We present a method that gets as input an au... 3548 Identifying causal relationships from observ... 3549 Telepresence is a necessity for present time... 3550 In the industry of video content providers s... 3551 We prove the following continuous analogue o... 3552 We present a novel method to measure precise... 3553 We show that Mntz spaces as subspaces of C c... 3554 This article describes a sequence of rationa... 3555 We analyze new farultraviolet spectra of qu... 3556 Quaternionic tori are defined as quotients o... 3557 A Danish computer GIER from played a vital ... 3558 Several recent papers investigate Active Lea... 3559 Here we write in a unified fashion using RP ... 3560 A rising topic in computational journalism i... 3561 In this paper we introduce certain nth order... 3562 As robots begin to cohabit with humans in se... 3563 We pursue a novel morphometric analysis to d... 3564 This work develops a tracking system based o... 3565 We present an efficient score statistic call... 3566 The increase in network connectivity has als... 3567 With the increasing popularity of smart devi... 3568 The Ricci iteration is a discrete analogue o... 3569 RNA sequencing allows one to study allelic i... 3570 BoundtoBound Data Collaboration BBDC provide... 3571 Hydra is a headeronly templated and Ccomplia... 3572 Deep learning is the stateoftheart in fields... 3573 Mounting evidence connects the biomechanical... 3574 Message Passing Interface MPI is the standar... 3575 The modified Cholesky decomposition is commo... 3576 This is a comment on Reinharts Review of Sel... 3577 We have compared the magnetic transport galv... 3578 In this paper we present conjoined constrain... 3579 The dynamics of a circular thin vortex ring ... 3580 Measurements of sigma from large scale struc... 3581 We invoke a Gaussian mixture model GMM to jo... 3582 We present a quantum repeater scheme that is... 3583 In recent years the logic of questions and d... 3584 There is a strong demand for precise means f... 3585 This paper considers utility optimal power c... 3586 Magnetic frustration and low dimensionality ... 3587 Gaussian processes are popular and flexible ... 3588 As an attempt to further elucidate the opera... 3589 Many theories have emerged which investigate... 3590 We show that for every finitely generated cl... 3591 Convolutional sparse representations are a f... 3592 Suppose some future technology enables the s... 3593 We present the results of a directimaging su... 3594 The dimension is a key measure of complexity... 3595 We define the emphvisual complexity of a pla... 3596 We report new multicolour photometry and hig... 3597 The success of various applications includin... 3598 The defect of valued field extensions is a m... 3599 Neural networks are known to be vulnerable t... 3600 We study the statistical properties of an es... 3601 In this paper we investigate the multivariat... 3602 A virtual network VN contains a collection o... 3603 We propose a communicationally and computati... 3604 The extraction of natural gas from the earth... 3605 We present numerical simulations of magnetic... 3606 A wellknow drawback of lpenalized estimators... 3607 Using supercharacter theory we identify the ... 3608 We study the asymptotic behavior of the Max ... 3609 Topological data analysis is an emerging mat... 3610 The exponentialtime hypothesis ETH states th... 3611 We propose a structured low rank matrix comp... 3612 This article lays the foundations for the st... 3613 Research in UAV scheduling has obtained an e... 3614 We report temperature T dependence of dc mag... 3615 We develop an assumeguarantee contract frame... 3616 This paper presents an active search traject... 3617 In recent years the optical control of excha... 3618 The predictive power of neural networks ofte... 3619 Tracking and controlling the shape of contin... 3620 In this paper we present some new results on... 3621 The increasing accuracy of automatic chord e... 3622 Blooms Taxonomy BT have been used to classif... 3623 The need to test whether two random vectors ... 3624 We report measurements of the magnetoresista... 3625 This paper introduces two classes of totally... 3626 We present some elementary but foundational ... 3627 A hidden truncation hyperbolic HTH distribut... 3628 We reinvestigate a claimed sample of Xray d... 3629 We present a new approach to testing filesys... 3630 In this paper we construct entire solutions ... 3631 The wave turbulence equation is an effective... 3632 Multilabel text classification is a popular ... 3633 We consider a network design problem with ra... 3634 Consider an infinite chain of masses each co... 3635 The general procedure underlying HartreeFock... 3636 Recent studies suggest that the quenching pr... 3637 In young starburst galaxies the Xray populat... 3638 In this paper we present a concolic executio... 3639 Innovation and entrepreneurship have a very ... 3640 The exact law for fully developed homogeneou... 3641 CMSHF Calorimeters have been undergoing a ma... 3642 The ambitious goals of precision cosmology w... 3643 We present results from a noncosmological th... 3644 Causal inference in multivariate time series... 3645 Differential privacy promises to enable gene... 3646 Industrie is originally a future vision des... 3647 Future wireless systems are expected to prov... 3648 We show that there is no Ck diffeomorphism o... 3649 We provide excess risk guarantees for statis... 3650 We study the inference of a model of dynamic... 3651 Available possibilities to prevent a biped r... 3652 A key challenge for modern Bayesian statisti... 3653 A method for determining quantum variance as... 3654 Virtual heart models have been proposed to e... 3655 The consistency of a bootstrap or resampling... 3656 Dynamic scaling analyses of linear and nonli... 3657 Bayesian hierarchical models are used to sha... 3658 We adapt the PingPong Lemma which historical... 3659 CodRep is a machine learning competition on ... 3660 Mixed volumes VKdots Kd of convex bodies Kdo... 3661 There has recently been significant interest... 3662 Many problems in signal processing require f... 3663 Hybrid quantum mechanicalmolecular mechanica... 3664 In this study we develop a theoretical model... 3665 Multicore CPUs are a standard component in m... 3666 Lowrank modeling plays a pivotal role in sig... 3667 Accurate delineation of the left ventricle L... 3668 The Jacobianbased Saliency Map Attack is a f... 3669 Reinforcement learning RL has been successfu... 3670 BL Lacertae is the prototype of the blazar s... 3671 Experiment and theory indicate that UPt is a... 3672 The appearance of a Nanojet in the microsphe... 3673 We define triangulated factorization systems... 3674 Cloud storage services have become accessibl... 3675 We consider twodimensional D Dirac quantum r... 3676 We study the arithmetically CohenMacaulay AC... 3677 Point clouds obtained from photogrammetry ar... 3678 The unique information UI is an information ... 3679 We study distributionally robust optimizatio... 3680 Privacy is a major issue in learning from di... 3681 This paper deals with the establishment of I... 3682 Neural machine translation NMT has recently ... 3683 Bayesian networks or directed acyclic graph ... 3684 We present TriviaQA a challenging reading co... 3685 Many people dream to become famous YouTube v... 3686 In this work we introduce the class of hrmMN... 3687 Achieving high performance for sparse applic... 3688 With pressure to increase graduation rates a... 3689 Meteoritic abundances of rprocess elements a... 3690 We present SAVITR a system that leverages th... 3691 The resonances associated with a fractional ... 3692 Let XldotsXn be iid sample in mathbbRp with ... 3693 A locally recoverable code is a code over a ... 3694 In the following text we introduce specifica... 3695 We report the discovery of tidal tails aroun... 3696 We propose Scheduled Auxiliary Control SACX ... 3697 We describe a generalization of the Hierarch... 3698 In the framework of shape constrained estima... 3699 In this paper we have explored the effects o... 3700 The subject of Polynomiography deals with al... 3701 This is a no brainer Using bicycles to commu... 3702 We define a kind of moduli space of nested s... 3703 Manually labeled corpora are expensive to cr... 3704 Spectral topic modeling algorithms operate o... 3705 Future observations of terrestrial exoplanet... 3706 Although the definition of what empathetic p... 3707 We construct noncommutative analogs of trans... 3708 Support vector data description SVDD is a po... 3709 A trigonal phase existing only as small patc... 3710 We study the problem of estimating an unknow... 3711 By a labeled graph Calgebra we mean a Calgeb... 3712 Diabetes is a leading worldwide public heal... 3713 In recent years randomized methods for numer... 3714 Results of investigations of the nearhorizon... 3715 The demand for lowdissipation nanoscale memo... 3716 Licas lightweight internetbased communicatio... 3717 In this paper we introduce new technique for... 3718 This manuscript is a preprint version of Par... 3719 We describe general multilevel Monte Carlo m... 3720 The sensing of magnetic fields has important... 3721 For more than a century it has been believed... 3722 When sexual violence is a product of organiz... 3723 We investigate the problem of truth discover... 3724 This document presents HiPS a hierarchical s... 3725 Applying deep learning methods to mammograph... 3726 In order to optimize the performance of the ... 3727 Linear parametervarying LPV models form a po... 3728 We perform a set of general relativistic rad... 3729 Correlated oxide heterostructures pose a cha... 3730 The two stateoftheart implementations of boo... 3731 We consider the task of automated estimation... 3732 Ages and masses of young stars are often est... 3733 We report a study of the structural phase tr... 3734 The solution path of the D fused lasso for a... 3735 Hydrogenrich compounds are important for und... 3736 The Future Circular Collider FCC currently i... 3737 Let xitx denote spacetime white noise and co... 3738 For an arbitrary group G it is shown that ei... 3739 Starting from a dataset with inputoutput tim... 3740 In this paper we propose a kneelike approxim... 3741 In this study an alloy phasefield model is u... 3742 We have previously proposed the partial quan... 3743 We present PFDCMSS a novel messagepassing ba... 3744 The Minkowski inequality is a classical ineq... 3745 This paper studies the concept of instantane... 3746 We study the complexity of approximating Was... 3747 Modern implicit generative models such as ge... 3748 Transfer learning leverages the knowledge in... 3749 We develop a new class of path transformatio... 3750 The visual representation of concepts or ide... 3751 Schmidts game is generally used to deduce qu... 3752 Locally Checkable Labeling LCL problems incl... 3753 In this paper we propose a novel continuous ... 3754 A CMorder is a reduced order equipped with a... 3755 Crosscorrelations in the activity in neural ... 3756 Despite the fact that JSON is currently one ... 3757 The present study introduce the human capita... 3758 In Diffusion Tensor Imaging DTI or High Angu... 3759 This paper presents a new multiobjective dee... 3760 Finding optimal correction of errors in gene... 3761 Finding semantically rich and computerunders... 3762 For a safe natural and effective humanrobot ... 3763 Continuoustime trajectory representations ar... 3764 In this paper we consider testing the homoge... 3765 We exhibit Borel probability measures on the... 3766 PCA is one of the most widely used dimension... 3767 Associating image regions with text queries ... 3768 The open and closed textitsymmetrized polydi... 3769 Partial differential equations with distribu... 3770 Fracton order is a new kind of quantum order... 3771 MinSEISCluster is an optimization problem wh... 3772 The statistical distribution of galaxies is ... 3773 Causal mediation analysis can improve unders... 3774 Finding an intermediatemass black hole IMBH ... 3775 A successful grasp requires careful balancin... 3776 Let mathcalA be a Calgebra of bounded unifor... 3777 We present Shrinking Horizon Model Predictiv... 3778 Scientific evaluation is a determinant of ho... 3779 Topological effects typically discussed in t... 3780 A high degree of consensus exists in the cli... 3781 In the Convex Body Chasing problem we are gi... 3782 We introduce a notion of cocycleinduction fo... 3783 Auxiliary variables are often needed for ver... 3784 In this paper we will present a homological ... 3785 In this contribution we are concerned with t... 3786 This paper proposes novel tests for the abse... 3787 Deriving the optimal safety stock quantity w... 3788 In this article we prove Carleman estimates ... 3789 Unsupervised domain mapping has attracted su... 3790 The spin of WolfRayet WR stars at low metall... 3791 There is surprisingly little known about age... 3792 Complex networks are often used to represent... 3793 The choice of tuning parameter in Bayesian v... 3794 We introduce a metric of mutual energy for a... 3795 Volvox barberi is a multicellular green alga... 3796 Accuracy is one of the basic principles of j... 3797 It has recently become possible to study the... 3798 A set is called recurrent if its minimal aut... 3799 This paper presents the concept of an In sit... 3800 We describe the road which led to the constr... 3801 Consider an ample and globally generated lin... 3802 We propose a method for recognizing moving v... 3803 We study principal component analysis PCA fo... 3804 The aim of this paper is to give a short ove... 3805 We introduce variational obstacle avoidance ... 3806 This paper introduces an extension of Herons... 3807 In representation learning RL how to make th... 3808 Distributed storage systems suffer from sign... 3809 We report on the optimization process to syn... 3810 As a dedicated solar radio interferometer th... 3811 We present Deep Voice a fullyconvolutional ... 3812 Every year million newborns die within the ... 3813 We propose a novel fluidstructure interactio... 3814 In this article we advance divideandconquer ... 3815 Robust and fast motion estimation and mappin... 3816 Most existing theories of dark energy andor ... 3817 Video analytics requires operating with larg... 3818 Recent development of largescale question an... 3819 Introducing inequality constraints in Gaussi... 3820 Cyclic codes and their various generalizatio... 3821 A method for efficiently successive cancella... 3822 OpenML is an online machine learning platfor... 3823 Cultural activity is an inherent aspect of u... 3824 Accurate measurements of the physical struct... 3825 Conditional expectiles are becoming an incre... 3826 The choice that a solid system makes when ad... 3827 This paper presents an alternative approach ... 3828 Image Registration is the process of alignin... 3829 This work initiates a general study of learn... 3830 A graph is Hfree if it has no induced subgra... 3831 The design of electrically driven quantum do... 3832 This paper studies directed exploration for ... 3833 Bayesian models that mix multiple Dirichlet ... 3834 We present a new matched filter algorithm fo... 3835 D nonLTE radiative transfer problems are com... 3836 Recently several Test Case Prioritization TC... 3837 The magnetism in MnSiTe has been investigate... 3838 The Big Data phenomenon has spawned largesca... 3839 This work is concerned with a unique combina... 3840 In this paper a deep domain adaptation based... 3841 Under ambient conditions we directly observe... 3842 The development of plasmonic and metamateria... 3843 We study the Andersonlike localization trans... 3844 Recent developments in specialized computer ... 3845 Dynamic Mode Decomposition DMD has emerged a... 3846 Social relationships can be divided into dif... 3847 We construct a linear system nonlocal game w... 3848 This note corrects the mistakes in the splic... 3849 We show tight upper and lower bounds for swi... 3850 The kinetic effects of electrons are importa... 3851 A major bottleneck for developing general re... 3852 Developing an intelligent vehicle which can ... 3853 How much energy is consumed for an inference... 3854 We investigate the association between music... 3855 We propose a general algorithm to compute al... 3856 Using cohomological methods we prove a crite... 3857 The generators of the classical Specht modul... 3858 In this paper we investigate the Cauchy prob... 3859 In this paper we describe two fully mass con... 3860 In this paper we are concerned with the prob... 3861 Batygin and Brown have suggested the existe... 3862 We propose a fast method with statistical gu... 3863 We prove existence results for small present... 3864 Image matting is a longstanding problem in c... 3865 We present the combined Chandra and SwiftBAT... 3866 LISA is a proposed spacebased laser interfer... 3867 Generative Adversarial Networks GANs have sh... 3868 We provide examples of operators TDV with de... 3869 In real human robot interaction HRI scenario... 3870 We present a deterministic algorithm for Rus... 3871 Objective A clinical decision support tool t... 3872 The same concept can mean different things o... 3873 M Hanzer and I Matic have proved that the ge... 3874 This article explores the geometric algebra ... 3875 We are concerned with unbounded sets of math... 3876 Mathematical models for physiological proces... 3877 We provide a derivation of the Poisson multi... 3878 Surface properties are examined in a chiral ... 3879 Modern threats have emerged from the prevale... 3880 The contribution of O ions to antiferromagne... 3881 Networks describe a range of social biologic... 3882 We used a multiplescale homogenization metho... 3883 Mobile network operators can track subscribe... 3884 Taipan is a multiobject spectroscopic galaxy... 3885 Online learning algorithms widely used to po... 3886 This paper is concerned with the blowup phen... 3887 The object of the present paper is to study ... 3888 Dynamic epidemic models have proven valuable... 3889 This paper considers the problem of designin... 3890 The emphword problem of a group G langle Si... 3891 Models in econophysics ie the emerging field... 3892 Spatially extended population dynamics model... 3893 We consider the problem of learning a policy... 3894 As autonomous vehicles become an everyday re... 3895 A finite word is closed if it contains a fac... 3896 We construct a continuous time model for pri... 3897 In Dergachev and Kirillov introduced subalg... 3898 Let M be an evendimensional oriented closed ... 3899 Transformation models are a very important t... 3900 We study polynomial generalizations of the K... 3901 Coordinate descent methods employ random par... 3902 Stochasticity and limited precision of synap... 3903 A congruence is a surface in the Grassmannia... 3904 We investigate the behavior of the deviation... 3905 In this paper we prove the pointwise converg... 3906 We give a criterion which characterizes a ho... 3907 The Moon often appears larger near the perce... 3908 We study fielddriven magnetic domain wall dy... 3909 We show that the UCT problem for separable n... 3910 Recent outbreaks of Ebola HN and other infec... 3911 We investigate the entanglement properties o... 3912 We present a nonlocal electrostatic formulat... 3913 Transfer learning borrows knowledge from a s... 3914 Although the property of strong metric subre... 3915 We present the SILVERRUSH program strategy a... 3916 Magnetosphere at ion kinetic scales or minim... 3917 We study soliton solutions of matrix Kadomts... 3918 LowPower WideArea Networks LPWANs are being ... 3919 A compacted tree is a graph created from a b... 3920 The PiXeL detector PXL for the Heavy Flavor ... 3921 Let Cbf n be a complete intersection monomia... 3922 The dynamics of a quantum vortex torus knot ... 3923 Quantumdot cellular automata QCA is a likely... 3924 Two major momentumbased techniques that have... 3925 We give characterizations of a finite group ... 3926 In this paper the biderivations without the ... 3927 When the residents of Flint learned that lea... 3928 In this paper we introduce a stochastic proj... 3929 We compute the integral of a function or the... 3930 We address the problem of emphinstance label... 3931 Computational procedures to foresee the D st... 3932 In this paper we propose a finite element me... 3933 This paper introduces a new probabilistic ar... 3934 The energetic particle environment on the Ma... 3935 The growth in variety and volume of OLTP Onl... 3936 Until recently social media was seen to prom... 3937 The local event detection is to use posting ... 3938 We prove that given a closure function the s... 3939 Evolutionary games on graphs describe how st... 3940 We focus on the analysis of planar shapes an... 3941 The learning of domaininvariant representati... 3942 Encoderdecoder networks using convolutional ... 3943 ShuffleNet is a stateoftheart light weight c... 3944 Once a failure is observed the primary conce... 3945 This volume contains a final and revised sel... 3946 Recent observations of lensed galaxies at co... 3947 The graph Laplacian is a standard tool in da... 3948 In this paper we propose a modified version ... 3949 Major histocompatibility complex class two M... 3950 Speechreading is the task of inferring phone... 3951 Fedotovite KCuOSO is a candidate of new quan... 3952 We call a simple abelian variety over mathbb... 3953 Multivariate techniques based on engineered ... 3954 Tangent measure and blowup methods are power... 3955 Programmers often write code which have simi... 3956 In this paper we shall prove the equality \n... 3957 We demonstrate subpicosecond wavelength conv... 3958 In this paper we develop a new accelerated s... 3959 MapReduce is a popular programming paradigm ... 3960 In this paper we propose a unified view of g... 3961 Over almost three decades the TAUP conferenc... 3962 Diagnosis and risk stratification of cancer ... 3963 In this paper the notion of LMfuzzy convex s... 3964 This paper presents a passive compliance con... 3965 In this paper we consider the phase retrieva... 3966 A family of subsets of ldotsn is called it i... 3967 Magnetic skyrmions are swirling spin texture... 3968 Training deep neural network policies endtoe... 3969 Interpretability has become an important iss... 3970 We propose an optimal sequential methodology... 3971 A linear Boltzmann equation with nonautonomo... 3972 For any ngeq and qgeq we prove that the s... 3973 The deconfined quantum critical point QCP se... 3974 Deep learning has become the state of the ar... 3975 In this letter we prove that the unrolled sm... 3976 Increasing safety and automation in transpor... 3977 With the advent of numerous online content p... 3978 Accurately predicting and detecting intersti... 3979 We study whether a depth two neural network ... 3980 Since the development of higher local class ... 3981 The classic algorithm of Bodlaender and Klok... 3982 Let Tii be a sequence of independent identi... 3983 This paper presents an intelligent home ener... 3984 This paper develops a general framework for ... 3985 We investigate the use of optimization to co... 3986 We develop parametric classes of covariance ... 3987 Cell injection is a technique in the domain ... 3988 We present a visually grounded model of spee... 3989 This paper considers the challenging task of... 3990 Cooperation is a difficult proposition in th... 3991 We consider the parabolicelliptic model for ... 3992 Microservice Architectures MA have the poten... 3993 The stronginteraction limit of the Hohenberg... 3994 The coupling of Reynolds and RayleighPlesset... 3995 Stateoftheart algorithms for sparse subspace... 3996 Steady State Superconducting Tokamak SST at ... 3997 Pseudoone dimensional pseudoD materials are ... 3998 This paper outlines a methodological approac... 3999 The FrankWolfe FW algorithm has been widely ... 4000 On the probability simplex we can consider t... 4001 The search of unconventional magnetic and no... 4002 A wide variety of phenomena of engineering a... 4003 The endogenous adaptation of agents that may... 4004 Although the existence of quasibound rotatio... 4005 The dark ages of the Universe end with the f... 4006 In this project we propose a novel approach ... 4007 In this paper we consider the problem of mac... 4008 Directed latent variable models that formula... 4009 For a graph G let oddG and omegaG denote the... 4010 Gradient boosting is a stateoftheart predict... 4011 A decentralized payment system is not secure... 4012 Let M and N be two monomials of the same deg... 4013 We give a new expression for the law of the ... 4014 Given a curve defined over an algebraically ... 4015 We consider importance sampling to estimate ... 4016 Most network studies rely on an observed net... 4017 Let cal X XXprime be a random matrix associa... 4018 Bandwidth selection is crucial in the kernel... 4019 Immunogenicity is a major problem during the... 4020 Probit regression was first proposed by Blis... 4021 In this paper first we prove that the Diopha... 4022 A lot of scientific works are published in d... 4023 The main theorem is incorrectly stated\n 4024 We study fractional quantum Hall states at f... 4025 We prove that Artin groups from a class cont... 4026 The chemotactic dynamics of cells and organi... 4027 A general procedure for constructing YetterD... 4028 We present a method to reconstruct autocorre... 4029 An optimizationbased approach for the Tucker... 4030 The optical absorption of CdWO is reported a... 4031 Convolutional neural networks CNNs have rece... 4032 In this paper we study right SNoetherian rin... 4033 The oddball paradigm is widely applied to th... 4034 A common problem in machine learning is to r... 4035 Human activities from hunting to emailing ar... 4036 In this paper the problem of selecting p out... 4037 We study anisotropic undersampling schemes l... 4038 Given a graph the sparsest cut problem asks ... 4039 In this paper we propose a welljustified syn... 4040 A recent stacking analysis of Planck HFI dat... 4041 Background Modelbased analysis of movements ... 4042 In this study we propose a new statical appr... 4043 The recent direct observation of gravitation... 4044 By formally invoking the WienerHopf method w... 4045 Humans are remarkably proficient at controll... 4046 We consider the point blowup of the manifold... 4047 In the present investigation the development... 4048 We describe a method to identify poor househ... 4049 Recent research in computational linguistics... 4050 Ponzi schemes are financial frauds where und... 4051 It is well known that it is challenging to t... 4052 In typical neural machine translationNMT the... 4053 Deep neural networks DNN excel at extracting... 4054 In this paper we introduce an algorithm for ... 4055 Advances in mobile computing technologies ha... 4056 Interfacing a ferromagnet with a polarized f... 4057 By combining bulk sensitive softXray angular... 4058 We consider multiagent stochastic optimizati... 4059 Let mathbbFq denote the finite field of orde... 4060 Bilinear models provide an appealing framewo... 4061 Two new highprecision measurements of the de... 4062 This paper proposes a scalable algorithmic f... 4063 We introduce the first index that can be bui... 4064 We study the temperature dependence of the R... 4065 We give a definition of viscosity solution f... 4066 The recently introduced acoustic raytracing ... 4067 The World Wide Web conference is a wellestab... 4068 In this semitutorial paper we first review t... 4069 We consider the generalized Milne problem in... 4070 In this work we exploit agglomeration based ... 4071 We study how to detect clusters in a graph d... 4072 We construct fundamental solutions of second... 4073 GAUGE INVARIANCE The SachsWolfe formula desc... 4074 The noisy matrix completion problem which ai... 4075 For Q a polynomial with integer coefficients... 4076 Implementing the modal method in the electro... 4077 We give an abstract formulation of the forma... 4078 The distribution of matter in the universe i... 4079 Workhorse theories throughout all of physics... 4080 Accurate noise modelling is important for tr... 4081 In this paper we introduce an unbiased gradi... 4082 A robots ability to understand or ground nat... 4083 The growing demand on efficient and distribu... 4084 The analysis of neuroimaging data poses seve... 4085 Wet etching is an essential and complex step... 4086 An inherently abstract nature of source code... 4087 Selfnested trees present a systematic form o... 4088 Let G be a connected complex reductive algeb... 4089 In this paper we propose an improvement for ... 4090 We give a necessary and sufficient condition... 4091 In modern stream cipher there are many algor... 4092 The telecommunications industry is highly co... 4093 A vital aspect in energy storage planning an... 4094 We present results of an experiment showing ... 4095 We show that fundamental groups of compact o... 4096 The pseudoscalars in Garret Sobczyks paper e... 4097 We determine the information scrambling rate... 4098 In recent years deep neural networks have yi... 4099 The influence of the surface curvature on th... 4100 Many supervised learning tasks are emerged i... 4101 A graph is said to be symmetric if its autom... 4102 The run time of many scientific computation ... 4103 In applications of deep reinforcement learni... 4104 In this paper we investigate the Hawking rad... 4105 OpenMP is a shared memory programming model ... 4106 In the recent years image processing techniq... 4107 Semisupervised node classification in graphs... 4108 The CANDECOMPPARAFAC CP tensor decomposition... 4109 Given the increasing competition in mobile a... 4110 This paper studies the problem of remote sta... 4111 The goal of network representation learning ... 4112 Manipulating and focusing light deep inside ... 4113 The competition between spinorbit coupling b... 4114 Protoplanetary disks undergo substantial mas... 4115 We study the spatiotemporal instability gene... 4116 Here we find the spectral curves correspondi... 4117 We prove that a critical metric of the volum... 4118 We present a deep neural architecture that p... 4119 Chentsovs theorem characterizes the Fisher i... 4120 The direct band gap character and large spin... 4121 We consider the problem of finding the minim... 4122 This paper is the first work to propose a ne... 4123 Starting from the pioneering works of Shanno... 4124 A short overview demystifying the midi audio... 4125 We develop the first Bayesian Optimization a... 4126 The optical observations of wide fields of v... 4127 MultiEntity Dependence Learning MEDL explore... 4128 A simpletriangle graph is the intersection g... 4129 In this paper we generalize the normalized g... 4130 We show that in any nontrivial Hahn field wi... 4131 Laser communication has advances in compared... 4132 This paper introduces the first deep neural ... 4133 Although adverse effects of attacks have bee... 4134 A conservative scheme has been formulated an... 4135 We study a variant of the stochastic multiar... 4136 Energy consumption for hot water production ... 4137 Selfadaptive system SAS is capable of adjust... 4138 The Intelligent Transportation System ITS ta... 4139 Npolar GaN pn diodes are realized on singlec... 4140 Particle identification at the Belle II expe... 4141 This paper presents an easy and efficient fa... 4142 Conventional decision trees have a number of... 4143 A topological shape analysis is proposed and... 4144 Existing methods for arterial blood pressure... 4145 We explore some of the ramifications arising... 4146 Quantum fluctuations from frustration can tr... 4147 A novel solution is obtained to solve the ri... 4148 Enhanced mobile broadband eMBB is one of the... 4149 We study the problem of estimating the size ... 4150 This paper provides sufficient conditions fo... 4151 This article is the second in a series of tw... 4152 We present a simple apparatus for femtosecon... 4153 We study changes in metrics that are defined... 4154 In this paper we answer the following questi... 4155 The modification of geometry and interaction... 4156 With the proliferation of social media fashi... 4157 This paper introduces a new and effective al... 4158 Current spacecraft need to launch with all o... 4159 Compared with numerous Xray dominant active ... 4160 We study the em maximum duopreservation stri... 4161 The current trends in nextgeneration exascal... 4162 We propose a general approach to modeling se... 4163 We report the fabrication of a cm long cavi... 4164 Spectral clustering is one of the most popul... 4165 We consider the recovery of a low rank M tim... 4166 The aim of this work is to propose a first c... 4167 Selfbound quantum droplets are a newly disco... 4168 This paper is concerned with the problem of ... 4169 Growing uncertainty in design parameters and... 4170 In this paper we propose a new approach to o... 4171 Despite rapid advances in face recognition t... 4172 We introduce a new class of graphical models... 4173 We argue that turning a logic program into a... 4174 In the present manuscript we consider the pr... 4175 Human attribute analysis is a challenging ta... 4176 Measurement error in the observed values of ... 4177 We consider the K surfaces that arise as dou... 4178 A sidefed crossed Dragone telescope provides... 4179 Individual Neurons in the nervous systems ex... 4180 In Part we study the spherical functions on... 4181 We consider the problem of estimating specie... 4182 Recently the introduction of the generative ... 4183 Gestures are a natural communication modalit... 4184 When training a deep network for image class... 4185 Deep narrowband HST imaging of the iconic sp... 4186 In this Letter we supervisedly train neural ... 4187 We propose a Label Propagation based algorit... 4188 Indian Buffet Process based models are an el... 4189 We propose a new model for formalizing rewar... 4190 We study the estimation of integral type fun... 4191 Emotional arousal increases activation and p... 4192 Xray emission in young stellar objects YSOs ... 4193 We consider reactiondiffusion equations and ... 4194 We present the first systematic analysis of ... 4195 The features of collaboration patterns are o... 4196 We study the generation of magnetic fields d... 4197 We present HornDroid a new tool for the stat... 4198 In this paper we study the robustness of net... 4199 In Mas and Vee it was proved independently t... 4200 Realworld machine learning applications ofte... 4201 This paper proposes an efficient method for ... 4202 We establish a PolyaVinogradovtype bound for... 4203 Introductory and pedagogical treatmeant of t... 4204 Generative adversarial networks GANs have re... 4205 Experimental determination of protein functi... 4206 Eliminating the negative effect of nonstatio... 4207 We use a function field analogue of a method... 4208 We derive a correspondence between the eigen... 4209 Deep learning has become a powerful and popu... 4210 In nature or societies the powerlaw is prese... 4211 We extend the results of Zhang et al to show... 4212 Plasma turbulence at scales of the order of ... 4213 Recurrent neural networks show stateoftheart... 4214 We build a deep reinforcement learning RL ag... 4215 Curiosity is the strong desire to learn or k... 4216 We initiate the study of the communication c... 4217 We prove and improve the MuirSuffridge conje... 4218 In this article we give an approach to defin... 4219 The interplay between spinorbit coupling SOC... 4220 We present a strong version of Abouzaids NoE... 4221 Graph Weighted Models GWMs have recently bee... 4222 In this paper we are concerned with the exis... 4223 N distinguishable players are randomly fitte... 4224 Over any field mathbb K there is a bijection... 4225 While the optimization problem behind deep n... 4226 This paper presents an analysis of rearward ... 4227 We propose a simple yet highly effective met... 4228 Global Style Tokens GSTs are a recentlypropo... 4229 Online social networks are more and more stu... 4230 We review possible mechanisms for energy tra... 4231 We consider a priori generalization bounds d... 4232 We propose a novel class of statistical dive... 4233 We study the existence and nonexistence of m... 4234 This paper introduces Dex a reinforcement le... 4235 In this paper we discuss the first order par... 4236 We prove the genusone restriction of the all... 4237 We present a novel approach for mobile manip... 4238 The paper presents first results of the CitE... 4239 The majority of everyday tasks involve inter... 4240 In this article weak convergence of the gene... 4241 Segmental conditional random fields SCRFs an... 4242 The use of ecofriendly materials for the env... 4243 While much of the work in the design of conv... 4244 A rigorous bridge between spikinglevel and m... 4245 The recognition of actions from video sequen... 4246 Digital information can be encoded in the bu... 4247 Traditionally categorical data analysis eg g... 4248 In this article we present an idea of using ... 4249 This paper contributes a new machine learnin... 4250 We characterize strong type and weak type in... 4251 Sentiment analysis is the Natural Language P... 4252 Separating two sources from an audio mixture... 4253 In this article we first derive the wavevect... 4254 An optimization procedure for multitransmitt... 4255 We consider the problem of estimating counte... 4256 Text generation is increasingly common but o... 4257 A means of building safe critical systems co... 4258 The topic of this paper is modeling and anal... 4259 Nodalline semimetals one of the topological ... 4260 We analyze the listdecodability and related ... 4261 Comparing different neural network represent... 4262 We axiomatize and study the matrices of type... 4263 This paper argues that the judicial use of f... 4264 Topological crystalline insulators have been... 4265 Experimental records of active bundle motili... 4266 Weyl and Dirac semimetals in three dimension... 4267 We have developed FFT beamforming techniques... 4268 Magnetic Resonance Imaging MRI and Positron ... 4269 The goal of this paper is to extend the clas... 4270 Considering the problem of color distortion ... 4271 We present a generalisation of C Bishop and ... 4272 Flexible estimation of heterogeneous treatme... 4273 In hierarchical searches for continuous grav... 4274 We study the heat trace for both the driftin... 4275 As online systems based on machine learning ... 4276 We show that every P diamond Kfree graph is ... 4277 The nearby exoplanet Proxima Centauri b will... 4278 There is a longstanding belief that the modu... 4279 Most of mathematic forgetting curve models f... 4280 An important step in the efficient computati... 4281 An imperative aspect of modern science is th... 4282 Stardust grains recovered from meteorites pr... 4283 We present a new proof of a fundamental resu... 4284 Animal telemetry data are often analysed wit... 4285 Chiral magnets with topologically nontrivial... 4286 For human pose estimation in monocular image... 4287 Among underwater perceptual sensors imaging ... 4288 Genomewide association studies GWAS have ach... 4289 This paper shows that for any random variabl... 4290 Infants are experts at playing with an amazi... 4291 A modern aircraft may require on the order o... 4292 Quantitative multivariate central limit theo... 4293 According to the DeGrootFriedkin model of a ... 4294 We prove existence of Abrikosov vortex latti... 4295 The Hilda asteroids are primitive bodies in ... 4296 The properties of cold Bose gases at unitari... 4297 The best known method to give a lower bound ... 4298 Education is a key factor in ensuring econom... 4299 It has long been known that a singlelayer fu... 4300 Recently Lawson has shown that the primary B... 4301 This paper is devoted to expressiveness of h... 4302 Treegrass coexistence in savanna ecosystems ... 4303 An approach is presented for making predicti... 4304 In this paper we investigate periodic vibrat... 4305 Content analysis of news stories whether man... 4306 New social and economic activities massively... 4307 Bearing only cooperative localization has be... 4308 We revisit the relation between the neutrino... 4309 This paper is concerned with the generation ... 4310 This paper proposes a computerbased recursio... 4311 We consider a chain of Abelian KlebanovTarno... 4312 The reliable measurement of confidence in cl... 4313 Benfords law is an empirical edict stating t... 4314 Two popular classes of methods for approxima... 4315 Bells theorem has fascinated physicists and ... 4316 In this paper the objects of our investigati... 4317 At the beginning of a dynamic game players m... 4318 Wearable devices are transforming computing ... 4319 We study standard and nonlocal nonlinear Sch... 4320 Prediction is an appealing objective for sel... 4321 Manifold learning based methods have been wi... 4322 We use data on extreme radio scintillation t... 4323 From longitudinal biomedical studies to soci... 4324 Both neural networks and decision trees are ... 4325 Let A be a regular ring containing a field o... 4326 Selecting the right drugs for the right pati... 4327 The temperature dependence of the electrical... 4328 We develop a novel method for training of GA... 4329 Monoclonal antibodies constitute one of the ... 4330 It is well known that the addition of noise ... 4331 Conditional term rewriting is an intuitive y... 4332 Magnetic skyrmions are topological spin stru... 4333 Spectral estimation SE aims to identify how ... 4334 We present a new walking footplacement contr... 4335 We study the magnetic field effects on the d... 4336 An RNNbased forecasting approach is used to ... 4337 Polymer solar cells are considered as very p... 4338 A flutter machine is introduced for the inve... 4339 This paper proposes a novel robotic hand des... 4340 The celebrated Time Hierarchy Theorem for Tu... 4341 We study sound in Galilean invariant systems... 4342 The natural join and the inner union operati... 4343 Our predictions based on densityfunctional c... 4344 The autonomous measurement of tree traits su... 4345 Mechanical vibrations of components of the o... 4346 We present a new AI task Embodied Question ... 4347 Controlled generation of text is of high pra... 4348 Learning automatically the structure of obje... 4349 Design optimization techniques are often use... 4350 We present an application of deep generative... 4351 In Kirk Lancaster and David Siegel investig... 4352 Brain computer interface BCI provides promis... 4353 This paper deals with motion planning for mu... 4354 Graph games provide the foundation for model... 4355 Recent work in distance metric learning has ... 4356 Attenuation correction is an essential requi... 4357 We introduce a general framework allowing to... 4358 This paper presents a rigorous optimization ... 4359 This paper proposes a new sharpened version ... 4360 Knotted solutions to electromagnetism and fl... 4361 Let m be an integer and let ImathbbZm be the... 4362 In recent publications we presented a novel ... 4363 Robots have the potential to be a game chang... 4364 Social learning ie students learning from ea... 4365 Background Widespread adoption of electronic... 4366 Piscine orthoreovirus Strain PRV is the caus... 4367 Motivated by recent experiments we use the U... 4368 We consider learningbased variants of the c ... 4369 In this report some cosmological correlation... 4370 Computational paralinguistic analysis is inc... 4371 The exchange of small molecular signals with... 4372 We explore how the polarization around contr... 4373 The vanishing gradient problem was a major o... 4374 In high dimension it is customary to conside... 4375 We propose a novel automatic method for accu... 4376 Using theorems of Eliashberg and McDuff Etny... 4377 Splitplot or repeated measures designs are f... 4378 The syntax of modal graphs is defined in ter... 4379 There has been great interest in realizing q... 4380 In this paper we are interested in the decom... 4381 Development of new greenhouse gas scavengers... 4382 Singing voice separation based on deep learn... 4383 We study highdimensional linear models with ... 4384 We show that given an estimate widehatA that... 4385 When a human drives a car along a road for t... 4386 Onchip twisted light emitters are essential ... 4387 We introduce LAMP the Linear Additive Markov... 4388 We consider extended starlike networks where... 4389 Let an be the Fourier coefficients of a holo... 4390 There is general consensus that learning rep... 4391 In this work we offer a framework for reason... 4392 With the advent of Big Data nowadays in many... 4393 We introduce a new virtual environment for s... 4394 We present FashionMNIST a new dataset compri... 4395 A kpage book drawing of a graph GVE consists... 4396 We have measured Xray magnetic circular dich... 4397 This paper studies the problem of secure com... 4398 We analytically derive the elastic dielectri... 4399 We are concerned with multidimensional nonli... 4400 This paper describes a massively parallel co... 4401 This article carries out a large dimensional... 4402 We study the differences and equivalences be... 4403 Vibrational energy harvesters capture mechan... 4404 The paper presents a novel principled approa... 4405 An area efficient rowparallel architecture i... 4406 Following a paper in which the fundamental a... 4407 Osteonecrosis occurs due to the loss of bloo... 4408 We study the output feedback exponential sta... 4409 In this paper we introduce a design principl... 4410 The wellknown Bayes theorem assumes that a p... 4411 I consider a Jovian planet on a highly eccen... 4412 This note contains a reformulation of the Ho... 4413 We study the asymmetry in the twopoint cross... 4414 In this paper we present an endtoend automat... 4415 Fourier analysis and representation of circu... 4416 A new method is presented for modelling the ... 4417 Deep reinforcement learning DRL has shown in... 4418 We propose an Analytical method of Blind Sep... 4419 In this paper we study an optimal output con... 4420 We propose a new dynamics for equilibrium se... 4421 This paper presents a new method for medical... 4422 New results are added to the paper about qc... 4423 This letter provides a simple but efficient ... 4424 The current and envisaged increase of cellul... 4425 Recurrent neural network RNN language models... 4426 J DeLoeraT McAllister and K D MulmuleyH Nara... 4427 In aspectbased sentiment analysis most exist... 4428 I begin my discussion by summarizing the met... 4429 We present the results of resonant xray scat... 4430 Rapid popularity of Internet of Things IoT a... 4431 In environments with scarce resources adopti... 4432 The performance of Neural Network NNbased la... 4433 Covalentorganic frameworks COFs are intrigui... 4434 Filters in a Convolutional Neural Network CN... 4435 Gravitationally collapsed objects are known ... 4436 A relational structure mathbb X is said to b... 4437 The difficulty of large scale monitoring of ... 4438 The recently developed variational autoencod... 4439 In this work we describe a problem which we ... 4440 If M is a smooth compact connected Riemannia... 4441 Power spectrum estimation is an important to... 4442 Evaluating human brain potentials during wat... 4443 Geophysical inversion should ideally produce... 4444 We provide a new proof of the super duality ... 4445 In recent years car makers and tech companie... 4446 An electricallycontrollable solidstate rever... 4447 Global pairwise network alignment GPNA aims ... 4448 We present a quantu spin liquid state in a s... 4449 We show that for any singular dominant integ... 4450 The article is devoted to the investigation ... 4451 Many realworld systems are profitably descri... 4452 Given a semiRiemannian manifold Mg with two ... 4453 In this paper we compute the number of zclas... 4454 This paper proposes a practical approach for... 4455 Martin David Kruskal was one of the most ver... 4456 We provide a unified framework to compute th... 4457 Hedonic games are meant to model how coaliti... 4458 We introduce the kbanded Cholesky prior for ... 4459 In this paper we consider the stochastic Lan... 4460 Crowdsourcing is an important avenue for col... 4461 The Weihrauch degrees and strong Weihrauch d... 4462 Long shortterm memory LSTM is normally used ... 4463 We introduce the abstract notion of a closed... 4464 We give a classification and complete algebr... 4465 Quantum Cognition has delivered a number of ... 4466 The purpose of this note is to provide a det... 4467 The Lanczos method is one of the standard ap... 4468 Eigenstates of fully manybody localized FMBL... 4469 Network modeling has become increasingly pop... 4470 Automated vehicles can change the society by... 4471 In recent years many new and interesting mod... 4472 We consider the GiererMeinhardt system with ... 4473 In this article we study subloci of solvable... 4474 We prove limit theorems for the superreplica... 4475 The study of networks has witnessed an explo... 4476 We present natural families of coordinate al... 4477 We observed the field of the Fermi source FG... 4478 Markov random fields MRFs find applications ... 4479 Nonparametric estimation of mutual informati... 4480 We present laboratory spectra of the pd tran... 4481 In this paper we propose a novel method to r... 4482 Fabrication of devices in industrial plants ... 4483 We propose a fast and accurate numerical met... 4484 In this article we extend the conventional f... 4485 A major obstacle to understanding neural cod... 4486 The Loving AI project involves developing so... 4487 In this paper we study leveraging confidence... 4488 The profitability of fraud in online systems... 4489 Nearfuture electric distribution grids opera... 4490 This paper presents an approach to assess th... 4491 In this work we study the Thermodynamics of ... 4492 The antiferromagnet AFM ferromagnet FM inte... 4493 Blockage of pores by particles is found in m... 4494 Monte Carlo MC simulations of transport in r... 4495 Ingrowth or postdeposition treatment of CuZn... 4496 A novel approach is introduced to a very wid... 4497 We define a notion of morphisms between open... 4498 A semirelativistic densityfunctional theory ... 4499 We compute the LBetti numbers of the free Ct... 4500 Recently there is increasing interest and re... 4501 The coupled quasilinear KellerSegelNavierSto... 4502 Spectral clustering is one of the most popul... 4503 textbfObjective To assess the validity of an... 4504 We review the developments of the statistica... 4505 We consider a localized approach in the well... 4506 Directed graphs are widely used to model dat... 4507 The weardriven structural evolution of nanoc... 4508 The aim of this paper is to present necessar... 4509 This is mostly a survey article We use an in... 4510 In this paper we obtain bounds for the Morde... 4511 We have shown that in some region where the ... 4512 We report on the first experimental observat... 4513 Navigating safely in urban environments rema... 4514 When magnetic field is applied to metals and... 4515 The emergence and development of cancer is a... 4516 In this paper we correct an inaccuracy that ... 4517 In the present work we aim at taking a step ... 4518 We investigate a dynamically adapting tuning... 4519 We provide an analytic propagator for nonHer... 4520 We propose a novel deep learning architectur... 4521 Recently distributed processing of large dyn... 4522 Variational inference methods often focus on... 4523 The discrete cosine transform DCT is a widel... 4524 We propose a swarmbased optimization algorit... 4525 In this paper we consider a backward in time... 4526 In this brief review we discuss the transien... 4527 The galaxy data provided by COSMOS survey fo... 4528 Digital advances have transformed the face o... 4529 Singular actions on Calgebras are automorphi... 4530 General purpose correctbyconstruction synthe... 4531 In this study explicit differential equation... 4532 More than positrons annihilate every second... 4533 Sampling technique has become one of the rec... 4534 Friendship and antipathy exist in concert wi... 4535 We review the recurrence intervals as a func... 4536 Modern and future particle accelerators empl... 4537 In this paper some algebraic and combinatori... 4538 In this paper we show how the stochastic hea... 4539 Attentionbased models have recently shown gr... 4540 Similarity and metric learning provides a pr... 4541 Skills learned through deep reinforcement le... 4542 We analyze an open manybody system that is s... 4543 In this paper the effect of transmitter beam... 4544 Mars surface bears the imprint of valley net... 4545 This paper proposes an image dehazing model ... 4546 In the spirit of searching for Gdbased frust... 4547 In the note all indecomposable canonical for... 4548 Let Mg be a compact manifold and let Delta p... 4549 Multimodal clustering is an unsupervised tec... 4550 In this paper we solve the problem of the id... 4551 Nonlinear optics especially frequency mixing... 4552 The microcanonical GrossPitaevskii aka semic... 4553 During the last decades public policies beco... 4554 Using twodimensional hybrid expanding box si... 4555 We establish minimax optimal rates of conver... 4556 We consider the problem of phase retrieval i... 4557 It is shown that if one uses the notion of i... 4558 Internet as become the way of life in the fa... 4559 We present the design and implementation of ... 4560 Policygradient approaches to reinforcement l... 4561 Absolute positioning of vehicles is based on... 4562 We demonstrate that the augmented estimate s... 4563 The interplay between electrochemical surfac... 4564 Feasibility pumps are highly effective prima... 4565 Starting from covariant expressions a gauge ... 4566 If a and d are relatively prime we refer to ... 4567 We develop an asymptotical control theory fo... 4568 Replication is complicated in psychological ... 4569 We study the angular dependence of the dissi... 4570 The displacement calculus mathbfD is a conse... 4571 We construct labeling homomorphisms on the c... 4572 We demonstrate the integration of a mesoscop... 4573 We present a solution to scale spectral algo... 4574 The Bcklund transformation BT for the good B... 4575 Compressing convolutional neural networks CN... 4576 We consider a dilute fluorinated graphene na... 4577 Given one metric measure space X satisfying ... 4578 The problem of quantizing the activations of... 4579 We associate a monoidal category mathcalHlam... 4580 Let G be a group An automorphism of G is cal... 4581 We study the adjoint of the double layer pot... 4582 The structural coefficient of restitution de... 4583 We explore the phase diagram of a finitesize... 4584 Topological data analysis is an emerging are... 4585 In this paper we design nonlinear state feed... 4586 Computed Tomography CT reconstruction is a f... 4587 We consider bounded solutions of the nonloca... 4588 Bi films with thicknesses up to several bila... 4589 Tensors are multidimensional arrays of numer... 4590 Consider a researcher estimating the paramet... 4591 Missing data and noisy observations pose sig... 4592 Concurrent coding is an unconventional encod... 4593 In the present work we explore the potential... 4594 This paper revisit and extend the interestin... 4595 Band gap tuning in twodimensional transition... 4596 The defect in diamond formed by a vacancy su... 4597 Kisin and Pappas constructed integral models... 4598 This paper gives a new flavor of what Peter ... 4599 Most braincomputer interfaces BCIs based on ... 4600 The human brain is capable of diverse feats ... 4601 Yang considered an empirical estimate of th... 4602 We calculate ghost characters for the torus ... 4603 We aim to clarify the role that absorption p... 4604 The data center networks Dnk proposed in ha... 4605 Turbulence is the leading candidate for angu... 4606 This paper proposes a general framework of m... 4607 Urban environments offer a challenging scena... 4608 We give improved algorithms for the ellpregr... 4609 In this article we give the explicit minimal... 4610 Current approaches for Knowledge Distillatio... 4611 This article argues for the importance of fo... 4612 Solar system small bodies come in a wide var... 4613 The LeahHamiltonian Hxyyx is introduced as a... 4614 Nuclear magnetic resonance NMR spectroscopy ... 4615 For every genus ggeq we construct an infini... 4616 Objective Absolute images have important app... 4617 Epidemic outbreaks are an important healthca... 4618 We report on the first streaking measurement... 4619 We investigate the intrinsic Baldwin effect ... 4620 HIVAIDS spread depends upon complex patterns... 4621 Biluminescent organic emitters show simultan... 4622 An instability of a liquid droplet traversed... 4623 Navigating in search and rescue environments... 4624 We point out that current textbooks of moder... 4625 The reionization of the Universe is one of t... 4626 We study the effect of different feedback pr... 4627 The first direct detection of the asteroidal... 4628 We study the convergence of the loglinear no... 4629 Soft gamma repeaters and anomalous Xray puls... 4630 We report on the optical and mechanical char... 4631 The Prototypical magnetic memory shape alloy... 4632 FPGAbased heterogeneous architectures provid... 4633 Penalized least squares estimation is a popu... 4634 This paper proposes a novel semidistributed ... 4635 We propose a framework for adversarial train... 4636 The first order magnetostructural transition... 4637 This work introduces the concept of parametr... 4638 Discriminationaware classification is receiv... 4639 A set of points a a n fixes a planar con... 4640 In this paper we consider priorbased dimensi... 4641 Can we perform an endtoend sound source sepa... 4642 The complete group classification problem fo... 4643 Generative adversarial networks GAN have bee... 4644 Smartphones have ubiquitously integrated int... 4645 We consider the distribution of free path le... 4646 We present measurements of the spinorbit mis... 4647 This paper introduces a novel parameter esti... 4648 This paper applies the multibond graph appro... 4649 Nauticle is a generalpurpose simulation tool... 4650 Below the phase transition temperature Tc si... 4651 Key performance characteristics are demonstr... 4652 Privacy is crucial in many applications of m... 4653 This research presents a model of a complex ... 4654 In this paper we present Neural Phrasebased ... 4655 We propose a method for multiperson detectio... 4656 We combine space group representation theory... 4657 In statistics cumulants are defined to be fu... 4658 A freely available Python code for modelling... 4659 In this work we examine two approaches to in... 4660 GeeHaw Whammy Diddle is a seemingly simple m... 4661 The cancellation theorem for GrothendieckWit... 4662 Motivation The rapid growth of diverse biolo... 4663 While I was dealing with a brain injury and ... 4664 Rapid changes in extracellular osmolarity ar... 4665 We present an optical mapping neareye OMNI t... 4666 Topological phases typically encode topology... 4667 We introduce a new dynamical system for sequ... 4668 Incremental methods for structure learning o... 4669 We theoretically investigate charge transpor... 4670 In this paper I study the isoparametric hype... 4671 Formation of a brightfield microscopic image... 4672 The actin cytoskeleton is an active semiflex... 4673 We introduce a method for using Fizeau inter... 4674 Determining the relative importance of envir... 4675 Classifiers and rating scores are prone to i... 4676 In this paper we revisit the portfolio optim... 4677 A method for constructing the Lax pairs for ... 4678 Motivated by the need to detect an undergrou... 4679 The most distant AGN within the allowed GZK ... 4680 We show that quandle coverings in the sense ... 4681 We derive an extended fluctuation theorem fo... 4682 Ranking algorithms are the information gatek... 4683 In order for autonomous robots to be able to... 4684 Unsupervised domain adaptation is the proble... 4685 Given a distribution of defects on a structu... 4686 A new management system for the SND detector... 4687 Spiking neural networks SNNs could play a ke... 4688 Distribution grids are currently challenged ... 4689 There is an ongoing debate in the literature... 4690 We introduce twisted matrix factorizations f... 4691 We provide a deterministic data summarizatio... 4692 The nonlinear latticea new and nonlinear cla... 4693 Improvements of entityrelationship ER search... 4694 Humanoid robotics research depends on capabl... 4695 Silicon nitride is awellestablished material... 4696 We propose a new selection rule for the coor... 4697 Convolutional and Recurrent deep neural netw... 4698 An ability to model a generative process and... 4699 We propose an efficient algorithm for approx... 4700 In this paper a generalized nonlinear Camass... 4701 Despite the growing popularity of wireless ... 4702 While most schemes for automatic cover song ... 4703 We present an algorithm that ensures in fini... 4704 Let Xomega be a compact Hermitian manifold o... 4705 Information and Communication Technology ICT... 4706 A number of visual question answering approa... 4707 The pth degree Hilbert symbol cdotcdot pKtim... 4708 We present GAMER a GPUaccelerated adaptive m... 4709 Assume mathsfMn is the ndimensional permutat... 4710 In this paper we consider distributed optimi... 4711 The increasing uptake of distributed energy ... 4712 Generative adversarial networks GANs are pow... 4713 Understanding the pseudogap phase in holedop... 4714 BoseEinstein condensates with tunable intera... 4715 We propose a principled method for kernel le... 4716 In recent years there has been a surge of in... 4717 Direct cDNA preamplification protocols devel... 4718 This paper proposes a novel model for the ra... 4719 The sample matrix inversion SMI beamformer i... 4720 Wind has the potential to make a significant... 4721 Widely used income inequality measure Gini i... 4722 This paper presents a constructive algorithm... 4723 In the fields of neuroimaging and genetics a... 4724 We establish a boundary maximum principle fo... 4725 Spectral sparsification is a general techniq... 4726 We analyze the statistics of the shortest an... 4727 In this work we investigate the optimal prop... 4728 The Internet infrastructure relies entirely ... 4729 Quantitative loop invariants are an essentia... 4730 This paper is on active learning where the g... 4731 We theoretically and experimentally demonstr... 4732 We consider the Kitaev chain model with fini... 4733 We study the motion of isentropic gas in noz... 4734 Atrial fibrillation AF is the most common fo... 4735 We study controllability of a Partial Differ... 4736 Gravitational instabilities GIs are most lik... 4737 We suggest a model of a multiagent society o... 4738 Recent initiatives by regulatory agencies to... 4739 We study the origin of layer dependence in b... 4740 A complete proof is given of relative interp... 4741 We prove that Htype Carnot groups of rank k ... 4742 We generalize the twisted quantum double mod... 4743 We study the fragmentationcoagulation or mer... 4744 In Bagchi main effect plans orthogonal thro... 4745 The electron transport layer ETL plays a fun... 4746 Many machine intelligence techniques are dev... 4747 In this paper we propose a new differentiabl... 4748 The core accretion hypothesis posits that pl... 4749 This paper presents a novel method that allo... 4750 Alternating automata have been widely used t... 4751 We study a special case at which the analyti... 4752 Causal effect estimation from observational ... 4753 We show that the poset of SLnorbit closures ... 4754 The fundamental understanding of loop format... 4755 In recent years supervised representation le... 4756 This paper aims to bridge the affective gap ... 4757 We present two different approaches to model... 4758 We present a method for drawing isolines ind... 4759 This work is concerned with the optimal cont... 4760 We show that all GLR equivariant point marki... 4761 Fundamental frequency f estimation from poly... 4762 We study the eigenvalues of the selfadjoint ... 4763 Recent work has considered theoretical model... 4764 We establish precise Zhu reduction formulas ... 4765 Timelimited functions and bandlimited functi... 4766 We model the size distribution of supernova ... 4767 Community detection provides invaluable help... 4768 Given the subjective preferences of n roomma... 4769 A desired closure property in Bayesian proba... 4770 Coded distributed computing CDC introduced b... 4771 The motion and photon emission of electrons ... 4772 We present hydrodynamic simulations of the h... 4773 As noninstitutive polynomial chaos expansion... 4774 Recognizing human activities in a sequence i... 4775 We introduce and study the higher tetrahedra... 4776 For many algorithms parameter tuning remains... 4777 We propose a method to generate D shapes usi... 4778 Recognizing arbitrary objects in the wild ha... 4779 This paper describes the procedure to estima... 4780 A multitude of web and desktop applications ... 4781 Nowadays a big part of people rely on availa... 4782 We investigate proving properties of Curry p... 4783 Classification which involves finding rules ... 4784 Modern learning algorithms excel at producin... 4785 Statistical regression models whose mean fun... 4786 Unmanned aerial vehicles UAVs have attracted... 4787 We propose a new imaging technique for radio... 4788 Using process algebra this paper describes t... 4789 The profiles of the broad emission lines of ... 4790 Agricultural robots are expected to increase... 4791 Textbooks in applied mathematics often use g... 4792 This paper provides an alternate proof to pa... 4793 According to the ButterfieldIsham proposal t... 4794 Emission of electromagnetic radiation by acc... 4795 Distribution regression has recently attract... 4796 By using the stateoftheart microscopy and sp... 4797 The HenonHeiles system was originally propos... 4798 We study the large time behaviour of the mas... 4799 Although neural machine translation NMT with... 4800 We propose a novel combination of optimizati... 4801 We present the first experimental demonstrat... 4802 We show that Variational Autoencoders consis... 4803 We survey the technique of constructing cust... 4804 We show that for all integers mgeq and all ... 4805 Full autonomy for fixedwing unmanned aerial ... 4806 We address the problem of efficient acoustic... 4807 The spatial distribution of Cherenkov radiat... 4808 The pentagram map is a discrete dynamical sy... 4809 In this paper we study the problem of photoa... 4810 Recently fundamental conditions on the sampl... 4811 Driven by growing interest in the sciences i... 4812 We contribute a general apparatus for depend... 4813 The goal of semantic parsing is to map natur... 4814 We study the algebraic implications of the n... 4815 Layout hotpot detection is one of the main s... 4816 Computational prediction of origin of replic... 4817 A routine task for art historians is paintin... 4818 In this paper we study a slant submanifold o... 4819 Theoretical models pertaining to feedbacks ... 4820 The cuprate hightemperature superconductors ... 4821 Cryptocurrencies and their foundation techno... 4822 Recent studies have shown that tuning predic... 4823 Matrices PhiinRntimes p satisfying the Restr... 4824 Models applied on real time response task li... 4825 The High Luminosity LHC HLLHC will integrate... 4826 Let mathcalF be a finite alphabet and mathca... 4827 The present is a companion paper to A contem... 4828 The giant mutually connected component GMCC ... 4829 In this paper we study the asymptotic behavi... 4830 Phasefield approaches to fracture based on e... 4831 Slow running or straggler tasks can signific... 4832 We introduce inference trees ITs a new class... 4833 We propose a scheme to employ backpropagatio... 4834 Recently two scalable adaptations of the boo... 4835 Impressive image captioning results are achi... 4836 We improve the performance of the American F... 4837 Embedded realtime systems RTS are pervasive ... 4838 We derive the second order rates of joint so... 4839 Chiral and helical domain walls are generic ... 4840 Modern neural networks tend to be overconfid... 4841 A detailed characterization of the particle ... 4842 We present a principled approach to uncover ... 4843 d superconformal field theories SCFTs are th... 4844 In this article we consider the completely m... 4845 In this paper we analyzed parasitic coupling... 4846 We consider a manager who allocates some fix... 4847 Continuous attractors have been used to unde... 4848 A t s vallornothing transform is a bijective... 4849 Highavailability of software systems require... 4850 We elucidate the importance of the consisten... 4851 We develop a novel method for counterfactual... 4852 The Generalized Pareto Distribution GPD play... 4853 In this work we introduce the em average top... 4854 Reflexive polytopes form one of the distingu... 4855 Neural networks have been successfully appli... 4856 The mixture models have become widely used i... 4857 Scanning superconducting quantum interferenc... 4858 Machine Learning models incorporating multip... 4859 We prove a general essential selfadjointness... 4860 Recent years have seen a growing interest in... 4861 We show that the convex hull of a monotone p... 4862 Recent experiments demonstrate that molecula... 4863 In distributed function computation each nod... 4864 How individuals adapt their behavior in cult... 4865 In warm dark matter scenarios structure form... 4866 Aluminum lumpedelement kinetic inductance de... 4867 We calculate the universal spectrum of trime... 4868 In this paper we have constructed dark energ... 4869 With the huge influx of various data nowaday... 4870 We give an algebraic quantization in the sen... 4871 It is well known that the Lasso can be inter... 4872 In this paper we investigate the endogenous ... 4873 Data diversity is critical to success when t... 4874 Robust feature representation plays signific... 4875 In this paper we develop an upper bound for ... 4876 We present the results of a Chandra Xray sur... 4877 We revisit the relegation algorithm by Depri... 4878 There exists a bijection between the configu... 4879 Neural networks a central tool in machine le... 4880 In this paper we are motivated by two import... 4881 Let K be a field of characteristic zero and ... 4882 We treat the boundary of the union of blocks... 4883 We introduce mathcalDLR an extension of the ... 4884 Developing a BrainComputer InterfaceBCI for ... 4885 As relational datasets modeled as graphs kee... 4886 We theoretically investigate the stability a... 4887 Recent experiments Schaeffer have shown tha... 4888 We present imaging polarimetry of the superl... 4889 Even though active learning forms an importa... 4890 Optical flow estimation in the rainy scenes ... 4891 Among the many additive manufacturing AM pro... 4892 Due to complexity and invisibility of human ... 4893 In this paper we address the inverse problem... 4894 Spectral graph convolutional neural networks... 4895 We study the turbulent square duct flow of d... 4896 Transport of charged carriers in regimes of ... 4897 Let frak g be a semisimple Lie algebra and f... 4898 Of the roughly neutron stars known only a h... 4899 Discrete time crystals are a recently propos... 4900 We give upper and lower bounds for the numbe... 4901 A representation formula for the relaxation ... 4902 Stochastic optimization is key to efficient ... 4903 In recent years self organised critical neur... 4904 Music being a multifaceted stimulus evolving... 4905 The purpose of this paper is to give some ch... 4906 Lowmass M stars are plentiful in the Univers... 4907 Due to their numerous advantages formal proo... 4908 In this study we explore peerinteraction eff... 4909 Some explanations to Kaldis PLDA implementat... 4910 The lowenergy quasiparticles of Weyl semimet... 4911 In Chinese societies superstition is of para... 4912 Magnetic fieldinduced giant modification of ... 4913 In this work we develop an adaptive multivar... 4914 We classify Drinfeld twists for the quantum ... 4915 In big data analysis for detecting rare and ... 4916 The class of quasimedian graphs is a general... 4917 We propose doubly nested networkDNNet where ... 4918 Recently there is a series of reports by Wan... 4919 Research on numerical stability of differenc... 4920 For a division ring D denote by mathcal MD t... 4921 The paper develops a hybrid method for solvi... 4922 This work focuses on quantitative representa... 4923 This paper presents a firstorder distributed... 4924 In the last few years Model Driven Developme... 4925 In this article we study optimal control pro... 4926 Bipartite EnvyFree Matching BEFM is a relaxa... 4927 Offdiagonal AubryAndr AA model has recently ... 4928 The analysis of networks affects the researc... 4929 We investigate how star formation is spatial... 4930 Path planning in robotics often requires fin... 4931 Let Pk be a path Ck a cycle on k vertices an... 4932 We propose a general index model for surviva... 4933 When dealing with the problem of simultaneou... 4934 Probability functions figure prominently in ... 4935 Predicting the next activity of a running pr... 4936 The high availability and scalability of wea... 4937 We investigate the initialboundary value pro... 4938 This paper presents two visual trackers from... 4939 Digital memcomputing machines DMMs are nonli... 4940 We describe a broadly applicable experimenta... 4941 We investigate D exoplanetary distributions ... 4942 Let widetildemathcal Mlangle mathcal M Prang... 4943 Effective implementations of samplingbased p... 4944 Information distribution by electronic messa... 4945 The correlation between magnetic properties ... 4946 The Decodoku project seeks to let users get ... 4947 Dynamic complexity is concerned with updatin... 4948 Fractures are ubiquitous in the subsurface a... 4949 This paper is concerned with the application... 4950 Many audio signal processing methods are for... 4951 Using stochastic gradient search and the opt... 4952 For safe and efficient planning and control ... 4953 Microservices architectures have become larg... 4954 The application of high pressure can fundame... 4955 Zero forcing and power domination are iterat... 4956 We compare two important bases of an irreduc... 4957 In this chapter we present a literature surv... 4958 Mode connectivity is a recently introduced f... 4959 Lifelong learning is the problem of learning... 4960 Floatingpoint arithmetic plays a central rol... 4961 We have compiled a catalog of candidates fo... 4962 We introduce a generalization of the celebra... 4963 Most multiclass classifiers make their predi... 4964 We propose a new approach to the spectral th... 4965 Consider random linear estimation with Gauss... 4966 We develop a class of algorithms as variants... 4967 The hole diffusion length in nInGaAs is extr... 4968 Layered semiconvection is a possible candida... 4969 We derive solvability conditions and closedf... 4970 In this paper we analyze the convergence of ... 4971 The paper evaluates three variants of the Ga... 4972 Let R frak m be a local ring and M a finitel... 4973 Spherical GaussLaguerre SGL basis functions ... 4974 Inspired by the recent developments in the r... 4975 In this manuscript a method for developing n... 4976 Quantum phase slips QPS may produce nonequil... 4977 We study different concepts of stability for... 4978 In this paper we show how using publicly ava... 4979 Enforcing open source licenses such as the G... 4980 The minimization of the length of syntactic ... 4981 Consider the multivariate nonparametric regr... 4982 This paper presents an unsupervised method t... 4983 As virtual reality VR emerges as a mainstrea... 4984 Extreme deformations of the DNA double helix... 4985 Many realworld objects are designed by smoot... 4986 We use inelastic light scattering to study S... 4987 In this paper we study the problem of learni... 4988 We report on the detailed analysis of a grav... 4989 In this paper we present a novel method for ... 4990 We present a new autoencodertype architectur... 4991 Boundary plasma physics plays an important r... 4992 Hyperbolic systems of PDEs can be solved to ... 4993 We prove a reducibility result for a quantum... 4994 The adaptive classification of the interfere... 4995 The lack of interpretability often makes bla... 4996 In many applications requiring multiple inpu... 4997 In topos theory it is wellknown that any nuc... 4998 Modulating the amplitude and phase of light ... 4999 We show that on any translation surface if a... 5000 In this work we extend the solid harmonics d... 5001 Lnorm PrincipalComponent Analysis LPCA of re... 5002 We consider dissipation of surface waves on ... 5003 We present an approach to automate the proce... 5004 Parental gametes unite to form a zygote that... 5005 This work investigates the application of Un... 5006 We describe DyNet a toolkit for implementing... 5007 Team semantics is the mathematical framework... 5008 An intriguing property of deep neural networ... 5009 Latent Dirichlet Allocation LDA models train... 5010 The issue of the buckling mechanism in dropl... 5011 Let X be a separable Banach function space o... 5012 This is a theoretical paper which is a conti... 5013 Topological models of empirical and formal i... 5014 Given a closed Riemannian manifold and a pai... 5015 We show that a smooth interface between two ... 5016 The focus of this work is on estimation of t... 5017 We report on the SuperKEKB Phase I operation... 5018 We study the effect of contingent movement o... 5019 Traditional face editing methods often requi... 5020 The technique of nonredundant masking NRM tr... 5021 We consider a gated onedimensional D quantum... 5022 In many problems of supervised tensor learni... 5023 We introduce NoisyNet a deep reinforcement l... 5024 The Rate Control Protocol RCP is a congestio... 5025 With the demand of high data rate and low la... 5026 We study twoplayer games with counters where... 5027 Using Lagrangian Floer theory we study the t... 5028 The greatest integer that does not belong to... 5029 We show that the coherence between different... 5030 To maximize offloading gain of cacheenabled ... 5031 Many interesting natural phenomena are spars... 5032 In this paper we further develop the fluctua... 5033 In Quantum Non Demolition measurements the s... 5034 The majority of NLG evaluation relies on aut... 5035 We present constraints on the masses of extr... 5036 In this paper we study optimal estimates for... 5037 We examine the kinematics of the gas in the ... 5038 The computeraided analysis of medical scans ... 5039 Inspired by Katoks examples of Finsler metri... 5040 The crystal structure magnetic ordering and ... 5041 We present a machine learningbased approach ... 5042 In the context of dynamic emission tomograph... 5043 We investigate perturbative thermodynamic ge... 5044 We offer two new Mellin transform evaluation... 5045 Given a constant vector field Z in Minkowski... 5046 In this paper a class of neutral type compet... 5047 While students may find spline interpolation... 5048 We present a Monte Carlo MC gridbased model ... 5049 Image retargeting aims to resize an image to... 5050 In this paper the optimal power flow OPF pro... 5051 Let mathbbA be a cellular algebra over a fi... 5052 The discrete Frenet equation entails a local... 5053 In P Stckel proved the existence of a trans... 5054 We consider classifiers for highdimensional ... 5055 We establish a dictionary between group fiel... 5056 We examine the behavior of accelerated gradi... 5057 Currently two main approaches exist to disti... 5058 We obtain a weak type estimate for a maxima... 5059 The Internet of things IoT is still in its i... 5060 In this paper we study the ability to make t... 5061 Hydroclimatic processes are characterized by... 5062 The guiding influence of some of Stanley Man... 5063 Accretion of gas and interaction of matter a... 5064 The logdeterminant of a kernel matrix appear... 5065 In numerical simulations artificial terms ar... 5066 Humanoid robots are increasingly demanded to... 5067 Conventional automatic speech recognition AS... 5068 The phenomenon of amplitude death has been e... 5069 A novel approach to quintessential inflation... 5070 We present a study of the low temperature ph... 5071 Objective Numerous glucose prediction algori... 5072 We derive and compare the fractions of coolc... 5073 Online MultiObject Tracking MOT from videos ... 5074 Generating novel graph structures that optim... 5075 Given their small mobility coefficient in li... 5076 We address the problem of constructing of co... 5077 We propose and demonstrate a selfcoupled mic... 5078 We report measurements of the In p and p sca... 5079 We consider the D equation uyy utx uyuxx ... 5080 We first present an empirical study of the B... 5081 The study of surnames as both linguistic and... 5082 Let mathfrak l mathfrak qntimesmathfrak qn w... 5083 In this work we focus on a novel completion ... 5084 Speech emotion recognition is an important a... 5085 We present a quantitative analysis of human ... 5086 Recent observations show a population of act... 5087 We show that if X is an abelian variety of d... 5088 In the first chapter we will present a compu... 5089 Many inverse problems involve two or more se... 5090 This paper proposes a method based on signal... 5091 In this paper we introduce Durrmeyer type mo... 5092 We present Deep Graph Infomax DGI a general ... 5093 Under investigation in this paper is the non... 5094 We study the problem of detecting an abrupt ... 5095 In this paper we argue that the future of Ar... 5096 Several theories of the glass transition pro... 5097 In Takeuchi showed that up to conjugation t... 5098 A large variety of dynamical systems such as... 5099 Runlength encoding BurrowsWheeler Transforme... 5100 We investigate the effect of stress fluctuat... 5101 Quantifying and estimating wildlife populati... 5102 Information planning enables faster learning... 5103 Electron tracking based Compton imaging is a... 5104 In this paper we establish the best constant... 5105 A draft addendum to ICH E has been released ... 5106 Given a characteristic we define a character... 5107 We investigate a new class of topological an... 5108 The relation between a cosmological halo con... 5109 Effects of the structural distortion associa... 5110 If E is an elliptic curve with a point of or... 5111 Machine learning is essentially the sciences... 5112 Deformation estimation of elastic object ass... 5113 We have performed an empirical comparison of... 5114 We present a deep generative model for learn... 5115 We investigate the dynamics of a nonlinear s... 5116 I present a family of algorithms to reduce n... 5117 Dropout a stochastic regularisation techniqu... 5118 Wind energy forecasting helps to manage powe... 5119 Firstorder iterative optimization methods pl... 5120 Machine understanding of complex images is a... 5121 Currently approximately of epileptic patien... 5122 Disentangled representations where the highe... 5123 The color of hotdip galvanized steel sheet w... 5124 We fix a counting function of multiplicities... 5125 We consider the task of finegrained sentimen... 5126 ComputinginMemory CiM architectures aim to r... 5127 Previous work has shown that the onedimensio... 5128 Consider jointly Gaussian random variables w... 5129 Follower count is a factor that quantifies t... 5130 We show that monochromatic Finsler metrics i... 5131 Transcriptional repressor CTCF is an importa... 5132 Many of the multiplanet systems discovered t... 5133 We present GPUQT a quantum transport code fu... 5134 This paper proposes and analyzes a new fulld... 5135 In this study a method to construct a fullco... 5136 Strong gravitational lensing gives access to... 5137 We introduce a new framework for estimating ... 5138 Twophoton superbunching of pseudothermal lig... 5139 The aim of this paper is to investigate the ... 5140 The BensonSolomon systems comprise the only ... 5141 We present a new paradigm for the simulation... 5142 In a poisoning attack against a learning alg... 5143 We consider Jacobi matrices with eventually ... 5144 Web video is often used as a source of data ... 5145 Given n symmetric Bernoulli variables what c... 5146 We show that the tensor product Aotimes B ov... 5147 As the intermediate level task connecting im... 5148 We propose the notion of Haantjes algebra wh... 5149 This paper considers a multipair amplifyandf... 5150 Exoplanet research is carried out at the lim... 5151 Understanding the influence of features in m... 5152 Wikipedia is the largest existing knowledge ... 5153 Adopting two independent approaches a Lorent... 5154 We study the effect of critical pairing fluc... 5155 In this paper we propose a lowrank coordinat... 5156 The Fisher information metric is an importan... 5157 Given a network the statistical ensemble of ... 5158 The statistics of the smallest eigenvalue of... 5159 Advances in image processing and computer vi... 5160 We propose DeepMapping a novel registration ... 5161 The first systematic comparison between Swar... 5162 We consider modelbased clustering methods fo... 5163 We provide requirements on effectively enume... 5164 This paper studies the problem of multivaria... 5165 Knowing where people live is a fundamental c... 5166 We measure trends in the diffusion of misinf... 5167 We describe the SemEval task of extracting k... 5168 We consider a twodimensional nonlinear Schrd... 5169 In the late s Premet conjectured that the ni... 5170 We report on the existence and stability of ... 5171 In the following text we prove that for all ... 5172 Building machines that can understand text l... 5173 Remote sensing image processing is so import... 5174 The independent control of two magnetic elec... 5175 We apply a reinforcement learning algorithm ... 5176 We propose and analyze a variational wave fu... 5177 We evaluated the prospects of quantifying th... 5178 Each time a learner in a selfpaced online co... 5179 We give a concise presentation of the Unival... 5180 This paper addresses the problem of synchron... 5181 Threshold theorem is probably the most impor... 5182 An evolutionary model for emergence of diver... 5183 Random walks are at the heart of many existi... 5184 Ultracold atomic physics experiments offer a... 5185 We consider solving convexconcave saddle poi... 5186 Power system dynamic state estimation is ess... 5187 A number of statistical estimation problems ... 5188 We study the existence and stability of stat... 5189 In this paper we present a new algorithm for... 5190 An important goal common to domain adaptatio... 5191 In this paper we focus on the problem of fin... 5192 An alternative proof is given of the existen... 5193 We study approximations of the partition fun... 5194 In this paper we study HyersUlam stability f... 5195 omega Centauri NGC hosts hundreds of pulsat... 5196 We introduce pseudodeterministic interactive... 5197 Erosion and deposition during flow through p... 5198 We study the maximum likelihood degree ML de... 5199 We study the incompressible limit of a press... 5200 In this paper we present a lossbased approac... 5201 An elastic foil interacting with a uniform f... 5202 A foundation of the modern technology that u... 5203 A new lower bound on the average reconstruct... 5204 We use a weighted variant of the frequency f... 5205 We present optical spectroscopy of the recen... 5206 A single quantum dot deterministically coupl... 5207 Answering queries over a federation of SPARQ... 5208 It is unknown if there exists a locally alph... 5209 The game of the Towers of Hanoi is generaliz... 5210 We consider the problem of estimating the me... 5211 A good classification method should yield mo... 5212 Although the rate region for the lossless ma... 5213 Correlated topic modeling has been limited t... 5214 We prove risk bounds for binary classificati... 5215 We propose a dimensional reduction procedure... 5216 We present a practical approach for processi... 5217 Motivated by the rapid rise in statistical t... 5218 A wellknown result in the study of convex po... 5219 In this work we assess the accuracy of diele... 5220 The flow in a shock tube is extremely comple... 5221 We study the Kitaev chain under generalized ... 5222 We consider the general problem of modeling ... 5223 This is an empirical paper that addresses th... 5224 How the information microscopically processe... 5225 Pairwise association measure is an important... 5226 Repeated exposure to lowlevel blast may init... 5227 Gaussian Markov random fields are used in a ... 5228 We initiate a study of path spaces in the na... 5229 In this paper we study the frequentist conve... 5230 In this paper we consider the problem of clu... 5231 An important problem in phylogenetics is the... 5232 Measurements of cm line fluctuations from m... 5233 We utilise a series of highresolution cosmol... 5234 There are two parts of this paper First we d... 5235 In this paper we bring anonymous variables i... 5236 The cosmic cm signal is set to revolutionis... 5237 Standard penalized methods of variable selec... 5238 With the development of speech synthesis tec... 5239 The present study is concerned with the foll... 5240 We introduce an updown coloring of a virtual... 5241 We present in this paper our work on compari... 5242 The emerging field at the intersection of qu... 5243 The new era of the Web is known as the seman... 5244 In their celebrated paper On Siegels Lemma B... 5245 The rise of connected personal devices toget... 5246 The implications of considering interaction ... 5247 We present GALARIO a computational library t... 5248 Geoelectrical techniques are widely used to ... 5249 We study the use of randomized value functio... 5250 We investigate the generalizability of deep ... 5251 In this work we use the semiempirical atmosp... 5252 In this paper we present a very accurate app... 5253 A central theme in classical algorithms for ... 5254 This paper investigates a novel task of gene... 5255 Folliclestimulating hormone FSH and luteiniz... 5256 While going deeper has been witnessed to imp... 5257 Atom interferometers employing optical cavit... 5258 Rulebased modelling allows to represent mole... 5259 In previous work we introduced a method for ... 5260 Through the combination of transmission elec... 5261 The fusion of humans and technology takes us... 5262 The timedependent generator coordinate metho... 5263 In this note we show that all small solution... 5264 The digital economy is a highly relevant ite... 5265 Purpose Magnetic Resonance Fingerprinting MR... 5266 In this paper we propose a StochAstic Recurs... 5267 A crucial role in the NymanBeurlingBezDuarte... 5268 We propose nonstationary spectral kernels fo... 5269 One of key G scenarios is that devicetodevic... 5270 Neural networks are among the most accurate ... 5271 Papers on the ANTARES multimessenger program... 5272 The modified CamassaHolm mCH equation is a b... 5273 We investigate the normal state of the super... 5274 Irreversible processes play a major role in ... 5275 Inspired by Andrews colored generalized Frob... 5276 This paper illustrates the similarities betw... 5277 With progress in enabling autonomous cars to... 5278 Existing music recognition applications requ... 5279 Decentralized machine learning is a promisin... 5280 The expected improvement EI algorithm is a p... 5281 We study performance limits of solutions to ... 5282 A new approach to problems of the Uncertaint... 5283 We study definably compact definably connect... 5284 Despite the widelyspread consensus on the br... 5285 We provide explicit and unified formulas for... 5286 Regular variation is often used as the start... 5287 Deep learning DL has recently achieved treme... 5288 In this note we analyze the classification p... 5289 The purpose of this article is to investigat... 5290 Temporal object detection has attracted sign... 5291 This paper develops a Carleman type estimate... 5292 Several temporal logics have been proposed t... 5293 Wild sets in mathbbRn can be tamed through t... 5294 Mitochondrial DNA mtDNA mutations cause seve... 5295 Let fmathbbSdtimes mathbbSdtomathbbS be a fu... 5296 For nanotechnology nodes the feature size is... 5297 NGC is one of the nearest luminous galaxies... 5298 We present natural and general ways of build... 5299 Spingapless semiconductors with their unique... 5300 The Transiting Exoplanet Survey Satellite TE... 5301 We deal with the symmetries of a term graded... 5302 Traffic flow prediction is an important rese... 5303 A nonequilibrium theory of optical conductiv... 5304 We report highresolution neutron Compton sca... 5305 We study the problem of semantic code repair... 5306 Several authors have claimed that the less l... 5307 We solve here completely an irrigation probl... 5308 One of the major challenges in object detect... 5309 Dynamic topic modeling facilitates the ident... 5310 Embedding complex objects as vectors in low ... 5311 This paper describes our participation in Ta... 5312 The multivariate linear regression model is ... 5313 We show that in certain onedimensional spin ... 5314 We explore the potential of future cryogenic... 5315 In this paper we present a family of conject... 5316 We study datadriven representations for thre... 5317 We used molecular dynamics simulations and t... 5318 Firstpassage time FPT of an OrnsteinUhlenbec... 5319 Perturbation theory using selfconsistent Gre... 5320 The Affordable Care Act ACA includes a perma... 5321 We investigate a class of chanceconstrained ... 5322 This paper considers the optimal design of i... 5323 The technique of continuous unitary transfor... 5324 Sparsity of the solution of a linear regress... 5325 Generalization error defines the discriminab... 5326 We report on the detection of linear polariz... 5327 Neural networks are vulnerable to adversaria... 5328 Master equations are commonly used to model ... 5329 Megacity analysis with very high resolution ... 5330 Multiattributed graph matching is a problem ... 5331 emphSecure Search is the problem of retrievi... 5332 The Large Array Telescope for Tracking Energ... 5333 In this paper we propose a general model for... 5334 Doped free carriers can substantially renorm... 5335 Ghys and Sergiescu proved in the s that Thom... 5336 Consider the problem of estimating the entri... 5337 This short article presents a summary of the... 5338 A version of Gromovs cup product lemma in wh... 5339 Density functional theory and nonequilibrium... 5340 We present the first search for dark matteri... 5341 Theoretical investigation of structural elas... 5342 In this study we consider unsupervised clust... 5343 The topology of any complex system is key to... 5344 Recurrent Neural Networks RNNs with sophisti... 5345 We investigate a projection free method name... 5346 For a pair of positive integers nk with ngeq... 5347 We introduce a new operation copolar additio... 5348 Concurrent separation logics have helped to ... 5349 Ancient solutions arise in the study of para... 5350 Solvothermal intercalation of ethylenediamin... 5351 Tangles of quantized vortex line of initial ... 5352 We study the supersymmetric partition functi... 5353 Let Omega be a bounded Lipschitz domain of ... 5354 With the rapidly growing interest in bifacia... 5355 Simulation of wave propagation in a microear... 5356 This paper proposes a new concurrent heap al... 5357 This article presents GuideR a userguided ru... 5358 Over short time intervals planetary ephemeri... 5359 Given two sets of points A and B in a normed... 5360 Rural areas in the developing countries are ... 5361 We construct an obstruction for the existenc... 5362 Inspired by river networks and other structu... 5363 Multiview representation learning is very po... 5364 In this paper we studied a SLAM method for v... 5365 To a complex projective structure Sigma on a... 5366 This paper is concerned with paraphrase dete... 5367 Lead halide perovskite solar cells have rece... 5368 We establish a bijective correspondence betw... 5369 Knowing the structure of an offline social n... 5370 This work investigated the detection of grav... 5371 In this paper we demonstrate the connection ... 5372 Training automatic speech recognition ASR sy... 5373 Dynamic networks are a general language for ... 5374 Many robotic applications such as searchandr... 5375 The missing phase problem in Xray crystallog... 5376 While a variety of fundamental differences a... 5377 The critical behavior of the random field ON... 5378 Four types of explicit estimators are propos... 5379 We study the multiparty communication comple... 5380 Many engineers wish to deploy modern neural ... 5381 In this paper a new wiretap channel model is... 5382 Route selection based on performance measure... 5383 We study infinitehorizon asymptotic average ... 5384 Two wellknown turbulence models to describe ... 5385 We present a new model to explain the differ... 5386 We investigate a graph probing problem in wh... 5387 In recent years work has been done to develo... 5388 We have observed the Vela pulsar for one yea... 5389 Elasticity is one of the key features of clo... 5390 Cooper pairs in superconductors are normally... 5391 Quantum parameter estimation plays a key rol... 5392 We propose a multiview network for text clas... 5393 To understand the multiple relations between... 5394 We consider a class of participation rights ... 5395 Online sparse linear regression is an online... 5396 Imageguided radiation therapy can benefit fr... 5397 We report D coherent diffractive imaging of ... 5398 Context We describe the new SEPIA SwedishESO... 5399 We present an algorithm to identify sparse d... 5400 Nowadays quantum program is widely used and ... 5401 In this paper we focus on option pricing mod... 5402 We built a twostate model of an asexually re... 5403 This paper analyzes Airbnb listings in the c... 5404 We give algorithms with running time Osqrtkl... 5405 All known life forms are based upon a hierar... 5406 The aim of this paper is to design a bandlim... 5407 Due to the rapid growth of the World Wide We... 5408 Supervised learning has been very successful... 5409 Many sharing economy platforms such as Uber ... 5410 We study the Generalized Fermat Equation x ... 5411 In an earlier work we constructed the almost... 5412 The extension of deep learning towards tempo... 5413 We consider the use of Deep Learning methods... 5414 We consider the scalar field profile around ... 5415 Spin pumping refers to the microwavedriven s... 5416 No firm evidence has existed that the ancien... 5417 NURBS curve is widely used in Computer Aided... 5418 We propose a new class of universal kernel f... 5419 Large batch size training of Neural Networks... 5420 We present a Bayesian method for feature sel... 5421 Brain CT has become a standard imaging tool ... 5422 Three properties of the dielectric relaxatio... 5423 Protographbased Raptorlike lowdensity parity... 5424 We empirically evaluate the finitetime perfo... 5425 Our societies are increasingly dependent on ... 5426 Using the twisted denominator identity we de... 5427 High pressure can provoke spin transitions i... 5428 LSH locality sensitive hashing had emerged a... 5429 In this paper we propose design and test a n... 5430 Ooids are typically spherical sediment grain... 5431 We give a polynomialtime algorithm for learn... 5432 Let walphat talphaet where alpha be the L... 5433 Grids allow users flexible ondemand usage of... 5434 Recently Trajectorypooled Deeplearning Descr... 5435 In this paper we present an approach to extr... 5436 There has been great interest recently in ap... 5437 The minimum feedback arc set problem asks to... 5438 This paper describes our approach for the tr... 5439 In this paper we present an efficient comput... 5440 As a popular tool for producing meaningful a... 5441 Many problems in industry and in the social... 5442 Doublefetch bugs are a special type of race ... 5443 We analytically study the spontaneous emissi... 5444 Any oriented Riemannian manifold with a Spin... 5445 Surrogate models provide a low computational... 5446 Recent terrorist attacks carried out on beha... 5447 Inference in hidden Markov model has been ch... 5448 Kinetic Inductance Detectors KIDs have becom... 5449 Penalized regression models such as the lass... 5450 Many optimization algorithms converge to sta... 5451 We propose a novel hierarchical generative m... 5452 We report the results of the implementation ... 5453 In this paper we introduce ZhuSuan a python ... 5454 Current action recognition methods heavily r... 5455 We study the likelihood which relative minim... 5456 A latentvariable model is introduced for tex... 5457 We develop a magnetoelastic ME coupling mode... 5458 We consider the problem of highdimensional m... 5459 We consider the problem of minimizing a conv... 5460 We describe the purification of xenon from t... 5461 The Kite graph Kitepq is obtained by appendi... 5462 We consider the problem of graph matchabilit... 5463 University curriculum both on a campus level... 5464 While linear mixed model LMM has shown a com... 5465 Diffusions and related random walk procedure... 5466 Continuing the series of works following Wey... 5467 Large sample size equivalence between the ce... 5468 We prove an exponential deviation inequality... 5469 This twopart paper addresses the design of r... 5470 The standard LSTM recurrent neural networks ... 5471 In this paper we apply an extended LandauLif... 5472 Response delay is an inherent and essential ... 5473 This note contains some examples of hyperkhl... 5474 We introduce and analyze the following gener... 5475 Here we present a novel approach to solve th... 5476 We study the problem of guarding an orthogon... 5477 For any positive integer m the complete grap... 5478 The control and sensing of largescale system... 5479 Based on periodogramratios of two univariate... 5480 In this article we consider conditions under... 5481 In this paper we consider the divergence par... 5482 We exhibit a Hamel basis for the concrete al... 5483 The tasks of identifying separation structur... 5484 We present two simple ways of reducing the n... 5485 The study of mereology parts and wholes in t... 5486 We start from a variational model for nemati... 5487 Deep Neural Networks DNNs have revolutionize... 5488 Recent advances in neural word embedding pro... 5489 Iterative load balancing algorithms for indi... 5490 The Whitney immersion is a Lagrangian sphere... 5491 A simulation study of energy resolution posi... 5492 In this paper we study the MultiRound Influe... 5493 Deep neural networks achieve stellar general... 5494 This work is motivated by the problem of tes... 5495 The synchronized magnetization dynamics in f... 5496 The permutation test is known as the exact t... 5497 Avalanche photodiodes APDs are a practical o... 5498 We are interested in the development of surr... 5499 In MMO arXiv we reworked and generalized equ... 5500 SteadyState Visual Evoked Potentials SSVEPs ... 5501 Oddfrequency triplet Cooper pairs are believ... 5502 We formulate a correspondence between affine... 5503 Policy evaluation is a key process in reinfo... 5504 We present five variants of the standard Lon... 5505 This paper introduces assumeguarantee contra... 5506 We map the phasespace trajectories of an ext... 5507 We show that for neural network functions th... 5508 We prove that under mild assumptions a latti... 5509 We present an example of a quadratic algebra... 5510 Let Mlm be the total space of the Sbundle ov... 5511 An analysis software was developed for the h... 5512 We raise a question on the existence of cont... 5513 Any finite word w of length n contains at mo... 5514 Understanding the feasible power flow region... 5515 The traditional activity of model selection ... 5516 In this thesis we study connections between ... 5517 mlpack is an opensource C machine learning l... 5518 Results of Smale and Dugundji allow to com... 5519 We express each Frchet class of multivariate... 5520 We use BonahonWongs trace map to study chara... 5521 We study a multiperiod demand response probl... 5522 We determine the radio size distribution of ... 5523 We investigate the transport properties of p... 5524 The smallest eigenvalues and the associated ... 5525 This paper presents the Speech Technology Ce... 5526 In this paper we study how to determine conc... 5527 The th International Conference on Automata ... 5528 Precise localization of nanoparticles within... 5529 Operating in a dynamic real world environmen... 5530 Relaying on early effort estimation to predi... 5531 We study the problem of approximate ranking ... 5532 We address the problem of finding influentia... 5533 In a network a local disturbance can propaga... 5534 In this paper we present a transfer learning... 5535 In a standard bifurcation of a dynamical sys... 5536 The anomalous metallic state in hightemperat... 5537 The principles of the thermoelectric phenome... 5538 Strong disorder in interacting quantum syste... 5539 The aim of this paper is to present a compre... 5540 We report on the detection at confidence of... 5541 A particularly promising pathway to enhance ... 5542 Additional experimental cross sections were ... 5543 Intelligent network selection plays an impor... 5544 Highresolution satellite imagery have been i... 5545 Newtons method for finding an unconstrained ... 5546 With the range and sensitivity of algorithmi... 5547 Exoplanet transit spectroscopy enables the c... 5548 We study a superconductornormal statesuperco... 5549 A skyrmion racetrack design is proposed that... 5550 Detection with high dimensional multimodal d... 5551 Polarization is a troubling phenomenon that ... 5552 Turbulence remains an unsolved multidiscipli... 5553 Weighting the pvalues is a wellestablished s... 5554 Understanding the dynamics of social interac... 5555 Cognition does not only depend on bottomup s... 5556 Presentations for unbraided braided and symm... 5557 Linear optimal power flow LOPF algorithms us... 5558 This article is a review by the authors conc... 5559 We study rank Lnormbased TUCKER LTUCKER deco... 5560 The search for habitable exoplanets and life... 5561 Convolutional autoregressive models have rec... 5562 Autoreactive B cells have a central role in ... 5563 We establish an exact mapping between i the ... 5564 Recently increased computational power and d... 5565 Research on humanrobot collaboration or huma... 5566 This paper describes three variants of a cou... 5567 In this work a generalization of preGrss ine... 5568 An electroencephalography EEG based Brain Co... 5569 On realtime systems running under timing con... 5570 The rational solutions of the PainlevII equa... 5571 PHAST is a software package written in stand... 5572 Informationtheoretic Bayesian regret bounds ... 5573 We study a portfolio selection problem in a ... 5574 We present an ongoing systematic search for ... 5575 We describe the Time Series Multivariate Ada... 5576 A major challenge in Xray computed tomograph... 5577 Classification problems in security settings... 5578 For a Liouville domain W whose boundary admi... 5579 We study a deterministic version of a one an... 5580 Operational semantics have been enormously s... 5581 The particlehole PH symmetry at halffilled L... 5582 Importance sampling has become an indispensa... 5583 We consider a problem which we call secure g... 5584 Let mathcal C be a subcategory of the catego... 5585 According to the Eurobarometer report about ... 5586 We introduce a novel framework for adversari... 5587 This paper considers the problem of achievin... 5588 The analysis of clouds in the earths atmosph... 5589 Nowadays we are witnessing a wide adoption o... 5590 The theory of statistical inference along wi... 5591 In a scalar reactiondiffusion equation it is... 5592 New results on functional prediction of the ... 5593 The goal of this dissertation is to study th... 5594 It is known that connected translation invar... 5595 We obtain a reduction of the vectorial Ribau... 5596 Human relations are driven by social events ... 5597 We present a novel framework for addressing ... 5598 The rfold analogues of Whitney trick were in... 5599 A materialbased ie Lagrangian methodology fo... 5600 Lu and Boutilier proposed a novel approach b... 5601 Event sequence asynchronously generated with... 5602 Let M be a finite von Neumann algebra resp a... 5603 Let q be a positive integer Recently Niu and... 5604 The growing popularity of autonomous systems... 5605 The paper discusses stably trivial torsors f... 5606 Liu et al provide a comprehensive account o... 5607 We prove several results about chordal graph... 5608 Hotspots of surfaceenhanced resonance Raman ... 5609 Complex computer codes are often too time ex... 5610 Domain adaptation is crucial in many realwor... 5611 Microblogging sites are the direct platform ... 5612 This paper discusses the local linear smooth... 5613 Among the ergodic actions of a compact quant... 5614 We formulate the so called VARMA covariance ... 5615 We devise an approach to the calculation of ... 5616 The problem of automatically generating a co... 5617 Flexible and transparent electronics present... 5618 The DecayAtrest Experiment for deltaCP viola... 5619 We present a kernelindependent method that a... 5620 Anyone in need of a data system today is con... 5621 We consider the problem of sequentially maki... 5622 Consider the problem of modeling hysteresis ... 5623 We establish effective meanvalue estimates f... 5624 We report on terahertz spectroscopy of quant... 5625 In this work we study the benefit of partial... 5626 TestDriven Development TDD an agile developm... 5627 Let pequiv mod be a rational prime number s... 5628 The aim of our study is to investigate the d... 5629 SingleParticle Reconstruction SPR in CryoEle... 5630 No realworld reward function is perfect Sens... 5631 Let scdot denote the sumofproperdivisors fun... 5632 The formation of precipitated zirconium Zr h... 5633 CaOFeS is a semiconducting oxysulfide with p... 5634 Lowfrequency polarisation observations of pu... 5635 Recent years have witnessed the rise of many... 5636 In a market with a rough or Markovian meanre... 5637 Due to their interdisciplinary nature device... 5638 Nonlinear oscillators are a key modelling to... 5639 The recently proposed MultiLayer Convolution... 5640 This paper considers the planar figure of a ... 5641 Deep Learning DL methods show very good perf... 5642 Both humans and the sensors on an autonomous... 5643 Competing risks data arise frequently in cli... 5644 We compare and contrast the statistical phys... 5645 We construct a cofibration category structur... 5646 Open questions with respect to the computati... 5647 This paper proposes Drone Squadron Optimizat... 5648 The original ImageNet dataset is a popular l... 5649 The particle Gibbs PG sampler is a Markov Ch... 5650 The present paper is part of a series of art... 5651 Ellerman bombs EBs are a kind of solar activ... 5652 A detailed numerical study of the long time ... 5653 Let bf R be the Pearson correlation matrix o... 5654 In the past years we have witnessed the emer... 5655 In this paper we consider an interior transm... 5656 Unambiguous nondeterministic finite automata... 5657 We propose a novel semisupervised approach t... 5658 The purpose of a clickbait is to make a link... 5659 Secure multiparty computation MPC enables a ... 5660 Multiple changes in Earths climate system ha... 5661 The field of Distributed Constraint Optimiza... 5662 In principle a minimal extension of the stan... 5663 We consider the problem of transferring poli... 5664 We address the problem of learning vector re... 5665 Conditions for geometric ergodicity of multi... 5666 It has recently been shown that the problem ... 5667 Several useful variancereduced stochastic gr... 5668 Developing applications for interactive spac... 5669 The increasing complexity of distribution ne... 5670 Network embedding methods aim at learning lo... 5671 Underactuation is ubiquitous in human locomo... 5672 We study a threecomponent fermionic fluid in... 5673 This paper presents a widely applicable appr... 5674 Both natural and artificial smallscale swimm... 5675 We present the first measurements of tritium... 5676 These notes constitute chapter from lEcole ... 5677 For each n we construct a separable metric s... 5678 Bike sharing is a vital component of a moder... 5679 To model relaxed memory we propose confusion... 5680 Tensor decompositions such as the canonical ... 5681 Even though the forecasting literature agree... 5682 Recent progress in applying machine learning... 5683 For a skewsymmetrizable cluster algebra math... 5684 Link prediction is one of the fundamental pr... 5685 In Valiant showed that the complexity class... 5686 A previously designed cryogenic thermal heat... 5687 Multiple generalized additive models GAMs ar... 5688 We show that elongated magnetic skyrmions ca... 5689 We consider the family of all meromorphic fu... 5690 In Freiberg and Zhle introduced and develop... 5691 A heat exchanger can be modeled as a closed ... 5692 A number of highlevel languages and librarie... 5693 Linear Logic was introduced by Girard as a r... 5694 In this paper we propose two novel physical ... 5695 The entropy principle in the formulation of ... 5696 Bots social media accounts controlled by sof... 5697 Optimal control problems without control cos... 5698 Text representations using neural word embed... 5699 A twodimensional D mathematical model of qua... 5700 We formulate a new family of high order onsu... 5701 The PARAFAC is a multimodal factor analysis ... 5702 Concepts from mathematical crystallography a... 5703 Each participant in peertopeer network prefe... 5704 FOSS is an acronym for Free and Open Source ... 5705 At the forefront of nanochemistry there exis... 5706 Linearscaling electronic structure methods b... 5707 Until recently social media were seen to pro... 5708 This paper discusses discretetime maps of th... 5709 To understand the biology of cancer joint an... 5710 We give infinitely many component links with... 5711 Computational design optimization in fluid d... 5712 This paper examines software vulnerabilities... 5713 In this paper by using Logistic Sine and Ten... 5714 Dynamic economic dispatch with valvepoint ef... 5715 The HEP community is approaching an era were... 5716 Brains need to predict how the body reacts t... 5717 In this paper we propose and study opportuni... 5718 Quantile estimation is a problem presented i... 5719 Dynamical downscaling with highresolution re... 5720 For a Riemannian Gstructure we compute the d... 5721 We study the anomalous prevalence of integer... 5722 The main result of this paper is the rate of... 5723 This paper considers two different problems ... 5724 The difficulty of validating largescale quan... 5725 Anomalies in timeseries data give essential ... 5726 Transportation agencies have an opportunity ... 5727 The dual motivic Steenrod algebra with mod e... 5728 Let Tmf be the Toeplitz quantization of a r... 5729 The Paulsen problem is a basic open problem ... 5730 We study mechanisms to characterize how the ... 5731 The decline of Mars global magnetic field so... 5732 In this paper we propose a new framework for... 5733 We demonstrate a topological classification ... 5734 This paper proposes SelfImitation Learning S... 5735 We consider the problem of controlling the s... 5736 In this paper we discuss existing approaches... 5737 We present the extension of the effective fi... 5738 We build a collaborative filtering recommend... 5739 This paper presents our work on developing p... 5740 We consider a wideaperture surfaceemitting l... 5741 The ability to reliably predict critical tra... 5742 We propose a new iteratively reweighted leas... 5743 We study the gap between the state pension p... 5744 Powerlawdistributed species counts or clone ... 5745 Vortices play a crucial role in determining ... 5746 We present a new solution to the problem of ... 5747 Simulating complex processes in fractured me... 5748 It is well known that if X is a CWcomplex th... 5749 For each integer k geq we apply gluing meth... 5750 We report constraints on the global cm sign... 5751 The electricity distribution grid was not de... 5752 This paper addresses structures of state spa... 5753 Vector embedding is a foundational building ... 5754 We consider multicomponent quantum mixtures ... 5755 In this paper we present a novel joint appro... 5756 In this paper we show using DeligneLusztig t... 5757 We study the formal properties of correspond... 5758 Oxidative stress is a pathological hallmark ... 5759 This paper presents a thorough analysis of d... 5760 Motivation Although there is a rich literatu... 5761 Many applications require stochastic process... 5762 Privacy and Security are two universal right... 5763 This paper summarizes the development of Vea... 5764 Most musical programming languages are devel... 5765 Experiments show that at K and atm pressure... 5766 We investigate the impact of general conditi... 5767 The Main Injector MI at Fermilab currently p... 5768 There exist nontrivial stationary points of ... 5769 The spin transport in isotropic Heisenberg m... 5770 The promise of compressive sensing CS has be... 5771 In this paper we investigate multimessage au... 5772 We review topics in the theory of cellular a... 5773 We demonstrate explicitly the correspondence... 5774 In this paper we introduce the Variational A... 5775 We consider a directed variant of the negati... 5776 In this article we analyze a generalized tra... 5777 A remarkable discovery of NASAs Kepler missi... 5778 We obtain estimation error rates and sharp o... 5779 For a simple Calgebra A and any other Calgeb... 5780 We present the first gasgrain astrochemical ... 5781 citebickelnonparametric developed a general ... 5782 In the last decades dispersal studies have b... 5783 An additive fast Fourier transform over a fi... 5784 Working in the framework of Borel reducibili... 5785 In order to fully function in human environm... 5786 A general framework for solving the subspace... 5787 We study the twodimensional geometric knapsa... 5788 It is widely established that extreme space ... 5789 We develop an empirical Bayes EB algorithm f... 5790 Electron correlation effects are studied in ... 5791 Deep generative models learn a mapping from ... 5792 Building and deploying software on highend c... 5793 Adversarially trained deep neural networks h... 5794 We consider a hydrogen atom confined in time... 5795 The constant pairing Hamiltonian holds exact... 5796 This paper considers how to obtain MCMC quan... 5797 Let fmathbb Bn to mathbb BN be a holomorphic... 5798 Energyconserving angular momentumchanging co... 5799 Why do some economic activities agglomerate ... 5800 An ultrahigh throughput lowdensity parity ch... 5801 In this paper we define the generalized qana... 5802 A mapping of the process on a continuous con... 5803 We compare the predictions of stochastic clo... 5804 Energy consumption has been a great deal of ... 5805 Let Omega be a pseudoconvex domain in mathbb... 5806 The application domains of civilian unmanned... 5807 Opinion polls have been the bridge between p... 5808 The use of standard robotic platforms can ac... 5809 In this datarich era of astronomy there is a... 5810 Chimera states are an example of intriguing ... 5811 With the increasing demands of applications ... 5812 In this paper we deal with the multiplicity ... 5813 We describe inferactive data analysis soname... 5814 In this paper we present promising accurate ... 5815 The recently proposed generalized minmax GMM... 5816 Quantum mechanics postulates that any measur... 5817 Given a pseudoword over suitable pseudovarie... 5818 This paper examines the association between ... 5819 We prove that under certain conditions on th... 5820 The ability to cool atoms below the Doppler ... 5821 This paper is dedicated to new methods of co... 5822 A common data mining task on networks is com... 5823 Advancements in technology and culture lead ... 5824 A new test of normality based on a standardi... 5825 We consider the problem of how decision maki... 5826 We consider the biLaplacian eigenvalue probl... 5827 Let K be a field G a finite group Let G act ... 5828 Social abstract argumentation is a principle... 5829 We consider the parametric learning problem ... 5830 This study addresses the problem of identify... 5831 The study of subblockconstrained codes has r... 5832 We prove that there are arbitrarily large va... 5833 In an ion trap quantum computer collective m... 5834 We investigate models of the mitogenactivate... 5835 The University of the East Web Portal is an ... 5836 We classify the dispersive Poisson brackets ... 5837 In this work we obtain a Liouville theorem f... 5838 This paper studies semiparametric contextual... 5839 As all physical adaptive quantumenhanced met... 5840 This paper shows that generalizations of ope... 5841 Extracting characteristics from the training... 5842 Dynamical dark energy has been recently sugg... 5843 The muscle synergy concept provides a widely... 5844 Two classifications of second order ODEs cub... 5845 The problem of learning structural equation ... 5846 For a group G and Rmathbb Zmathbb Zpmathbb Q... 5847 Immunotherapy plays a major role in tumour t... 5848 A onetoone correspondence between the infini... 5849 We first develop a general framework for sig... 5850 One of the major issues in an interconnected... 5851 This paper demonstrates the use of genetic a... 5852 This work presents a lowcost robot controlle... 5853 The NVIDIA Volta GPU microarchitecture intro... 5854 Orion KL is one of the most frequently obser... 5855 We address the problem of latent truth disco... 5856 We investigate the evolution of vortexsurfac... 5857 A possible route to extract electronic and n... 5858 We address the problem of estimating human p... 5859 We shall introduce the notion of the Picard ... 5860 The aim of this paper is to provide a discus... 5861 With the spreading prevalence of Big Data ma... 5862 We consider the problem of reconstructing a ... 5863 Let Lg be the subcritical GJMS operator on a... 5864 Random scattering is usually viewed as a ser... 5865 Deployment of deep neural networks DNNs in s... 5866 The coupled evolution of an eroding cylinder... 5867 A classical problem in causal inference is t... 5868 We propose a stochastic extension of the pri... 5869 We study combinatorial multiarmed bandit wit... 5870 Deep neural network algorithms are difficult... 5871 Information bottleneck IB is a method for ex... 5872 Simulations of charge transport in graphene ... 5873 In this paper we propose a new type of graph... 5874 The analysis of the entanglement entropy of ... 5875 The efficiency of a game is typically quanti... 5876 An equationbyequation EBE method is proposed... 5877 The reduction by restricting the spectral pa... 5878 Existing blackbox attacks on deep neural net... 5879 Many iterative procedures in stochastic opti... 5880 We provide a unified framework for proving R... 5881 In this paper we consider the problem of for... 5882 With the method of moments and the mollifica... 5883 We study the problem of minimizing a strongl... 5884 The Venusian surface has been studied by mea... 5885 Airshowers measured by the Pierre Auger Obse... 5886 Reward augmented maximum likelihood RAML a s... 5887 Unmanned Aerial Vehicles UAVs equipped with ... 5888 Optimal sensor placement is a central challe... 5889 We consider a onedimensional two component e... 5890 The monitoring of large dynamic networks is ... 5891 In this paper we study general alphabetametr... 5892 We introduce a measure of fairness for algor... 5893 Technological parasitism is a new theory to ... 5894 A popular setting in medical statistics is a... 5895 A reliable wireless connection between the o... 5896 Recent advancements in quantum annealing har... 5897 Life evolved on our planet by means of a com... 5898 Approximate full configuration interaction F... 5899 We search for gammaray and optical periodic ... 5900 In JD Jacksons Classical Electrodynamics tex... 5901 The OPERA experiment was designed to search ... 5902 This paper explains a method to calculate th... 5903 We determine the exact timedependent nonidem... 5904 Two main families of reinforcement learning ... 5905 Storage and transmission in big data are dis... 5906 Graphene and some graphene like two dimensio... 5907 Skilled robotic manipulation benefits from c... 5908 Evaluation and validation of complicated con... 5909 Energyefficiency plays a significant role gi... 5910 We study properties of classes of closure op... 5911 A compact multipleinputmultipleoutput MIMO a... 5912 Tensor decompositions are used in various da... 5913 Classifiers operating in a dynamic real worl... 5914 We present a definition of intersection homo... 5915 Starshades are a leading technology to enabl... 5916 The paper covers a formulation of the invers... 5917 Twisting a binary form FXYinmathbbZXY of deg... 5918 Defects between gapped boundaries provide a ... 5919 The present paper is the second part of a tw... 5920 This paper aims to develop a new and robust ... 5921 This paper describes a general framework for... 5922 A fourthorder theory of gravity is considere... 5923 A random walk wn on a separable geodesic hyp... 5924 Nearly two centuries ago Talbot first observ... 5925 We perform a numerical study of the Fmodel w... 5926 Neural network training relies on our abilit... 5927 The prototypical Hydrogen bond in water dime... 5928 We make a mixture of Milners picalculus and ... 5929 Using polarizationresolved transient reflect... 5930 This paper considers the problem of fault de... 5931 The majority of industrialstrength objectori... 5932 A model of ice floe breakup under ocean wave... 5933 Hidden Markov models HMMs are popular time s... 5934 The focus of the current research is to iden... 5935 Recent character and phonemebased parametric... 5936 In multirobot systems where a central decisi... 5937 The paper addresses the stability of the coa... 5938 Optimizing deep neural networks DNNs often s... 5939 It is well accepted that knowing the composi... 5940 Microorganisms such as bacteria are one of t... 5941 In the field of exploratory data mining loca... 5942 The automatic verification of programs that ... 5943 We associate to every central simple algebra... 5944 Sealevel rise SLR is magnifying the frequenc... 5945 We present a factorized hierarchical variati... 5946 Cosmological surveys in the far infrared are... 5947 Roomtemperature ionic liquids RTIL are a new... 5948 The use of spreadsheets in industry is wides... 5949 This thesis presents original results in two... 5950 In this extended abstract we describe and an... 5951 We propose a model for equity trading in a p... 5952 We collect representative corpora for major... 5953 We investigate deep generative models that c... 5954 Many machine learning tasks require finding ... 5955 Let mu be a borelian probability measure on\... 5956 Hybrid cloud is an integrated cloud computin... 5957 Riskaverse model predictive control MPC offe... 5958 Here we test Neutral models against the evol... 5959 Homomorphic encryption is an encryption sche... 5960 We present an extension of Monte Carlo Tree ... 5961 The differencetosum power ratio was proposed... 5962 In this paper we construct a new even constr... 5963 We introduce the logic sf ITLe an intuitioni... 5964 High density implants such as metals often l... 5965 The puzzle is a classic reconfiguration puz... 5966 We address the important question of whether... 5967 Joint analysis of multiple phenotypes can in... 5968 Among the ntype metal oxide materials used i... 5969 We introduce a framework for the statistical... 5970 Independent component analysis ICA is a wide... 5971 Context A substantial fraction of protoplane... 5972 As part of the public evaluation challenge ... 5973 Topological semimetal a novel state of quant... 5974 Small bodies of the Solar system like astero... 5975 We discuss the nature of symmetry breaking a... 5976 In this paper we introduce a generalized val... 5977 Hot Jupiters receive strong stellar irradiat... 5978 Interferenceaware resource allocation of tim... 5979 We define a switch function to be a function... 5980 We consider Schrdinger operators with period... 5981 We report on the first comparison of distant... 5982 First the Hardy and Rellich inequalities are... 5983 Purpose The analysis of optimized spin ensem... 5984 Despite recent progress laminarturbulent coe... 5985 Goldbach conjecture is one of the most famou... 5986 For an unknown continuous distribution on a ... 5987 In this paper we revisit the recurrent backp... 5988 To each weighted Dirichlet space mathcalDp p... 5989 Achieving a symbiotic blending between reali... 5990 Segmental duplications SDs or lowcopy repeat... 5991 We propose an adaptive bandwidth selector vi... 5992 We consider mesoscopic fourterminal Josephso... 5993 Let A be the inductive limit of a sequence A... 5994 We study the problem of detecting change poi... 5995 Over recent years emerging interest has occu... 5996 We enquire into the quasimanybody localizati... 5997 We present the tomographic crosscorrelation ... 5998 Earthquake Early Warning EEW systems can eff... 5999 In the model of gatebased quantum computatio... 6000 We propose an approximate approach for study... 6001 Occasionally developers need to ensure that ... 6002 Classification of sequence data is the topic... 6003 In this paper we introduce a notion of a cen... 6004 The aim of this paper is to establish some m... 6005 The nonnegative inverse eigenvalue problem N... 6006 This paper replicates extends and refutes co... 6007 Bidirectional transformations between differ... 6008 Recent advances in microelectromechanical sy... 6009 We present an embedding approach for semicon... 6010 In the last decade the use of simple rating ... 6011 We introduce a reduction from the distinct d... 6012 We report the preparation of the interface b... 6013 Trapping and manipulation of particles using... 6014 Nested Chinese Restaurant Process nCRP topic... 6015 Following work of Keel and Tevelev we give e... 6016 An improved wetting boundary implementation ... 6017 In this paper we propose a sexstructured ent... 6018 A Boolean algebra carries a strictly positiv... 6019 This work verifies the instrumental characte... 6020 Polarizationbased filtering in fiber lasers ... 6021 The rising attention to the spreading of fak... 6022 The recent discovery of gravitational waves ... 6023 Approximate probabilistic inference algorith... 6024 Datadriven spatial filtering algorithms opti... 6025 Bayesian Optimisation BO refers to a class o... 6026 A number of improvements have been added to ... 6027 Seltens game is a kidnapping model where the... 6028 Model pruning seeks to induce sparsity in a ... 6029 Accurate software defect prediction could he... 6030 This paper presents an estimator for semipar... 6031 We propose a new sentence simplification tas... 6032 We review a constructive approach first intr... 6033 Heterogeneous wireless networks HWNs compose... 6034 This paper focuses on multiscale approaches ... 6035 We present a novel approach for the predicti... 6036 Dark matter with momentum or velocitydepende... 6037 With the rapid development of spaceborne ima... 6038 Largescale variations still pose a challenge... 6039 The naturally occurring radioisotope Si repr... 6040 With the discovery of the first transiting e... 6041 Graph games with omegaregular winning condit... 6042 Word embedding has become a fundamental comp... 6043 The concept of an evolutionarily stable stra... 6044 We construct an estimator of the Lvy density... 6045 Given kinmathbb N we study the vanishing of ... 6046 For a prime p let hat Fp be a finitely gener... 6047 A control model is typically classified into... 6048 We present the first approach for D pointclo... 6049 Chapter in HighLuminosity Large Hadron Coll... 6050 Jets from boosted heavy particles have a typ... 6051 This study presents systems submitted by the... 6052 One of the main challenges in the parametriz... 6053 In this paper we consider finite element app... 6054 For a large class of orthogonal basis functi... 6055 This paper considers a new method for the bi... 6056 The difficulty of multiclass classification ... 6057 We present a solution to Google Cloud and Yo... 6058 Remote sensing image classification is a fun... 6059 For any quasitriangular Hopf algebra there e... 6060 This paper proposes a lowlevel visual naviga... 6061 As the title suggests we will describe and j... 6062 We investigate the nature of the magnetic ph... 6063 Additive Manufacturing AM or D printing is a... 6064 We present the results of spectroscopic meas... 6065 Assuming three strongly compact cardinals it... 6066 A simulation model based on parallel systems... 6067 In recent years an increasing number of obse... 6068 Separating an audio scene into isolated sour... 6069 Multiparameter onesided hypothesis test prob... 6070 Often large high dimensional datasets collec... 6071 We introduce a model for the shortterm dynam... 6072 In inductive learning of a broad concept an ... 6073 Motivated by recent experiments we investiga... 6074 In this paper we analyse the convergence pro... 6075 We shall consider a result of Feldman where ... 6076 In this work we mainly study the influence o... 6077 We describe a general theory for surfacecata... 6078 Fast algorithms for optimal multirobot path ... 6079 We argue that hierarchical methods can becom... 6080 In this paper we investigate the impact of d... 6081 The paper addresses the problem of passivati... 6082 We present a new modelbased integrative meth... 6083 We study pointwisegeneralizedinverses of lin... 6084 We compute cup product pairings in the integ... 6085 We present a sound and automated approach to... 6086 This paper presents an interconnected contro... 6087 We study and formulate the Lagrangian for th... 6088 In this note we provide critical commentary ... 6089 In this paper we focus on the numerical simu... 6090 In distributed systems based on the Quantum ... 6091 Lower bound on the rate of decrease in time ... 6092 Datasets are often used multiple times and e... 6093 We consider strictly stationary stochastic p... 6094 We present the Lymanalpha flux power spectru... 6095 We explore all warped AdStimesw MD backgroun... 6096 Polariton lasing is the coherent emission ar... 6097 Investigation of the reversibility of the di... 6098 There is a widelyaccepted need to revise cur... 6099 We extend the framework by Kawamura and Cook... 6100 Despite the growing prominence of generative... 6101 We tabulate spontaneous emission rates for a... 6102 Various experimental techniques have reveale... 6103 Exploration in complex domains is a key chal... 6104 We present an experimental study of the loca... 6105 We fix a monic polynomial fx in mathbb Fqx o... 6106 The objective of this work is to augment the... 6107 We present a computational method to evaluat... 6108 Many timeseries data including text movies a... 6109 We introduce a community detection algorithm... 6110 This paper aims to identify three electrical... 6111 This study has the purpose of addressing fou... 6112 We define parahoric cGtorsors for certain Br... 6113 The identification of reducedorder models fr... 6114 Apprenticeship learning AL is a kind of Lear... 6115 Some effects of surface tension on fullynonl... 6116 A characterization of relative weak mixing i... 6117 The Extreme Ultraviolet Variability Experime... 6118 Weighting pixel contribution considering its... 6119 We study the dispersion of a point set a not... 6120 In this paper additive bifree convolution is... 6121 We characterise finite axiomatisability and ... 6122 This work is focused on searching a geodesic... 6123 A photonic circuit is generally described as... 6124 In the early s researchers began to focus on... 6125 In this work we consider a onedimensional It... 6126 Haslhofer and Mller proved a compactness The... 6127 Wardrop equilibria in nonatomic congestion g... 6128 We consider the problem of learning a binary... 6129 Knights Landing KNL is the code name for the... 6130 The conjecture of Lehmer is proved to be tru... 6131 In this paper we study the existence and uni... 6132 The Silent Speech Challenge benchmark is up... 6133 The magnetic field induced rearrangement of ... 6134 We present the latest major release version ... 6135 In this contribution we present numerical an... 6136 The importance of speaking style authenticat... 6137 The main result in this paper is a fixed poi... 6138 We study the fundamental question of the lat... 6139 The decomposability of a Cartesian product o... 6140 MAGIC a system of two imaging atmospheric Ch... 6141 Heterogeneity is one important feature of co... 6142 Generative adversarial networks GAN approxim... 6143 The World Health Organization WHO reported ... 6144 Advanced driver assistance systems ADAS can ... 6145 Relational reasoning is a central component ... 6146 We propose a new algorithm for the computati... 6147 Capacitated fixedcharge network flows are us... 6148 We establish a new connection between value ... 6149 Twodimensional D materials are of tremendous... 6150 In this paper we investigate the use of adve... 6151 We study the elliptic curve Ea axyaxxyxx whi... 6152 In this paper we introduce the notion of an ... 6153 In this study an Artificial Neural Network w... 6154 Deep convolutional neural networks CNNs have... 6155 By a generalized Yangian we mean a Yangianli... 6156 We obtain asymptotics of large Hankel determ... 6157 Galaxy intrinsic alignments IA are a critica... 6158 In this paper we introduce a new mathematica... 6159 Fixing bugs is an important phase in softwar... 6160 We give a simple recursion which computes th... 6161 We develop an extended multifractal analysis... 6162 By building up on the recent theory that est... 6163 Iterative Hard Thresholding IHT is a class o... 6164 Binary neural networks BNN have been studied... 6165 We define the generalized connected sum for ... 6166 The emissivity of common materials remains c... 6167 Satellite radar altimetry is one of the most... 6168 We investigate the adiabatic magnetization p... 6169 Cyberphysical software continually interacts... 6170 We consider the asymptotic distribution of a... 6171 This paper explores dimensional topological ... 6172 We expand the cross section of the geodesic ... 6173 We study the time evolution of a thin liquid... 6174 Machine learning algorithms are sensitive to... 6175 A simplified approach is proposed to investi... 6176 In this paper we propose a family of graph p... 6177 Heterogeneous wireless networks with smallce... 6178 No methods currently exist for making arbitr... 6179 We give a criterion for the existence of non... 6180 We observe manybody pairing in a twodimensio... 6181 Complex mathematical models of interaction n... 6182 An immense class of physical counterexamples... 6183 Complex networks can be used to represent co... 6184 For a uniform space X mu we introduce a real... 6185 Acceleration and manipulation of ultrashort ... 6186 In this paper we derive the second order est... 6187 The construction of a meaningful graph topol... 6188 We study the edge transport properties of d ... 6189 We demonstrate experimentally that the longr... 6190 Twodimensional atomic arrays exhibit a numbe... 6191 In this paper we applied the multifractal de... 6192 We present a new deep meta reinforcement lea... 6193 Transiting superEarths orbiting bright stars... 6194 We consider two chains each made of N indepe... 6195 A paper by Bruno Salvy and the author introd... 6196 This paper presents a fast and effective com... 6197 Detecting weak seismic events from noisy sen... 6198 It is wellknown that exploiting label correl... 6199 Complexity analysis becomes a common task in... 6200 Resonance energy transfer RET is an inherent... 6201 Single individual haplotyping is an NPhard p... 6202 Cellular or dendritic microstructures that r... 6203 A quantum system of particles can exist in a... 6204 Projective ReedMuller codes were introduced ... 6205 We present an algorithm for classification t... 6206 We study a set of uniquely determined tiltin... 6207 Corruptive behaviour in politics limits econ... 6208 Knowing a biomolecules structure is inherent... 6209 We study the quantum synchronization between... 6210 We propose and experimentally demonstrate a ... 6211 Since the discovery of the Meissner effect t... 6212 We prove a local FaberKrahn inequality for s... 6213 These notes were written as supplementary ma... 6214 In a recent work Bindini and De Pascale have... 6215 Let alpha mathcalC to mathcalD be a symmetr... 6216 Summarizes recent work on the wakefields and... 6217 Community detection in graphs is the problem... 6218 In this paper we consider a dataset comprisi... 6219 This paper investigates the effects of finit... 6220 It is well known that many optimization meth... 6221 The control of spins and spin to charge conv... 6222 Recent research has shown the potential util... 6223 While single measurement vector SMV models h... 6224 Dynamical materials that capable of respondi... 6225 Categorization is necessary for many decisio... 6226 Millimeter wave communications rely on narro... 6227 This workshop invites researchers and practi... 6228 Motivated by the description of Nurowskis co... 6229 We study the effect of electron correlations... 6230 We propose a method for learning Markov netw... 6231 In this work we design a machine learning ba... 6232 This study proposes a control strategy for t... 6233 We demonstrate that for a range of stateofth... 6234 In further study of the application of cross... 6235 We describe a complete list of Casimirs for ... 6236 This paper presents a novel design of a craw... 6237 A bifurcation is a qualitative change in a f... 6238 Manual annotations of temporal bounds for ob... 6239 Onedimensional D electron systems in the pre... 6240 Our experiment shows that the thermal emissi... 6241 This paper addresses distributed average tra... 6242 We study the twodimensional massless Dirac e... 6243 Humans take advantage of real world symmetri... 6244 We consider the fractional Hartree equation ... 6245 This work studies the problem of stochastic ... 6246 We consider an optimal stopping problem wher... 6247 We give a survey of a generalization of Quil... 6248 The FitzHughNagumo equation provides a simpl... 6249 In this paper we give a conditional lower bo... 6250 We present the properties and advantages of ... 6251 We prove that the Bchi topology and the auto... 6252 Obtaining accurate estimates of satellite dr... 6253 Crossvalidation of predictive models is the ... 6254 In this paper we deal with the problem of in... 6255 The discriminator of an integer sequence s ... 6256 For a reductive group G defined over an alge... 6257 We present an approach towards robust lane t... 6258 In this work we provide a couple of contribu... 6259 The integrating factor and exponential time ... 6260 Control of multihop Wireless networks in a d... 6261 In a world of global trading maritime safety... 6262 We describe the design of the CCI cryptocurr... 6263 Thirdgeneration neural networks or Spiking N... 6264 In this paper we propose the nonlinearity ge... 6265 Datatarget association is an important step ... 6266 In recent years monaural speech separation h... 6267 We investigate largesample properties of tre... 6268 Nonlinear dynamical stochastic models are ub... 6269 We provide a nonperturbative theory for phot... 6270 We focus on two particular aspects of model ... 6271 Bright ringlike structure emission of the CN... 6272 Measuring entity relatedness is a fundamenta... 6273 In this present study we investigate solutio... 6274 Following related work in law and policy two... 6275 We study boundary conditions of topological ... 6276 We prove the pointwise decay of solutions to... 6277 Answering a problem posed by the second auth... 6278 Many different classification tasks need to ... 6279 An atomic force microscope AFM is capable of... 6280 Considering its advantages in dealing with h... 6281 We extend the approach of wall modeling via ... 6282 The aim of this work is to study the existen... 6283 This paper proposes a totally constructive a... 6284 According to a report online more than mill... 6285 A Leonard pair is a pair of diagonalizable l... 6286 The rise and fall of artificial neural netwo... 6287 Most approaches in algorithmic fairness cons... 6288 Predictive geometric models deliver excellen... 6289 Almost a decade has passed since the serendi... 6290 Perpetual points PPs are special critical po... 6291 A squared error loss remains the most common... 6292 The study of complex systems benefits from g... 6293 In this paper a scheme for the encryption an... 6294 Given a manifold hatM and two homeomorphic s... 6295 This report describes the development of an ... 6296 In the paper Einstein metrics on compact sim... 6297 We prove that a quasiisometric map and more ... 6298 The supercomputing platforms available for h... 6299 Deep learning DL defines a new datadriven pr... 6300 Radioloud highredshift quasars HRQs although... 6301 This work investigates the training of condi... 6302 The availability of large idea repositories ... 6303 The object of this paper is to study etaRicc... 6304 We show how active transport of ions can be ... 6305 In order to avoid wellknow paradoxes associa... 6306 A K N T Kc instance of the MDSTPIR problem i... 6307 Deep Neural Networks DNNs and Convolutional ... 6308 We present graph attention networks GATs nov... 6309 The prevalence of online media has attracted... 6310 Technological advancements in the field of m... 6311 The singular values of products of standard ... 6312 The Griffiths conjecture asserts that every ... 6313 Machine learning and deep learning in partic... 6314 In this position paper we question the curre... 6315 The observation of metallic ground states in... 6316 Autonomous Surface Vehicles ASVs provide an ... 6317 In this paper we present a technique for usi... 6318 Kineticrange turbulence in magnetized plasma... 6319 A lattice d kpolytope is the convex hull of ... 6320 We report on an ionoptical system that serve... 6321 Dependency parsing is an important NLP task ... 6322 Let frak F be a class of group A subgroup A ... 6323 Assessing the impact of the individual actio... 6324 M the active galaxy at the center of the Vir... 6325 After decades of experimental theoretical an... 6326 The local induction equation or the binormal... 6327 Let Tepsilon be the lifespan for the solutio... 6328 Classical CTL temporal logics are built over... 6329 Information about the memory locations acces... 6330 We address the problem of generating query s... 6331 The Cosmic Axion Spin Precession Experiment ... 6332 Quantum reactive scattering calculations are... 6333 The Subaru Strategic Program SSP is an ambit... 6334 We consider the estimation of hidden Markovi... 6335 A nice differentialgeometric framework for n... 6336 In this report we present a new reinforcemen... 6337 Observations of astrophysical objects such a... 6338 Flood risk changes in time and is influenced... 6339 The central dogma of molecular biology is th... 6340 We generalize the bridge between analysis an... 6341 We compute the exact norms of the Leray tran... 6342 This paper gives the definitions of an extra... 6343 Knowledge transfer impacts the performance o... 6344 For a primitive Dirichlet character chi modu... 6345 Motivated by geometric problems in signal pr... 6346 The pyrochlore magnet rm YbTiO has been prop... 6347 We present a neurosymbolic framework for the... 6348 Though deep neural networks have achieved st... 6349 The secrecy of a distributedstorage system f... 6350 In this work we calculate the convergence ra... 6351 The sparse matrix estimation problem consist... 6352 In this short paper we formulate parameter e... 6353 Compartmental equations are primary tools in... 6354 The surface energy of a magnetic Domain Wall... 6355 Using the FenchelEggleston theorem for conve... 6356 We study finitesize fluctuations in a networ... 6357 We study static distributions of ferrofluid ... 6358 Information that is stored in an encrypted f... 6359 The large hierarchy between the Planck scale... 6360 In many scenarios of a language identificati... 6361 Examplebased mesh deformation methods are po... 6362 We study the computational complexity of sho... 6363 A primary goal of galaxy surveys is to tight... 6364 A weakly dependent time series regression mo... 6365 The electric field effect on magnetic anisot... 6366 Coevolving or adaptive voter models AVMs are... 6367 This article provides a weighted model confi... 6368 Mapping the spatial distribution of poverty ... 6369 The magnetic signature of an urban environme... 6370 The cooperative hierarchical structure is a ... 6371 We present a model for the origin of the ext... 6372 R Guralnick Linear Algebra Appl proved th... 6373 Learning sparse linear models with twoway in... 6374 Convolutional Neural Networks CNNs have achi... 6375 For a regular cardinal kappa a formula of th... 6376 A fundamental challenge in largescale cloud ... 6377 The hourglasslike dispersion of spin excitat... 6378 I propose to use high brightness electron be... 6379 In this paper we study the fundamental solut... 6380 Our work presented in this paper focuses on ... 6381 This paper focuses on Byzantine attack detec... 6382 In this paper we study the pooled data probl... 6383 It is a usual practice to ignore any structu... 6384 The combination of the surface science techn... 6385 The paper proposes a new approach to model r... 6386 A significantly faster algorithm is presente... 6387 This paper investigates a flow and pathsensi... 6388 Topic models have been extensively used to o... 6389 The quasitwodimensional organic chargetransf... 6390 With advanced data analytical techniques eff... 6391 We provide a local approximation result of n... 6392 Following their success in Computer Vision a... 6393 This chapter provides an introduction to the... 6394 A classical difficult isomorphism testing pr... 6395 We give the motivation for scoring clusterin... 6396 In this paper we introduce a new reformulati... 6397 In this paper we revisit the weighted likeli... 6398 For many applications an ensemble of base cl... 6399 In the framework of KeldyshUsadel kinetic th... 6400 We prove generalized weighted Ostrowski and ... 6401 There is an intuitive analogy of an organic ... 6402 Tensors are a natural way to express correla... 6403 We propose the existence of a new universali... 6404 Thresholdlinear networks TLNs are models of ... 6405 This paper describes a decision procedure fo... 6406 The observation of electric dipole moments E... 6407 Reports and press releases highlight that se... 6408 In this paper we consider an optimal control... 6409 The Tweedie Compound PoissonGamma model is r... 6410 Temporal networks have been increasingly use... 6411 Unlike classical causal inference which ofte... 6412 In most physical sciences students from unde... 6413 Background For newborn infants in critical c... 6414 Generating large quantities of quality label... 6415 WASPb is an extreme hot Jupiter in a day or... 6416 It is shown that the adiabatic BornOppenheim... 6417 The computation of the tropical prevariety i... 6418 Recently G A Freiman M Herzog P Longobardi M... 6419 Correction of Type Ia Supernova brightnesses... 6420 The aim of this paper is to study via theore... 6421 In this paper we extend the known results of... 6422 We explore an extended cosmological scenario... 6423 We consider a quasihomogeneous polynomial f ... 6424 We solve the problem of optimal liquidation ... 6425 Cellular Electron CryoTomography CECT is a D... 6426 We propose a novel Bayesian approach to mode... 6427 In this paper we explore the use of unsuperv... 6428 We report structural susceptibility and spec... 6429 We consider cloudbased control scenarios in ... 6430 Simple finite dimensional Kantor triple syst... 6431 Spatial separation of suspended particles ba... 6432 Network navigability is a key feature of com... 6433 We study fermionic topological phases using ... 6434 Reliable identification of molecular biomark... 6435 This paper introduces pyRecLab a software li... 6436 We formulate stochastic gradient descent SGD... 6437 We perform a postprocessing radiative feedba... 6438 We investigate the inherent influence of lig... 6439 Formal ontologies are axiomatizations in a l... 6440 In the BakSneppen model the lowest fitness p... 6441 Consider a set of categorical variables math... 6442 We consider timedomain digital backpropagati... 6443 We present a formalization of convex polyhed... 6444 We consider the weight spectrum of a class o... 6445 Efficient electrooptic EO modulators crucial... 6446 How should an AIbased explanation system exp... 6447 In a seminal paper D N Page Phys Rev Lett ... 6448 We describe a fast closedloop optimization w... 6449 The curvature estimates of quotient curvatur... 6450 Convolutional neural networks have achieved ... 6451 In this paper we prove formulas that represe... 6452 Due to increasing urban population and growi... 6453 We analyze a general class of difference ope... 6454 Despite a wellordered pyrochlore crystal str... 6455 The students are introduced to navigation in... 6456 We introduce Error ForwardPropagation a biol... 6457 Logical models offer a simple but powerful m... 6458 We propose a family of variational approxima... 6459 In the past decades the phenomenal progress ... 6460 We demonstrated a novel onchip polarization ... 6461 In the recent literature endtoend speech sys... 6462 In the study of the human connectome the ver... 6463 We investigate the computational complexity ... 6464 Graphical user interfaces GUIs are integral ... 6465 The human brain network is modularcomprised ... 6466 We present a collection of eclipsing and e... 6467 The discrete moment problem is a foundationa... 6468 A Pilot unit of a closed loop gas CLS mixing... 6469 We give a new analysis of a tuning problem i... 6470 We consider a dualhop wireless network where... 6471 Trust in publicly verifiable Certificate Tra... 6472 Chainspace is a decentralized infrastructure... 6473 This note deals with certain properties of c... 6474 In this paper we investigate the multiwavele... 6475 For many technological applications of super... 6476 The basin of attraction of a uniformly attra... 6477 Recent LENS experiment on a D Fermi gas has ... 6478 In this paper entropies including measurethe... 6479 We study a question of presence of Kohn poin... 6480 Extending the notion of maximal green sequen... 6481 Using a shallow water model with timedepende... 6482 The asymptotic solution to the problem of co... 6483 For grain growth to proceed effectively and ... 6484 The peculiar band structure of semimetals ex... 6485 The stochastic R matrix for UqAn introduced ... 6486 We have investigated the crystal structure o... 6487 We considered a generic case of pretransitio... 6488 The Burr III distribution is used in a wide ... 6489 We introduce a logic called LT to express pr... 6490 We study massless fermions interacting throu... 6491 The generation of artificial data based on e... 6492 The identification of parameters in mathemat... 6493 We have designed and tested experimentally a... 6494 The fog radio access network FRAN is a promi... 6495 The concepts of Gross Domestic Product GDP G... 6496 Fractional stochastic volatility models have... 6497 A Triangle Generative Adversarial Network De... 6498 When a speaker says the name of a color the ... 6499 The lowtemperature properties of certain qua... 6500 Neural speech synthesis models have recently... 6501 We theoretically investigate a scheme in whi... 6502 A survey of goodnessoffit and symmetry tests... 6503 In this article we introduce how to put vagu... 6504 This is a comment to the paper A study of pr... 6505 Topological matter is a popular topic in bot... 6506 We discuss the Ramsey property the existence... 6507 The existence of massive solar masses ellip... 6508 A parametrization of irreducible unitary rep... 6509 In this work we study the problem of explori... 6510 Prosociality is fundamental to human social ... 6511 Territorial control is a key aspect shaping ... 6512 We construct a virtual quandle for links in ... 6513 We derive an online learning algorithm with ... 6514 After a discussion of the FrauchigerRenner a... 6515 We propose three measures of mutual dependen... 6516 Let X ldots XninmathbbRp be iid random vecto... 6517 We consider optimalefficient power allocatio... 6518 Action potentials are the basic unit of info... 6519 We introduce a rigorous definition of genera... 6520 Let us be given two graphs Gamma Gamma of n ... 6521 Recent breakthroughs in Deep Learning DL app... 6522 The ErdH os unit distance conjecture in the ... 6523 We study the ground state of the D KitaevHei... 6524 We study quadratic functionals on LmathbbRd ... 6525 This paper introduces a general Bayesian non... 6526 Most massive stars form in dense clusters wh... 6527 Electroencephalography EEG is an extensively... 6528 Consider the problem of estimating a lowrank... 6529 Recent developments in quaternionvalued wide... 6530 In this paper we proved an arithmetic Siegel... 6531 Motivated by alphaattractor models in this p... 6532 Magnetic nanoparticles are promising systems... 6533 For fast and energyefficient deployment of t... 6534 With the passage of time and indulgence in I... 6535 Data shaping is a coding technique that has ... 6536 Global integration of information in the bra... 6537 Music highlights are valuable contents for m... 6538 We study the computational tractability of P... 6539 We show a noiseinduced transition in Josephs... 6540 Principal component analysis PCA is fundamen... 6541 In this paper we characterize all the irredu... 6542 In this paper we analyze the local and globa... 6543 We study a variant of the source identificat... 6544 We prove a convexity theorem for Hamiltonian... 6545 Given an odd vector field Q on a supermanifo... 6546 Multicopters are becoming increasingly impor... 6547 We introduce a new technique for determining... 6548 The coupling of vocal fold source and vocal ... 6549 We are interested in the probability that tw... 6550 Discourse connectives eg however because are... 6551 Financial crime is a rampant but hidden thre... 6552 We consider explicit polar constructions of ... 6553 In the present article the classical problem... 6554 Maximizing the sum of two generalized Raylei... 6555 Dirichlet processes DP are widely applied in... 6556 Kontsevich designed a scheme to generate inf... 6557 ChernSchwartzMacPherson CSM classes generali... 6558 The current data explosion poses great chall... 6559 We consider a two player dynamic game played... 6560 We apply the newly derived nonadiabatic gold... 6561 If robots are to become ubiquitous they will... 6562 Multilayer neural networks have lead to rema... 6563 Kernel regression is a popular nonparametric... 6564 We study the classification problems over st... 6565 The recent realization of twodimensional D s... 6566 Characterization of lung nodules as benign o... 6567 The motion of electrons in or near solids li... 6568 We present a hardware mechanism called HourG... 6569 We investigated frictional effects on the fo... 6570 Object ranking or learning to rank is an imp... 6571 Modeling spatial overdispersion requires poi... 6572 We explore methods of producing adversarial ... 6573 We study the estimation of the covariance ma... 6574 In the multiagent systems setting this paper... 6575 Compact and portable insitu NMR spectrometer... 6576 Using different methods for laying out a gra... 6577 We introduce a twostep procedure in the cont... 6578 We introduce a new class of Monte Carlo base... 6579 In this paper we study symmetry properties o... 6580 In this paper we study the largetime behavio... 6581 Let G mu be a pair of a reductive group G ov... 6582 Program synthesis is a class of regression p... 6583 We describe new irreducible components of th... 6584 Cell monolayers provide an interesting examp... 6585 Long ShortTerm Memory networks trained with ... 6586 The covering type of a space X is defined as... 6587 This paper deals with the study of principal... 6588 It is generally difficult to predict the pos... 6589 Machine learning has emerged as an invaluabl... 6590 In this article we develop methods for estim... 6591 In his seminal paper Formality conjecture M ... 6592 We propose new types of models of the appear... 6593 In this work we provide nonasymptotic probab... 6594 The transition from singlecell to multicellu... 6595 We review aspects of twistor theory its aims... 6596 Probabilistic integration of a continuous dy... 6597 We propose a generalisation for the notion o... 6598 Random forests is a common nonparametric reg... 6599 Wittens Gauged Linear sigmaModel GLSM unifie... 6600 In this paper we address the convergence of ... 6601 In the paper we analyze communities across ... 6602 The problem of quickest change detection QCD... 6603 Many application settings involve the analys... 6604 This work demonstrates the potential of deep... 6605 This paper provides a holistic study of how ... 6606 Inference and learning for probabilistic gen... 6607 Modern social media platforms facilitate the... 6608 We explore a new mechanism to explain polari... 6609 Many realworld applications are characterize... 6610 We consider an adaptive algorithm for finite... 6611 Photoluminescence polarization is experiment... 6612 The weak variancealphagamma process is a mul... 6613 A generalization of the coordinated transact... 6614 In this paper we study the receiver performa... 6615 The tetragonal copper oxide BiCuO has an unu... 6616 In order to achieve stateoftheart performanc... 6617 Design optimization of engineering systems w... 6618 We present a method of generating high resol... 6619 Most policy search algorithms require thousa... 6620 We prove that there exist nonlinear binary c... 6621 We study the consistency of Lipschitz learni... 6622 In manufacturing the increasing involvement ... 6623 We explore inflectional morphology as an exa... 6624 The study of genome rearrangement has many f... 6625 In this paper a novel scheme for synchronizi... 6626 A wholebody torque control framework adapted... 6627 We construct new classes of selfsimilar grou... 6628 Estimation of parameters is a crucial part o... 6629 Given two infinite sequences with known bino... 6630 We present a new system S for handling uncer... 6631 We search for runaway former companions of t... 6632 We introduce some natural families of distri... 6633 DNAmediated computing is a novel technology ... 6634 We discuss the effect of ram pressure on the... 6635 This paper analyses the dynamics of infectio... 6636 The task of determining item similarity is a... 6637 In this paper we provide an analytical frame... 6638 In this paper we explain a sharp phase trans... 6639 Generative adversarial networks GANs are a c... 6640 We consider an energybased boundary conditio... 6641 Period polynomials have long been fruitful t... 6642 Context In a series of papers we study the m... 6643 In this paper we measure systematic risk wit... 6644 In this paper we present a novel method for ... 6645 Advances in sensor technology have enabled t... 6646 The hexagonal structure of graphene gives ri... 6647 Given a smooth nontrapping compact manifold ... 6648 The correlation of weak lensing and Cosmic M... 6649 We consider the asymmetric orthogonal tensor... 6650 We prove a generalization of a result of Bha... 6651 We construct and analyze a strongly consiste... 6652 It was proven in BY Chen F Dillen J Van der ... 6653 This paper studies stability analysis of DC ... 6654 The fundamental purpose of the present resea... 6655 In this paper extending past works of Del Po... 6656 We introduce a compressed suffix array repre... 6657 We consider a bounded block operator matrix ... 6658 This work is devoted to the study of the fir... 6659 We prove that the L bound of an oscillatory ... 6660 We develop a quantitative theory of stochast... 6661 For any positive integer r the rFubini numbe... 6662 In this paper we solve a problem posed by H ... 6663 We review the concept of Support Vector Mach... 6664 We introduce a sequent calculus with a simpl... 6665 Clusters of galaxies gravitationally lens th... 6666 We present a theory of the Seebeck effect in... 6667 In this paper we introduce a generalized asy... 6668 Photonic technologies offer numerous advanta... 6669 In this article we attempted to develop an u... 6670 Gating is a key technique used for integrati... 6671 Under the assumption that a defining graph o... 6672 User Datagram Protocol UDP is a commonly use... 6673 Current understanding of the critical outbre... 6674 With the vision of deployment of massive Int... 6675 We consider attacks on twoway quantum key di... 6676 We present a new method to approximate poste... 6677 Binary or onebit representations of data ari... 6678 For the stationary nonlinear Schrdinger equa... 6679 Parameter reduction can enable otherwise inf... 6680 In this paper we consider higher order corre... 6681 We report on a compact simple and robust hig... 6682 A pivotal step toward understanding unconven... 6683 We propose and demonstrate an ultrasonic com... 6684 Global sensitivity analysis aims at determin... 6685 We report inelastic neutron scattering measu... 6686 Agile denoting the quality of being agile r... 6687 Deep learning is a form of machine learning ... 6688 We report on tunnelinjected deep ultraviolet... 6689 We present a method and preliminary results ... 6690 An iterationfree method of domain decomposit... 6691 Very recently Richter and Rogers proved that... 6692 The effectiveness of molecularbased light ha... 6693 We present a simple method to improve neural... 6694 Using local density approximation plus dynam... 6695 In this work maximum entropy distributions i... 6696 In this paper we consider a linear regressio... 6697 The relative orientation between filamentary... 6698 We report a combined theoreticalexperimental... 6699 We study four problems in the dynamics of a ... 6700 We analyze theoretically the SchrodingerPois... 6701 We extend the classic multiarmed bandit MAB ... 6702 In this paper we propose a new method to tac... 6703 We propose NOPOL an approach to automatic re... 6704 Parametric geometry of numbers is a new theo... 6705 A study of the intersection theory on the mo... 6706 An SEIRS epidemic with disease fatalities is... 6707 This paper studies a new type of D bin packi... 6708 We describe preliminary investigations of us... 6709 We propose a method called Label Embedding N... 6710 The current fleet of spacebased solar observ... 6711 New features and enhancements for the SPIKE ... 6712 We describe the neutrino flavor e electron ... 6713 GPUs and other accelerators are popular devi... 6714 Stabilization of linear systems with unknown... 6715 We compute the second coefficient of the com... 6716 For given convex integrands gammai Snto math... 6717 Kernel methods are powerful learning methodo... 6718 This paper presents a nonmanual design engin... 6719 The origin and lifecycle of molecular clouds... 6720 The ability to accurately predict and simula... 6721 Topological nodal line semimetals are charac... 6722 In this paper an artificial intelligence bas... 6723 Let mathbbFq be a finite field Given two irr... 6724 The currentdriven domain wall motion in a ra... 6725 Let Rmathfrakm be a ddimensional CohenMacaul... 6726 Endtoend EE systems have achieved competitiv... 6727 In LHC Run ALICE will increase the data tak... 6728 Let Omega be a Csmooth bounded pseudoconvex ... 6729 The composition of natural liquidity has bee... 6730 Here we present an indepth study of the beha... 6731 A famous result of Jurgen Moser states that ... 6732 Brillouin light spectroscopy is a powerful a... 6733 We develop a framework for approximating col... 6734 The key feature of a thermophotovoltaic TPV ... 6735 The electric coupling between surface ions a... 6736 In this paper we provide new quantum algorit... 6737 We propose a datadriven algorithm for the ma... 6738 Let HDeltaV be a Schrdinger operator on Lmat... 6739 As the bioinformatics field grows it must ke... 6740 The mainstream of research in genetics epige... 6741 One of the key differences between the learn... 6742 Humanintheloop manipulation is useful in whe... 6743 American cities devote significant resources... 6744 It is known that gas bubbles on the surface ... 6745 Inverse problems correspond to a certain typ... 6746 The general completeness problem of Hoare lo... 6747 In this paper we present a result similar to... 6748 Quantifying image distortions caused by stro... 6749 Deep neural networks DNNs have excellent rep... 6750 We introduce an elliptic regularization of t... 6751 This paper presents a system based on a TwoW... 6752 One of the major drawbacks of modularized ta... 6753 Extreme phenotype sampling is a selective ge... 6754 The fundamental theory of energy networks in... 6755 The idea is to demonstrate the beauty and po... 6756 We prove rigorously that the exact Nelectron... 6757 In this paper we illustrate the use of the r... 6758 Technology market is continuing a rapid grow... 6759 The data mining field is an important source... 6760 Automatic speaker verification ASV systems u... 6761 We describe the LoopInvGen tool for generati... 6762 Topologically protected superfluid phases of... 6763 We present lowfrequency spectral energy dist... 6764 A scalable framework is developed to allocat... 6765 We study the Kepler metrics on Kepler manifo... 6766 Collisions with background gas can perturb t... 6767 We show that the Weyl symbol of a BornJordan... 6768 Deep learning is a popular machine learning ... 6769 We develop a theory of viscous dissipation i... 6770 We study the existence of homoclinic type so... 6771 Racetrack memory is a nonvolatile memory eng... 6772 In the spirit of recent work of Lamm Malchio... 6773 Robust PCA methods are typically batch algor... 6774 In this paper we present a set of simulation... 6775 Technological improvement is the most import... 6776 Musta has given a conjecture for the graded ... 6777 A stochastic minimization method for a reals... 6778 Template metaprogramming is a popular techni... 6779 We show that a recently proposed neural depe... 6780 Let G be a finite group and AutG the automor... 6781 Systems with tightlypacked inner planets STI... 6782 Autonomous robot manipulation often involves... 6783 The structural properties of LaRuP under ext... 6784 Hyperspectral imaging is an important tool i... 6785 This work addresses the onedimensional probl... 6786 The thermoelectric voltage developed across ... 6787 Understanding segregation is essential to de... 6788 Protein gammaturn prediction is useful in pr... 6789 An image is here defined to be a set which i... 6790 We performed electronic structure calculatio... 6791 Precision experiments such as the search for... 6792 This paper presents an investigation of the ... 6793 We propose a constraintbased flowsensitive s... 6794 Humanoid robots may require a degree of comp... 6795 In this paper we establish a baseline for ob... 6796 We consider in this paper the regularity pro... 6797 Very important breakthroughs in data centric... 6798 The asteroids are primitive solar system bod... 6799 Bayesian nonparametrics are a class of proba... 6800 Depth from focus DFF is one of the classical... 6801 In this paper we present an effective method... 6802 It remains a challenge to efficiently extrac... 6803 The configuration of the three neutrino mass... 6804 This paper is concerned with the detection o... 6805 This is the documentation of the tomographic... 6806 We consider entitylevel sentiment analysis i... 6807 In this paper we consider the problem of opt... 6808 The photometry of the minor body with extras... 6809 We present a model to generate power spectru... 6810 Let sigma sigmai iin I be some partition of... 6811 This paper analyzes the properties of the so... 6812 In this paper we extend several time reversi... 6813 Since its emergence two decades ago astropho... 6814 Assessing generative models is not an easy t... 6815 The results of the probabilistic analysis of... 6816 Developers use Question and Answer QA websit... 6817 Spectral based heuristics belong to wellknow... 6818 Accelerated magnetic resonance MR scan acqui... 6819 Since the s the question whether markets are... 6820 We analyze the performance of different resa... 6821 If a variational problem comes with no bound... 6822 This note studies the equivalencies among co... 6823 Music source separation with deep neural net... 6824 Mobile Crowdsourcing is a promising service ... 6825 liquidSVM is a package written in C that pro... 6826 Sterile neutrinos produced through oscillati... 6827 In this paper we design information elicitat... 6828 Three types of orbits are theoretically poss... 6829 A semiprocess is an analog of the semiflow f... 6830 Justinfinite Calgebras ie infinite dimension... 6831 Trademark retrieval TR has become an importa... 6832 The emergence of new digital technologies ha... 6833 We analyze the spectra of luminous red gala... 6834 We consider the analysis of high dimensional... 6835 Todays mobile phone users are faced with lar... 6836 In this paper we present current trends in r... 6837 We consider simultaneous blind deconvolution... 6838 A study of around musical compositions from... 6839 This paper describes the R package mvLSW The... 6840 Item coldstart is a classical issue in recom... 6841 In order to sample marginalized andor hardto... 6842 Graphitic nitrogendoped graphene is an excel... 6843 Microsized cold atmospheric plasma uCAP has ... 6844 Consistently checking the statistical signif... 6845 Currently deep neural networks are deployed ... 6846 Let pzaazazazcdotsanzn be a polynomial of de... 6847 Developing an appropriate design process for... 6848 A key problem in modelling the evolution dyn... 6849 We investigate the interplay between charge ... 6850 The Prototype Imaging Spectrograph for Coron... 6851 We show that the standard perturbative ie cu... 6852 Accurate measurement of galaxy structures is... 6853 In Francis and Steel it was shown that ther... 6854 We explore the effects of the expected highe... 6855 News recommender systems are aimed to person... 6856 We consider the online and nonparametric det... 6857 In this paper we estimate the distribution o... 6858 The key common bottleneck in most stencil co... 6859 For an algebraic variety X we introduce gene... 6860 In this paper we consider a general twistedc... 6861 One of the most exciting advancements in AI ... 6862 We introduce the problem of learning distrib... 6863 While plenty of results have been obtained f... 6864 Many modern dataintensive computational prob... 6865 We study the computation complexity of Boole... 6866 Spinpolarized fieldeffect transistor spinFET... 6867 Magnetic fields play important roles in many... 6868 Dynamical properties of two bosonic quantum ... 6869 In this paper we present and characterize a ... 6870 Clostridium difficile infections CDIs affect... 6871 Let C be a simply laced generalized Cartan m... 6872 Stellar flares are a frequent occurrence on ... 6873 We determine the GrossHopkins duals of certa... 6874 We outline a new approach for solving optimi... 6875 We measure the Planck cluster mass bias usin... 6876 Data sharing among partnersusers organizatio... 6877 In this paper we study the zeroflux chemotax... 6878 We present the complete optical transmission... 6879 We consider linear programming LP problems i... 6880 The key component in forecasting demand and ... 6881 Given a closed oriented surface S we describ... 6882 We are concerned with existence of regular s... 6883 The zerotemperature limit of a continuous ph... 6884 A climate mitigation comprehensive solution ... 6885 We study diffusion on a multilayer network w... 6886 We study marginally compact macromolecular t... 6887 There has been considerable recent activity ... 6888 A spectrogram of a ship wake is a heat map t... 6889 The emergence of lowpower wide area networks... 6890 The Xray transform on the periodic slab time... 6891 In this paper we consider the separable cova... 6892 In this paper we prove that all finitely gen... 6893 As global political preeminence gradually sh... 6894 Many works in collaborative robotics and hum... 6895 In this work we consider an association of m... 6896 An active hypothesis testing problem is form... 6897 We present a framework to simultaneously ali... 6898 Theoretically we recently showed that the sc... 6899 Let mathcalC be a finitely complete small ca... 6900 Machine learning approaches hold great poten... 6901 The Sinc approximation has shown high effici... 6902 In recent years the role of epidemic models ... 6903 We introduce a new model describing multiple... 6904 Bayesian shrinkage methods have generated a ... 6905 The object of the present paper is to study ... 6906 We investigate fundamental modeltheoretic di... 6907 The paper presents an analysis of Polish Fir... 6908 We study the variation of Iwasawa invariants... 6909 In this paper we study how to predict the re... 6910 Properties of two ThCrSitype materials are d... 6911 An inverse problem in spectroscopy is consid... 6912 Variational autoencoders VAE are directed ge... 6913 We consider the statics and dynamics of a st... 6914 One key challenge in talent search is to tra... 6915 The environmental impacts of medium to large... 6916 In this paper we derive a Bayesian model ord... 6917 Sky models have been used in the past to cal... 6918 Recurrent neural networks RNNs serve as a fu... 6919 Biological systems are typically highly open... 6920 In this work we outline the entropy viscosit... 6921 Convolutional neural networks CNNs are simil... 6922 Ultraviolet selfinteraction energies in fiel... 6923 Given a graphical model one essential proble... 6924 In this work we investigated the feasibility... 6925 The dtransitionmetals carbides ZrC NbC and n... 6926 This work aimed to determine the characteris... 6927 Series expansions of unknown fields Phisumva... 6928 We prove a universal limit theorem for the h... 6929 We demonstrate that in residual neural netwo... 6930 Multilabel classification is an important le... 6931 We are concerned about burst synchronization... 6932 The collapse of a collisionless selfgravitat... 6933 The possibility of realizing nonAbelian exci... 6934 We approach the development of models and co... 6935 The moving sofa problem posed by L Moser in ... 6936 IntroductionThe free and cued selective remi... 6937 Understanding protein function is one of the... 6938 Compressive sensing is a powerful technique ... 6939 We show that the class of groups with kmulti... 6940 We study numerically the superconductorinsul... 6941 We use techniques from functorial quantum fi... 6942 We give a simple multiplicativeweight update... 6943 We have studied neutron response of PARIS ph... 6944 The mine detection in an unexplored area is ... 6945 We present the strongest known knot invarian... 6946 The main purpose of this paper is to formali... 6947 We study biplane graphs drawn on a finite pl... 6948 The main goal of this paper is to design a m... 6949 In Web search entityseeking queries often tr... 6950 We show that Rclomegacdot is equal to omega... 6951 Spatially explicit capture recapture SECR mo... 6952 Obtaining models that capture imaging marker... 6953 Recent advances of derivativefree optimizati... 6954 In this work we propose a model for estimati... 6955 To overcome the travelling difficulty for th... 6956 Poisson factorization is a probabilistic mod... 6957 Using the unfolding method given in citeHL w... 6958 In this paper we address the Bounded Cardina... 6959 One of recent trends in network architec ... 6960 We study how the gas in a sample of galaxies... 6961 We present hidden fluid mechanics HFM a phys... 6962 We study the problem of testing for structur... 6963 Three dimensional magnetohydrodynamical simu... 6964 Automatic meshbased shape generation is of g... 6965 The SunyaevZeldovich SZ effect is a powerful... 6966 A number of recent works have used a variety... 6967 Exhaled air contains aerosol of submicron dr... 6968 Expressive variations of tempo and dynamics ... 6969 This paper deals with the convergence time a... 6970 Selforganization is a process where order of... 6971 Nonequilibrium workHamiltonian connection fo... 6972 We study thick subcategories defined by modu... 6973 We examine whether various characteristics o... 6974 In this paper we study the ideal structure o... 6975 In this paper we study nonparametric mean cu... 6976 In this article we develop a new sequential ... 6977 We formulate the NambuGoldstone theorem as a... 6978 Large data collections required for the trai... 6979 Usually when applying the mimetic model to t... 6980 At equilibrium thermodynamic and kinetic inf... 6981 Generative Adversarial Networks GANs have be... 6982 Molecular dynamics MD simulations allow the ... 6983 We consider the problem of deep neural net c... 6984 Threeway data can be conveniently modelled b... 6985 We explore the emergence of persistent infec... 6986 No highresolution canopy height map exists f... 6987 Accurate estimation of regional wall thickne... 6988 Using a threedimensional semiclassical model... 6989 Lately Wireless Sensor Networks WSNs have be... 6990 We present a new FrankWolfe FW type algorith... 6991 The problem of choice of boundary conditions... 6992 We introduce the exit time finite state proj... 6993 Data quality assessment and data cleaning ar... 6994 Authentication is the first step toward esta... 6995 The online dominating set problem is an onli... 6996 Shanghai Coherent Light Facility SCLF is a q... 6997 What role do asymptomatically infected indiv... 6998 Many methods for automatic music transcripti... 6999 Policy gradient methods have achieved remark... 7000 Magnetic fields quench the kinetic energy of... 7001 We consider the Cauchy problem for the gradi... 7002 Currently thirdgeneration sequencing techniq... 7003 This paper proposes ReBNet an endtoend frame... 7004 Under the generalized Lindelf hypothesis the... 7005 We discuss the latest results of numerical s... 7006 We recently reported a population of protost... 7007 Compared with artificial neural networks ANN... 7008 The matrix inversion is an interesting topic... 7009 Governing equations of motion for a viscous ... 7010 The purpose of this note is to give a simple... 7011 The key requirement to routing in any teleco... 7012 Conical functions appear in a large number o... 7013 We present an approach towards convex optimi... 7014 Motivated by the fact that the lowenergy pro... 7015 In this paper we propose an adaptive framewo... 7016 Update An issue has been found in the corre... 7017 Digital information can be encoded in the bu... 7018 Artificial lighting is responsible for a lar... 7019 We study the theory Tmn of existentially clo... 7020 We study the problem of propagation of regul... 7021 We herewith attempt to investigate the cosmi... 7022 The recent advances in deep neural networks ... 7023 We study the spreading of information in a w... 7024 We present four new examples of plane ration... 7025 We study the maximum likelihood estimator of... 7026 We consider nonparametric testing in a nonas... 7027 The space of npoint correlation functions fo... 7028 In this work we provide theoretical guarante... 7029 We present an endtoend system for musical ke... 7030 We introduce a new approach aiming at comput... 7031 Synergies between evolutionary game theory a... 7032 Often the analysis of timedependent chemical... 7033 Sample efficiency is critical in solving rea... 7034 Many stateoftheart algorithms for solving ha... 7035 Face detection methods have relied on face d... 7036 We consider Fock spaces Fpellalpha of entire... 7037 In this paper we address the problem of gene... 7038 We solve the compressive sensing problem via... 7039 We present a Bayesian model selection approa... 7040 Sequencetosequence models provide a simple a... 7041 We consider binary classification problems w... 7042 The first part of this survey is a heuristic... 7043 Previous work in the area of gesture product... 7044 Neural networks and rational functions effic... 7045 We analyze some local properties of sparse E... 7046 Recent studies have shown that deep neural n... 7047 In this paper we present a working model of ... 7048 The registration of tremor was performed in ... 7049 Accurate real time crime prediction is a fun... 7050 To make research of chaos more friendly with... 7051 This submissions has been withdrawn by arXiv... 7052 Contact processes form a large and highly in... 7053 In this paper we first propose two types of ... 7054 This paper studies remote state estimation u... 7055 Semantic understanding and localization are ... 7056 The ordered structures of natural integer ra... 7057 We classify finite pgroups upto isoclinism w... 7058 Dutch book arguments have been applied to be... 7059 A key goal in quantum chemistry methods whet... 7060 We give an elementary combinatorial proof of... 7061 The ElectronMuon Ranger EMR is a fullyactive... 7062 Photometric redshifts are a key component of... 7063 Deep reinforcement learning DRL methods such... 7064 Cloud Manufacturing CM is the concept of usi... 7065 Theories with more than one vacuum allow qua... 7066 In this paper new series for the first and s... 7067 We analyze the sample complexity of the thre... 7068 Nickel oxide NiO has been studied extensivel... 7069 Area under ROC AUC is an important metric fo... 7070 Text preprocessing is often the first step i... 7071 We develop and apply new techniques in order... 7072 With the recent surge of interest in UAVs fo... 7073 The Riemann Xiz function even in z admits a ... 7074 In this paper by introducing some kind of sm... 7075 We show the existence of YangMillsHiggs YMH ... 7076 We give strong necessary conditions on the a... 7077 Stochastic ordering of distributions of rand... 7078 We have measured the quantum depletion of an... 7079 Creating and modeling realworld graphs is a ... 7080 The field of analytic combinatorics which st... 7081 While strong progress has been made in image... 7082 This paper presents a novel framework for ac... 7083 GraphQL is a query language and thereuponbas... 7084 There is a pressing need to build an archite... 7085 Linear carbon chains are common in various t... 7086 In the present work we study charged black h... 7087 In this note we give simple proofs of severa... 7088 Chatbots are one class of intelligent conver... 7089 Predictive coding is attractive for compress... 7090 A wide range of electrochemical reactions of... 7091 Segmented silicon detectors micropixel and m... 7092 Wearable devices enable users to collect hea... 7093 In this paper the computational aspects of p... 7094 Electron acceleration by relativistically in... 7095 We propose the use of specific dynamical pro... 7096 We study thermalization in the holographic d... 7097 With the purpose of investigating coexistenc... 7098 In this paper we investigate some questions ... 7099 A synopsis is offered of the properties of d... 7100 It is proved that under certain restrictions... 7101 Tissue characterization has long been an imp... 7102 We present PSDBSCAN a communication efficien... 7103 We use an elliptic system of equations with ... 7104 Nonnegative matrix factorization NMF is a pr... 7105 This document consists of two papers both su... 7106 We show that two Hamiltonian isotopic Lagran... 7107 The spin relaxation in chromium spinel oxide... 7108 A biophysical model of epimorphic regenerati... 7109 It is established some existence and multipl... 7110 In Babson and Steingrmsson generalized the ... 7111 Critical analysis of the state of the art is... 7112 Agentbased models ABMs simulate interactions... 7113 We combine Bayesian prediction and weighted ... 7114 An important disadvantage of the hindex is t... 7115 Every art form ultimately aims to invoke an ... 7116 We study the equation beginequation DeltasuV... 7117 In this paper we present a method for the un... 7118 We generalize the results of citeCapistran o... 7119 In order to clarify the highTc mechanism in ... 7120 In this paper a new longterm survival distri... 7121 Many engineering problems require identifyin... 7122 A simplified trisection is a trisection map ... 7123 Many localization algorithms use a spatiotem... 7124 We present a family of selfconsistent axisym... 7125 Based on experimental traffic data obtained ... 7126 We develop a finite element method for the L... 7127 Let X be a del Pezzo surface of degree defi... 7128 The padic KummerLeopoldt constant kappaK of ... 7129 Despite their impressive performance Deep Ne... 7130 In the paper citeLau it was shown that the r... 7131 We generalize work of BourgainKontorovich an... 7132 Screening of a surface charge by electrolyte... 7133 We provide an asymptotic expansion of the va... 7134 Probabilistic atlases provide essential spat... 7135 We present a machine learning framework for ... 7136 We study the optimal investmentconsumption p... 7137 We consider restricted light ray transforms ... 7138 We propose a nonparametric method to explici... 7139 This article studies a confluence of a pair ... 7140 Sequential estimation of the delay and Doppl... 7141 Maximally recoverable codes are codes design... 7142 The paper focuses on considering some specia... 7143 This paper presents a novel physicsinformed ... 7144 The wavelet transform has seen success when ... 7145 The cardiologists main tool for measuring sy... 7146 We study the problem of optimal estimation o... 7147 Steganography is collection of methods to hi... 7148 A graph G is called a sum graph if there is ... 7149 We study the exploration problem in episodic... 7150 The time to converge to the steady state of ... 7151 Generating versatile and appropriate synthet... 7152 With the rapid growth of services that strea... 7153 We present a suite of reinforcement learning... 7154 Let rhoellell be the system of elladic repre... 7155 We apply The Tractor image modeling code to ... 7156 Lifted Relational Neural Networks LRNNs desc... 7157 Organisations store huge amounts of data fro... 7158 Despite various debugging supports of the ex... 7159 We consider the twoplayer game chomp on pose... 7160 A semiparametric nonlinear regression model ... 7161 Optimal transportation provides a means of l... 7162 Discussion on Randomprojection ensemble clas... 7163 We propose Deep Asymmetric Multitask Feature... 7164 Phasechange materials based on GeSbTe alloys... 7165 Let infty infty be the two points above inft... 7166 We investigate a class of multidimensional t... 7167 In classification problems the mode of the c... 7168 One of the main benefits of a wristworn comp... 7169 The widespread use of big social data has po... 7170 In this paper we introduce the concept of si... 7171 Measuring airways in chest computed tomograp... 7172 Time dependent quantum systems have become i... 7173 A systematic design of adaptive waveform for... 7174 Each year approximately heart valve repair ... 7175 Gaussian process modulated Poisson processes... 7176 This paper puts forth a mathematical framewo... 7177 With recent trends on miniaturizing oxidebas... 7178 OBJECTIVE To test the hypothesis that variat... 7179 In this paper we consider a probabilistic se... 7180 We measure statistically anisotropic signatu... 7181 This article is dedicated to the estimation ... 7182 Quantifying errors and losses due to the use... 7183 Despite the significant progress made in the... 7184 We present a cosegmentation technique for sp... 7185 For many years ivector based audio embedding... 7186 As a generalization of Riemannian submersion... 7187 In recent years defect prediction has receiv... 7188 We extend the classical notion of the spheri... 7189 The utility of a Markov chain Monte Carlo al... 7190 This paper presents one analytical tidal the... 7191 Zerocurvature representations ZCRs are one o... 7192 This article presents a multiple sound sourc... 7193 In this paper we present a scalable approach... 7194 We propose a theoretical framework to captur... 7195 A pseudocircle is a simple closed curve on s... 7196 Modeled along the truncated approach in Pani... 7197 The Cholesky decomposition plays an importan... 7198 The combination of recent emerging technolog... 7199 We consider that a network is an observation... 7200 This paper is concerned with the problem of ... 7201 Recently modelfree reinforcement learning al... 7202 We consider the problem of detecting data ra... 7203 Improving effectiveness and safety of patien... 7204 In this paper we initiate a study of a new p... 7205 Toric LandauGinzburg models of Giventals typ... 7206 We study the role of the local tidal environ... 7207 In this paper some general theory is present... 7208 The recentlyintroduced selflearning Monte Ca... 7209 Optical diffraction tomography ODT is a tomo... 7210 Rational filter functions can be used to imp... 7211 Maps on a parameter space for expressing dis... 7212 The classical ground state magnetic response... 7213 Sparse matrix multiplication is an important... 7214 Let G be a group acting on a tree T with fin... 7215 A Lagrangian numerical scheme for solving no... 7216 This paper studies optimal timebounded contr... 7217 In a Web Advertising Traffic Operation the T... 7218 Randomizing the Fouriertransform FT phases o... 7219 This paper addresses the question of whether... 7220 In this paper we investigate simultaneous pr... 7221 When solving partial differential equations ... 7222 We explore the effect of noise on the ballis... 7223 The design of multistable RNA molecules has ... 7224 The utility of the notion of generalized dis... 7225 The emission properties of PbTe single cryst... 7226 While every instance of the HospitalsResiden... 7227 We describe procedures for converging on and... 7228 Szilard engineSZE is one of the best example... 7229 Latest deep learning methods for object dete... 7230 With the emergence of cloud computing and se... 7231 Recently a certain qPainlev type system has ... 7232 We study the statics and dynamics of a stabl... 7233 We lay foundations of the subject in the tit... 7234 The determination of a finite Blaschke produ... 7235 Background Componentbased modeling language ... 7236 The MIT SuperCloud Portal Workspace enables ... 7237 We propose an estimator of prediction error ... 7238 We set new speed records for multiplying lon... 7239 Metasurface with gradient phase response off... 7240 Let S be a finitely generated subsemigroup o... 7241 Recent advances in molecular simulations all... 7242 Understanding the influence of a product is ... 7243 The emergence of oscillations in models of t... 7244 For clustering of an undirected graph this p... 7245 The Hyper SuprimeCam Subaru Strategic Progra... 7246 We propose a practical method for L norm reg... 7247 The interactions between PM and meteorologic... 7248 The Kgroup of the Calgebra of multipullback ... 7249 The Gumbel trick is a method to sample from ... 7250 This paper presents a sequential randomized ... 7251 Context Convectivelydriven flows play a cruc... 7252 This paper deals with the estimation problem... 7253 Many barred galaxies possibly including the ... 7254 Domain adaptation refers to the process of l... 7255 Colocalization is a powerful tool to study t... 7256 We consider communication over a multipleinp... 7257 In this paper we investigate the performance... 7258 We formulate notions of subadditivity and ad... 7259 The Hermite rank appears in limit theorems i... 7260 An extremal point of a positive threshold Bo... 7261 Virtual screening VS is widely used during c... 7262 The increasing availability of big large vol... 7263 While the definition of a fractional integra... 7264 The assertion that every definable set has a... 7265 The scientific community use PDEs to model a... 7266 Enhanced Quality of Service QoS and satisfac... 7267 Rapid compression machines RCMs have been wi... 7268 Given an elliptic curve Ek and a Galois exte... 7269 On the basis of quasipotential method in qua... 7270 Generative Adversarial Networks GANs are pow... 7271 We show that finite MilnorWitt correspondenc... 7272 Recently wind Riemannian structures WRS have... 7273 Our solution is implemented in and for the f... 7274 T is a cipher that was used for encryption o... 7275 Deep neural networks DNNs are powerful machi... 7276 We present spectra of ultradiffuse galaxies... 7277 The tieline scheduling problem in a multiare... 7278 In this paper we have predicted the stabilit... 7279 La transformoj de SchwarzChristoffel mapas k... 7280 Humans can imagine a scene from a sound We w... 7281 As an interdisciplinary discipline data mini... 7282 In this paper we study twelve stochastic inp... 7283 This paper addresses the task of learning an... 7284 We introduce a general method for improving ... 7285 Singlephoton detectors in space must retain ... 7286 We study the parameterized complexity of sev... 7287 For many years lunar laser ranging LLR obser... 7288 In this article it is proved the existence o... 7289 Attentionbased encoderdecoder architectures ... 7290 In this article we consider parametric Bayes... 7291 Despite recent advances in reputation techno... 7292 We focus on the cohomology of the kth nilpot... 7293 Kontsevich and Soibelman reformulated and sl... 7294 An important challenge for humanlike AI is c... 7295 Boltzmann provided a scenario to explain why... 7296 The threedimensional Couette flow between pa... 7297 Existing dimensionality reduction methods ar... 7298 Pipelined Krylov subspace methods avoid comm... 7299 In Ananthnarayan Avramov and Moore gave a n... 7300 Trigonometric time integrators are introduce... 7301 Around year the centenary of Plancks therma... 7302 A highlyefficient multiresonant RF energyhar... 7303 Graphical causal models are an important too... 7304 The paper concerns quantile oriented sensiti... 7305 Intensity noise crosscorrelation of the pola... 7306 Amino acid sequence portrays most intrinsic ... 7307 Experimental and numerical study of the stea... 7308 We theoretically study the Josephson current... 7309 According to tastes a person could show pref... 7310 The purpose of this paper is to construct co... 7311 We consider the Godunov numerical method to ... 7312 Let f be a holomorphic curve in mathbbPnmath... 7313 We present safe active incremental feature s... 7314 Social graph construction from various sourc... 7315 We show that a fluidflow interpretation of S... 7316 Using firstprinciples density functional cal... 7317 We present a method to construct numberconse... 7318 We present a new parallel corpus JHU FLuency... 7319 We address single machine problems with opti... 7320 A novel datadriven stochastic robust optimiz... 7321 This paper introduces an Algebraic MultiScal... 7322 Software processes improvement SPI is a chal... 7323 Analysis of a Bayesian mixture model for the... 7324 Cycloids hipocycloids and epicycloids have a... 7325 In this paper an algorithm for multicolor im... 7326 Gaussian graphical models are used throughou... 7327 Chariklo is the only small Solar system body... 7328 As a powerful tool of asynchronous event seq... 7329 Studies of the response of the SiD silicontu... 7330 In this study a multiple hypothesis tracking... 7331 The nfold Darboux transformation Tn of the f... 7332 The goodnessoffit test for discrimination of... 7333 Belief Propagation algorithms are instrument... 7334 Interpolation of jointly infeasible predicat... 7335 A oneparametric stochastic dynamics of the i... 7336 Lesion segmentation is the first step in mos... 7337 Support vector data description SVDD is a po... 7338 In recent years supervised learning using Co... 7339 The main focus of the analysts who deal with... 7340 Magnetic anisotropies of ferromagnetic thin ... 7341 We create and release the first publicly ava... 7342 The aim of the present manuscript is to pres... 7343 Sometimes it is not enough for a DNN to prod... 7344 We propose the Variational Shape Learner VSL... 7345 We study the cubic wave equation in AdSd and... 7346 The bag of words BOW represents a corpus in ... 7347 The formation of a singularity in a compress... 7348 This paper investigates how far a very deep ... 7349 The set of Bousfield classes has some import... 7350 The potential benefits of applying machine l... 7351 A class of Actively Calibrated Line Mounted ... 7352 We present AirCode a technique that allows t... 7353 This paper advances the state of the art in ... 7354 In this paper drawing intuition from the Tur... 7355 The origin of Phobos and Deimos in a giant i... 7356 Most sales applications are characterized by... 7357 In this paper we present a simple and modula... 7358 We establish a general connection between ba... 7359 In this report we present a new face detecti... 7360 Endtoend control for robot manipulation and ... 7361 For over twenty years the term cosmic web ha... 7362 We present a regression technique for data d... 7363 Arguably the biggest challenge in applying n... 7364 Magnetohydrodynamic MHD ships represent a cl... 7365 With a rapidly increasing number of devices ... 7366 We investigate the timeoptimal control probl... 7367 We consider a fundamental open problem in pa... 7368 Adaptive gradientbased optimization methods ... 7369 The magnetic response related to paramagneti... 7370 A credal network under epistemic irrelevance... 7371 The Mollow spectrum for the light scattered ... 7372 In this paper we use an approach based on dy... 7373 Extreme mass ratio inspiral EMRI events are ... 7374 the companies populating a Stock market alo... 7375 Offensive or antagonistic language targeted ... 7376 This paper is devoted to a study of infinite... 7377 We present a general analytical formalism to... 7378 Intrinsic stochasticity can induce highly no... 7379 Five year posttransplant survival rate is an... 7380 We investigate the loss surface of neural ne... 7381 It is well known that functions in involutio... 7382 For decades contextdependent phonemes have b... 7383 A common problem to all applications of line... 7384 We have measured the resistivity the thermop... 7385 Quantum walks in virtue of the coherent supe... 7386 Resonant inelastic Xray scattering RIXS expe... 7387 Mathematical modelling of tumor growth is on... 7388 The rise of digital and mobile communication... 7389 In todays education systems there is a deep ... 7390 We propose statistical inferential procedure... 7391 Onebit measurements widely exist in the real... 7392 The computational complexity of kernel metho... 7393 AutoML serves as the bridge between varying ... 7394 In the presence of renewable resources distr... 7395 Assortative mixing in networks is the tenden... 7396 Neural machine translation models rely on th... 7397 During the upstroke of a normal eye blink th... 7398 In the kmappability problem we are given a s... 7399 Music creation is typically composed of two ... 7400 Simulation Optimization SO refers to the opt... 7401 Variational autoencoders VAEs learn represen... 7402 We examine the conditions under which materi... 7403 The diffusion of information has been widely... 7404 We propose a few fundamental techniques to o... 7405 A loopaugmented forest is a labeled rooted f... 7406 Reproducing experiments is an important inst... 7407 The recently proposed adversarial training m... 7408 A parameterised Boolean equation system PBES... 7409 We present the measurement of the kinematic ... 7410 Statistical relational frameworks such as Ma... 7411 In contrast to simple monatomic alkali and h... 7412 Modern operating systems such as Android iOS... 7413 Conditional independence of treatment assign... 7414 We describe the first ever implementation of... 7415 Magnetic resonance image MRI reconstruction ... 7416 We give lower bounds for the degree of multi... 7417 An important application of haptic technolog... 7418 We study the topological dynamics of the hor... 7419 The waist size of a cusp in an orientable hy... 7420 Motivated by recent work on straininduced ps... 7421 Abstract separation logics are a family of e... 7422 We consider two polytopes The quadratic assi... 7423 XGBoost is often presented as the algorithm ... 7424 We investigate the superfluid behavior of a ... 7425 Game analytics supports game development by ... 7426 We look at Bohemian matrices specifically th... 7427 Over the past years distributed energy resou... 7428 Dynamic evidence logics are logics for reaso... 7429 Researchers are often interested in assessin... 7430 Point location problems for n points in ddim... 7431 We consider the statistical inverse problem ... 7432 Recently proposed models which learn to writ... 7433 This paper presents design and experimental ... 7434 An AAinfty estimate improving a previous res... 7435 We state the Ramsey property of classes of o... 7436 We investigate a cognitive radio system wher... 7437 Homophily can put minority groups at a disad... 7438 Imprecise and incomplete specification of sy... 7439 We discuss unique existence and microlocal r... 7440 In this correspondence we propose a new rece... 7441 One of the major open problems in computer v... 7442 Given two or more Deep Neural Networks DNNs ... 7443 For the quantification of QoE subjects often... 7444 Observations of the highlyeccentric e hotJup... 7445 Many biological data analysis processes like... 7446 We study the Josephson effect of a rmT F T j... 7447 Version information plays an important role ... 7448 In multiband systems such as ironbased super... 7449 A pervasive belief with regard to the differ... 7450 In this paper we present a unified endtoend ... 7451 The critical temperature TC of MgB one of th... 7452 This article describes the motivation design... 7453 Reinforcement learning is a promising approa... 7454 The NeoDeterministic Seismic Hazard Assessme... 7455 Syllabification does not seem to improve wor... 7456 Persistent homology studies the evolution of... 7457 We measure the alignment of the shapes of ga... 7458 In this paper we consider the degenerate Sti... 7459 How useful can machine learning be in a quan... 7460 The spatial distribution of elemental abunda... 7461 DoseResponse Functions DRFs are widely used ... 7462 The present work addressed in this thesis in... 7463 This paper presents a solution for persisten... 7464 In this paper we propose a novel sufficient ... 7465 The unified gas kinetic scheme UGKS is a dir... 7466 Legged robots pose one of the greatest chall... 7467 In this work we prove an existence result fo... 7468 In this note we establish the following Seco... 7469 We prove a range of new sumproduct type grow... 7470 Computing the inverse covariance matrix or p... 7471 To date germanene has only been synthesized ... 7472 We introduce quiver gauge theory associated ... 7473 We image vortex creep at very low temperatur... 7474 Strategic interactions between competitive e... 7475 We investigate pivotbased translation betwee... 7476 Semiconductor quantum dots QDs doped with ma... 7477 In this chapter we show how the use of diffe... 7478 We develop a new approach to solving classif... 7479 In the paper Randomizations of Scattered Sen... 7480 Kaplansky Zero Divisor Conjecture states tha... 7481 I describe a relation mostly conjectural bet... 7482 Word embeddings provide point representation... 7483 In many areas practitioners seek to use obse... 7484 A reinforcement algorithm solves a classical... 7485 We present an approach to accelerating a wid... 7486 HIV RNA viral load VL is an important outcom... 7487 We consider a relativistic charged particle ... 7488 This paper presents a distributed stochastic... 7489 Transform methods like Laplace and Fourier a... 7490 We consider the dynamics of belief propagati... 7491 Entity resolution ER presents unique challen... 7492 Since CoRoT observations unveiled the very l... 7493 Certain analytical expressions which feel th... 7494 This paper presents a problem of model learn... 7495 If the topological insulator BiSe is doped w... 7496 We show that in any mathbbQGorenstein flat f... 7497 Let Gr denote the metaplectic covering group... 7498 This paper introduces a generalization of Co... 7499 We investigate the Standard Model SM with a ... 7500 Deep neural networks coupled with fast simul... 7501 Surfactant solutions exhibit multilamellar s... 7502 A topological group G is Bamenable if and on... 7503 A new generation of D silicon pixel detector... 7504 Microwave Kinetic Inductance Devices MKIDs a... 7505 The practical impact of abstractionbased con... 7506 We propose a novel denoising framework for t... 7507 We consider the three dimensional VlasovPois... 7508 Photography usually requires optics in conju... 7509 This paper brings the novel idea of paying t... 7510 We consider the problem of individualspecifi... 7511 The emergent field of probabilistic numerics... 7512 We study effect of cavity collapse in nonide... 7513 We present a simple quantile regressionbased... 7514 Let B left Bleft xright xin mathbbSright b... 7515 Named entity classification is the task of c... 7516 Latent space models are effective tools for ... 7517 We tackle the challenge of topic classificat... 7518 The context of this research is testing and ... 7519 This work studies which storage mechanisms i... 7520 Nonconvex optimization with local search heu... 7521 We have performed Joule power loss calculati... 7522 We report an exact likelihood computation fo... 7523 The experimental design problem concerns the... 7524 In machine learning or statistics it is ofte... 7525 We establish a correspondence on a Riemann s... 7526 Nonnegative matrix factorization NMF has bee... 7527 Modern search techniques either cannot effic... 7528 We obtain new uniform bounds for the symmetr... 7529 We present several continued fraction algori... 7530 Most neuralnetwork based speakeradaptive aco... 7531 This paper considers the problem of statisti... 7532 We show that the social dynamics responsible... 7533 The fusion of Iterative Closest Point ICP re... 7534 In this paper we use the theory of computing... 7535 The pairing symmetry of interacting Dirac fe... 7536 We study causal inference in a multienvironm... 7537 The notion of linear exponential comonads on... 7538 This paper proposes an original statistical ... 7539 Domain adaptation refers to the problem of l... 7540 Atomically thin semiconductors have dimensio... 7541 A conceptual and computational framework is ... 7542 This paper introduces Colossus a public open... 7543 Second generation sequencing technologies ar... 7544 Many modern video processing pipelines rely ... 7545 Since the matrix formed by nonlocal similar ... 7546 Contextual bandit algorithms a class of mul... 7547 We demonstrate lightinduced localization of ... 7548 A variety of realworld processes over networ... 7549 The search of binary sequences with low auto... 7550 We study the asymptotic behavior of the marg... 7551 Securitycritical tasks require proper isolat... 7552 Data on rates percentages or proportions ari... 7553 PageRank has numerous applications in inform... 7554 Remote sensing experiments require highaccur... 7555 We discuss the GIT moduli of semistable pair... 7556 We provide a novel and simple description of... 7557 We describe a method of reconstructing air s... 7558 Weyls original scale geometry of purely inf... 7559 This paper explores the discrete Dynamic Cau... 7560 As the effort to scale up existing quantum h... 7561 The Allan Variance AV is a widely used quant... 7562 Current tools for exploratory data analysis ... 7563 We consider the stochastic composition optim... 7564 Enabling artificial agents to automatically ... 7565 The paper adapts the large deformation diffe... 7566 The determination of the morphology of galax... 7567 The spin triangular lattice antiferromagnet ... 7568 The location of radio pulsars in the periodp... 7569 In this paper we prove that any immersed sta... 7570 We have carried out a systematic search for ... 7571 Now a days several organizations are moving ... 7572 The Brazilian Ministry of Health has selecte... 7573 The minimum volume enclosing ellipsoid MVEE ... 7574 The interest in memristors has risen due to ... 7575 Biological and artificial neural systems are... 7576 A major investment made by a telecom operato... 7577 We consider the problem of detecting outofdi... 7578 The possibility of solving the BetheSalpeter... 7579 In this paper we show novel underlying conne... 7580 We prove that a smooth well formed Fano weig... 7581 We examine the relationship between social s... 7582 Fabrication of atomic scale of metallic wire... 7583 The universal homogeneous trianglefree graph... 7584 Let F be a nonArchimedean local field We stu... 7585 Let Qnn be the unit cube in mathbb Rn n in m... 7586 Recent experimental results point to the exi... 7587 Sensors are present in various forms all aro... 7588 We study the problem of edit similarity join... 7589 In this study we introduce a new approach to... 7590 We consider a general statistical linear inv... 7591 Short high charge electron bunches can drive... 7592 Magnetic systems with spins sitting on a lat... 7593 Let R be the homogeneous coordinate ring of ... 7594 The Wasserstein metric is introduced as a pr... 7595 Word embeddings are representations of indiv... 7596 We theoretically investigate normalstate pro... 7597 The goal of Machine Learning to automaticall... 7598 The Noh verification test problem is extende... 7599 We associate with an infinite cyclic cover o... 7600 Recent years have seen a sharp increase in t... 7601 Coherent uncertainty quantification is a key... 7602 Inference in the presence of outliers is an ... 7603 A it universal labeling of a graph G is a la... 7604 Online games provide a rich recording of int... 7605 We study theoretically the topological surfa... 7606 Given a crossing minimal chart Gamma a minim... 7607 Assistive robotics and particularly robot co... 7608 We study superconvergence property of the li... 7609 This paper proposes a multichannel source se... 7610 Pore space characteristics of biochars may v... 7611 We present a firstprinciplesbased manybody t... 7612 Upon thermal annealing at or above room temp... 7613 Parametric imaging is a compartmental approa... 7614 Current recommender systems exploit user and... 7615 We consider some properties of integrals con... 7616 We give complexity analysis of the class of ... 7617 Thermodynamic potential of a neutral twodime... 7618 Redis is an inmemory data structure store of... 7619 We discuss the existence of ground state sol... 7620 We present the study of the dark soliton dyn... 7621 The exchange interaction between magnetic io... 7622 We perform polarimetry analysis of active g... 7623 Let N be a closed enlargeable manifold in th... 7624 A programmable optical computer has remained... 7625 The main Theorem of Jain et alJain K Singh S... 7626 Nmethylformamide CHNHCHO may be an important... 7627 In this paper we study the development of an... 7628 An alternative to Density Functional Theory ... 7629 The identification of the minimal set of nod... 7630 Let X g be an asymptotically hyperbolic mani... 7631 Clinical NLP has an immense potential in con... 7632 We propose a novel online predictor for disc... 7633 This article deals with a Markov process rel... 7634 We look for an enhancement of the correspond... 7635 Active learning has long been a topic of stu... 7636 Here we report orbitalfree densityfunctional... 7637 In this contribution we summarize the progre... 7638 Given leq k leq s we say that a kuniform hy... 7639 Among the different biomarkers of aging base... 7640 Effective and efficient mitigation of malwar... 7641 Holes and clumps in the interstellar gas of ... 7642 In this paper we report on the visualization... 7643 We present a neural network architecture bas... 7644 We are interested in attributeguided face ge... 7645 In unsupervised data generation tasks beside... 7646 We extend certain classical theorems in plur... 7647 We report an inconsistency found in probabil... 7648 Recently a test for a signchanging gap funct... 7649 Handheld Augmented Reality commonly implemen... 7650 In this paper we propose a distributed prima... 7651 We consider inverse dynamic and spectral pro... 7652 Let X be a quasiaffine algebraic variety iso... 7653 Gaussian process GP regression is a powerful... 7654 We study the most probable trajectories of t... 7655 Many topics in planetary studies demand an e... 7656 Scanning Microwave Impedance Microscopy MIM ... 7657 It has long been known that Feedback Vertex ... 7658 The mechanisms for strong electronphonon cou... 7659 Competitive equilibrium from equal incomes C... 7660 The author showed that any homogeneous algeb... 7661 Automatic sleep staging is a challenging pro... 7662 The onedimensional wakefield generation equa... 7663 We show that the permutation complexity of t... 7664 We propose the predictability computability ... 7665 Let M be an atomic monoid and let x be a non... 7666 Stable topological invariants are a cornerst... 7667 We consider minimal nonnegative Jacobi opera... 7668 Geodesic Monte Carlo gMC is a powerful algor... 7669 Recently a review concluded that Google Scho... 7670 The problem of gas detection is relevant to ... 7671 We discuss the correspondence between the Kn... 7672 We experimentally and numerically investigat... 7673 This paper presents a combinatorial construc... 7674 Statistics derived from the eigenvalues of s... 7675 We show that in an ArtinTits group of spheri... 7676 We explore a probabilistic model of an artis... 7677 As machine learning algorithms become increa... 7678 Customer retention campaigns increasingly re... 7679 A quite general device analysis method that ... 7680 For a wide class of Hermitian random matrice... 7681 This paper proposes Power Slow Feature Analy... 7682 The behavior of matter near a quantum critic... 7683 Biological systems from a cell to the human ... 7684 One of the most challenging tasks for a flyi... 7685 Efforts to reduce the numerical precision of... 7686 We prove that the functor associating to a r... 7687 Determinantal point processes DPPs have wide... 7688 We theoretically propose that Weyl semimetal... 7689 Variability management of process models is ... 7690 We propose the use of threedimensional Dirac... 7691 The objective of this paper is to use transf... 7692 Many modern applications deal with multilabe... 7693 Training robots for operation in the real wo... 7694 The need to efficiently calculate first and ... 7695 In this paper we propose a method for import... 7696 Wave theories of heating the chromosphere co... 7697 An unconventional spinrotation mode emerging... 7698 It is interesting and of significant importa... 7699 Given two continuous functions fgItomathbbR ... 7700 We study effective versions of unlikely inte... 7701 Recommenders have become widely popular in r... 7702 Let M be a nilmanifold with a fundamental gr... 7703 Fog computing enables use cases where data p... 7704 This document describes a code to perform pa... 7705 This paper describes our approach to the Bos... 7706 In spherical symmetry with radial coordinate... 7707 Audio events are quite often overlapping in ... 7708 We study exact solutions of the quasionedime... 7709 A novel textindependent speaker identificati... 7710 We argue that hardware modularity plays a ke... 7711 We give a new bound on the number of colline... 7712 Visinelli and Gondolo hereafter VG derived ... 7713 Some Poisson structures do admit resolutions... 7714 There is an interest to replace computed tom... 7715 We calculate the specific heat of a weakly i... 7716 Inference models are a key component in scal... 7717 To many statisticians and citizens the outco... 7718 This paper aims at solving a onedimensional ... 7719 We study the spectrophotometric properties o... 7720 We study N interacting random walks on the p... 7721 This paper addresses the problem of estimati... 7722 In a recent note the author provides a coun... 7723 A memristor is one of four fundamental twote... 7724 Ratio of medians or other suitable quantiles... 7725 We give a new proof of Salvatis theorem that... 7726 We propose and compare several projection me... 7727 We propose a novel approach for using unsupe... 7728 Koszul algebras with quadratic Groebner base... 7729 Community discovery in the social network is... 7730 Debugging transactions and understanding the... 7731 The LinkedIn Salary product was launched in ... 7732 Quantum bits based on individual trapped ato... 7733 Fault detection problem for closed loop unce... 7734 Given an nsample drawn on a submanifold M su... 7735 Learning to Optimize is a recently proposed ... 7736 We present and analyze a new spacetime finit... 7737 A packing kcoloring for some integer k of a ... 7738 Social networks involve both positive and ne... 7739 The significance of topological phases has b... 7740 We measured the absolute frequency of the S ... 7741 This paper gives foundational results for th... 7742 Identifying meaningful signal buried in nois... 7743 Hyperspectral analysis has gained popularity... 7744 Antihydrogen is at the forefront of antimatt... 7745 The control of the ultracold collisions betw... 7746 This paper develops nonparametric rotation i... 7747 The mechanism behind angular momentum transp... 7748 In the context of robotic underwater operati... 7749 We introduce Casper a proof of stakebased fi... 7750 Crowdsourcing has emerged as a paradigm for ... 7751 We apply the nested algebraic Bethe ansatz t... 7752 We find the Epolynomials of a family of para... 7753 We discuss the derivation of a lowenergy eff... 7754 We prove that if two knots are concordant th... 7755 Spectrally efficient multiantenna wireless c... 7756 We study kernel leastsquares estimation unde... 7757 We present a novel method for determining th... 7758 In this paper we show that the motive HPn of... 7759 This is a continuation and completion of the... 7760 This paper shows that authors have no consis... 7761 We consider the interaction between distinct... 7762 In this paper we prove that given a cliquewi... 7763 The functional window is an experimentally o... 7764 The practice of evidencebased medicine EBM u... 7765 In this article we provide a systematic way ... 7766 This paper investigates the lateral pullin e... 7767 We answer Mark Kacs famous question can one ... 7768 Machine learning models are vulnerable to Ad... 7769 In this paper we propose novel energy effici... 7770 Discriminative Correlation Filter DCF based ... 7771 We investigate multitarget search on complex... 7772 We set a new upper limit on the abundance of... 7773 Hierarchical clustering is a class of algori... 7774 We introduce physics informed neural network... 7775 Escard and Simpson defined a notion of inter... 7776 We apply basic statistical reasoning to sign... 7777 Root Cause Analysis for Anomalies is challen... 7778 Neural networks have been shown to have a re... 7779 Bayesian inference requires approximation me... 7780 Two node variables determine the evolution o... 7781 Nowadays the major challenge in machine lear... 7782 The problem of constrained coverage path pla... 7783 Design of next generation computer systems s... 7784 Let LK be a finite Galois extension of numbe... 7785 This paper is to explore the possibility to ... 7786 This is a survey article based on the author... 7787 We consider a double layered prestrained ela... 7788 Heterogeneous information networks HINs are ... 7789 Information bottleneck IB is a technique for... 7790 A central problem in graph mining is finding... 7791 We present a complete resolution of the Abra... 7792 Process induced efficiency variation is a ma... 7793 This paper will serve as an introduction to ... 7794 Orthogonal matching pursuit OMP is a widely ... 7795 Linear complementarydual LCD for short codes... 7796 This is a report of a joint work with E Jrve... 7797 We theoretically investigate the possibility... 7798 Family of quasiarithmetic means has a natura... 7799 We explicitly construct families of integrab... 7800 Existing deep multitask learning MTL approac... 7801 The execution logs that are used for process... 7802 We consider the initial value problem for th... 7803 A framework of variational principles for st... 7804 Inspired by recent work of PL Lions on condi... 7805 Allosteric proteins transmit a mechanical si... 7806 We discuss the application of the Agapito Cu... 7807 A SensL MicroFCSMT x mm silicon photomultipl... 7808 We propose a reduction for nonconvex optimiz... 7809 Learning algorithms for implicit generative ... 7810 Network coding based peertopeer streaming re... 7811 The baryonacoustic oscillation BAO feature i... 7812 By means of the present geometrical and dyna... 7813 This paper describes InfoCatVAE an extension... 7814 We study the parity of Selmer ranks in the f... 7815 Social networks often provide only a binary ... 7816 For marketing or power grid management purpo... 7817 We classify the Ulrich vector bundles of arb... 7818 In this paper we show that a kshellable simp... 7819 The most commonly used weighted least square... 7820 A closed four dimensional manifold cannot po... 7821 We demonstrate the potential of Deep Learnin... 7822 We consider the task of identifying attitude... 7823 Each training step for a variational autoenc... 7824 We introduce a new audio processing techniqu... 7825 Thermoelectric TE measurements have been per... 7826 Autonomous systems can substantially enhance... 7827 The interaction between thin structures and ... 7828 Suspensions of selfpropelled bodies generate... 7829 In this manuscript we will discuss the const... 7830 In this work we formulate the fixedlength di... 7831 Predicting the ground state of alloy systems... 7832 This paper gives a short survey of some basi... 7833 As opposed to manual feature engineering whi... 7834 In spin ice research small variations in str... 7835 We present a hybrid neural network and ruleb... 7836 In the creation of a smart future informatio... 7837 Any acceptable quantum gravity theory must a... 7838 We develop a method to estimate from data tr... 7839 Selftaught learning is a technique that uses... 7840 We will develop a computational method Regio... 7841 This note discusses proofs for convergence o... 7842 We give a new class of multidimensional padi... 7843 We present new SINFONI nearinfrared integral... 7844 We present several formulae for the larget a... 7845 We propose a distributed version of a stocha... 7846 We propose expected policy gradients EPG whi... 7847 The behavior of a new Hysteretic Nonlinear E... 7848 This paper demonstrates designing and develo... 7849 To support scientific visualization of multi... 7850 Learning with auxiliary tasks has been shown... 7851 The HighAltitude WaterCherenkov HAWC experim... 7852 In this work we study two models of arbitrar... 7853 We propose three properties that are related... 7854 We propose generative neural network methods... 7855 The radioactive daughters isotope of Rn are ... 7856 We consider the problem of provably optimal ... 7857 citeHillMotegi present a new general asympto... 7858 Applications of safety security and rescue i... 7859 The theoretical study of the optical propert... 7860 High dimensional superposition models charac... 7861 Developers spend a significant amount of tim... 7862 Tens of millions of new variable objects are... 7863 The multivariate nonlinear Granger causality... 7864 The dynamic dielectric nonlinearity of bariu... 7865 Nonlinear modal decoupling NMD was recently ... 7866 We report the discovery of KELTb a transitin... 7867 Statistical analyses of directional or angul... 7868 Twotimescale Stochastic Approximation SA alg... 7869 We consider Ysystem functional equations of ... 7870 We address the problem of estimating statist... 7871 The ground state of the spin Heisenberg anti... 7872 This work extends the results known for the ... 7873 We study the RiemannHilbert problems associa... 7874 We provide new theoretical insights on why o... 7875 The task of multilabel learning is to predic... 7876 In iterative supervised learning algorithms ... 7877 We propose a general framework to learn deep... 7878 Based on the meteorological data from to w... 7879 Video popularity is an essential reference f... 7880 Many artificial intelligence AI applications... 7881 A complete foundational discussion of accele... 7882 We consider stochastic multiarmed bandit pro... 7883 Supervised object detection and semantic seg... 7884 The aim of this paper is to characterize the... 7885 Threedimensional D color codes have advantag... 7886 This paper explores supervised techniques fo... 7887 Early in an environmental scan was conducte... 7888 We demonstrate nonvolatile ntype backgated M... 7889 Memristive crossbars have become a popular m... 7890 Cholanaikkans are a diminishing tribe of Ind... 7891 As both light transport simulation and reinf... 7892 Using a high energy electron beam for the im... 7893 Developmental Robotics offers a new approach... 7894 Even todays most advanced machine learning m... 7895 We simulate boron on Pb surface by using ab ... 7896 Modelbased reinforcement learning RL methods... 7897 The use of color in QR codes brings extra da... 7898 Emission from the molecular ion H is a power... 7899 We show how well known rules of back propaga... 7900 Large collections of videos are grouped into... 7901 Requirements elicitation requires extensive ... 7902 We present the results of neutron scattering... 7903 On Kickstarter only of crowdfunding campaig... 7904 In Franceschi et al we proposed a unified m... 7905 Potential functionals have been introduced r... 7906 We present simple deterministic algorithms f... 7907 We consider finitedimensional irreducible tr... 7908 Instruments to visualize transient structura... 7909 As highthroughput biological sequencing beco... 7910 We present a realtime featurebased SLAM Simu... 7911 The purpose of this paper is to carry out a ... 7912 We present a set of full evolutionary sequen... 7913 We study the uniqueness of complete biconser... 7914 We present the mapping of a class of simplif... 7915 Junior Machado and Zuluaga studied a model ... 7916 Monte Carlo simulations using MCNP were perf... 7917 Here we present a new approach to deal with ... 7918 Significant research has been conducted in r... 7919 In this paper we prove the strong consistenc... 7920 Besides their huge technological importance ... 7921 Neural network based machine learning is eme... 7922 This paper conducts a rigorous analysis for ... 7923 The distance between the true and numerical ... 7924 In this article we prove that the first eige... 7925 On a variety of complex decisionmaking tasks... 7926 Network embedding aims at projecting the net... 7927 This research aims to identify how Bitcoinre... 7928 Optical properties of the photonic crystal c... 7929 Many settings involve sequential decisionmak... 7930 Existing methods for dealing with knowledge ... 7931 In the seminal work several macroscopic mar... 7932 In this paper an approach to controller desi... 7933 The recent Planet Nine hypothesis has led to... 7934 We consider differentialdifference equations... 7935 Random forests have become an important tool... 7936 For two complex vector bundles admitting a h... 7937 Both resources in the natural environment an... 7938 We propose a novel technique for analyzing a... 7939 Computing polarised intensities from noisy d... 7940 In the spatial point process context kernel ... 7941 We study CR geometry in arbitrary codimensio... 7942 With the widespread use of information techn... 7943 Receiver operating characteristic ROC curves... 7944 Maximum entropy modeling is a flexible and p... 7945 The variational tensor network renormalizati... 7946 We propose a general framework for nonasympt... 7947 A regular language L is unionfree if it can ... 7948 Piecewise Deterministic Markov Processes PDM... 7949 Language models LM are very powerful in lipr... 7950 Millisecond pulsars MSPs have a great potent... 7951 We propose to use optical antennas made out ... 7952 Following the success of type Ia supernovae ... 7953 Highprecision modeling of subatomic particle... 7954 Entropy Search ES and Predictive Entropy Sea... 7955 In the recent article Jentzen A MllerGronbac... 7956 The advancement of nanoscale electronics has... 7957 This article studies the recovery of graphon... 7958 G millimeter wave mmWave technology is envis... 7959 Plants monitor their surrounding environment... 7960 Humans are able to identify a referred visua... 7961 We present a novel technique for learning th... 7962 The characteristics of the gravitational col... 7963 We consider the multicell joint power contro... 7964 This is a copy of the article published in I... 7965 We propose a new expression for the response... 7966 In this paper we propose a novel algorithm t... 7967 In this paper we discuss the Nacuteeel and K... 7968 Since multimedia streaming has become very p... 7969 In this paper we complete the determination ... 7970 This manuscript proposes a novel empirical B... 7971 Distributed and cloud storage systems are us... 7972 The MoEDAL experiment at the LHC is optimise... 7973 It is likely that most protostellar systems ... 7974 We review recent progress in modeling credit... 7975 As in many other scientific domains we face ... 7976 Despite increasing focus on data publication... 7977 A classic approach for learning Bayesian net... 7978 New method to simulate heat transport in mul... 7979 We show that the any nonempty open set on a ... 7980 In this paper we shall prove that a grand Fu... 7981 We prove continuity of a controlled SDE solu... 7982 We analyze the evolution of Fe XII coronal p... 7983 We investigate the size scaling of the macro... 7984 We consider timedependent viscous MeanField ... 7985 Highresolution imaging reveals a large morph... 7986 Fix sets X and Y and write mathcalPTXY for t... 7987 Exploiting others is beneficial individually... 7988 The theory of graph limits represents large ... 7989 Dispersal is ubiquitous throughout the tree ... 7990 A vortex in a BoseEinstein condensate on a r... 7991 Hidden Quantum Markov Models HQMMs can be th... 7992 Gradient descent is commonly used to solve o... 7993 Largescale deep neural networks are both mem... 7994 Stochastic variance reduction algorithms hav... 7995 We give a proof of a conjecture raised by Mi... 7996 In this note we prove the instability by blo... 7997 We study a stochastic particle system with a... 7998 This paper applies Hes new amplitudefrequenc... 7999 The complex Lie superalgebras mathfrakg of t... 8000 We report magnetotransport measurements on m... 8001 We address the general mathematical problem ... 8002 This article proposes a mixture modeling app... 8003 Dual FabryPerotCavitybased Optical Refractom... 8004 We develop the theory of modulated operators... 8005 GALEX detected a significant fraction of ear... 8006 We present a new decision procedure for the ... 8007 Given a polynomial qzaazdotsanzn and a vecto... 8008 This paper analyzes directional tracking in ... 8009 Study shows that software developers spend a... 8010 Many current and future exoplanet missions a... 8011 Modern topic identification topic ID systems... 8012 Spiking neural networks SNNs enable powereff... 8013 Determinantal point processes DPPs are distr... 8014 Brownian motion has served as a pilot of stu... 8015 This paper describes the use of the idea of ... 8016 Owing to their connection with generative ad... 8017 Precision robotic pollination systems can no... 8018 The theoretical existence of nonclassical Sc... 8019 Keyword spottingor wakeword detectionis an e... 8020 Radiobiology studies on the effects of galac... 8021 Pose Graph Optimization involves the estimat... 8022 Extending the notion of Frobeniussplitting w... 8023 Latent Block Model LBM is a modelbased metho... 8024 In this note we point out a basic link betwe... 8025 In this paper we introduce a new framework t... 8026 Coresets are compact representations of data... 8027 In a recent work on fluid infiltration in a ... 8028 In the case of a linear state space model we... 8029 A new class of functions called the Informat... 8030 The main inspiration for this paper is a pap... 8031 Exploratory data analysis is crucial for dev... 8032 In this work we investigate the surface ther... 8033 We present a new approach for generating clu... 8034 Earths climate mantle and core interact over... 8035 We find the form of the refractive index suc... 8036 Semantic Textual Similarity STS measures the... 8037 Observations show that luminous blue variabl... 8038 The collective behaviour of people adopting ... 8039 The Phase Tensor PT marked a breakthrough in... 8040 In this paper we propose an implement a gene... 8041 Compoundspecific chlorine isotope analysis C... 8042 Advent of new materials such as van der Waal... 8043 In this paper we establish equivariant mirro... 8044 Generative adversarial networks GANs transfo... 8045 We report results from twelve simulations of... 8046 The currentvoltage characteristics of a new ... 8047 The discriminative approach to classificatio... 8048 Recurrent neural networks have been extensiv... 8049 Scanning probe microscopy SPM has been exten... 8050 SGD Stochastic Gradient Descent is a popular... 8051 On the occasion of the th anniversary of the... 8052 Mobile AdHoc NETworks MANETs have been ident... 8053 In real world there is a significant relatio... 8054 Message importance measure MIM is applicable... 8055 This paper addresses the problem of multivie... 8056 Bakground With the proliferation of availabl... 8057 Falling oil revenues and rapid urbanization ... 8058 A wide range of humanrobot collaborative app... 8059 CoSi was recently reported to exhibit remark... 8060 We construct examples of modular rigid Calab... 8061 We consider an infinitebuffer singleserver q... 8062 The minimal number of rooted subtree prune a... 8063 An analytical model of HumanRobot HR coordin... 8064 Aim The Akaike information Criterion AIC is ... 8065 In order to understand the exoplanet you nee... 8066 The use of drug combinations termed polyphar... 8067 Musical intervals in multiple of semitones u... 8068 We show that the knowledge of Dirichlet to N... 8069 This is part of a collection of discussion p... 8070 In this paper we consider a control problem ... 8071 Binomial random intersection graphs can be u... 8072 We present a new compressed representation o... 8073 The multivariate linear regression model wit... 8074 We present here a model for instantaneous co... 8075 Todays highperformance computing HPC systems... 8076 Realworld networks often have powerlaw degre... 8077 Word similarities affect language acquisitio... 8078 We prove weighted Lpqestimates for divergenc... 8079 We give several sharp estimates for a class ... 8080 Phase retrieval refers to the problem of rec... 8081 We derive a representation formula for the t... 8082 We consider the problem of sequential detect... 8083 LaCasa is a type system and programming mode... 8084 Autonomous control systems onboard planetary... 8085 In this paper we we study boundary layer pro... 8086 From scientific experiments to online AB tes... 8087 INTRODUCTION Advanced machine learning metho... 8088 Part I of this work developed the exact dif... 8089 Much combinatorial optimisation problems con... 8090 In Bismut and Zhang establish a mod Z embed... 8091 Sparse deep neural networksDNNs are efficien... 8092 The syntactic structure of a sentence can be... 8093 In this paper we aim to establish a new shap... 8094 In this article we use the strong law of lar... 8095 Using the enthalpybased thermal evolution of... 8096 Particle filters are a popular and flexible ... 8097 This paper presents a hybrid control framewo... 8098 We have performed realistic atomistic simula... 8099 In this paper we investigate effective sketc... 8100 Recommender systems are widely used to predi... 8101 The nonrelativistic variational calculation ... 8102 We formulate an optimization problem to cont... 8103 There is no free lunch no single learning al... 8104 Given multiplatform genome data with prior k... 8105 Spin torque oscillators placed onto a nonmag... 8106 We study complementary information set codes... 8107 Objectives Discussions of fairness in crimin... 8108 The article analysis was carried out within ... 8109 We investigate the spinBrauer diagram algebr... 8110 Using muon spin rotation it is shown that th... 8111 This paper studies the contraction propertie... 8112 Let H be a Hopf quasigroup with bijective an... 8113 Sparse dictionary learning SDL has become a ... 8114 We consider the problem of identifying the m... 8115 We present various identities involving the ... 8116 In this work the magnetoresistance MR of ult... 8117 Morpheo is a transparent and secure machine ... 8118 We obtain the Hlder regularity of time deriv... 8119 Based on the third allotropic form of carbon... 8120 Which topics of machine learning are most co... 8121 This study proposes a mixed logit model with... 8122 Tuning band gaps in twodimensional D materia... 8123 The MichaelisMenten mechanism is probably th... 8124 Given an unconstrained stream of images capt... 8125 Graphene has the potential to make a very si... 8126 Using Brownian motion in periodic potentials... 8127 We observe the breakup dynamics of an elonga... 8128 Conical density theorems are used in the geo... 8129 Despite the wealth of Planck results there a... 8130 Giant impacts GIs are common in the late sta... 8131 Expectation for the emergence of higher func... 8132 Generative Adversarial Network GAN and its v... 8133 Fairness by decisionmakers is believed to be... 8134 This paper presents a stochastic logic time ... 8135 Photosynthetic organisms rely on a series of... 8136 We prove a Chernofftype bound for sums of ma... 8137 Cognitive neuroscience is enjoying rapid inc... 8138 Automatic body part recognition for CT slice... 8139 Word obfuscation or substitution means repla... 8140 One of the remaining obstacles to approachin... 8141 Recent developments of imaging techniques en... 8142 We consider semiparametric transformation mo... 8143 If mathfrakp subseteq mathbbZzeta is a prime... 8144 One big challenge that hinders the transitio... 8145 We present a study of social networks based ... 8146 Platinum diselenide PtSe is an exciting new ... 8147 A oneparameter family of longrange resonatin... 8148 The logGaussian Cox process is a flexible an... 8149 The MISRA project started in with the missi... 8150 Estimation of a hand grip force is essential... 8151 We investigate probabilistic graphical model... 8152 This article investigates a fast and stable ... 8153 In this article we us the mean curvature flo... 8154 We extend the idea of conformal attractors i... 8155 Conventional wisdom holds that modelbased pl... 8156 The prefrontal cortex is known to be involve... 8157 Atomicsize spin defects in solids are unique... 8158 Pairwise samecluster queries are one of the ... 8159 Light pseudoscalar fields are promising cand... 8160 Tor is a lowlatency anonymity system intende... 8161 This paper presents machine learning experim... 8162 LRS Locally Rotationally symmetric Bianchi t... 8163 Learning from many realworld datasets is lim... 8164 A family of sets is said to be emphsymmetric... 8165 In the last fifteen the subset sampling meth... 8166 In this work we consider solutions of the Ma... 8167 We consider a problem of diagnostic pattern ... 8168 For Riesz spotentials Kxyxys s we investigat... 8169 We show that in algebraically locally finite... 8170 The multiway rendezvous introduced in Theore... 8171 We study an online multiple testing problem ... 8172 In this paper we characterize the set of pol... 8173 We consider a class of kinetic models for po... 8174 Maximal equilibriumindependent passivity MEI... 8175 The volume of data generated by modern astro... 8176 In the quasiD heavyfermion system YbNiPxAsx ... 8177 Wildland fire dynamics is a complex turbulen... 8178 Recently deep reinforcement learning RL meth... 8179 Evaluating the computational reproducibility... 8180 We propose a deep learning model for identif... 8181 The P speller is a braincomputer interface t... 8182 Functions or functionnings enable to give a ... 8183 While reducedorder models ROMs have been pop... 8184 A ranking is an ordered sequence of items in... 8185 Dark matter axions can generate peculiar eff... 8186 Let the randomized query complexity of a rel... 8187 In this article we investigate a first order... 8188 We study a unique network dataset including ... 8189 We explicitly describe the isomorphism betwe... 8190 We propose an ensemble clustering algorithm ... 8191 Feature selection with highdimensional data ... 8192 This paper considers a multipleinput multipl... 8193 Observations with powerful Xray telescopes s... 8194 In this paper we consider a onedimensional C... 8195 Context Solar observatories are providing th... 8196 Based on firstprinciples calculations and ef... 8197 This paper presents the modelbased design an... 8198 We present a chemical abundance analysis of ... 8199 Transition metal carbides include a wide var... 8200 Most programming languages besides C provide... 8201 In this article we proposed a new probabilit... 8202 We propose an algorithm for deep learning on... 8203 In this paper we study a stochastic optimal ... 8204 In recent years the use of adjoint vectors i... 8205 We present a new methodology of computing in... 8206 As prior knowledge of objects or object feat... 8207 Light carrying orbital angular momentum OAM ... 8208 A theorem of Gekeler compares the number of ... 8209 Modelfree policy learning has enabled robust... 8210 We investigate a series of learning kernel p... 8211 In this paper we study the following critica... 8212 Skin cancer is one of the major types of can... 8213 In this paper we investigate to what extent ... 8214 A novel approach based on the notion of altr... 8215 The maximum entropy method MEM is a well kno... 8216 In this paper we construct the Green functio... 8217 After it was proposed that life on Earth mig... 8218 For time integration of transient eddy curre... 8219 We prove the transversality result necessary... 8220 Let mu be a measure in mathbb Rd with compac... 8221 In Schmidt wrote a seminal paper on height... 8222 In this paper we establish optimal rates of ... 8223 Voltage control plays an important role in t... 8224 In this work we derive a generic overcomplet... 8225 This work presents a methodology to design t... 8226 System and application availability continue... 8227 Current tools for exploratory data analysis ... 8228 Rotationally coherent Lagrangian vortices RC... 8229 We present a novel method for convex unconst... 8230 The problem of finding good approximations o... 8231 In many machine learning tasks it is desirab... 8232 We consider the stochastic bandit problem in... 8233 This paper is devoted to the study of the ma... 8234 This paper centers on the comparison of thre... 8235 Initialboundary value problems in a bounded ... 8236 We study the stability of pwave superfluidit... 8237 The stochastic AllenCahn equation with multi... 8238 In this work we consider a quantum generaliz... 8239 A popular approach for modeling and inferenc... 8240 We study an inhomogeneous Neumann boundary v... 8241 Optical spectroscopy has been the primary to... 8242 It is known that the essential spectrum of a... 8243 We investigate the impact of an external pre... 8244 Pumpprobe experiments have turned out as a p... 8245 We investigate the impact of filament and vo... 8246 In the area of distributed graph algorithms ... 8247 In order for machine learning to be deployed... 8248 Monolayer films of FeSe grown on SrTiO subst... 8249 Automatic summarisation is a popular approac... 8250 Channel feedback is essential in frequency d... 8251 We study the electron and phonon thermalizat... 8252 We prove that the free Boltzmann quadrangula... 8253 We canonically quantize OD nonlinear sigma m... 8254 We propose a novel Dirichletbased Plya tree ... 8255 In this paper we present a Model Predictive ... 8256 Predicting the cheapest sample size for the ... 8257 In this article we propose a novel technique... 8258 The possibility to perform highresolution ti... 8259 In this work we establish the relation betwe... 8260 In this article we consider the following ca... 8261 Coherent phonon CP generation in an undoped ... 8262 Recent advances in neural networks NNs exhib... 8263 The classicalinput quantumoutput cq wiretap ... 8264 An alternative voting scheme is proposed to ... 8265 Double Dirac fermions have recently been ide... 8266 Although there has been recent progress in c... 8267 In this paper we establish a new explicit up... 8268 Performing numerical integration when the in... 8269 Spatially dependent parameters of a twocompo... 8270 The DM tool is used by hundreds of researche... 8271 Building largescale globally consistent maps... 8272 The velocity dispersion of cold interstellar... 8273 The framework of statistical inference has b... 8274 If X and Y are real valued random variables ... 8275 The classical involutive division theory by ... 8276 Synchronous computation models simplify the ... 8277 Swarms of robots will revolutionize many ind... 8278 An oxidation process is simulated for a bund... 8279 The present panorama of HPC architectures is... 8280 We study the NodeTrix planarity testing prob... 8281 We present exact analytical results for the ... 8282 EXor objects are young variables that show e... 8283 In this paper we first introduce some new ki... 8284 We propose a method for estimating coefficie... 8285 Achieving highfidelity control of quantum sy... 8286 Online job boards are one of the central com... 8287 Understanding semantic similarity among imag... 8288 The detection of gravitational waves with LI... 8289 Blackbox variational inference tries to appr... 8290 This paper proposes a clustering procedure f... 8291 WASP is a hot Jupiter system with an orbital... 8292 Many machine learning systems rely on data c... 8293 Chemicalchemical interaction CCI plays a key... 8294 In this paper we improve the moment estimate... 8295 We realize a family of generalized cluster a... 8296 Ricean channel model is widely used in wirel... 8297 In this paper we consider a framework of pro... 8298 Homoclinic and unstable periodic orbits in c... 8299 Motivated by recent experiments with twocomp... 8300 The high planetary multiplicity revealed by ... 8301 Neuronal network dynamics depends on network... 8302 We study the BeurlingSelberg problem of find... 8303 Understanding and developing a correlation m... 8304 Outoftimeorder OTO operators have recently b... 8305 The distribution of scientific citations for... 8306 Monocular camera systems are prevailing in i... 8307 Architecture patterns capture architectural ... 8308 We consider a certain definite integral invo... 8309 We describe the second generalized FengRao d... 8310 Given a sample of a Poisson point process wi... 8311 Image simulation for scanning transmission e... 8312 The study on point sources in astronomical i... 8313 We consider PAC learning of probability dist... 8314 Ontologybased data access OBDA is a popular ... 8315 Multiplex networks describe a large number o... 8316 We discuss the emergence of pwave superfluid... 8317 The functions of proteins and RNAs are deter... 8318 While extraordinary progress has been made t... 8319 Twodimensional materials have significant po... 8320 With the rapid growth of social media massiv... 8321 Setidentified models often restrict the numb... 8322 Given an integer base b a set of integers is... 8323 Plasmonic metasurfaces have been employed fo... 8324 In the context of stochastic twophase flow i... 8325 The medical research facilitates to acquire ... 8326 Derived geometry can be defined as the unive... 8327 Feature model are widely used to capture com... 8328 An emerging problem in computer vision is th... 8329 In earlier work Katz exhibited some very sim... 8330 Linked beneficial and deleterious mutations ... 8331 We extend vector configurations to more gene... 8332 This survey contains the main results in rat... 8333 The latetype Be star beta CMi is remarkably ... 8334 Sapirovskii proved that XleqpichiXcXpsiX fo... 8335 In incompressible and periodic statistically... 8336 Distribution grids constitute complex networ... 8337 In this paper we construct an analogue of Lu... 8338 The approximate string matching is a fundame... 8339 We present the strain and temperature depend... 8340 We present a system for covert automated dec... 8341 In a recent work the degenerate Stirling pol... 8342 The integration of multiple viewpoints becam... 8343 Acousticstoword models are endtoend speech r... 8344 Smart sensing is expected to become a pervas... 8345 Designers of modern readerwriter locks confr... 8346 Internal diffusionlimited aggregation IDLA i... 8347 Groundbased observations at thermal infrared... 8348 This article presents various weak laws of l... 8349 We develop an algorithm for synthesizing a s... 8350 We have extended the biquaternionic Diracs e... 8351 We describe a framework for deriving and ana... 8352 It is often claimed that error cancellation ... 8353 We consider spectral clustering algorithms f... 8354 Thermal gradients induce concentration gradi... 8355 Annihilating dark matter DM models offer pro... 8356 Convolution trees loopy belief propagation a... 8357 Levelsensitive latches are widely used in hi... 8358 In this paper we give a method to construct ... 8359 Heuristic tools from statistical physics hav... 8360 Xu et al J Asian Earth Sci bf It has just... 8361 We consider the conservative Hnon family at ... 8362 We analyze a stylized model of coevolution b... 8363 We propose to use neural networks for simult... 8364 In this work we give the first algorithms fo... 8365 A simplified D model which is an example of ... 8366 Topological Dirac semimetals TDSs represent ... 8367 The classic arcsine law for the number\nNnns... 8368 Demand response aims to stimulate electricit... 8369 With the first two detections in late astro... 8370 This paper considers a distributed multiagen... 8371 auDeep is a Python toolkit for deep unsuperv... 8372 Annotation of training data is the major bot... 8373 In extreme cold weather living organisms pro... 8374 A powerful method pioneered by SwinnertonDye... 8375 Previous work has questioned the conditions ... 8376 In this note we will show a backwards unique... 8377 The classical habitable zone is the circular... 8378 In this paper we use the inverse mean curvat... 8379 In errortolerant applications approximate ad... 8380 A totally new energy harvesting architecture... 8381 Stochastic computer simulations enable users... 8382 Nonorthogonal multiple access NOMA is a cand... 8383 BackgroundIntroduction The Zipfs law establi... 8384 Online reviews provide viewpoints on the str... 8385 We develop a local theory for the constructi... 8386 The manuscript discusses still preliminary c... 8387 We first review classical results on cloakin... 8388 As is well known multivariate RogersSzeg pol... 8389 Using methods of statistical physics we anal... 8390 In this paper we present a parallelization s... 8391 In this paper we present a method to initial... 8392 This paper explores four different visualiza... 8393 Discovery of an accurate causal Bayesian net... 8394 This paper proposes an approach for rapid bo... 8395 Social media provides political news and inf... 8396 The SeaQuest spectrometer at Fermilab was de... 8397 The recent successes of deep learning have l... 8398 How many samples are sufficient to guarantee... 8399 The wavefronts of a nonlinear nonlocal bista... 8400 Neural networks are generally built by inter... 8401 Inviscid computational results are presented... 8402 The aim of this chapter is to provide an ade... 8403 The Dependent Object Types DOT calculus form... 8404 More and more of the information on the web ... 8405 By detecting light from extrasolar planetswe... 8406 Uncovering modular structure in networks is ... 8407 Properties of the cold interstellar medium o... 8408 We provide novel theoretical insights on str... 8409 Sharir and Welzl derived a bound on crossin... 8410 The spectral renormalization method was intr... 8411 The wild bootstrap is the resampling method ... 8412 In this paper we consider a soft measure of ... 8413 A fundamental question in reinforcement lear... 8414 Properly benchmarking Automated Program Repa... 8415 Spatial understanding is a fundamental probl... 8416 This paper is concerned with the design of c... 8417 Refractory organic compounds formed in molec... 8418 The Greek aperitif Ouzo is not only famous f... 8419 In this article a semianalytical approach fo... 8420 One of the key challenges in revenue managem... 8421 This paper is devoted to the dimensional rel... 8422 The subject of our thesis is the uniqueness ... 8423 Transfer learning methods address the situat... 8424 Recent observations have revealed massive ga... 8425 With the volume of manuscripts submitted for... 8426 In this paper we search the existence of inv... 8427 We study the nonsymmetric Macdonald polynomi... 8428 This paper aims to address two issues existi... 8429 Quanta Image Sensor QIS is a binary imaging ... 8430 For each odd prime p we conjecture the distr... 8431 We present a novel approach to shared contro... 8432 Following the rapidly growing digital image ... 8433 We address the reduction to compact band for... 8434 We provide a counterexample of Wentes inequa... 8435 Let mathfrako be a complete discrete valuati... 8436 The comparison study of high pressure superc... 8437 Over a dozen ultracool dwarfs UCDs lowmass o... 8438 Side channel attacks are a major class of at... 8439 It has been suggested that adversarial examp... 8440 It is clear that the EM spectrum is now rapi... 8441 Topological linkprediction can exploit the e... 8442 We have theoretically demonstrated the emiss... 8443 A scenario has recently been reported in whi... 8444 In this paper we propose an opportunistic do... 8445 Let n be a nonnull positive integer and dn i... 8446 We generalize the notion of selfsimilar grou... 8447 The aim of this thesis is to find a solution... 8448 We present a novel tractable generative mode... 8449 The exponential growth in smartphone adoptio... 8450 We revisit the algebraic description of shap... 8451 We present a continuous time state estimatio... 8452 We search for digital biomarkers from Parkin... 8453 We study invasion fronts and spreading speed... 8454 Neural networks are commonly trained to make... 8455 Objective A model is presented to evaluate t... 8456 Ultracold atomic gases have realised numerou... 8457 Identifying anomalous patterns in realworld ... 8458 We analyze isolated resonance curves IRCs in... 8459 As air pollution is becoming the largest env... 8460 Interaction of an electron system with a str... 8461 The increasing practice of engaging crowds w... 8462 This survey explores Procedural Content Gene... 8463 Increasing numbers of software vulnerabiliti... 8464 The dependence of the mass accretion rate on... 8465 Because of the limitations of matrix factori... 8466 This letter reports the successful use of fe... 8467 Recent years have witnessed a widespread inc... 8468 The modified CamassaHolm equation also calle... 8469 Representation learning algorithms are desig... 8470 We use large amounts of unlabeled video to l... 8471 Valley pseudospin labeling quantum states of... 8472 This paper introduces Schurconstant equilibr... 8473 Let G be a semisimple real Lie group with fi... 8474 A Dirichlet kpartition of a domain U subsete... 8475 The wake behind a sphere rotating about an a... 8476 A Large Size air Cherenkov Telescope LST pro... 8477 The basic firstorder differential operators ... 8478 Gravitational wave observations of eccentric... 8479 This paper proposes a novel joint computatio... 8480 We describe a novel approach for computing w... 8481 This paper investigates one of the fundament... 8482 We experimentally demonstrate the operation ... 8483 We introduce a new model for the formation a... 8484 Point matching refers to the process of find... 8485 The call for efficient computer architecture... 8486 The possibility of constructing Lorenzs conc... 8487 The anisotropy of magnetic properties common... 8488 For its high coefficient of performance and ... 8489 Developing a safe and efficient collision av... 8490 Betweenness centrality is an important index... 8491 The design of gaits for robot locomotion can... 8492 The study of random networks in a neuroscien... 8493 In this paper we present perturbed lawbased ... 8494 We show that the counting class LWPP FFK rem... 8495 Currentinduced spinorbit torques SOTs repres... 8496 We have explored the evolution of a cold deb... 8497 The concept of derivative coordinate functio... 8498 We revisit the wellknown objectpool design p... 8499 Recent quasar surveys have revealed that sup... 8500 The idea of reusing information from previou... 8501 The paper presents a distributed model predi... 8502 Direct imaging of exoplanets or circumstella... 8503 The relationship between communicating autom... 8504 We present a phase induced transparency base... 8505 A twisted torus knot is a knot obtained from... 8506 In many online applications interactions bet... 8507 Endtoend learning refers to training a possi... 8508 Not necessarily selfadjoint quantum graphs ... 8509 In this paper we completely solve the Diopha... 8510 We combine Sullivan models from rational hom... 8511 Deep learning based speech enhancement and s... 8512 Ranking is used for a wide array of problems... 8513 The Alice farultraviolet imaging spectrograp... 8514 The adsorption of hydrogen at nonpolar GaN s... 8515 In this study a fast multipole method FMM is... 8516 We present a quantitative characterization o... 8517 We describe a novel iterative strategy for K... 8518 Medical applications challenge todays text c... 8519 Supervised learning more specifically Convol... 8520 We observe the electricdipole forbidden srig... 8521 In this paper we propose an integrated frame... 8522 The motility mechanism of certain rodshaped ... 8523 Designing a pseudorandom number generator PR... 8524 We present Warp a hardware platform to suppo... 8525 Atomistic effective Hamiltonian simulations ... 8526 Permutation testing is a nonparametric metho... 8527 When recording spectra from the ground atmos... 8528 Data are often labeled by many different exp... 8529 Sparse tiling is a technique to fuse loops t... 8530 This paper is concerned with modeling the de... 8531 Defining the mth stratum of a closed subset ... 8532 Regression problems assume every instance is... 8533 Traditional models for question answering op... 8534 We study learning problems involving arbitra... 8535 We open a new field on how one can define me... 8536 This paper proves that on any tamed closed a... 8537 Contours may be viewed as the D outline of t... 8538 We discuss the systematic expansion of the s... 8539 CSPe is a specification language for runtime... 8540 We study the properties of entanglement in t... 8541 Fully exploiting the properties of D crystal... 8542 Traditionally it had been a problem that res... 8543 We study the thermal diffusivity DT in model... 8544 This paper presents a methodology for simula... 8545 Symmetry operators of twistor spinors and ha... 8546 We consider marked empirical processes index... 8547 While there exist a wide range of effective ... 8548 The discovery of Pluto in presaged the disc... 8549 We study the Strichartz estimates for Schrdi... 8550 Visualizing highdimensional data has been a ... 8551 Voltage control effects provide an energyeff... 8552 We present an ExpectationMaximization algori... 8553 This paper focuses on the recently introduce... 8554 Numerical simulations of beamplasma instabil... 8555 In this article we introduce Variable expone... 8556 Despite being originally inspired by the cen... 8557 A set of economic entities embedded in a net... 8558 This survey article is dedicated to some fam... 8559 This work proposes a novel approach to restr... 8560 In this paper a hybrid measurement and model... 8561 Running highresolution physical models is co... 8562 In this work we consider open quantum random... 8563 We introduce Nevanlinna classes of holomorph... 8564 The current article explores interesting sig... 8565 Style transfer among images has recently eme... 8566 The kinematics of a robot manipulator are de... 8567 This technical report provides the descripti... 8568 A set of points in mathbbRd is acute if any ... 8569 This paper presents preliminary results of o... 8570 Stress can be seen as a physiological respon... 8571 We study the problem of causal structure lea... 8572 Rogue waves and their periodic counterparts ... 8573 We study the following control problem A fis... 8574 We classify the Betti tables of indecomposab... 8575 It is possible to understand whether a given... 8576 In order to scale standard Gaussian process ... 8577 We present a new inference method based on a... 8578 We explore a recently proposed Variational D... 8579 This note contains additions to the paper Cl... 8580 We review recent advances on the record stat... 8581 In this paper we study Prandtls boundary lay... 8582 Given full or partial information about a co... 8583 Techniques for approximately contracting ten... 8584 With the rapid advances in the development o... 8585 Let G be an abelian group For a subset A of ... 8586 Poor road conditions are a public nuisance c... 8587 We introduce the concrete autoencoder an end... 8588 In this thesis we present few theoretical st... 8589 Many of the algorithms used to solve minimiz... 8590 We explore the relation between urban road n... 8591 The complement Msetminus L of the Lagrange s... 8592 We compare six models including the baryonic... 8593 The clustering of a data set is one of the c... 8594 We solve the regularity problem for Milnors ... 8595 In this paper we focus on online reviews and... 8596 We study the exponential convergence to the ... 8597 Fermionic natural occupation numbers do not ... 8598 High dimensional sparse learning has imposed... 8599 In this paper we introduce new characterizat... 8600 In this article we reformulate the cobordism... 8601 We study the stability of a recently propose... 8602 Topological phases of matter are considered ... 8603 We discuss the production and evolution of c... 8604 We investigate the effect of cylindrical nan... 8605 In this paper we propose an unsupervised rei... 8606 The main results in this note concern the ch... 8607 We provide a sufficient criterion for the un... 8608 We develop the theory of Diophantine approxi... 8609 We present a generative framework for genera... 8610 Distance multivariance is a multivariate dep... 8611 We develop a simulation scheme for a class o... 8612 The present paper extends the thermodynamic ... 8613 We propose and experimentally demonstrate th... 8614 If the dark matter particle has spin only t... 8615 Gottschalk and Vygen proved that every solut... 8616 Recently deep neural networks have demonstra... 8617 We consider a controlconstrained parabolic o... 8618 There has been an increase in the use of res... 8619 Classification of high dimensional data find... 8620 The effect of spinorbit coupling SOC on the ... 8621 The clustering of integers with equal total ... 8622 We construct a model for the Galactic globul... 8623 Most video summarization approaches have foc... 8624 We show that the duality relation for the su... 8625 Statistical pattern recognition methods have... 8626 In this paper Walgebras are presented as can... 8627 We obtain estimates for the Mean Squared Err... 8628 Embarrassingly communicationfree parallel Ma... 8629 Network models have been increasingly used i... 8630 This paper studies the performance of multih... 8631 Is it possible to draw a circle in Manhattan... 8632 In this article we present a Bernstein inequ... 8633 Chipscale integrated light sources are a cru... 8634 Recent experiments revealed a striking asymm... 8635 By establishing a connection between bidirec... 8636 We consider fiberwise singly generated Fellb... 8637 The need for large annotated image datasets ... 8638 We prove that every set of n points in mathb... 8639 Periodic solutions of the three body problem... 8640 The observations of solar photosphere from t... 8641 Multidimensional item response theory is wid... 8642 Statistical learning using imprecise probabi... 8643 The paper deals with planar segment processe... 8644 We consider the problem of choosing between ... 8645 We construct local generalizations of state ... 8646 A shortcoming of existing reachability appro... 8647 Crowdsourced video systems like YouTube and ... 8648 Intracellular bidirectional transport of car... 8649 We study the asymptotic distributions of the... 8650 We consider the nonparametric Poisson regres... 8651 Typelevel word embeddings use the same set o... 8652 Cell division timing is critical for cell fa... 8653 Confluence of a nondeterministic program ens... 8654 We propose a novel projection based way to i... 8655 The QLBS model is a discretetime option hedg... 8656 We demonstrate an approach to face attribute... 8657 Melamed Harrell and Simpson have recently re... 8658 In critical applications of anomaly detectio... 8659 In Lithium ion batteries LIBs proper design ... 8660 We study the massive two dimensional Dirac o... 8661 In this paper we present a novel Formal Agen... 8662 We consider the ASEP and the stochastic six ... 8663 Selforganizing logic is a recentlysuggested ... 8664 A robot that can carry out a naturallanguage... 8665 To gain control over magnetic order on ultra... 8666 Automated classification methods for disease... 8667 The richclub concept has been introduced in ... 8668 Sparse variational approximations allow for ... 8669 Anyons are exotic quasiparticles with fracti... 8670 In a former paper the authors introduced two... 8671 A bounce universe model known as the coupled... 8672 Intelligent infrastructure will critically r... 8673 Foundations of equilibrium thermodynamics ar... 8674 We obtain the optimal proxy variance for the... 8675 Starting from Anosov chaotic dynamics of geo... 8676 In this article a novel analytical approach ... 8677 Causal effects are commonly defined as compa... 8678 Applying certain flexible geometric sampling... 8679 The discriminative power of modern deep lear... 8680 tdistributed Stochastic Neighborhood Embeddi... 8681 We construct for imaginary quadratic number ... 8682 With the increased application of modelbased... 8683 In this paper we consider the blocksparse si... 8684 M dwarf stars which have masses less than p... 8685 We consider a gas of independent Brownian pa... 8686 Purpose This paper continues the developmen... 8687 A hierarchical scheme for clustering data is... 8688 To forecast political elections popular poll... 8689 The vast majority of optimization and online... 8690 We introduce low complexity machine learning... 8691 When performing statistical analysis of sing... 8692 We present a randomizationbased inferential ... 8693 Negative index materials are artificial stru... 8694 Factor analysis and principal component anal... 8695 In this paper we compute the Laplacian spect... 8696 We test the Coulomb exchange and correlation... 8697 This paper proposes a centralized and a dist... 8698 Unsupervised learning in a generalized Hopfi... 8699 Biocompatible microencapsulation is of wides... 8700 In this work we define and solve the Fair To... 8701 Entangled states are notoriously nonseparabl... 8702 The remarkable success of machine learning e... 8703 Structures and properties of many inorganic ... 8704 If the symmetry breaking responsible for axi... 8705 Performing analytic of household load curves... 8706 We prove two general theorems which determin... 8707 A new model of thermal inflation is introduc... 8708 We present a novel humanaware navigation app... 8709 In this paper we prove fourmoment theorems f... 8710 In this paper we study the finite Walgebra f... 8711 Motivation How do we integratively analyze l... 8712 A unified modeling framework for nonfunction... 8713 Obtaining magnetic resonance images MRI with... 8714 We continue to study the problem of modeling... 8715 We study the superconducting properties of p... 8716 We establish an analogy between superconduct... 8717 The chain of late Roman fortified settlement... 8718 Let X be a smooth manifold with a smooth inv... 8719 The pilot system development in metrescale n... 8720 In this paper we propose a novel methodology... 8721 The aim of this paper is to provide several ... 8722 Since its unveiling in schemaorg has become... 8723 We give an extension of Rubio de Francias ex... 8724 Carbon solubility in facecentered cubic NiW ... 8725 In this paper the linear sigma model is stud... 8726 A fundamental challenge in multiagent system... 8727 Foreign policy analysis has been struggling ... 8728 Most problems in searchbased software engine... 8729 J Makowsky and B Zilber showed that many va... 8730 TwoLine Elements TLEs continue to be the sol... 8731 In this paper we present an initial attempt ... 8732 We study the parameter planes of certain one... 8733 When providing frequency regulation in a pay... 8734 Let M be a real Bott manifold with Khler str... 8735 Our KeckNIRC imaging survey searches for ste... 8736 In a regression context when the relevant su... 8737 In cavitybased axion dark matter search expe... 8738 A physical unclonable function PUF analogous... 8739 Since the concept of spin superconductor was... 8740 In order to understand the mechanisms behind... 8741 Training deep neural networks DNNs efficient... 8742 Measurement of zeta potential of Ga and Nfac... 8743 Wikipedia articles representing an entity or... 8744 Building upon Hoveys work on Smith ideals fo... 8745 Phase and power control methods that satisfy... 8746 We study the MorseNovikov cohomology and its... 8747 A novel frequency domain training sequence a... 8748 We show that the set of cusp shapes of hyper... 8749 We consider dtimes d tensors Ax that are sym... 8750 Purpose Siemens has developed several iterat... 8751 Let M be a smooth manifold and Ksubset M be ... 8752 Predictive process monitoring is concerned w... 8753 A line field on a manifold is a smooth map w... 8754 We Propose A Novel Automaton Model which use... 8755 The increasing use of wearables in smart tel... 8756 This letter presents a new spectralclusterin... 8757 The closure and the partitioning principles ... 8758 Certain systems of inviscid fluid dynamics h... 8759 The proper choice of collective variables CV... 8760 Let G be an inner form of a general linear g... 8761 The concepts of sketching and subsampling ha... 8762 Small drops impinging angularly on thin flow... 8763 An integral scheme for the efficient evaluat... 8764 Integrating a product of linear forms over t... 8765 We consider a modification of the covariance... 8766 We interpret augmented racks as a certain ki... 8767 We determine which of the modular curves XDe... 8768 Many households in developing countries lack... 8769 Ergodicity and output controllability have b... 8770 We propose an effective method to solve the ... 8771 Let G be a finite group and let cG be the nu... 8772 We provide a novel accelerated firstorder me... 8773 We calculate the disruption scale lambdarm D... 8774 Neutrinos coming from the Suns core are now ... 8775 In standard graph clusteringcommunity detect... 8776 Let N be a compact connected nonorientable s... 8777 We present GOFMM geometryoblivious FMM a nov... 8778 Identifying coordinate transformations that ... 8779 Neuronal correlates of Parkinsons disease PD... 8780 Heterosis is the improved or increased funct... 8781 In this paper we propose a novel CS approach... 8782 In general small bodies of the solar system ... 8783 Let Omega be a bounded open set of mathbb Rn... 8784 This paper introduces a parametric levelset ... 8785 Large volume of Genomics data is produced on... 8786 Hexagonal manganites REMnO RE rare earths ha... 8787 A fully pseudospectral solver for direct num... 8788 This paper has two purposes the first is to ... 8789 The noncommuting graph GammaG of a nonabelia... 8790 LinearQuadraticGaussian LQG control is conce... 8791 Subspace learning is an important problem wh... 8792 Objective The purpose of this work is to ana... 8793 The concept of balance between two state pre... 8794 This paper develops a randomized approach fo... 8795 We study four different notions of convergen... 8796 This paper presents the analysis of the impa... 8797 Let LK be an extension of complete discrete ... 8798 As shown by McMullen in the coefficients of... 8799 Heart rate variability HRV is a vital measur... 8800 We demonstrate the fabrication of photonic c... 8801 Block Coordinate Update BCU methods enjoy lo... 8802 Overhead depth map measurements capture suff... 8803 We have discovered a novel candidate for a s... 8804 The spherical principal series representatio... 8805 Lidar is extensively used in the industry an... 8806 The Fuzz programming language Reed and Pierc... 8807 We study padic families of eigenforms for wh... 8808 We report on the size dependence of the surf... 8809 Epileptic seizure activity shows complicated... 8810 We present a formal model for a fragmentatio... 8811 We have developed an efficient Active Galact... 8812 Feature selection procedures for spatial poi... 8813 The effective representation of proteins is ... 8814 We introduce a class of distributed control ... 8815 A version of Liouvilles theorem is proved fo... 8816 We study an optimal boundary control problem... 8817 Small solids embedded in gaseous protoplanet... 8818 In this paper we show that the shear modulus... 8819 In this paper we study rational sections of ... 8820 In recent years there has been great interes... 8821 Alzheimers disease is a major cause of demen... 8822 For any quantity of interest in a system gov... 8823 Learning from unlabeled and noisy data is on... 8824 How is reliable physiological function maint... 8825 Programmable packet processors and P as a pr... 8826 We use group theoretic ideas and coset space... 8827 We present a framework to calculate large de... 8828 Every university introductory physics course... 8829 Imaging is a form of probabilistic belief ch... 8830 In this paper we give new sparse interpolati... 8831 Improving the health of the nations populati... 8832 The Lregularized models are widely used for ... 8833 Zerodelay transmission of a Gaussian source ... 8834 This paper proposes a novel nonoscillatory p... 8835 The main aim of this paper is the developmen... 8836 Scheduling surgeries is a challenging task d... 8837 The field of speech recognition is in the mi... 8838 Recently deep learning based natural languag... 8839 We carried out synthetic observations of int... 8840 A social approach can be exploited for the I... 8841 In this paper we introduce a powerful techni... 8842 In this paper we introduce a Weyl functional... 8843 Recent modelfree reinforcement learning algo... 8844 In this paper we propose a new method of joi... 8845 Convolutional neural nets CNNs have become a... 8846 We investigated transport magnetotransport a... 8847 We present cosmological constraints on the s... 8848 Government agencies offer economic incentive... 8849 The Gaussian polytope mathcal Pnd is the con... 8850 News spread in internet media outlets can be... 8851 A market with asymmetric information can be ... 8852 Domain shift refers to the well known proble... 8853 Android users are now suffering serious thre... 8854 We classify a number of symmetry protected p... 8855 Kidney function evaluation using dynamic con... 8856 The problem of construction a quantum mechan... 8857 Numerous geological observations evidence th... 8858 We study the screening of a bounded body Gam... 8859 The vertices of any graph with m edges may b... 8860 A full squashed flat antichain FSFA in the B... 8861 In this paper we investigate the so called p... 8862 We introduce the notion of tropical defects ... 8863 This paper introduces Wasserstein variationa... 8864 Let G be a real linear semisimple algebraic ... 8865 We consider an ensemble of random density ma... 8866 Fermion localization functions are used to d... 8867 Randomized experiments are the gold standard... 8868 A standard approach for assessing the perfor... 8869 We propose MADGAN an intuitive generalizatio... 8870 The aetiology of polygenic obesity is multif... 8871 We develop an analytical framework for the p... 8872 We consider the problem of variable selectio... 8873 The Breakthrough Starshot aims at sending ne... 8874 We investigate the relation between the Ferm... 8875 We propose a monaural intrusive instrumental... 8876 We study a model described by a single real ... 8877 In dynamic architectures component activatio... 8878 Forwardlooking sonar can capture high resolu... 8879 Rgtsvm provides a fast and flexible support ... 8880 Let M be a regular matroid The Jacobian grou... 8881 Collaborative Filtering CF is a widely adopt... 8882 Clickthrough rate prediction is an essential... 8883 Physics arising from twodimensionalD Dirac c... 8884 We consider a fractional version of the Hest... 8885 We determine systematic regions in which the... 8886 We investigate prime character degree graphs... 8887 We present a method for computing the table ... 8888 In this article we use the combinatorial and... 8889 Deep Neural Networks and specifically fullyc... 8890 Analyzing multivariate time series data is i... 8891 We describe a mathematical link between aspe... 8892 Reproducibility of computational studies is ... 8893 Users are rarely familiar with the content o... 8894 Crystal plasticity is mediated through dislo... 8895 For Brownian motion in a twodimensional wedg... 8896 Cold load pickup CLPU has been a critical co... 8897 The wellknown theorem of Eilenberg and Ganea... 8898 We investigate structures which consist of ... 8899 Modern applications and Operating Systems va... 8900 We consider maximum likelihood estimation fo... 8901 In this paper we introduce and study the cop... 8902 Kraichnan seminal ideas on inverse cascades ... 8903 A proposal to improve routing securityRoute ... 8904 We present a primaldual memory efficient alg... 8905 We establish a conceptual framework for the ... 8906 The fiducial is not unique in general but we... 8907 Statistical thinking partially depends upon ... 8908 We present a conceptually simple flexible an... 8909 Fishing activities have broad impacts that a... 8910 Recently the authors of the present work tog... 8911 Distributed Generation DG units are increasi... 8912 Little by little newspapers are revealing th... 8913 The famous twofold cost of sex is really the... 8914 Consider a pair of plane straightline graphs... 8915 As more industries integrate machine learnin... 8916 This note announces results on the relations... 8917 A new regularisation of the shallow water an... 8918 Recently Andrews Dixit and Yee defined two p... 8919 We examine nonlinear dynamical systems of or... 8920 We provide an algorithm that computes a set ... 8921 Over the last decade digital media web or ap... 8922 Dyonic BPS states in Type IIB string theory ... 8923 We introduce a family of tensor network stat... 8924 Single atoms form a model system for underst... 8925 A verbal autopsy VA consists of a survey wit... 8926 We report on a versatile highly controllable... 8927 In some planetary systems the orbital period... 8928 We consider the motion of a nonrelativistic ... 8929 There is a renewed interest in weak model se... 8930 Citation metrics are analytic measures used ... 8931 The physical properties of polycrystalline m... 8932 We introduce and study new categories Tgkof ... 8933 Using in situ grazingincidence xray scatteri... 8934 The wellknown KomlsMajorTusndy inequalities ... 8935 We consider the problem of learning the leve... 8936 In the last decade many business application... 8937 We introduce KiNetX a fully automated metaal... 8938 In the present contribution we study the Lan... 8939 A new approach to perform analog optical dif... 8940 We review the problem of defining and inferr... 8941 Quantization can improve the execution laten... 8942 In this paper we provide some new results fo... 8943 The principle of material frame indifference... 8944 Recently we introduced the notion of flow de... 8945 Aims We present new IRAM Plateau de Bure Int... 8946 In recent years mobile devices eg smartphone... 8947 We consider the RosenzweigPorter model H V ... 8948 In a seminal paper McAfee presented a truth... 8949 In this paper we propose multivariable LSTM ... 8950 Spectral images captured by satellites and r... 8951 We introduce simulations aimed at assessing ... 8952 A selfrepelling random walk of a token on a ... 8953 We propose an algorithm to impute and foreca... 8954 We consider the motionplanning problem of pl... 8955 Orthogonal frequency division multiplexing O... 8956 In this paper we study the generalized meanf... 8957 We extend the GrangerJohansen representation... 8958 The number density of field galaxies per rot... 8959 We study the signs of the Fourier coefficien... 8960 Germanium telluride features special spinele... 8961 Objects may appear at arbitrary scales in pe... 8962 The use of standard platforms in the field o... 8963 This paper studies the complexity of solving... 8964 The angle between the spin of a star and its... 8965 We analysed the fluxflow region of isofield ... 8966 Algorithmic issues concerning Elliott local ... 8967 We show that there is an absolute constant c... 8968 Recently supervised hashing methods have att... 8969 The paper provides results for the applicati... 8970 Accurate and efficient entity resolution is ... 8971 The admittance of two types of Josephson wea... 8972 In this paper we propose an efficient algori... 8973 We consider a variant of the classic multiar... 8974 Asteroseismic parameters allow us to measure... 8975 In the polarised DrellYan experiment at the ... 8976 Early approaches to multipleoutput Gaussian ... 8977 A personal recollection of events that prece... 8978 We demonstrate that the five vortex equation... 8979 Humans develop a common sense of style compa... 8980 We study the problem of learning a latent va... 8981 We aim to introduce the generalized multiind... 8982 We show assuming a mild settheoretic hypothe... 8983 Motivated by the rm PsiRiemannLiouville rm P... 8984 Illicit online pharmacies allow the purchase... 8985 We use the dimension and the Lie algebra str... 8986 We analyze the convergence of stochastic gra... 8987 A large body of compelling evidence has been... 8988 Skyrmions are topologically protected twodim... 8989 Using a modification of the Shapiro scaling ... 8990 Phase retrieval has been an attractive but d... 8991 We show that any smooth biLipschitz h can be... 8992 We start with the recently conjectured d bos... 8993 Deep learning has emerged as a powerful mach... 8994 Differential privacy mechanisms that also ma... 8995 Employing the spin degree of freedom of char... 8996 In biodiversity and ecosystem functioning BE... 8997 We have developed a datadriven magnetohydrod... 8998 Neural network based approximate computing i... 8999 Deep learning methods are useful for highdim... 9000 We report on the ab initio discovery of a no... 9001 From basic considerations of the Lie group t... 9002 An r ellpartition of a graph G is a partitio... 9003 In a series of papers Bartelt and coworkers ... 9004 As mobile devices have become indispensable ... 9005 The massimbalanced threebody recombination p... 9006 Partially observable Markov decision process... 9007 The ANAIS experiment aims at the confirmatio... 9008 The logarithmic strain measures lVertlog UrV... 9009 We present an interpretable neural network f... 9010 This paper presents a new way to design a Fu... 9011 Our purpose in this present paper is to inve... 9012 In two recent publications Int J Quant Chem... 9013 Understanding structural controllability of ... 9014 Heat can generally transfer via thermal cond... 9015 We report a highly efficient tunable THz ref... 9016 Kernel online convex optimization KOCO is a ... 9017 For an endofunctor H on a hyperextensive cat... 9018 The article is about the representation theo... 9019 We propose a method to build quantum memrist... 9020 The exciton spin dynamics are investigated b... 9021 Resonant inelastic xray scattering at the N ... 9022 We present a dynamic and thermodynamic study... 9023 Data augmentation is usually used by supervi... 9024 The paper deals with regression problems in ... 9025 Civil Asset Forfeiture CAF is a longstanding... 9026 Modern biotechnologies have produced a vast ... 9027 We deal with finite dimensional differentiab... 9028 Nearly all previous work on smallfootprint k... 9029 In this paper we prove a functorial aspect o... 9030 When using risk or dependence measures based... 9031 A twoway relay nonorthogonal multiple access... 9032 We show that two involutions on the variety ... 9033 Li and Wei studied the density of zeros of ... 9034 Deforestation detection using satellite imag... 9035 Distributed Computation has been a recent tr... 9036 Context The use of defect prediction models ... 9037 Graphlets are small connected induced subgra... 9038 We review from a didactic point of view the ... 9039 We demonstrate how one can see quantization ... 9040 Embedded continual learning for autonomous a... 9041 This paper proposes the application of Discr... 9042 Context Upcoming weak lensing surveys such a... 9043 We study charge and spin transport along gra... 9044 In Lagrangian meshfree methods the underlyin... 9045 We consider the problem of optimally designi... 9046 The negatively charged nitrogenvacancy NV ce... 9047 Convolution Neural Network CNN has gained tr... 9048 We present a catalogue of candidate Halpha e... 9049 Using an age of information AoI metric we ex... 9050 We analyze the optical continuum of starform... 9051 The Eigenvector Method for Umbrella Sampling... 9052 Markov chain Monte Carlo MCMC methods are wi... 9053 We describe the opensource global fitting pa... 9054 The complexity of testing whether a graph co... 9055 It is well known that external magnetic fiel... 9056 We completely characterize the unimodal cate... 9057 Counting formulae for general primary fields... 9058 Paraphrase generation is an important proble... 9059 Collective motion of chemotactic bacteria as... 9060 Landau level mixing plays an important role ... 9061 Shear dilation based hydraulic stimulations ... 9062 We treat the emerging power systems with dir... 9063 Avian Influenza breakouts cause millions of ... 9064 A new approach to JiuKang Yus construction o... 9065 We review some cohomological aspects of comp... 9066 In this paper we study different questions c... 9067 In this paper we introduce a new form of amo... 9068 The latest results of benchmarking research ... 9069 I argue that some important elements of the ... 9070 Standard clustering algorithms usually find ... 9071 Exploration is a difficult challenge in rein... 9072 In this paper we propose a stochastic optimi... 9073 There is a large literature on the asymptoti... 9074 We study the effects on D of assuming that t... 9075 Autoregressive models are among the best per... 9076 Due to their exceptional plasmonic propertie... 9077 We consider the wellstudied partial sums pro... 9078 We propose approaches based on deep learning... 9079 In recent years there has been noticeable in... 9080 We propose a new approach to model ground pe... 9081 Glass corrosion is a crucial problem in keep... 9082 Abridged The infrared rovibrational emission... 9083 Elections seem simplearent they just countin... 9084 Observations of stars in the the solar vicin... 9085 Random column sampling is not guaranteed to ... 9086 Recently dinitriles NCCHnCN and especially a... 9087 Practical solutions to bootstrap security in... 9088 Proposed the computerized method for calcula... 9089 It was discovered that there is a formal ana... 9090 Unlike the conventional firstorder network F... 9091 The dissolution of porous media in a geologi... 9092 In this paper we study the algebraic symplec... 9093 Some properties of defect modes of cholester... 9094 It is reported on growth of mmsized singlecr... 9095 Controlling and confining light by exciting ... 9096 Codes over Galois rings have been studied ex... 9097 We prove a version of Onsagers conjecture on... 9098 Geometric Brownian motion GBM is a key model... 9099 To identify emerging microscopic structures ... 9100 An empirical investigation of activecontinuo... 9101 Constraining linear layers in neural network... 9102 We study how the behavior of deep policy gra... 9103 In this paper we improve the previously best... 9104 Variational inference is a powerful approach... 9105 We propose an EncoderClassifier framework to... 9106 We modify the nonlinear shallow water equati... 9107 We solve tensor balancing rescaling an Nth o... 9108 We consider the problem of learning an unkno... 9109 The study of knots and links from a probabil... 9110 The revival structures for the Xm exceptiona... 9111 Autonomous aerial cinematography has the pot... 9112 High order reconstruction in the finite volu... 9113 Given a statistical model for the request fr... 9114 We use the language of uninformative Bayesia... 9115 Aging the process of growing old or maturing... 9116 We present and apply a generalpurpose multis... 9117 We introduce a novel method to train agents ... 9118 In this paper we set forth a D ocean model o... 9119 Girards Geometry of Interaction GoI a semant... 9120 We determine the structure of the Wgroup mat... 9121 Principal component pursuit PCP is a stateof... 9122 Kepler photometry of the hot Neptune host st... 9123 While a number of weak consistency mechanism... 9124 The Andreev conductance across d normal meta... 9125 Contextual bandits are a form of multiarmed ... 9126 Let Y and Z be two given topological spaces ... 9127 We consider the spherical mean generated by ... 9128 The Tabu Search TS metaheuristic has been pr... 9129 The synthetic toggle switch first proposed b... 9130 We study Segre varieties associated to Levif... 9131 Event cameras are a paradigm shift in camera... 9132 We apply the nonlinear reconstruction method... 9133 Establishing metallic hydrogen is a goal of ... 9134 The relative performance of competing point ... 9135 We present in this paper a generic and param... 9136 In this paper we investigate the potential o... 9137 Deep neural networks have proved to be a ver... 9138 In this paper we propose an implicit force c... 9139 Casual conversations involving multiple spea... 9140 Tool manipulation is vital for facilitating ... 9141 Consider a surface S and let Msubset S If Ss... 9142 Noninvasive steadystate visual evoked potent... 9143 IUIs aim to incorporate intelligent automate... 9144 Graphs are widely used to model execution de... 9145 Most of the efficient sublineartime indexing... 9146 Recent work has proposed the LempelZiv Jacca... 9147 We study the category of left unital graded ... 9148 We consider the Cauchy problem for the dampe... 9149 Time series prediction has been studied in a... 9150 We extend our previous results characterizin... 9151 For commercial onesun solar modules up to o... 9152 We present clustering properties from Lyman... 9153 We prove the leastarea unitvolume tetrahedra... 9154 Motivated by multihop communication in unrel... 9155 We investigate a fewbody mixture of two boso... 9156 The natural uranium assembly QUINTA was irra... 9157 Let operatornameConmathbf Trestrictionx deno... 9158 In a recent study entitled Cell nuclei have ... 9159 The whole enterprise of spin compositions ca... 9160 Clearly no one likes webpages with poor qual... 9161 We investigate the properties of entanglemen... 9162 We revisit the problem of robust principal c... 9163 We show that a self orbit equivalence of a t... 9164 We use Chandra Xray data to measure the meta... 9165 In this work we consider an extension of gra... 9166 In the framework of the application of the B... 9167 The traditional view of the morphologyspin c... 9168 We present a method to systematically study ... 9169 A method is presented for solving the discre... 9170 As the size of modern data sets exceeds the ... 9171 Hybrid inflation driven by a FayetIliopoulos... 9172 In this paper we study the recovery of a sig... 9173 We study piecewise linear codimension two em... 9174 The problem of population recovery refers to... 9175 We consider the first exit time of a Shiryae... 9176 In this article we study the transfer learni... 9177 The barocaloric effect is still an incipient... 9178 We establish mathfrakglM mathfrakglNdualitie... 9179 We propose a method for efficiently coupling... 9180 When the noise affecting time series is colo... 9181 We present an efficient deep learning techni... 9182 This paper describes an efficient algorithm ... 9183 Most of Python and R scientific packages inc... 9184 We investigate the effect of the incommensur... 9185 Word equations are an important problem on t... 9186 This paper addresses the problem of minimum ... 9187 We introduce a new algorithm for reinforceme... 9188 The geometric approach to optimal transport ... 9189 The history of humanhood has included compet... 9190 Virtual reality simulation is becoming popul... 9191 This paper presents a novel deep learning ar... 9192 The ability to generate natural language seq... 9193 We explore the problem of learning to decomp... 9194 We prove that the zero set of a nonnegative ... 9195 Autonomous driving systems are broadly used ... 9196 Achieving relativistic flight to enable extr... 9197 Estimating cascade size and nodes influence ... 9198 High frequency based estimation methods for ... 9199 KAGRA is a km cryogenic interferometric grav... 9200 Using observations made with MOSFIRE on Keck... 9201 An organisms ability to move freely is a fun... 9202 The inverse relationship between the length ... 9203 In recent years a number of artificial intel... 9204 The recent empirical success of crossdomain ... 9205 We calculate the scrambling rate lambdaL and... 9206 Recently Blanchet Kang and Murhy showed tha... 9207 We propose a new formal criterion for secure... 9208 Machine learning models are increasingly use... 9209 The misalignment of the solar rotation axis ... 9210 In this paper we consider filtering and smoo... 9211 This paper presents LongHCPulse software whi... 9212 The Zvector method in the relativistic coupl... 9213 Modeling and interpreting spike train data i... 9214 The dimerized KaneMele model withwithout the... 9215 Understanding why a model makes a certain pr... 9216 We consider largescale Markov decision proce... 9217 We overview dataflow matrix machines as a Tu... 9218 Neural Machine Translation NMT models usuall... 9219 Purpose To develop a rapid imaging framework... 9220 As a generalization of the use of graphs to ... 9221 In this paper we consider the class of K sur... 9222 Although deep learning models have proven ef... 9223 We consider the set Bp of parametric block c... 9224 We develop a twodimensional Lattice Boltzman... 9225 It was shown that any mathbbZcolorable link ... 9226 Automatic machine learning performs predicti... 9227 Recommender systems play an important role i... 9228 In the last decades the notion that cities a... 9229 The simplest model of the magnetized infinit... 9230 The system of dynamic equations for BoseEins... 9231 A polyellipse is a curve in the Euclidean pl... 9232 The LDA method for selfenergy correction is ... 9233 We investigate the scaling of the ground sta... 9234 Object tracking is an essential task in comp... 9235 We study the family of spinS quantum spin ch... 9236 Next generation radiointerferometers like th... 9237 We optimized the substrate temperature Ts an... 9238 Solving PeierlsBoltzmann transport equation ... 9239 Region of interest ROI alignment in medical ... 9240 Over the past few years the use of cameraequ... 9241 Trilobites are exotic giant dimers with enor... 9242 Many debris discs reveal a twocomponent stru... 9243 Multiple root estimation problems in statist... 9244 Let mathbbG be a locally compact quantum gro... 9245 The temperaturedependent optical response of... 9246 The Lowest Landau Level LLL equation emerges... 9247 In this work we present a novel framework th... 9248 Recently Renault studied the dual bin packi... 9249 An algorithmic proof of the General Nron Des... 9250 We study the problem of listdecodable Gaussi... 9251 For a possibly infinite fixed family of grap... 9252 Using a new and general method we prove the ... 9253 We consider the chemotaxis problem for a one... 9254 Is it possible to generally construct a dyna... 9255 The implementation of the algebraic Bethe an... 9256 A graphenebased spindiffusive GrSD neural ne... 9257 Quasicyclic QC lowdensity paritycheck LDPC c... 9258 The GW method is a manybody approach capable... 9259 This paper considers the problem of predicti... 9260 The solution of inverse problems in a variat... 9261 We study the geometry of Finsler submanifold... 9262 PET image reconstruction is challenging due ... 9263 Round functions used as building blocks for ... 9264 Time crystals a phase showing spontaneous br... 9265 The paper is devoted to the development of c... 9266 To investigate the role of tachysterol in th... 9267 Online social platforms are beset with hatef... 9268 An integral power series is called lacunary ... 9269 We describe sofic groupoids in elementary te... 9270 In this paper we propose a new combined mess... 9271 The LSST software systems make extensive use... 9272 In this paper we study methods for estimatin... 9273 We give an explicit formula for singular sur... 9274 The kappamechanism has been successful in ex... 9275 We classify all cubic extensions of any fiel... 9276 With the installation of the Argus pixel rec... 9277 It is challenging to develop stochastic grad... 9278 There are two general views in causal analys... 9279 In recent years significant progress has bee... 9280 The main goal for this article is to compare... 9281 We present the first realworld application o... 9282 We demonstrate the successful experimental i... 9283 Simulationbased training SBT is gaining popu... 9284 We present gravitational lens models of the ... 9285 Variable selection plays a fundamental role ... 9286 We investigate the formation and early evolu... 9287 Sleep stage classification constitutes an im... 9288 A gambler moves on the vertices ldots n of ... 9289 Efficient reliable trapping of execution in ... 9290 This paper studies mechanism of preconcentra... 9291 We present models for embedding words in the... 9292 Data storage systems and their availability ... 9293 The theory of sparse stochastic processes of... 9294 Princess Kaguya is a heroine of a famous fol... 9295 The Descriptor System Tools DSTOOLS is a col... 9296 In the classic sparsitydriven problems the f... 9297 In this work we propose a contentbased recom... 9298 The work describes a firstprinciplesbased co... 9299 In V Jimenez and J Llibre characterized up ... 9300 The adoption of the distributed paradigm has... 9301 Spatial distributions of other cell interfer... 9302 In order to understand underlying processes ... 9303 We introduce a method for learning the dynam... 9304 Artificial intelligence AI is intrinsically ... 9305 Deep stacked RNNs are usually hard to train ... 9306 By using Nbody hydrodynamical cosmological s... 9307 One of the big restrictions in brain compute... 9308 Our goal is to learn a semantic parser that ... 9309 Object Transfiguration replaces an object in... 9310 Segmenting foreground object from a video is... 9311 In this paper we develop a novel paradigm na... 9312 A set of points in ddimensional Euclidean sp... 9313 We investigate the extent to which the weak ... 9314 Treewidth is a parameter that measures how t... 9315 Many microbial systems are known to actively... 9316 Being an unsupervised machine learning and d... 9317 In this paper we consider the defocusing ene... 9318 Deep Neural Networks have impressive classif... 9319 It is a crucial problem in robotics field to... 9320 Graph models are relevant in many fields suc... 9321 The metric space of phylogenetic trees defin... 9322 While social media offer great communication... 9323 We discuss a cyclic cosmology in which the v... 9324 Electronic health records EHRs have contribu... 9325 We investigate the stability of a statistica... 9326 We construct a statistical indicator for the... 9327 One of the central notions to emerge from th... 9328 The article investigates an evidencebased se... 9329 In this paper we study the linear complement... 9330 We prove a Bernsteinvon Mises theorem for a ... 9331 Word evolution refers to the changing meanin... 9332 Fraenkel and Simpson showed that the number ... 9333 In this article we propound a question on th... 9334 We analyze how the knowledge to autonomously... 9335 In this note we describe how some objects fr... 9336 Recently experience replay is widely used in... 9337 We study the behavior of the spectrum of the... 9338 We have studied the impact of lowfrequency m... 9339 We start with a RiemannHilbert problem RHP r... 9340 Extending results of RaisTauvel MacedoSavage... 9341 Timing channels are a significant and growin... 9342 We show that deciding whether a given graph ... 9343 This paper studies the optimal outputfeedbac... 9344 Graphene as a zerobandgap twodimensional sem... 9345 Path integrals describing quantum manybody s... 9346 The BCML system is a beam monitoring device ... 9347 In this paper we deal with timeinvariant spa... 9348 The prediction of organic reaction outcomes ... 9349 In this paper Legendre curves on unit tangen... 9350 Giant vortices with higher phasewinding than... 9351 We study vortex patterns in a prototype nonl... 9352 Recent work on imitation learning has genera... 9353 We introduce seven families of stochastic sy... 9354 Recent studies have shown that closein brown... 9355 The Dirac equation requires a treatment of t... 9356 In recent years real estate industry has cap... 9357 We present new Atacama Large Millimetersubmi... 9358 We report for the first time the observation... 9359 Bandit is a framework for designing sequenti... 9360 We present a new algorithm for the D Sliding... 9361 In this study we investigate the limits of t... 9362 In general neural networks are not currently... 9363 While scale invariance is commonly observed ... 9364 We present an easytoimplement and efficient ... 9365 Superregular SR breathers are nonlinear wave... 9366 Real network datasets provide significant be... 9367 We define two algebra automorphisms T and T ... 9368 We examine Lagrangian techniques for computi... 9369 Domainspecific languages DSLs are of increas... 9370 In this paper we study the Nystrm type subsa... 9371 In this work a novel ring polymer representa... 9372 The nonlinear thinshell instability NTSI may... 9373 The multivariate contaminated normal MCN dis... 9374 We present new determinations of the stellar... 9375 This article proposes in depth comparative s... 9376 We consider the problem of packing a family ... 9377 The randomized rumor spreading problem gener... 9378 Due to severe mathematical modeling and cali... 9379 We employ the generic threewave system with ... 9380 This note proposes a penalty criterion for a... 9381 Identification of differentially expressed g... 9382 We derive expressions for the finitesample d... 9383 We present transductive Boltzmann machines T... 9384 This paper presents a humanrobot trust integ... 9385 A statistical test can be seen as a procedur... 9386 We present PubMed k RCT a new dataset based ... 9387 We address the problem of analyzing the radi... 9388 Customarily inplane auxeticity and synclasti... 9389 A scheme making use of an isolated feedback ... 9390 Directional data are constrained to lie on t... 9391 BoseEinstein condensates BECs confined in a ... 9392 In this paper we construct two groupoids fro... 9393 Stellar clusters form by gravitational colla... 9394 In this paper we prove global wellposedness ... 9395 Understanding and characterizing the subspac... 9396 In this paper we construct a properly embedd... 9397 Given a dimensional scheme in a projective s... 9398 DFT is used throughout nanoscience especiall... 9399 We investigate the birth and diffusion of le... 9400 We give a complete formula for the character... 9401 Largescale wireless testbeds have been setup... 9402 Nonrapid eye movement NREM sleep desaturatio... 9403 In this paper we present FPTalgorithms for s... 9404 Purpose To improve kidney segmentation in cl... 9405 Human mobility is known to be distributed ac... 9406 THz timedomain spectroscopy in transmission ... 9407 With the advancement of treatment modalities... 9408 Bacterial DNA gyrase introduces negative sup... 9409 From selfdriving vehicles and backflipping r... 9410 Imidazolium based porous cationic polymers w... 9411 We discuss similarity between oscillons and ... 9412 Highly eccentric binary systems appear in ma... 9413 We study threefolds fibred by K surfaces adm... 9414 In this paper we will deal with Lipschitz co... 9415 Human trafficking is one of the most atrocio... 9416 In May of Einstein published with two coaut... 9417 The rising interest in the construction and ... 9418 We study the performance of the Least Square... 9419 Kriging is a widely employed technique in pa... 9420 Inspired by the matching of supply to demand... 9421 With the prospect of the next generation of ... 9422 Emojis as a new way of conveying nonverbal c... 9423 We investigate selfshielding of intergalacti... 9424 We propose a single neural probabilistic mod... 9425 We present a systematic study on higherorder... 9426 This prospective chapter gives our view on t... 9427 For a nonlinear ordinary differential equati... 9428 This paper presents research on polar cap io... 9429 We report a large linear magnetoresistance i... 9430 Given samples from an unknown distribution p... 9431 We study the relaxation dynamics of photocar... 9432 Two of the most popular modelling paradigms ... 9433 Let b ge be an integer Among other results ... 9434 In this paper we study constraint qualificat... 9435 We propose a framework employing stochastic ... 9436 Kimura and Yoshida treated a model in which ... 9437 Liquid scintillators are a common choice for... 9438 We consider the Lie group PSL the group of o... 9439 Relation extraction is a fundamental task in... 9440 The anelastic and pseudoincompressible equat... 9441 Bayesian optimization is a sampleefficient a... 9442 When making predictions about ecosystems we ... 9443 We consider longitudinal nonlinear atomic vi... 9444 For a smooth manifold M possibly with bounda... 9445 A cyclic proof system called CLKIDomega give... 9446 Let theta be an inner function on the unit d... 9447 Web request query strings queries which pass... 9448 We introduce signature payoffs a family of p... 9449 We present deep ALMA CO observations of a ma... 9450 In this paper we demonstrate a new datadrive... 9451 Turbulent mixing of chemical elements by con... 9452 Duke Imamoglu and Toth constructed a polyhar... 9453 We consider a system of R cubic forms in n v... 9454 Selfsupported electrocatalysts being generat... 9455 With the exponential growth of cyberphysical... 9456 In the standard web browser programming mode... 9457 The pseudomarginal algorithm is a variant of... 9458 The present contribution investigates the dy... 9459 Failure rates in high performance computers ... 9460 It has long been assumed that high dimension... 9461 Sampling errors in nested sampling parameter... 9462 This paper explores the design and developme... 9463 Bitcoin and its underlying technology Blockc... 9464 Results are presented of direct numerical si... 9465 The integration of largescale renewable gene... 9466 Recent results on supercomputers show that b... 9467 Aims Density waves are often considered as t... 9468 According to a traditional point of view Bol... 9469 A mathematical model for variable selection ... 9470 We report the development of a multichannel ... 9471 The trinity of socalled canonical wallbounde... 9472 In this paper we consider the problem of lea... 9473 This paper addresses important control and o... 9474 We present a theoretical investigation of th... 9475 Let X be a compact metrizable group and Gamm... 9476 A novel diverse domain DCTSVD DWTSVD waterm... 9477 Solving a largescale regularized linear inve... 9478 An important property of statistical estimat... 9479 The kernelbased regularization method has tw... 9480 Despite that accelerating convolutional neur... 9481 We present a numerical implementation of the... 9482 We use a large sample of sim galaxies const... 9483 We present a generic framework for trading o... 9484 Phase compensated optical fiber links enable... 9485 A spin atomic gas in an optical lattice in t... 9486 In this paper we prove the existence of clas... 9487 This paper is about wellposedness and realiz... 9488 In this note we construct a series of small ... 9489 In this paper we suggest a framework to make... 9490 Let q be an odd prime power and D be the set... 9491 We consider the situation when the signal pr... 9492 We start the study of glider representations... 9493 An emphab initio Langevin dynamics approach ... 9494 Biological plastic neural networks are syste... 9495 Recently graph neural networks have attracte... 9496 In a former paper the concept of Bipartite P... 9497 A method for the introduction of secondorder... 9498 A sample of Coma cluster ultradiffuse galaxi... 9499 Reliable and realtime D reconstruction and l... 9500 This work is the first step towards a descri... 9501 We present the transient source detection ef... 9502 In this paper we consider isotropic and stat... 9503 Given a direct system of Hilbert spaces smap... 9504 With a plethora of available classification ... 9505 Modern large displacement optical flow algor... 9506 We grew LixNHyFeTeSe single crystals success... 9507 Electronelectron correlation forms the basis... 9508 We present a semianalytical correction to th... 9509 Making an informed correct and quick decisio... 9510 This paper investigates the stability of dis... 9511 The general spacetime evolution of the scatt... 9512 For subspace estimation with an unknown colo... 9513 The resilience of a complex interconnected s... 9514 This paper presents several test cases inten... 9515 Authorship attribution is a natural language... 9516 Building a voice conversion VC system from n... 9517 Numerous institutions and organizations need... 9518 Timetriggered and eventtriggered control str... 9519 We study Lipschitz positively homogeneous an... 9520 In online social networks people often expre... 9521 We prove elimination of field quantifiers fo... 9522 Several domains have adopted the increasing ... 9523 The demand for metals by modern technology h... 9524 A high speed quasidistributed demodulation m... 9525 We study the loss of coherence of electroche... 9526 We present a new algorithm for constructive ... 9527 We display the entire structure cal R coding... 9528 A new radical CNN design approach is present... 9529 Journals were central to Eugene Garfields re... 9530 Partially observable environments present an... 9531 Context We are creating the AKARI midinfrare... 9532 Convective mixing in Heliumcoreburning HeCB ... 9533 Neurons and networks in the cerebral cortex ... 9534 Extended Air Showers produced by cosmic rays... 9535 It is argued that the concept of technical t... 9536 Recent discovery of pyrite FeO which can be ... 9537 Despite the recent progress in automatic the... 9538 We study the active learning problem of topk... 9539 The first concise formulation of the inverse... 9540 We consider an exclusion process with long j... 9541 In this paper we introduce a new property of... 9542 Are the initial conditions for clustered sta... 9543 A common architecture for torque controlled ... 9544 Actual causation is concerned with the quest... 9545 We consider the minimax setup for Gaussian o... 9546 Machine learning has become pervasive in mul... 9547 Indexes are models a BTreeIndex can be seen ... 9548 We compute the leading PostNewtonian PN cont... 9549 Hybrid unmanned aircraft that combine hover ... 9550 The harmonic product of tensorsleading to th... 9551 Incorrect operations of a MultiRobot System ... 9552 We show that the RevenueOptimal Deterministi... 9553 We present constraints on variations in the ... 9554 We study static and spherically symmetric bl... 9555 This paper presents a reliable method to ver... 9556 Chemical evolution is essential in understan... 9557 A simple analytically correct algorithm is d... 9558 A graph G is called BkVPG resp BkEPG for som... 9559 We study two identical fermions or two hardc... 9560 Group synchronization requires to estimate u... 9561 Stability of power networks is an increasing... 9562 Since the majority of massive stars are memb... 9563 Networks observed in real world like social ... 9564 We investigate contextual online learning wi... 9565 We investigate the Robust Multiperiod Networ... 9566 A deep learning architecture is proposed to ... 9567 The fault tolerance of random graphs with un... 9568 Factor graphs are important models for succi... 9569 The correct treatment of vibronic effects is... 9570 Endowing a dialogue system with particular p... 9571 Motivated by results of Mestre and Voisin in... 9572 Orthogonal matching pursuit OMP and orthogon... 9573 Many physical problems involve spatial and t... 9574 The success of Conflict Driven Clause Learni... 9575 The paper provides an analysis of the voting... 9576 At the exceptional point where two eigenstat... 9577 The main topic considered is maximizing the ... 9578 The article introduces a new concept of stru... 9579 Robots state of insecurity is onstage There ... 9580 Tungsten W is widely considered as the most ... 9581 Consider a not necessarily nearcritical rand... 9582 Designing a logo for a new brand is a length... 9583 We study the notion of consistency between a... 9584 Rank minimization RM is a wildly investigate... 9585 We study properties of the StanleyReisner ri... 9586 We propose and analyze theoretically an appr... 9587 Human visual object recognition is typically... 9588 We discuss dynamical response functions near... 9589 We study testing highdimensional covariance ... 9590 While there exist several successful techniq... 9591 We show that a certain family of cohomogenei... 9592 We investigate regularized algorithms combin... 9593 In this paper we study the scaling propertie... 9594 An important problem in machine learning and... 9595 We report all phases and corresponding criti... 9596 Categorical equivalences between block algeb... 9597 In the arithmetic of function fields Drinfel... 9598 In this paper we explore the effectiveness o... 9599 This note is concerned with accurate and com... 9600 We have investigated morphology of the later... 9601 Highly oscillatory integrals such as those i... 9602 This volume contains the proceedings of the ... 9603 This paper considers mean field games in a m... 9604 We develop a framework for downlink heteroge... 9605 Goulds Belt is a flat local system composed ... 9606 In recent years correntropy and its applicat... 9607 Evidence of surface magnetism is now observe... 9608 We consider content delivery over fading bro... 9609 The dynamics of nonlinear conservation laws ... 9610 The combined allelectron and twostep approac... 9611 In the adaptive information gathering proble... 9612 We report an experimental and numerical demo... 9613 Arctic coastal morphology is governed by mul... 9614 In classification problems sampling bias bet... 9615 Fastdeclining Type Ia supernovae SN Ia separ... 9616 The architectures of debris disks encode the... 9617 We prove nonlinear modulational instability ... 9618 We present a new model DrNET that learns dis... 9619 Photodissociation of a molecule produces a s... 9620 A new generative adversarial network is deve... 9621 MapReduce is a programming model used extens... 9622 We have investigated the formation of a circ... 9623 Symmetric nonnegative matrix factorization h... 9624 In this paper we present a new Light Field r... 9625 Networks have become the de facto diagram of... 9626 We study the problem of policy evaluation an... 9627 This work investigates the geometry of a non... 9628 Methods are described that extend fields fro... 9629 Let Lcdot be any loop and let AL be a group ... 9630 Multiobjective recommender systems address t... 9631 Decide Madrid is the civic technology of Mad... 9632 Modeling physiological timeseries in ICU is ... 9633 In this paper we study spectral properties o... 9634 In this work we have used the recent cosmic ... 9635 Statistical TTS systems that directly predic... 9636 The stability of a complex system generally ... 9637 Timeresolved ultrafast xray scattering from ... 9638 Critical overdensity deltac is a key concept... 9639 We consider finite point subsets distributio... 9640 This paper is concerned with the partitioned... 9641 The Hubble Catalog of Variables HCV is a ye... 9642 The design of general purpose processors rel... 9643 Most traditional video summarization methods... 9644 Federated clouds raise a variety of challeng... 9645 It is wellestablished by cognitive neuroscie... 9646 Drying of colloidal droplets on solid rigid ... 9647 An Autonomous Underwater Vehicle AUV should ... 9648 Random attacks that jointly minimize the amo... 9649 In this paper we present an alternative stra... 9650 This work presents a joint and selfconsisten... 9651 In this paper we give some lowdimensional ex... 9652 Highresolution wide fieldofview FOV microsco... 9653 We address personalization issues of image c... 9654 A map fcolon Kto mathbb Rd of a simplicial c... 9655 Optimization of energy cost determines avera... 9656 In the AnyAngle Pathfinding problem the goal... 9657 Scenario generation is an important step in ... 9658 We give a new proof of CiocanFontanine and K... 9659 When undertaking cyber security risk assessm... 9660 This paper is a continuation of arXiv Explod... 9661 Using image context is an effective approach... 9662 The spectral renormalization method was intr... 9663 We present a novel approach for robust manip... 9664 We discuss a Bayesian formulation to coarseg... 9665 Accurate protein structural ensembles can be... 9666 The optimal learner for prediction modeling ... 9667 Context Transit events of extrasolar planets... 9668 Markov decision processes MDPs are a popular... 9669 In this paper we give novel certificates for... 9670 TF Boosted Trees TFBT is a new opensourced f... 9671 The evaluation of a query over a probabilist... 9672 This paper considers the problem of inliers ... 9673 We determine all connected homogeneous Kobay... 9674 One important problem in a network is to loc... 9675 We show that even mild improvements of the P... 9676 The phenomenon of polarization of nuclei in ... 9677 The existence of string functions which are ... 9678 In this paper we outline the vision of chatb... 9679 We define the distance between edges of grap... 9680 We present MILABOT a deep reinforcement lear... 9681 We propose a datadriven method to solve a st... 9682 Realtime crime forecasting is important Howe... 9683 We investigated the physical properties of t... 9684 Availability of a validated realistic fuel c... 9685 In this work we show that the model of timed... 9686 The functional significance of resting state... 9687 We report on the development of a versatile ... 9688 I present a new proof of Kirchbergs mathcal ... 9689 In this paper we analyse the profile of land... 9690 Let H be a semisimple algebraic group K a ma... 9691 We present results of empirical studies on p... 9692 In almost any geostatistical analysis one of... 9693 In kernel methods the median heuristic has b... 9694 Similar to most of the real world data the u... 9695 Principal component analysis PCA is one of t... 9696 We present the results of threedimensional D... 9697 Along with the advance of opinion mining tec... 9698 In this article we consider static Bayesian ... 9699 In many applications the interdependencies a... 9700 Detecting defection and alarming partners ab... 9701 This paper aims to design quadrotor swarm pe... 9702 In this paper we consider multivariate Hawke... 9703 Datacenters are the main infrastructure on t... 9704 The Halting Theorem establishes that there i... 9705 Skyrmions are localized magnetic spin textur... 9706 FeVAl and FeTiSn are full Heusler compounds ... 9707 In this paper we find all integers c having ... 9708 Profound vitamin B deficiency is a known cau... 9709 De Trevisan and Tulsiani CRYPTO show that e... 9710 We study the observed relation between accre... 9711 In deep reinforcement learning RL tasks an e... 9712 We use new Xray data obtained with the Nucle... 9713 Quantum machine learning witnesses an increa... 9714 We introduce recurrent additive networks RAN... 9715 The origin of colossal magnetoresistance CMR... 9716 The optical memory effect is a wellknown typ... 9717 We investigate the geometry of optimal memor... 9718 There is an emerging class of microfluidic b... 9719 We prove a triangulation theorem for semialg... 9720 In this paper we consider positioning with\n... 9721 We show that dense OGLE and KMTNet Iband sur... 9722 The CMS apparatus was identified a few years... 9723 This paper proposes a discontinuitysensitive... 9724 Delays are an important phenomenon arising i... 9725 It came to my attention after posting this p... 9726 In this paper we deal with the task of build... 9727 Scaling regression to large datasets is a co... 9728 In current study a mechanism to extract traf... 9729 Using a form of descent in the stable catego... 9730 Most blind deconvolution methods usually pre... 9731 We provide new results for noisetolerant and... 9732 We consider three notions of connectivity an... 9733 We prove for any positive integer n there ex... 9734 As neural networks grow deeper and wider lea... 9735 This paper presents a novel datadriven appro... 9736 The impact of developmental and aging proces... 9737 Online game involves a very large number of ... 9738 We prove a general existence result in stoch... 9739 A monocular visualinertial system VINS consi... 9740 Gravitational waves GWs generated by axisymm... 9741 We theoretically study a threedimensional we... 9742 This is a written version of the closing tal... 9743 Grouping objects into clusters based on simi... 9744 Edge structure of graphene has a significant... 9745 We study certain qdeformed analogues of the ... 9746 We discuss computational procedures based on... 9747 The directedloop quantum Monte Carlo method ... 9748 This paper presents a study on the use of Co... 9749 In this paper we unravel a fundamental conne... 9750 Model evaluation the process of making infe... 9751 Starting with a graph two players take turns... 9752 Cyclization of DNA with sticky ends is commo... 9753 We give a counter example to the new theorem... 9754 In this paper we present distributed testing... 9755 Bipartite data is common in data engineering... 9756 We present a systematic study of coreshell A... 9757 Borondoped diamond undergoes an insulatormet... 9758 We use the Sloan Digital Sky Survey Data Rel... 9759 In this paper a geometric approach to the tr... 9760 The effect of spatial localization of states... 9761 We propose a twostage neural model to tackle... 9762 Radio tomographic imaging RTI has recently b... 9763 We prove that under low noise assumptions th... 9764 We propose a kernel mixture of polynomials p... 9765 Mobile edge computing is a new computing par... 9766 Achievement gaps refer to the difference in ... 9767 Debris discs are evidence of the ongoing des... 9768 In this paper we propose a novel endtoend ap... 9769 We introduce a topology on the space of all ... 9770 Numerical and experimental turbulence simula... 9771 Convexity in a network graph has been recent... 9772 Achieving high spatial resolution in contact... 9773 In this paper we study the parallel and the ... 9774 The study of energy transport properties in ... 9775 This theoretical paper introduces a new way ... 9776 Decades of research on the neural code under... 9777 We introduce the discrete affine group of a ... 9778 Spin filter superconducting SIN tunnel junct... 9779 We correct the double spend race analysis gi... 9780 Understanding how delayed information impact... 9781 We report the influence of crystalline defec... 9782 Given a large number of unlabeled face image... 9783 We study the problem of identifying the caus... 9784 Unlike other organs the thymus and gonads ge... 9785 Most geometric approaches to monocular Visua... 9786 In a published paper Sengupta we have propo... 9787 Watermarking techniques have been proposed d... 9788 Small cells deployment is one of the most si... 9789 Although Generative Adversarial Networks GAN... 9790 The advancement in Autonomous Vehicles AVs h... 9791 We extend Urbans construction of eigenvariet... 9792 We consider the problem of identifying group... 9793 Many aspects of the progenitor systems envir... 9794 This paper proposes a novel approach to ster... 9795 In the past decade cities have experienced r... 9796 Quantum phase transitions are sudden changes... 9797 We study sequences of scaled edgecorrected e... 9798 Purpose of this study is evaluation of the r... 9799 On the worldwide web not only are webpages c... 9800 As technology become more advanced those who... 9801 The present work deals with the study of str... 9802 In this paper we introduce the notion of a c... 9803 This monograph aims at providing an introduc... 9804 D Jed Harrison is a full professor at the De... 9805 Liquid helium and spin coldatom Fermi gases ... 9806 We present a probabilistic Las Vegas algorit... 9807 We prove a sharp Schwarz type inequality for... 9808 Period estimation is one of the central topi... 9809 We propose a new algorithm Mean ActorCritic ... 9810 Recent measurements of the Geminga and B pul... 9811 Deep neural networks require a large amount ... 9812 With the development of robotics there are g... 9813 Event cameras are bioinspired vision sensors... 9814 We show an analogy at high curvature between... 9815 We introduce and solve a new type of quadrat... 9816 Due to recent advances in technology the rec... 9817 We give a parametrization of the simple Bern... 9818 As an injury heals an embryo develops or a c... 9819 Among Sequential Monte Carlo SMC methodsSamp... 9820 How can we approach the truth in a society I... 9821 Increasing evidence has shown that theorybas... 9822 In a recent publication Appl Opt a method... 9823 We derive new approximations for the Value a... 9824 Computational methods that predict different... 9825 Modern datasets and models are notoriously d... 9826 Matching members in the Coma cluster catalog... 9827 In this work we discuss the related challeng... 9828 Recently inference about highdimensional int... 9829 While online communities have become increas... 9830 We show that all known classical adversary l... 9831 The shortspacing problem describes the inher... 9832 Estimation of tail quantities such as expect... 9833 We derive flow equations for cold atomic gas... 9834 A dynamic selforganized morphology is the ha... 9835 In this note we investigate the existence of... 9836 With the growth of interest in network data ... 9837 In this paper we present our study on the cr... 9838 The study of covariances or positive definit... 9839 Many cloud applications rely on fast and non... 9840 A long standing problem in the area of error... 9841 Drones also known as miniunmanned aerial veh... 9842 We investigate the weak excitations of a sys... 9843 We find plane models for all XN Ngeq We obs... 9844 Neural networks have shown great potential i... 9845 The transient response of power grids to ext... 9846 We present a family of mutually orthogonal p... 9847 Automatic differentiation AD is an essential... 9848 We describe here a procedure to combine meas... 9849 Microwave cavities for a Sikivietype axion s... 9850 We determine all connected homogeneous Kobay... 9851 In this paper we first establish new explici... 9852 While there has been an explosion in the num... 9853 We test whether advanced galaxy models and a... 9854 Friction plays a key role in manipulating ob... 9855 Turkish Wikipedia NamedEntity Recognition an... 9856 BiIntuitionistic Stable Tense Logics BIST Lo... 9857 We demonstrate how students use of modeling ... 9858 Despite its numerical challenges finite elem... 9859 Progress in machine learning is measured by ... 9860 Under a Bayesian framework we formulate the ... 9861 The concept of a Gammasemigroup has been int... 9862 We formally deduce closedform expressions fo... 9863 A graph is perfect if the chromatic number o... 9864 In this paper we show synchronization for a ... 9865 We present a method for EMGdriven teleoperat... 9866 We introduce a novel numerical method to int... 9867 Xray magnetic circular dichroism XMCD measur... 9868 Many activation functions have been proposed... 9869 Traditionally social sciences are interested... 9870 Entropic regularization is quickly emerging ... 9871 The eigenvalue of the hermitic Hamiltonian i... 9872 Let X be a finite collection of sets or clus... 9873 Every observation of astrophysical objects i... 9874 We generalize a support vector machine to a ... 9875 Recall that the group PSLmathbb R is isomorp... 9876 This paper proposes a signaturebased approac... 9877 We study the fR theory of gravity in an anis... 9878 Visual tracking is a fundamental problem in ... 9879 We design a deterministic polynomial time cn... 9880 Recent advances in policy gradient methods a... 9881 We primarily study a special a weighted lowr... 9882 We derive the Markov process equivalent to S... 9883 The dynamic Mott insulatortometal transition... 9884 Although compelling assessments have been ex... 9885 Decoding human brain activities via function... 9886 Neural networks with equal excitatory and in... 9887 Efficient communication between qubits relie... 9888 Whereas the relationship between criticality... 9889 Feedforward convolutional neural networks CN... 9890 Dynamic patterning of specific proteins is e... 9891 If we pick n random points uniformly in d an... 9892 The formation of selforganized patterns is k... 9893 Biophysical modelling of diffusion MRI is ne... 9894 This paper shows that conditional independen... 9895 Agile localization of anomalous events plays... 9896 The tensor train decomposition decomposes a ... 9897 Understanding the thermally activated escape... 9898 Sparse exchangeable graphs resolve some path... 9899 Ttette graphs and relative ttette graphs wer... 9900 We characterize CesroOrlicz function spaces ... 9901 Modeling the joint distribution of extreme w... 9902 MOEMS Deformable Mirrors DM are key componen... 9903 Remote sensing image scene classification pl... 9904 Network theory proved recently to be useful ... 9905 An efficient adaptive algorithm for the remo... 9906 Strong product is an efficient way to constr... 9907 In this paper we prove the existence of glob... 9908 Energy has been increasingly generated or co... 9909 Word embeddings use vectors to represent wor... 9910 In this work we develop a novel Bayesian est... 9911 We introduce Psiec a local spectral exterior... 9912 We report the transverse relaxation rates Ts... 9913 Limitedangle computed tomography CT is often... 9914 The renewed Greens function approach to calc... 9915 This paper proposes a new algorithm for cont... 9916 We analyze the secrecy outage probability in... 9917 We introduce a novel method for defining geo... 9918 Computer aided diagnostic CAD system is cruc... 9919 It has recently been shown that if feedback ... 9920 Predictions of inflationary schemes can be i... 9921 We characterize the class of RFD Calgebras a... 9922 Let mathbfB cdot be a real separable Banach ... 9923 It is difficult for humans to efficiently te... 9924 To perform tasks specified by natural langua... 9925 Automatic classification of trees using remo... 9926 It is known that individuals in social netwo... 9927 In the last decade deep learning has contrib... 9928 NA is a fixedtarget experiment at the CERN S... 9929 Let Ksubset S be a knot X Ssetminus K its co... 9930 This paper presents an automated supervised ... 9931 Bose condensation is central to our understa... 9932 Physics phenomena of multisoliton complexes ... 9933 Visual question answering or VQA is a new an... 9934 With the rise of endtoend learning through d... 9935 From medical charts to national census healt... 9936 In autonomous racing vehicles operate close ... 9937 We have experimentally studied the effects o... 9938 Deep neural networks DNNs have begun to have... 9939 We identify and study a number of new rapidl... 9940 Automatically determining the optimal size o... 9941 Traffic for internet video streaming has bee... 9942 Hierarchicallyorganized data arise naturally... 9943 This paper is concerned with the channel est... 9944 A policy maker faces a sequence of unknown o... 9945 Shearing transitions of multilayer molecular... 9946 In chiral magnetic materials numerous intrig... 9947 Graphene has emerged as a promising building... 9948 Transfer learning through finetuning a pretr... 9949 In this work we present an analysis of the B... 9950 The architecture of Exascale computing facil... 9951 We study the time evolution of a onedimensio... 9952 The game of chess is the most widelystudied ... 9953 We discuss a monotone quantity related to Hu... 9954 We consider forecasting a single time series... 9955 We present new radio continuum observations ... 9956 Fractons are emergent particles which are im... 9957 The generating function of cubic Hodge integ... 9958 We explore the simplification of widely used... 9959 We prove that counting copies of any graph F... 9960 Densityfunctional theory calculations with s... 9961 We introduce a notion of nodal domains for p... 9962 Notifications provide a unique mechanism for... 9963 A novel matching based heuristic algorithm d... 9964 Neuroinflammation in utero may result in lif... 9965 Skyrmions are disklike objects that typicall... 9966 Deep convolution neural networks demonstrate... 9967 We formulate simple assumptions implying the... 9968 The Holstein model describes the motion of a... 9969 A key challenge in complex visuomotor contro... 9970 Recent advances in Representation Learning a... 9971 We theoretically analyze the effect of param... 9972 Exploratory testing is neither black nor whi... 9973 In this paper we suggest that in the framewo... 9974 Accurately predicting when and where ambulan... 9975 Curated web archive collections contain focu... 9976 Learning network representations has a varie... 9977 Superconductivity in noncentrosymmetric comp... 9978 In this article the pessential dimension of ... 9979 Market research is generally performed by su... 9980 Optimization on Riemannian manifolds widely ... 9981 In this paper we formalize the notion of dis... 9982 We propose a new approach to the problem of ... 9983 We present a slow control system to gather a... 9984 I studied the nonequilibrium response of an ... 9985 We propose a datadriven framework for optimi... 9986 The chromium arsenides BaCrAs and BaCrFeAs w... 9987 Development of high strength carbon fibers C... 9988 A model of cosmological inflation is propose... 9989 Often more time is spent on finding a model ... 9990 We show that the convergence rate of ellregu... 9991 The Mue experiment will search for coherent ... 9992 The current prominence and future promises o... 9993 Adversarial examples are perturbed inputs de... 9994 We construct a sample of Xray bright optical... 9995 This article is the second of a pair of arti... 9996 TUS is the worlds first orbital detector of ... 9997 In this thesis we present the novel semisupe... 9998 We derive out naturally some important distr... 9999 We give a generalization of a theorem of Sil... 10000 We consider the characterization as well as ... 10001 Kinetically constrained lattice gases KCLG a... 10002 Molecular fingerprints ie feature vectors de... 10003 We present a generalized times matrix form... 10004 In this paper the Chua circuit with five lin... 10005 Loglinear models are arguably the most succe... 10006 Recent quantumgas microscopy of ultracold at... 10007 Discrete particle simulations are widely use... 10008 We describe the MERgerevent GammaRay MERGR T... 10009 It was proved by Graham and Witten in that ... 10010 Genealogical networks also known as family t... 10011 In this paper we prove small data global exi... 10012 The concentration of biochemical oxygen dema... 10013 In matched observational studies where treat... 10014 The TTE approach to Computable Analysis is t... 10015 Data mining and machine learning techniques ... 10016 In this paper we investigate the computation... 10017 A trace tau on a separable Calgebra A is cal... 10018 In the Fock representation we propose a fram... 10019 Fractal TRIDYN FTRIDYN is a modified version... 10020 To precisely measure radon concentrations in... 10021 With the development of neural networks base... 10022 We show how Leibnitzs indiscernibility princ... 10023 The main purpose of this article is to fix s... 10024 We investigate the level spacing distributio... 10025 With this note we remember our friend Maria ... 10026 Training deep neural networks is known to re... 10027 We introduce multimodal attentionbased neura... 10028 The coprime hypergraph of integers on n vert... 10029 Since the largest Ebola virus disease outbr... 10030 Nonnegative Matrix Factorization NMF is a wi... 10031 We consider the problem of recovering the su... 10032 In the quest for scalable Bayesian computati... 10033 Choosing the Indium Gallium Nitride InGaN te... 10034 With the wide application of machine learnin... 10035 Nonlinear dynamics on graphs has rapidly bec... 10036 Synthesis of DNA molecules offers unpreceden... 10037 Excitation of relativistic electron beam dri... 10038 Kernel PCA is a widely used nonlinear dimens... 10039 Organized crime inflicts human suffering on ... 10040 In the present work we describe the results ... 10041 MicroRNAs miRNAs are small noncoding RNAs th... 10042 Shape completion the problem of estimating t... 10043 In this paper we establish a connection betw... 10044 In this note we define circular ksuccessions... 10045 We study weighted particle systems in which ... 10046 The nodal and effectively relativistic dispe... 10047 Predicting the outcome of sports events is a... 10048 We propose a generalization of neural networ... 10049 In spite of their intrinsic onedimensional n... 10050 In the last few years microblogging platform... 10051 There are large amounts of insight and socia... 10052 Most undergraduate level abstract algebra te... 10053 This paper studies the heat equation utDelta... 10054 This paper addresses the challenge of humano... 10055 A novel device that can be used as a tunable... 10056 In this paper the problem of tracking desire... 10057 We present development of a genetic algorith... 10058 Large datasets represented by multidimension... 10059 We explore the nonequilibrium evolution and ... 10060 Grip control during robotic inhand manipulat... 10061 Several recent studies have reported differe... 10062 We show that every bounded subset of an Eucl... 10063 We study fairness within the stochastic emph... 10064 Virtual Reality an immersive technology that... 10065 In this note we provide a conceptual explana... 10066 We examine the effect of the stress tensor o... 10067 In this article we introduce a new geometric... 10068 We consider the problem of adversarial nonst... 10069 The qColoring problem asks whether the verti... 10070 Planar object tracking is an actively studie... 10071 Operation of an atomtronic battery is demons... 10072 We address the two fundamental problems of s... 10073 In this paper we prove that a smooth project... 10074 We study predictive density estimation under... 10075 Many systems of structured argumentation exp... 10076 Independent tests aiming to constrain the va... 10077 We construct examples of flat fiber bundles ... 10078 The fields of astronomy and astrophysics are... 10079 Living organisms process information to inte... 10080 This work analyses surprising elections and ... 10081 Kinetic plasma turbulence cascade spans mult... 10082 We explore the relationship between human mi... 10083 The Weyl semimetal NbP exhibits an extremely... 10084 Continuous cultures of mammalian cells are c... 10085 The technique of propagating spin wave spect... 10086 In this paper we demonstrate how genetic alg... 10087 Social conventions govern countless behavior... 10088 This work is devoted to elaboration on the i... 10089 This paper reviews the historic of ChaLearn ... 10090 Chaos associated with bifurcation makes a ne... 10091 Bazhin has analyzed ATP coupling in terms of... 10092 The explosive increase in number of smart de... 10093 It is believed that thermalization in closed... 10094 Interface phonon IF modes of cplane oriented... 10095 Transitions between multiple stable states o... 10096 A sieve for rational points on suitable vari... 10097 Neural responses in the cortex change over t... 10098 We present a general formalism of multipole ... 10099 Columnsparse packing problems arise in sever... 10100 The Doppler effect is a shift in the frequen... 10101 We propose a new linear algebraic approach t... 10102 We investigate the relation between disk mas... 10103 We present a CharacterWord Long ShortTerm Me... 10104 Machine learning methods have found many app... 10105 The effect of monolayers of oxygen O and hyd... 10106 Early recognition of abnormal rhythm in ECG ... 10107 Currently most speech processing techniques ... 10108 Many classical results in relativity theory ... 10109 We present ALMA observations of the M system... 10110 A class of methods based on multichannel lin... 10111 Many successful methods have been proposed f... 10112 We present a user of model interaction based... 10113 We consider the supervised learning problem ... 10114 Software engineering considers performance e... 10115 Porous silicon layers PS have been prepared ... 10116 Connectivity patterns of relevance in neuros... 10117 Deep Convolutional Neural Networks DCNNs are... 10118 We study translation invariant stochastic pr... 10119 We study the highfrequency behavior of the D... 10120 By using the LyapunovSchmidt reduction metho... 10121 A general formalism is introduced to allow t... 10122 Neural networks with lowprecision weights an... 10123 Stable Marriage is a fundamental problem to ... 10124 Electricity market price predictions enable ... 10125 Community detection or clustering is a funda... 10126 The topological interference management TIM ... 10127 This paper studies robust regression in the ... 10128 We introduce structures which model the quot... 10129 In this paper the origin of the generalized ... 10130 We consider nonparametric inference of finit... 10131 Knowledge base completion KBC aims to predic... 10132 Feature engineering is a crucial step in the... 10133 It is shown that any two cellular automata C... 10134 We discuss an operational approach to testin... 10135 We present experimental data and simulations... 10136 Frequent Pattern Mining is a one field of th... 10137 We study the dynamics of the FermiHubbard mo... 10138 We exhibit an Olog kcompetitive randomized a... 10139 We provide a physical definition of new homo... 10140 We prove by topological methods new results ... 10141 This paper proposes an approach to detect em... 10142 In article the basic principles put in a bas... 10143 Cone spherical metrics are conformal metrics... 10144 We suggest a new type of an ultrasensitive d... 10145 New upper bounds on the pointwise behaviour ... 10146 From string theory the notion of deformed He... 10147 We present an introduction to periodic and s... 10148 Yttriastabilized zirconia YSZ a ZrOYO solid ... 10149 Reactive power compensation is an important ... 10150 We investigate additional properties of prot... 10151 We consider the Dirichlet Laplacian in a str... 10152 A liquid film wetting the interior of a long... 10153 Existing brain network distances are often b... 10154 Online trust systems are playing an importan... 10155 We study the collapse of pebble clouds with ... 10156 Accurate path integral Monte Carlo or molecu... 10157 The Constrained Application Protocol CoAP is... 10158 The physics of active systems of selfpropell... 10159 In this letter we present a theorem on the d... 10160 Realistic evolutionary fitness landscapes ar... 10161 Datadriven modeling plays an increasingly im... 10162 In many domains a latent competition among d... 10163 Analogtodigital converters ADCs are a major ... 10164 We design controllers from formal specificat... 10165 Progress in deep learning is slowed by the d... 10166 Sensing and reciprocating cellular systems S... 10167 A new threeparameter cumulative distribution... 10168 This paper proposes a new scheme to secure t... 10169 We investigate deep neural network performan... 10170 Bayesian model selection and model averaging... 10171 We analyze subway arrival times in the New Y... 10172 The superconducting transition of FeSexSx wi... 10173 This paper explores an incremental training ... 10174 Treating optimization methods as dynamical s... 10175 Processing sequential data of variable lengt... 10176 OR multiaccess channel is a simple model whe... 10177 Social media platforms contain a great wealt... 10178 Transparency user trust and human comprehens... 10179 In this paper we reconsider the unfoldingbas... 10180 The present study investigates different str... 10181 Random Fourier features is one of the most p... 10182 The DArk Matter Particle Explorer DAMPE is o... 10183 The superconducting nanowire single photon d... 10184 Just like Atiyah Lie algebroids encode the i... 10185 We demonstrate creation of electroformingfre... 10186 The present paper considers testing an Erdos... 10187 In this paper we propose a new loss function... 10188 The regularization approach for variable sel... 10189 Learning interpretable features from complex... 10190 Recent years have witnessed the growing dema... 10191 Graphenebased photodetectors have demonstrat... 10192 In this paper we propose an efficient transf... 10193 We consider the nonlinear Schrdinger equatio... 10194 This paper is concerned with the convergence... 10195 There has been a recent media blitz on a coh... 10196 Temporary earth retaining structures TERS he... 10197 A subset mathcalG generating a Calgebra A is... 10198 We study the fully gapped chiral Mott insula... 10199 We establish a functional weak law of large ... 10200 The nature of the nematic state in FeSe rema... 10201 We propose a simple modification to existing... 10202 We consider the problem of optimizing the pl... 10203 This work fits in the context of community m... 10204 We formulate a type B extended nilHecke alge... 10205 In unsupervised domain mapping the learner i... 10206 We present an approach to adaptively utilize... 10207 The phylogenetic effective sample size is a ... 10208 In this paper we construct the additional sy... 10209 Measuring the full distribution of individua... 10210 The branch of provability logic investigates... 10211 Physical emergence crystals rocks sandpiles... 10212 The interplay between geometric frustration ... 10213 In acoustic scene classification researches ... 10214 A new definition of continuoustime equilibri... 10215 Alpha signals for statistical arbitrage stra... 10216 Deep convolutional networks have achieved gr... 10217 The current study applies deep learning to h... 10218 In privacy amplification two mutually truste... 10219 In a reversible language any forward computa... 10220 In this paper we investigate the convergence... 10221 Nanotubes of various kinds have been prepare... 10222 As with classic statistics functional regres... 10223 The star chromatic index of a multigraph G d... 10224 Absolutely Koszul algebras are a class of ri... 10225 Online advertisement is the main source of r... 10226 To a smooth and symmetric function f defined... 10227 We demonstrate an enhancement in the vortex ... 10228 We investigate the subGaussian property for ... 10229 Finding a maximum cut is a fundamental task ... 10230 Let S be a pgroup for an odd prime p Oliver ... 10231 Suppose we have a elliptic curve over a numb... 10232 The precise modeling of subatomic particle i... 10233 We demonstrate temporal measurements of subp... 10234 In this paper we present several values for ... 10235 The AliEn ALICE Environment file catalogue i... 10236 We report on a versatile mini ultrahigh vacu... 10237 The dislocationmediated quantum melting of s... 10238 The mechanical properties and deformation me... 10239 We give necessary and sufficient conditions ... 10240 In variable or graph selection problems find... 10241 We propose a definition of VafaWitten invari... 10242 The aggregation of many independent estimate... 10243 In temperate climates mortality is seasonal ... 10244 We address the problem of verifying the sati... 10245 We investigate the power of nondeterminism i... 10246 The Advanced Virgo detector uses two monolit... 10247 We use a mobile impurity or depleton model t... 10248 We study the applicability of the timedepend... 10249 The paper presents a topology optimization a... 10250 Reward shaping is one of the most effective ... 10251 Among recently introduced new notions in rea... 10252 We revise the operatornorm convergence of th... 10253 Nowadays data compressors are applied to man... 10254 Twodimensional embeddings remain the dominan... 10255 Graph matching or quadratic assignment is th... 10256 Extensive cooperation among unrelated indivi... 10257 We study Bayesian hypernetworks a framework ... 10258 Plate motions are governed by equilibrium be... 10259 One of the most challenging tasks when adopt... 10260 We simulate the stresses induced by temperat... 10261 Forwarding data by name has been assumed to ... 10262 Delay Tolerant Networking DTN is an approach... 10263 Regularization techniques such as the lasso ... 10264 In multiobject tracking applications model p... 10265 We consider a general monotone regression es... 10266 Distributed network optimization has been st... 10267 The purpose of this note is to revive in Lp ... 10268 In this paper we apply empirical likelihood ... 10269 To obtain uncertainty estimates with realwor... 10270 In this article we propose two classes of se... 10271 We apply a convolutional neural network CNN ... 10272 We analyze the source of intermodel scatter ... 10273 This paper proposes a novel representation o... 10274 The causal inference problem consists in det... 10275 The complexity embedded in condensed matter ... 10276 Robotic systems working together as a team a... 10277 Model precision in a classification task is ... 10278 Our goal is to improve variance reducing sto... 10279 We consider plasmon resonances and cloaking ... 10280 We introduce a hybridizable discontinuous Ga... 10281 Artificial neural networks ANNs have gained ... 10282 Connectionist Temporal Classification has re... 10283 This paper presents a novel method to descri... 10284 We consider the problem of locating a points... 10285 In this note we propose a method based on ar... 10286 The possibility of calculation of the condit... 10287 Let G be a finite simple graph For X subset ... 10288 The collisionionization mechanism of nonsequ... 10289 What is chaos Despite several decades of res... 10290 Context The first Gaia data release DR deliv... 10291 Applications that require substantial comput... 10292 Kiva is an online nonprofit crowdsouring mic... 10293 In the ICS WUT a platform for simulation of ... 10294 We analytically derive the expressions for t... 10295 The Xray emission spectrum of liquid ethanol... 10296 Class labels have been empirically shown use... 10297 High Performance Computing is often performe... 10298 We propose a new method to detect offpulse u... 10299 Structural and topological information play ... 10300 Taking an image and question as the input of... 10301 In this paper we examine the physical layer ... 10302 Superconducting bulks acting as highfield pe... 10303 The inability to efficiently tune the optica... 10304 Traditionally Blind Speech Separation techni... 10305 Inelastic neutron scattering has been used t... 10306 We present a novel methodology to enable con... 10307 We introduce a few variants on FrankWolfe st... 10308 We theoretically investigate an ultrastrongl... 10309 In his work of Merle E Manis introduced val... 10310 Electron CryoTomography ECT allows D visuali... 10311 Most of the existing characterizations of th... 10312 We introduce a new ferromagnetic model capab... 10313 In this paper I will present a short scienti... 10314 This work addresses the problem of segmentat... 10315 We propose in this article a MGcc state depe... 10316 This paper considers the Laplace method to d... 10317 We study the fixed point theory of nvalued m... 10318 The Large Synoptic Survey Telescope LSST wil... 10319 CO capture and storage is an important techn... 10320 A GelSight sensor uses an elastomeric slab c... 10321 Our visual perception of our surroundings is... 10322 In this paper we consider the community dete... 10323 In this paper we build upon previous work on... 10324 Vehicletovehicle communications can change t... 10325 We show that the twoweight estimate for the ... 10326 Observations of nine transits of WASP during... 10327 In this article we give some reviews concern... 10328 Advances in virtual reality have generated s... 10329 Understanding the dynamical behavior of comp... 10330 Quantum gas microscopes are a promising tool... 10331 For a multivariate normal set up it is well ... 10332 Cloud Computing is a new era of remote compu... 10333 The astrophysics community uses different to... 10334 Based on BCS model with the external pair po... 10335 We introduce emphpnrandom qnproportion Bulga... 10336 By introducing a simplified transport model ... 10337 We present a novel approach for estimating c... 10338 This volume of EPTCS contains the proceeding... 10339 Transient quantum dynamics in an interacting... 10340 We prove that the automorphism group of a to... 10341 This paper presents the first MD simulations... 10342 Software as a Service cloud computing model ... 10343 Efficiently exploiting GPUs is increasingly ... 10344 We study the height of a spanning tree T of ... 10345 We propose theoretically an effective scheme... 10346 Motion planning is the core problem to solve... 10347 Assume that M is a ctm of ZFCCH containing a... 10348 The use of resonant depolarization has been ... 10349 Learningbased approaches for robotic graspin... 10350 We generalize the translation invariant tens... 10351 We develop a Maximum Likelihood estimator ML... 10352 In this work we highlight a connection betwe... 10353 List decoding of insertions and deletions in... 10354 We prove almost sure global existence and sc... 10355 Boltzmann exploration is widely used in rein... 10356 Both GPS and WiFi based localization have be... 10357 Since the advent of online real estate datab... 10358 Neuromorphic hardware tends to pose limits o... 10359 In the Internet of Things IoT community Wire... 10360 It is proved that replica symmetry is not br... 10361 We have implemented an optimization that spe... 10362 We obtain the first polynomialtime algorithm... 10363 Outlier detection and cluster number estimat... 10364 The most general expressions of the stored e... 10365 The inference of network topologies from rel... 10366 In this paper we introduce an iterative line... 10367 An important class of realworld networks hav... 10368 We report an experimental observation of mul... 10369 This paper presents results of topic modelin... 10370 We construct a countable bounded sublattice ... 10371 In this work the issue of Bayesian inference... 10372 The aim of the study is to investigate the r... 10373 Merging mobile edge computing with the dense... 10374 Experimental Particle Physics has been at th... 10375 Guided by critical systems found in nature w... 10376 We introduce and analyze an extension to the... 10377 We present a detailed spectral analysis of t... 10378 NdHfO belonging to the family of geometrical... 10379 Noncritical softfaults and model deviations ... 10380 We study SIS epidemic spreading processes un... 10381 We present model for anisotropic compact sta... 10382 In this paper we describe and evaluate a mix... 10383 Benefited from the widely deployed infrastru... 10384 Disagreementbased approaches generate multip... 10385 What if someone built a box that applies qua... 10386 Unmanned aircraft have decreased the cost re... 10387 In this paper we present an approach to sele... 10388 In this chapter we present the stateoftheart... 10389 In recent years the number of biomedical pub... 10390 Transfer learning is a popular practice in d... 10391 This paper presents the construction of a pa... 10392 Enabling robots to autonomously navigate com... 10393 We study magnetization reversal in a varphi ... 10394 As computational astrophysics comes under pr... 10395 Deep Neural Networks are built to generalize... 10396 In the Simply Typed lambdacalculus Statman i... 10397 We have used Brillouin Light Scattering spec... 10398 This paper shows a detailed modeling of thre... 10399 A key task in Bayesian statistics is samplin... 10400 We provide a compositional coalgebraic seman... 10401 Anytime almostsurely asymptotically optimal ... 10402 We propose a novel approach to D human pose ... 10403 Selection of appropriate collective variable... 10404 We study the random conductance model on the... 10405 A very important problem in combinatorial op... 10406 Estimating the influence of a given feature ... 10407 For largescale industrial processes under cl... 10408 The problem of highdimensional and largescal... 10409 Recently Czumaj etal arXiv presented a para... 10410 We present ELDAR a new method that exploits ... 10411 The hard Xray emission in a solar flare is t... 10412 We propose a general framework for interacti... 10413 Gravitational lensing provides a means to me... 10414 Three separation properties for a closed sub... 10415 Machine learning ML is increasingly deployed... 10416 The paper presents a solution to the Boltzma... 10417 The first step to realize automatic experime... 10418 This article expands on research that has be... 10419 We present PhyShare a new haptic user interf... 10420 Every graph GVE is an induced subgraph of so... 10421 Graph drawings are useful tools for explorin... 10422 One of the ultimate goals in biology is to u... 10423 Epilepsy is common neurological diseases aff... 10424 During maintenance software developers deal ... 10425 We consider the weighted beliefpropagation W... 10426 We study a pattern forming instability in a ... 10427 We study the electronic and spin structures ... 10428 Technological developments alongside VLSI ac... 10429 Quantum phase transitions are ubiquitous in ... 10430 Future observations of cosmic microwave back... 10431 A detailed thermal analysis of a Niobium Nb ... 10432 The shear viscosity plays an important role ... 10433 A cyclic proof system gives us another way o... 10434 In this paper we revisit the recently establ... 10435 We employ the Grand Canonical Adaptive Resol... 10436 Daily operation of a largescale experiment i... 10437 The aim of this paper is to find the approxi... 10438 It is well known that the store language of ... 10439 CupyzNO is a quasi onedimensional molecular ... 10440 The session search task aims at best serving... 10441 Recently graph neural networks GNNs have rev... 10442 People participate and activate in online so... 10443 This note continues our previous work on spe... 10444 The Met Offices weather and climate simulati... 10445 Self Organizing Networks SONs are considered... 10446 In topological semimetals the Dirac points c... 10447 A manyvalued modal logic is introduced that ... 10448 We construct a sequence of compact oriented ... 10449 Let pi be an irreducible smooth complex rep... 10450 The purpose of this paper is to show that fu... 10451 The RNiO perovskites are known to order anti... 10452 During routine state space circuit analysis ... 10453 We discuss the practical problems arising wh... 10454 Let V be a minimal valuation overring of an ... 10455 We present a finitetemperature extension of ... 10456 Given a graph G with n vertices and a se... 10457 Despite significant recent progress in the a... 10458 In this paper we investigate the parametric ... 10459 Dozens of new models on fixation prediction ... 10460 This study focusses on selfbalancing microgr... 10461 Optical frequency combs OFC provide a conven... 10462 A linear operator T between two latticenorme... 10463 We present the results of a pilot nearinfrar... 10464 Mining relationships between treatments and ... 10465 Internet or things IoT is changing our daily... 10466 A probabilistic description is essential for... 10467 In the Steiner Forest problem we are given a... 10468 Antenna current optimization is often used t... 10469 The knowledge regarding the function of prot... 10470 In recent years several powerful techniques ... 10471 Let S be a string of length n In this paper ... 10472 Purpose of review This paper presents a revi... 10473 We study the problem of testing for communit... 10474 Magnetic activity strongly impacts stellar R... 10475 Differential testing to solve the oracle pro... 10476 Explicitly or implicitly most of dimensional... 10477 Blind Source Separation BSS is a challenging... 10478 The monomorphism category mathscrSA M B indu... 10479 The focus of this paper is on the analysis o... 10480 The recent experimental discovery of threedi... 10481 High quality gene models are necessary to ex... 10482 In the past few years Convolutional Neural N... 10483 Computing the medoid of a large number of po... 10484 We consider truncated SVD or spectral cutoff... 10485 Sampling logconcave functions arising in sta... 10486 The celebrated integer relation finding algo... 10487 Tensor completion is a problem of filling th... 10488 A path resp cycle decomposition of a graph G... 10489 We investigate the transport properties of n... 10490 An increasing body of evidence suggests that... 10491 Current searches for a dark photon in the ma... 10492 In this paper we gave some properties of bin... 10493 In this paper we present a method to determi... 10494 The anisotropy of the Febased superconductor... 10495 A simple polytope P is said to be emphBrigid... 10496 The concept of emergence is a powerful conce... 10497 The Trouv group mathcal Gmathcal A from imag... 10498 Motion planning classically concerns the pro... 10499 In this paper we present a new R package COR... 10500 Deep Neural Networks DNNs are universal func... 10501 The International Rosetta Mission was launch... 10502 We describe a new cardinality estimation alg... 10503 Object tracking systems play important roles... 10504 Using the NASAIRTF SpeX BASS spectrometers ... 10505 The flyby anomaly is the unexpected variatio... 10506 Two dimensional D materials provide a unique... 10507 We consider the incompressible Euler and Nav... 10508 Wheeled ground robots are limited from explo... 10509 Currently lower limb robotic rehabilitation ... 10510 Tetrachiral materials are characterized by a... 10511 Twitter has provided a great opportunity for... 10512 Dynamic Boltzmann Machine DyBM has been show... 10513 Discussed here are the effects of basics gra... 10514 In this paper we focus on applications in ma... 10515 This paper presents a laser amplifier based ... 10516 In this paper we study entire radial solutio... 10517 Automatically detecting sound units of humpb... 10518 Given an input string s and a specific Linde... 10519 The generalization of the multiscale entangl... 10520 Geotags from microblog posts have been shown... 10521 The aim of the present paper is to contribut... 10522 For symmetric Lvy processes if the local tim... 10523 We study the classical complexity of the exa... 10524 We study the carrier transport and magnetic ... 10525 The purpose of this note is to attract atten... 10526 Which studies theories and ideas have influe... 10527 In this paper we focus on online representat... 10528 Recent pumpprobe experiments reported an enh... 10529 With the advent of modern communications sys... 10530 Neural Style Transfer based on Convolutional... 10531 A quantized physical framework called the fi... 10532 Reinforcement learning has emerged as a prom... 10533 We construct a contour function for the enta... 10534 Topic discovery has witnessed a significant ... 10535 It is well known that finite commutative ass... 10536 Until recently almost nothing was known abou... 10537 We use ultradeep cm data from the Karl G Ja... 10538 This paper begins with a theoretical explana... 10539 In both H and HEVC contextadaptive binary ar... 10540 InformationCentric Networking is a promising... 10541 Deep Gaussian Processes DGPs are hierarchica... 10542 This paper develops meshless methods for pro... 10543 This note is a collection of several discuss... 10544 New physics has traditionally been expected ... 10545 Changes in the structure of observed social ... 10546 According to the WienerHopf factorization th... 10547 The local crystal structures of many perovsk... 10548 The ordering of a multilayer consisting of D... 10549 Deep reinforcement learning RL has proven a ... 10550 In this thesis we study the interplay of pha... 10551 We consider a spatial stochastic model of wi... 10552 A reinsurance contract should address the co... 10553 We show the problem of counting homomorphism... 10554 The use of semiautonomous and autonomous rob... 10555 We start by asking an interesting yet challe... 10556 We consider several related notions of geome... 10557 Sleep condition is closely related to an ind... 10558 Motivated by the recent result of Farhi we s... 10559 In the context of music production distortio... 10560 In this paper we consider adaptive decisionm... 10561 Many machine learning problems can be formul... 10562 During the last decade the information techn... 10563 Estimating the Domain of Attraction DA of no... 10564 This article is devoted to the problem of pr... 10565 We examine whether an extended scenario of a... 10566 We address the key open problem of a higher ... 10567 Sparse additive modeling is a class of effec... 10568 We present a performance analysis appropriat... 10569 The RieszSobolev inequality provides an uppe... 10570 We study the problem of defining maps on lin... 10571 Recent advances have enabled d object recons... 10572 We investigate the longtime stability of the... 10573 We consider variants on the classical Berz s... 10574 There has been a long standing interest in u... 10575 With a coreperiphery structure of networks c... 10576 Central limit theorems play an important rol... 10577 In the first half of this manuscript we begi... 10578 A rapid and anisotropic modification of the ... 10579 In visual exploration and analysis of data d... 10580 Convolutional operator learning is increasin... 10581 The construction of permutation trinomials o... 10582 Recent observations identify a valley in the... 10583 The Sparsity of the Gradient SoG is a robust... 10584 The purpose of this note is to propose a new... 10585 Image semantic segmentation is more and more... 10586 While all kinds of mixed data from personal ... 10587 Incremental improvements in accuracy of Conv... 10588 This paper describes a method for learning l... 10589 The Dip Test of Unimodality and Silvermans C... 10590 In the first part of this paper we present a... 10591 Inelastic neutron scattering measurements on... 10592 We study the problem of finding the maximum ... 10593 The models of collective decisionmaking cons... 10594 This paper focuses on the recognition of Act... 10595 Monitoring structural changes in ferroelectr... 10596 In this work we aim to explore connections b... 10597 Octonion algebras over rings are in contrast... 10598 Two fundamental approaches to information av... 10599 An atomic transition can be addressed by a s... 10600 In this paper we calculate the numbers of ir... 10601 This paper investigates asymptotic behaviors... 10602 The pigeonhole principle states that if n it... 10603 Anomaly matching constrains lowenergy physic... 10604 A highspeed MHz strain monitor using a fibe... 10605 We present a functional form of the ErdsReny... 10606 We present a memristive device based R PUF ... 10607 In this paper we demonstrate the application... 10608 We present ALMA detections of the CI CO J a... 10609 Finding central nodes is a fundamental probl... 10610 The latest measurements of CMB electron scat... 10611 Reinforcement learning RL makes it possible ... 10612 Drafting strong players is crucial for the t... 10613 The distributions of dark matter and baryons... 10614 Let Galpha and Hbeta be locally compact Haus... 10615 A key part of implementing highlevel languag... 10616 This paper develops systematically the outpu... 10617 One of the essential prerequisites for detec... 10618 For the past years the ILSVRC competition a... 10619 Suffix trees have recently become very succe... 10620 Understanding the interaction between the va... 10621 Optimal estimation of signal amplitude backg... 10622 In deep learning textitdepth as well as text... 10623 We define a quantity cmnk as a generalizatio... 10624 In recent years bullying and aggression agai... 10625 Robots are typically not created with securi... 10626 This paper considers a general datafitting p... 10627 We develop differentially private hypothesis... 10628 Remote sensing of the atmospheres of distant... 10629 We provide to the best of our knowledge the ... 10630 When designing control strategies for differ... 10631 Although various norms for reciprocitybased ... 10632 In the online multiple testing problem pvalu... 10633 Most of the current gametheoretic demandside... 10634 We give the first example of a locally quasi... 10635 Dipole moments are a simple global measure o... 10636 This paper explores an interesting new dimen... 10637 Estimating the causal effects of an interven... 10638 It is known that when the multicollinearity ... 10639 The segmentation of animals from cameratrap ... 10640 The biLipschitz geometry is one of the main ... 10641 We define an action of the extended affine d... 10642 We introduce a new shapeconstrained class of... 10643 This article presents a weak law of large nu... 10644 Based on geometry optimization and magnetic ... 10645 Previously a sevencluster pattern claiming t... 10646 We show how any party can encrypt data for a... 10647 We show how to perform full likelihood infer... 10648 We describe nef vector bundles on a projecti... 10649 The ATLAS collaboration will replace its tra... 10650 Given an input sound signal and a target vir... 10651 We present a method for identifying the cohe... 10652 We present a nonparametric joint estimation ... 10653 We calculate loop master integrals for heavy... 10654 We propose a novel distributed inference alg... 10655 PEBPs PhosphatidylEthanolamine Binding Prote... 10656 Modal description logics feature modalities ... 10657 The existence of a spinliquid ground state o... 10658 This paper is about the moment problem on a ... 10659 In this paper we will describe a concept of ... 10660 Pairwise ranking methods are the basis of ma... 10661 The analysis in Part I revealed interesting ... 10662 In this paper we explore how we should aggre... 10663 We consider the problems of robust PAC learn... 10664 In this paper we present a realtime robust m... 10665 Ongoing and future surveys with repeat imagi... 10666 Shafers belief functions were introduced in ... 10667 Photonics sensing has long been valued for i... 10668 Inductive inference is the process of extrac... 10669 We present a method for computing stable mod... 10670 This paper presents a comprehensive survey o... 10671 Analysis of an organizations computer networ... 10672 Consider a dihedral cover f Yto X with X and... 10673 We introduce a new sample complexity measure... 10674 The inability to interpret the model predict... 10675 Just a survey on I The basics some things kn... 10676 Given the potential Xray radiation risk to t... 10677 Let xgeq be a large number and let leq a q... 10678 The need to analyze the available large syno... 10679 Schizophrenia a mental disorder that is char... 10680 Gaussian Mixture Models are one of the most ... 10681 It is argued based on the results of both nu... 10682 Investigation of coherent SmithPurcell Radia... 10683 Groundbased telescopes equipped with stateof... 10684 K Borsuk in in the Topological Conference i... 10685 This paper focuses on a new task ie transpla... 10686 Build systems are an essential part of moder... 10687 An essential issue that a freight transporta... 10688 Experiments on optical and STM injection of ... 10689 The Japanese comic format known as Manga is ... 10690 The optical spectrum of liquid water is anal... 10691 Type II Weyl semimetal a three dimensional g... 10692 We present a simple model for the developmen... 10693 Materials composed of two dimensional layers... 10694 We prove that for any choice of parameters k... 10695 This paper is a survey of recent results on ... 10696 We consider the statistical inverse problem ... 10697 We consider a system of linear hyperbolic PD... 10698 The stereodynamics of the NePAr Penning and ... 10699 We consider tunneling of spinless electrons ... 10700 Intersystem crossing is a radiationless proc... 10701 Denial of service attacks are especially per... 10702 This paper reports on a datadriven interacti... 10703 SKIROC is an ASIC to readout the silicon pad... 10704 Dominance by annual plants has traditionally... 10705 In systems and synthetic biology much resear... 10706 We resolve the thermal motion of a highstres... 10707 Geodesic distance matrices can reveal shape ... 10708 In this work the structural stability and th... 10709 We construct Knrrer type equivalences outsid... 10710 We classify torsion actions of free wreath p... 10711 We propose two semiparametric versions of th... 10712 Smallcell deployment in licensed and unlicen... 10713 This paper studies the numerical approximati... 10714 We study the effect of adaptive mesh refinem... 10715 Todays artificial assistants are typically p... 10716 In an imaginary conversation with Guido Alta... 10717 Approximate Bayesian computing is a powerful... 10718 We study the word and conjugacy problems in ... 10719 Higgs resonance modes in condensed matter sy... 10720 Generic text embeddings are successfully use... 10721 Instrumental variable analysis is a widely u... 10722 Schubert polynomials are a basis for the pol... 10723 Since the the first studies of thermodynamic... 10724 In complex high dimensional and unstructured... 10725 We consider a numerical approach for the inc... 10726 We propose a machinelearning method for eval... 10727 In this article we consider products of rand... 10728 Dantzig selector DS and LASSO problems have ... 10729 Design of adaptive algorithms for simultaneo... 10730 The Birkhoff conjecture says that the bounda... 10731 Pedestrian crowds often include social group... 10732 In this paper we derive upper and lower boun... 10733 We discuss the quasiparticle entropy and hea... 10734 Widefield high precision photometric surveys... 10735 A plasmonassisted channeling acceleration ca... 10736 Formal verification techniques are widely us... 10737 The underpotential deposition of transition ... 10738 Many real world tasks such as reasoning and ... 10739 Usage of online textual media is steadily in... 10740 We show that EntropySGD Chaudhari et al whe... 10741 Learning sophisticated feature interactions ... 10742 We investigate the stability of the manybody... 10743 Almost all EEGbased braincomputer interfaces... 10744 Conditional on Fourier restriction estimates... 10745 When a measurement falls outside the quantiz... 10746 There is an increased interest in building d... 10747 Deep neural networks have enabled progress i... 10748 We investigate the differential equation for... 10749 Xray absorption spectroscopy measured at the... 10750 Topological states of matter are at the root... 10751 We consider large scale empirical risk minim... 10752 Let Gamma be a convex cocompact discrete gro... 10753 This paper investigates the role of tutor fe... 10754 This paper analyzes the coexistence performa... 10755 Realtime traffic flow prediction can not onl... 10756 Since its introduction in the locally linea... 10757 We studied acetylhistidine AcH bare or micro... 10758 Quantum mechanics is not about quantum state... 10759 It is known that the set of all correlated e... 10760 It is known that unconfined dust explosions ... 10761 While both the data volume and heterogeneity... 10762 We theoretically investigate the generation ... 10763 We demonstrate the usefulness of adding dela... 10764 Reachability analysis for hybrid systems is ... 10765 The Lasso is biased Concave penalized least ... 10766 The interval subset sum problem ISSP is a ge... 10767 Kernel methods are powerful and flexible app... 10768 This paper focuses on the problem of estimat... 10769 The present paper proposes a novel method of... 10770 We are interested in dynamics of quantum man... 10771 In finance durations between successive tran... 10772 The tensile strength of small dusty bodies i... 10773 Stateoftheart knowledge compilers generate d... 10774 Working over the prime field of characterist... 10775 To train an inference network jointly with a... 10776 We introduce a novel generative formulation ... 10777 Information and communications technology ca... 10778 The secondorder dependence structure of pure... 10779 In the present paper we study the match test... 10780 Spinspin correlation function response in th... 10781 We consider estimating average treatment eff... 10782 In this paper we address the problem of dete... 10783 We propose an efficient method to generate w... 10784 We present and analyze two pathways to produ... 10785 Model instability and poor prediction of lon... 10786 A spectroscopic study of Rydberg states of h... 10787 This work is concerned with tests on structu... 10788 We present Direct Numerical Simulations of t... 10789 Recently Odrzywolek and Rafelski arXiv have ... 10790 We study the effect of a uniform external ma... 10791 We calculate qdimension of kth Cartan power ... 10792 Workers participating in a crowdsourcing pla... 10793 By using representation theory of the ellipt... 10794 The notion of formal duality in finite Abeli... 10795 When our eyes are presented with the same im... 10796 Almost two decades ago Wattenberg published ... 10797 In this paper a novel method using D Convolu... 10798 With nonignorable missing data likelihoodbas... 10799 Lowtextured image stitching remains a challe... 10800 We propose a new method for input variable s... 10801 This article proposes a new way to construct... 10802 We study a minibatch diversification scheme ... 10803 Despite a very long history of meteor scienc... 10804 In this article we study a generalisation of... 10805 HyperKamiokande the next generation large wa... 10806 We present MILABOT a deep reinforcement lear... 10807 Quantification is a supervised learning task... 10808 Data noising is an effective technique for r... 10809 We present a generative method to estimate D... 10810 A quasiorder is a binary reflexive and trans... 10811 In this paper we study the controllability a... 10812 In this article we prove some total variatio... 10813 We study bipartite community detection in ne... 10814 This paper demonstrates endtoend neural netw... 10815 We consider the task of estimating a highdim... 10816 We investigate the deexcitation of the Th nu... 10817 It is well known that the memory effect in f... 10818 We consider the problem of estimating mutual... 10819 While Wigner functions forming phase space r... 10820 Intracranial carotid artery calcification IC... 10821 The field of structural bioinformatics has s... 10822 The auction method developed by Bertsekas in... 10823 Levitated optomechanics is showing potential... 10824 The purpose of the present paper is to show ... 10825 CONTEXT It is theoretically possible for rin... 10826 Scientific legacy code in MATLABOctave not c... 10827 It is customary to conceive the interactions... 10828 Future sealevel rise drives severe risks for... 10829 The approximation power of general feedforwa... 10830 We define the standard Borel space of free A... 10831 Robots such as autonomous underwater vehicle... 10832 In this paper we present a spectral graph wa... 10833 This paper studies some robust regression pr... 10834 Thin liquid films are ubiquitous in natural ... 10835 The long range movement of certain organisms... 10836 We study trend filtering a relatively recent... 10837 In search of a reliable methodology for the ... 10838 Adversarial training has been shown to regul... 10839 The Android OS has become the most popular m... 10840 Process Monitoring involves tracking a syste... 10841 In this article we go on to discuss about va... 10842 In Biss investigated on a kind of fibration... 10843 Analytic gradient routines are a desirable f... 10844 We report the analysis of the TeV largescal... 10845 Counting objects in digital images is a proc... 10846 We propose a modification of the standard in... 10847 This paper investigates estimation of the me... 10848 We define a variety of abstract termination ... 10849 The problem of the search for the satellites... 10850 Consider the following Kolmogorov type hypoe... 10851 Constraint answer set programming is a promi... 10852 Modern radio telescopes such as the Square K... 10853 Graphs are a prevalent tool in data science ... 10854 Power plant is a complex and nonstationary s... 10855 Studies of affect labeling ie putting your f... 10856 This paper positively solves an open problem... 10857 Lindelfs hypothesis one of the most importan... 10858 Complex systems in a wide variety of areas s... 10859 The practical success of Boolean Satisfiabil... 10860 Additive regression provides an extension of... 10861 Underwater machine vision has attracted sign... 10862 Recent studies have shown that sketches and ... 10863 Recently two influential PNAS papers have sh... 10864 While machine learning is going through an e... 10865 The development of positioning technologies ... 10866 We consider a basic problem at the interface... 10867 Grasping is a complex process involving know... 10868 Stateoftheart speaker diarization systems ut... 10869 Social networks are typical attributed netwo... 10870 C nuclear magnetic resonance measurements we... 10871 Herbertsmithite and Zndoped barlowite are tw... 10872 Nonrecurring traffic congestion is caused by... 10873 We derive a closed form description of the c... 10874 V Nestoridis conjectured that if Omega is a ... 10875 Granular gases as dilute ensembles of partic... 10876 The SCUBA Ambitious Sky Survey SASSy is comp... 10877 In this paper we propose a novel unfitted fi... 10878 We employ a recently developed computational... 10879 We study fairness in collaborativefiltering ... 10880 We consider the setup of nonparametric blind... 10881 A general formulation of optimization proble... 10882 Portable computing devices which include tab... 10883 Spinal cord stimulation has enabled humans w... 10884 General description of an online procedure o... 10885 Media seems to have become more partisan oft... 10886 Currently we are in an environment where the... 10887 We consider the problem of streaming kernel ... 10888 Stochastic differential equations SDEs are i... 10889 Learning an encoding of feature vectors in t... 10890 We propose hMDAP a hybrid framework for larg... 10891 A novel approach for unsupervised domain ada... 10892 We present in detail the convolutional neura... 10893 Improving the quality of endoflife care for ... 10894 Convolutional sparse coding CSC improves spa... 10895 It is challenging to recognize facial action... 10896 We propose an effective method for creating ... 10897 We present a simple yet useful result about ... 10898 A new approach using a hyperbolicequation sy... 10899 A general and easytocode numerical method ba... 10900 Learning approaches have recently become ver... 10901 A general Boltzmann machine with continuous ... 10902 We introduce a novel regression framework wh... 10903 Representation learning has become an invalu... 10904 Polymer models are used to describe chromati... 10905 Complex contagion models have been developed... 10906 In network coding we discuss the effect of s... 10907 Simultaneous Localization and Mapping SLAM i... 10908 Characterizing a patients progression throug... 10909 Experimentalists have observed phenotypic va... 10910 Style transfer methods have achieved signifi... 10911 This paper proposes an innovative method for... 10912 In this paper we explore deep reinforcement ... 10913 The key issues pertaining to collection of e... 10914 Molecular beam epitaxy technique has been us... 10915 We investigate an endtoend method for automa... 10916 Multilabel classification is a practical yet... 10917 The main goal of this study is to extract a ... 10918 Combinatorial filters have been the subject ... 10919 The collective behavior of active semiflexib... 10920 We compare the following two sources of poor... 10921 Networked data in which every training examp... 10922 Spatially extended systems can support local... 10923 Carbon nanotubes are modeled as point config... 10924 We investigate the similarities of pairs of ... 10925 Complementary auxiliary basis sets for F exp... 10926 Comparing with traditional learning criteria... 10927 A novel predictor for traffic flow forecasti... 10928 A person dependent network called an AlterEg... 10929 Univalent homotopy type theory HoTT may be s... 10930 We analyze the dynamics of periodicallydrive... 10931 For aqinmathbbQ the Estermann function is de... 10932 The gametheoretic risk management framework ... 10933 We present results from a multiwavelength st... 10934 One of the major hurdles toward automatic se... 10935 In this paper we describe EasyInterface an o... 10936 We introduce the notion of the essential tan... 10937 Machine learning applications often require ... 10938 We finish the classification begun in two ea... 10939 Establishing accurate morphological measurem... 10940 Multistart algorithms are a common and effec... 10941 Estimation of the number of endmembers exist... 10942 The problem of threeuser multipleaccess chan... 10943 In the last two decades recurrence plots RPs... 10944 The meta distribution of the signaltointerfe... 10945 The transport characteristics across the pul... 10946 Large redshift surveys of galaxies and clust... 10947 Learning high quality class representations ... 10948 Gradient coding is a technique for straggler... 10949 The MeV acceleratordriven subcritical syste... 10950 Changes in the capital structure before and ... 10951 The evanescent field surrounding nanoscale o... 10952 The analysis of industrial processes modelle... 10953 Increasing proton beam power on neutrino pro... 10954 This paper presents our approach to the quan... 10955 Many protostellar gapped and binary discs sh... 10956 We study a supersymmetric version of the Gar... 10957 Many augmented reality AR applications opera... 10958 The problem for twodimensional steady water ... 10959 We study a neuroinspired model that mimics a... 10960 In this article we study the problem of cont... 10961 In portable D or ultrafast ultrasound US ima... 10962 This paper extends a conventional general fr... 10963 The two modeltheoretic concepts of weak satu... 10964 This paper is concerned with the behavior of... 10965 Collective behavior among coupled dynamical ... 10966 Human activity recognition using smart home ... 10967 We consider eigenvalue problems for elliptic... 10968 This article develops a framework for testin... 10969 Quantum computing technologies have become a... 10970 Recently encoderdecoder neural networks have... 10971 Approximate dynamic programming algorithms s... 10972 Spatiotemporal forecasting has various appli... 10973 Recently machine learning has been used in e... 10974 We present the WiFeS Atlas of Galactic Globu... 10975 The spread of new products in a networked po... 10976 We develop a linear algebraic framework for ... 10977 We present a projectively invariant descript... 10978 Modern cities are growing ecosystems that fa... 10979 There are so many vehicles in the world and ... 10980 We describe categorical models of a circuitb... 10981 This works presents a formulation for visual... 10982 Since the s population projections have in m... 10983 The existence of elliptic periodic solutions... 10984 Suppression of interference from narrowband ... 10985 It is well known that the Euler vortex patch... 10986 The effective interaction between the itiner... 10987 Human collaborators coordinate effectively t... 10988 We consider the phenomenon of BoseEinstein c... 10989 We study the stability of the electroweak va... 10990 We explore the spectral properties of a capi... 10991 Electrolyte gating is widely used to induce ... 10992 In the past few years an action of mathrmPGL... 10993 We provide a novel notion of what it means t... 10994 In some laboratory and most astrophysical si... 10995 Consider an undirected mixed membership netw... 10996 In this paper we derive the nonsingular Gree... 10997 We report a survey of molecular gas in galax... 10998 The iterative ensemble Kalman filter IEnKF i... 10999 A statistical algorithm for categorizing dif... 11000 Braincomputer interfaces BCIs can provide an... 11001 We experimentally investigate the bursting d... 11002 We discuss a low energy ee collider for prod... 11003 We introduce and investigate different defin... 11004 In this study we examine a collection of hea... 11005 In their seminal work Robust Replication of ... 11006 We explore the effects of asymmetry of hoppi... 11007 Purpose We propose a phenotypebased artifici... 11008 In this paper we address the problem of reco... 11009 The braids of Binfty can be equipped with a ... 11010 The exciton relaxation dynamics of photoexci... 11011 Many deployed learned models are black boxes... 11012 We use reinforcement learning RL to learn de... 11013 New index transforms with Weber type kernels... 11014 Many conventional statistical procedures are... 11015 With the increasing interest in the use of m... 11016 Recent results by Alagic and Russell have gi... 11017 We examine the asymptotics of the spectral c... 11018 Marchenko redatuming is a novel scheme used ... 11019 Excitons and plasmons are the two most funda... 11020 We investigate the evolution of the flavour ... 11021 We analyse the limiting behavior of the eige... 11022 Active communication between robots and huma... 11023 We present the results of our investigation ... 11024 Introduction to deep neural networks and the... 11025 Commercial photoncounting modules based on a... 11026 The Shannon entropy in the atomic molecular ... 11027 Thanks to modern sky surveys over twenty ste... 11028 The fitness of a species determines its abun... 11029 We first derive a general integralturnpike p... 11030 We study the vortex patch problem for dstrat... 11031 A onedimensional unsteady nozzle flow is mod... 11032 In this short note we provide an analytical ... 11033 Channelreciprocity based key generation CRKG... 11034 A rational projective plane mathbbQP is a si... 11035 Progress in probabilistic generative models ... 11036 Vector quantization aims to form new vectors... 11037 The effects of the spatial scale on the resu... 11038 In this paper we consider regression problem... 11039 With the rising number of interconnected dev... 11040 The widespread availability of GPS informati... 11041 Information extraction and user intention id... 11042 While cardiovascular diseases CVDs are preva... 11043 This paper addresses the question of emotion... 11044 Charge transfer among individual atoms in a ... 11045 We study how a single value of the shatter f... 11046 Consider the moduli space of framed flat U c... 11047 NonGaussianities of dynamical origin are dis... 11048 Measure Theory and Integration is exposed wi... 11049 We propose a contextualbandit approach for d... 11050 We present an overview of techniques for qua... 11051 We present a new experimental approach to in... 11052 The positive definite KohnSham kinetic energ... 11053 In this paper we describe our attempt at pro... 11054 Discerning how a mutation affects the stabil... 11055 We analyze the correlation between starspots... 11056 Monotone systems preserve a partial ordering... 11057 Isotopic ratios in comets are critical to un... 11058 The COSINE dark matter search experiment has... 11059 In recent years quantum phenomena have been ... 11060 The efficiency of intracellular cargo transp... 11061 Deep learning models have consistently outpe... 11062 Using a semiclassical Greens function formal... 11063 We introduce a new cosmic emulator for the m... 11064 In this paper we compare the performance of ... 11065 In this paper we consider Burgers equation w... 11066 Delaydifferential equations are functional d... 11067 VSe is a transition metal dichaclogenide whi... 11068 Procedural textures are normally generated f... 11069 Multiple planet systems provide an ideal lab... 11070 Conditional Generative Adversarial Networks ... 11071 The attainability of modification of the app... 11072 We complement the argument of M Z Garaev wi... 11073 YBaCuOAg pressure point contacts with direct... 11074 We show that Zamolodchikov dynamics of a rec... 11075 In most macroscale robotics systems propuls... 11076 Longrange macrodimers formed by Dstate cesiu... 11077 Galactic winds from starforming galaxies pla... 11078 Endtoend training of automated speech recogn... 11079 Even though sequencetosequence neural machin... 11080 This tutorial introduces a new and powerful ... 11081 We investigate the minimum cases for realtim... 11082 We introduce the abstract notion of a neckli... 11083 Application Programming Interfaces APIs ofte... 11084 Does the human lifespan have an impenetrable... 11085 Object detection when provided imagelevel la... 11086 The coverage probability of a user in a mmwa... 11087 We study the application of polar codes in d... 11088 In this dissertation we focus on several imp... 11089 We consider how to connect a set of disjoint... 11090 In target tracking the estimation of an unkn... 11091 We give a detailed proof of some facts about... 11092 In many machine learning applications there ... 11093 We consider two greedy algorithms for minimi... 11094 We study the phase diagram of the triangular... 11095 On June Turkey held a historical election ... 11096 Insertion is a challenging haptic and visual... 11097 The Lorentz offaxis electron holography tech... 11098 Capturing both the structural and temporal a... 11099 In this article we develop algorithms for da... 11100 This paper describes a new algorithm for sol... 11101 We determine the group strucure of the rd ho... 11102 In this paper we investigate existence and n... 11103 Purpose We present a new method to evaluate ... 11104 Feature selection problems arise in a variet... 11105 We develop an approach to realize a quantum ... 11106 Pemantle and Steif provided a sharp threshol... 11107 The digital traces we leave behind when enga... 11108 For a free presentation to R to F to G to ... 11109 This work presents a new tool to verify the ... 11110 We consider layered decorated honeycomb latt... 11111 The optical vortex coronagraph OVC is one of... 11112 Symbolic computation is an important approac... 11113 We present a general model allowing quantum ... 11114 Network analysis techniques remain rarely us... 11115 Online Social Networks OSNs have become one ... 11116 The stochastic variancereduced gradient meth... 11117 Recently studies on deep Reservoir Computing... 11118 Partandparcel of the study of multiplicative... 11119 Topological Dirac and Weyl semimetals not on... 11120 This work considers the inclusion detection ... 11121 Given a Hermitian manifold Mng the Gauduchon... 11122 There has been growing interest in extending... 11123 We investigate finitesize effects on diffusi... 11124 It is known that Boosting can be interpreted... 11125 We investigate the resistive switching behav... 11126 This paper proposes a convolutional neural n... 11127 Quantum computing is moving rapidly to the p... 11128 We consider the problem of learning a onehid... 11129 The direct growth of graphene on semiconduct... 11130 We study nonconservative like SODEs admittin... 11131 Constrained Markov Decision Process CMDP is ... 11132 The role of scalable highperformance workflo... 11133 The standard Kernel Quadrature method for nu... 11134 A quasirelativistic twocomponent approach fo... 11135 An important preprocessing step in most data... 11136 We consider a system of N particles interact... 11137 We study the complexity of geometric problem... 11138 We present a unified framework to analyze th... 11139 In this paper we propose an eigenvalue analy... 11140 In this article we present a brief narration... 11141 We prove that integer programming with three... 11142 Dictionary learning and component analysis a... 11143 Despite the wide use of machine learning in ... 11144 Communities are ubiquitous in nature and soc... 11145 Let XlambdaldotsXlambdan be dependent nonne... 11146 Termresolution provides an elegant mechanism... 11147 This article is concerned with quantitative ... 11148 To enable electric vehicles EVs to access to... 11149 Betweenness centralitymeasuring how many sho... 11150 Understanding the nature of the turbulent fl... 11151 Neural field theory is used to quantitativel... 11152 We address the problem of cameratolaserscann... 11153 The use of volunteers has emerged as lowcost... 11154 Objective The coupling between neuronal popu... 11155 Synchronized measurements of a large power g... 11156 We study poolbased active learning with abst... 11157 Many chemical systems cannot be described by... 11158 Shape analyses of tephra grains result in un... 11159 The highperformance computing resources and ... 11160 Visual question answering is a recently prop... 11161 For natural microswimmers the interplay of s... 11162 In this article we construct a twoblock Gibb... 11163 Understanding excited carrier dynamics in se... 11164 Robots have gained relevance in society incr... 11165 Rapport plays an important role during commu... 11166 The main theorems of this paper are there i... 11167 We present nearinfrared spectra for candida... 11168 An efficient Bayesian technique for estimati... 11169 We have investigated tunneling current throu... 11170 The Graph Convolutional Network GCN model an... 11171 There are many different relatedness measure... 11172 Nowadays many companies have available large... 11173 We investigate the butterfly effect and char... 11174 Although all superconducting cuprates displa... 11175 In this paper we use deep feedforward artifi... 11176 The purpose of this work is mostly expositor... 11177 Simulationbased image quality metrics are ad... 11178 TemporalDifference learning TD Sutton with ... 11179 We show that the first order theory of the l... 11180 A cloud server spent a lot of time energy an... 11181 We study smallscale and highfrequency turbul... 11182 Hormozgan Province located in the south of I... 11183 Biological and cellular systems are often mo... 11184 We study empirical statistical and gap distr... 11185 Mobile payment systems are increasingly used... 11186 Deep convolutional Neural Networks CNN are t... 11187 We study spin deformedAKLT models on the squ... 11188 We consider statistical estimation of superh... 11189 This paper proves that an irreducible subfac... 11190 The latest techniques from Neural Networks a... 11191 Weak gravitational lensing alters the appare... 11192 Solitons are of the important significant in... 11193 We explore several problems related to ruled... 11194 The recent Nobelprizewinning detections of g... 11195 A selfdoping effect between outer and inner ... 11196 Player selection is one the most important t... 11197 Probabilistic modeling enables combining dom... 11198 While supermassive black holes are known to ... 11199 Many different approaches for neural network... 11200 Providing systems the ability to relate ling... 11201 In this paper we study the limitations of pa... 11202 Applying the principle of equivalence analog... 11203 In Demand Response programs price incentives... 11204 In this letter we introduce a distributed Ne... 11205 One of the most important features of mobile... 11206 It is well known that the normaized characte... 11207 To solve the spectrum scarcity problem the c... 11208 The growing interest for high dimensional an... 11209 Extended Dynamic Mode Decomposition EDMD is ... 11210 R Version patched has an issue with its ran... 11211 QuasiNormal Modes QNM or ringdown phase of g... 11212 The investigations on higherorder type theor... 11213 An evaluation of FBST Fully Bayesian Signifi... 11214 We propose a minimal solution for pose estim... 11215 Embedding methods such as word embedding hav... 11216 RNAbinding proteins RBPs play crucial roles ... 11217 Transition metal oxides TMOs are complex ele... 11218 In the presence of background noise and inte... 11219 Currently diagnosis of skin diseases is base... 11220 Bayesian optimization BO has become an effec... 11221 We study networks of firms with Leontief pro... 11222 In this paper we study the stochastic gradie... 11223 The consistent demand for better performance... 11224 Covariate shift relaxes the widelyemployed i... 11225 Across smartgrid and smartcity applications ... 11226 The common feature of various plasmonic sche... 11227 We present a method of memory footprint redu... 11228 In this note we prove the Paynetype conjectu... 11229 The aim of this note is to give an alternati... 11230 The paper is primarily concerned with the as... 11231 This paper develops an inverse reinforcement... 11232 We consider the question of accurately and e... 11233 In this work we derive a new kind of rainbow... 11234 We reinterpret Kims nonabelian reciprocity m... 11235 Instance and labeldependent label noise ILN ... 11236 We study the problem of community detection ... 11237 We give finite presentations of the saturate... 11238 We prove a characterization of tquery quantu... 11239 We present the Parallel ForwardBackward with... 11240 The detection of gravitational waves GWs gen... 11241 A Markovchain model is developed for the pur... 11242 Note that this paper is superceded by BlackB... 11243 A family mathcal Fsubset nchoose k is Usq of... 11244 Electrostatic interactions play a fundamenta... 11245 The theory of receptorligand binding equilib... 11246 Spincharge separation is known to be broken ... 11247 It is inconceivable how chaotic the world wo... 11248 In this paper we adopt a categorytheoretic a... 11249 The selfconsistent harmonic approximation is... 11250 To resolve conflicts among norms various non... 11251 We develop fast spectral algorithms for tens... 11252 We study the problem of testing conductance ... 11253 Recently single crystalline carbon nitride D... 11254 Automatic segmentation of liver lesions is a... 11255 In this work we characterize the combinatori... 11256 Optical and nearinfrared photometry optical ... 11257 In this article we give a full description o... 11258 We suggest that ultrahighenergy UHE cosmic r... 11259 We study that the breakdown of epidemic depe... 11260 We consider the asymptotics of large externa... 11261 Handbuilt verb clusters such as the widely u... 11262 The remoteness of the Sun and the harsh cond... 11263 How atoms in covalent solids rearrange over ... 11264 Models are often defined through conditional... 11265 Estimation of the intensity of a point proce... 11266 We consider a particular type of sqrtLiouvil... 11267 We give new constructions of two classes of ... 11268 The paper investigates the problem of fittin... 11269 This paper provides a link between timedomai... 11270 We propose an intelligent proactive content ... 11271 The Juno Orbiter has provided improved estim... 11272 Generative Adversarial Networks GANs have be... 11273 A characteristic feature of differentialalge... 11274 Java platform and thirdparty libraries provi... 11275 This paper presents a Light Detection and Ra... 11276 We propose a new blind source separation alg... 11277 Upperdivision physics students spend much of... 11278 Accurate and automated detection of anomalou... 11279 The magnetic properties of the pyrochlore ir... 11280 We report the discovery and the analysis of ... 11281 We present a singlechannel phasesensitive sp... 11282 For a monic polynomial DX of even degree exp... 11283 Spatially resolving the immediate surroundin... 11284 In the low rank matrix completion LRMC probl... 11285 From just a glance humans can make rich pred... 11286 Context Clouds have already been detected in... 11287 We have found Dirac nodal lines DNLs in the ... 11288 Hair cells of the auditory and vestibular sy... 11289 External localization is an essential part f... 11290 Natural language elements eg todo comments a... 11291 Information extraction IE from text has larg... 11292 Domestic violence DV is a global social and ... 11293 We provide numerical evidence demonstrating ... 11294 Electron ptychography has seen a recent surg... 11295 We have modeled laserinduced transient curre... 11296 Isolated quantum manybody systems with integ... 11297 We first consider the additive Brownian moti... 11298 In this paper we complete the study started ... 11299 Mosquitoes are a major vector for malaria ca... 11300 This paper presents a generic Bayesian frame... 11301 In this paper we propose a supervised learni... 11302 Woodin has shown that if there is a measurab... 11303 Collective effects in deformed atomic nuclei... 11304 We propose an efficient and scalable method ... 11305 We study a pumping lemma for the wordtree la... 11306 In order to alleviate data sparsity and over... 11307 Cognitive arithmetic studies the mental proc... 11308 Arbitrarily many pairwise inequivalent modul... 11309 While anomaly detection in static networks h... 11310 In this work we explore the utility of local... 11311 We propose a method for feature selection th... 11312 We demonstrate the existence of the excited ... 11313 In this paper we discuss the generalized Ham... 11314 We examine systematically the inconsistency ... 11315 We theoretically investigate the spin inject... 11316 Contactassisted protein folding has made ver... 11317 A semiorder is a model of preference relatio... 11318 Let Rn mathfrak mn n ge be an infinite seq... 11319 Deep neural networks are notorious for being... 11320 We introduce a new model of teaching named p... 11321 We study a binary spinmixture of a zerotempe... 11322 In an ideal test of the equivalence principl... 11323 To understand emergent magnetic monopole dyn... 11324 The hexatic phase predicted by the theories ... 11325 Despite the fact that the observed gradient ... 11326 Traffic forecasting is a particularly challe... 11327 We consider two types of averaging of comple... 11328 This paper characterizes the capacity region... 11329 Lifestyles are a valuable model for understa... 11330 With the availability of more powerful compu... 11331 We propose two algorithms that can find loca... 11332 The mean growth rate of the state vector is ... 11333 Doctors often rely on their past experience ... 11334 Machine Learning ML and Deep Learning DL mod... 11335 We define the formal affine Demazure algebra... 11336 Homographs words with different meanings but... 11337 We show that a Hitchin representation is det... 11338 Digital pathology is not only one of the mos... 11339 We present an algorithm to generate syntheti... 11340 Given the widespread popularity of spectral ... 11341 The stochastic block model is widely used fo... 11342 Ego networks have proved to be a valuable to... 11343 In the space of less than one decade the sea... 11344 We performed a comparative study of extracti... 11345 We propose a conjectural explicit formula of... 11346 We describe a method for formationchange tra... 11347 Bubbly flows as present in bubble column rea... 11348 In this paper we study the problem of sampli... 11349 The Madry Lab recently hosted a competition ... 11350 Difficult problems described in terms of int... 11351 We describe Sockeye version an opensource s... 11352 Shape information is of great importance in ... 11353 In the present day AES is one the most widel... 11354 We establish a natural connection of the qVi... 11355 This paper examines the noise handling prope... 11356 Despite its ubiquity in our daily lives AI i... 11357 D GrigorievG Koshevoy recently proved that t... 11358 We study the normal closure of a big power o... 11359 Cyber Physical Systems CPS are becoming ubiq... 11360 Treatment effects can be estimated from obse... 11361 Analytical electron microscopy and spectrosc... 11362 We consider the problem of global optimizati... 11363 This study proposes a fully convolutional ne... 11364 Recent technological development has enabled... 11365 Modern technology for producing extremely br... 11366 Many realworld applications require robust a... 11367 The recombination of charges is an important... 11368 Gaussian mixture models GMM are powerful par... 11369 We study the effect of constant shifts on th... 11370 Joint visual attention is characterized by t... 11371 We consider the IBVP in exterior domains for... 11372 Using a sample of galaxies selected from the... 11373 Deep network pruning is an effective method ... 11374 We propose a systematic learningbased approa... 11375 Vision sensors lie in the heart of computer ... 11376 We propose a methodology that adapts graph e... 11377 The electrical conductivity and dielectric p... 11378 One of the varieties of pores often found in... 11379 Successful programs are written to be mainta... 11380 Over the last decade both the neural network... 11381 Memory has a great impact on the evolution o... 11382 The CamassaHolm equation and its twocomponen... 11383 In the hydrodynamic regime the evolution of ... 11384 Maxmixture processes are defined as Z maxaX... 11385 The purpose of this paper is to point out a ... 11386 Quantized Neural Networks QNNs which use low... 11387 The Frame Problem FP is a puzzle in philosop... 11388 In this paper we present a data visualizatio... 11389 If the very early Universe is dominated by t... 11390 We examine the relationship between the doub... 11391 During inflation massive fields can contribu... 11392 These lecture notes are concerned with the s... 11393 This text contains over three hundred specif... 11394 We present SeNMR measurements on singlecryst... 11395 The present study proposes LitStoryTeller an... 11396 Conventional sound shielding structures typi... 11397 Traditional dictionary learning methods are ... 11398 We introduce a stopcode tolerant SCT approac... 11399 We introduce dual matroids of dimensional si... 11400 Linear and nonlinear optical properties of l... 11401 We prove a general family of congruences for... 11402 Completely positive and completely bounded m... 11403 In this paper we investigate the number of i... 11404 Electronic and magnetic properties of DNA st... 11405 In this paper a stochastic model with regime... 11406 Employing ab initio calculations we discuss ... 11407 Early and accurate identification of parkins... 11408 Structured Prediction Energy Networks SPENs ... 11409 The selfaction features of wave packets prop... 11410 We propose a network independent handheld sy... 11411 In this paper we show how controllers create... 11412 A rectangular grid formed by liquid filament... 11413 A CyberPhysical System CPS is defined by its... 11414 Chemotaxis is a ubiquitous biological phenom... 11415 Jupiters banded appearance may appear unchan... 11416 This paper offers a methodological contribut... 11417 This paper is an axiomatic study of consiste... 11418 We address the problem of predicting the sol... 11419 In this paper we study sharp generalizations... 11420 After the diagnosis of a disease one major o... 11421 Let X be a smooth projective manifold with d... 11422 The ordered L FeNi phase tetrataenite is rec... 11423 An orientationpreserving branched covering f... 11424 This article introduces planar shape signatu... 11425 The paper investigates the asymptotic behavi... 11426 The interplay of almost degenerate levels in... 11427 As we know some global optimization problems... 11428 Dictionaries are collections of vectors used... 11429 In recent years Variation Autoencoders have ... 11430 A complex projective manifold is rationally ... 11431 We define a Koszul sign map encoding the Kos... 11432 Spaceborne lowto mediumresolution R transmis... 11433 We introduce the concept of multiplicatively... 11434 The concept of a hybrid readout of a time pr... 11435 We introduce and describe the results of a n... 11436 Learning with Reproducing Kernel Hilbert Spa... 11437 We investigate the dynamics of a coupled wav... 11438 Text extraction is an important problem in i... 11439 Longlead forecasting for spatiotemporal syst... 11440 In imaging modalities recording diffraction ... 11441 We consider the problem of the annual mean t... 11442 The issue of how time reversible microscopic... 11443 Motivated by relatively few delayoptimal sch... 11444 This is a survey on recent developments on t... 11445 We consider the theoretical properties of a ... 11446 The coupled evolution of the magnetic field ... 11447 In this paper we present a novel approach fo... 11448 Several studies have shown that stellar acti... 11449 The distributions of species lifetimes and s... 11450 The problem of routing in graphs using noded... 11451 Gaussian random fields are popular models fo... 11452 We show how the discovery of robust scalable... 11453 According to the principle of polyrepresenta... 11454 Although Bayesian inference is an immensely ... 11455 Despite the outstanding achievements of mode... 11456 In this paper we investigate zeros of differ... 11457 If spreadsheets are not erroneous then who o... 11458 We investigate modulational instability MI i... 11459 Discovering automatically the semantic struc... 11460 We present a new method of generating mixtur... 11461 Let Omegasubsetmathbb Rn be a Lipschitz doma... 11462 In this paper we address cardinality estimat... 11463 We consider a nonstationary sequential stoch... 11464 We report a study on spin conductance in ult... 11465 In this work we focus on on the approach by ... 11466 Deep generative networks provide a powerful ... 11467 Deep neural networks with their large number... 11468 Persistent currents in Bose condensates with... 11469 Generality is one of the main advantages of ... 11470 Model Predictive Control MPC is the principa... 11471 With a majority of Yes votes in the Constitu... 11472 This paper discusses the efficient Bayesian ... 11473 Colorado conducted risklimiting tabulation a... 11474 With Hubble Space Telescope Fine Guidance Se... 11475 There is a paradox in the model of social dy... 11476 The Discrete Truncated Wigner Approximation ... 11477 In this paper we investigate the parametric ... 11478 Markov processes are well understood in the ... 11479 We present the analysis results of an eclips... 11480 Calibration of individual based models IBMs ... 11481 Health insurance companies in Brazil have th... 11482 In Corteel Savelief and Vuleti generalized ... 11483 Data driven research on Android has gained a... 11484 Humans are increasingly stressing ecosystems... 11485 Recent experiments show that both natural an... 11486 When analyzing empirical data we often find ... 11487 Technological developments call for increasi... 11488 The pulserecloser uses pulse testing technol... 11489 The network alignment problem asks for the b... 11490 We give a nonparametric methodology for hypo... 11491 Sports channel video portals offer an exciti... 11492 We investigate how dynamic correlations of h... 11493 In this article we consider the problem of e... 11494 This letter adopts long shortterm memoryLSTM... 11495 There has been great progress recently in fo... 11496 Lineage tracing the joint segmentation and t... 11497 We consider a generalization of kmedian and ... 11498 Brain signal data are inherently big massive... 11499 Every automorphisminvariant right nonsingula... 11500 We present visible spectra of Aglike df and ... 11501 We introduce a gradient flow formulation of ... 11502 We present constraints on masses of active a... 11503 In this paper we present BubbleView an alter... 11504 We present a study of the influence of disor... 11505 We present the methodology for and detail th... 11506 Synthesizing userintended programs from a sm... 11507 We performed simulations for solid molecular... 11508 A method is described for the detection and ... 11509 We derive the Hilbert space formalism of qua... 11510 In this paper we construct global actionangl... 11511 The block maxima method in extreme value the... 11512 We demonstrate the active tuning of alldiele... 11513 We study the problem of semisupervised quest... 11514 We propose an approach for showing rationali... 11515 With the availability of large databases and... 11516 WTe and its sister alloys have attracted tre... 11517 Learning social media data embedding by deep... 11518 Traditional supervised learning makes the cl... 11519 Applied statisticians use sequential regress... 11520 Interpretability has become incredibly impor... 11521 Let E be a closed set in the Riemann sphere ... 11522 AI applications have emerged in current worl... 11523 In monadic programming datatypes are present... 11524 We give faster algorithms for producing spar... 11525 We introduce a generalized kFL sequence and ... 11526 The crucial importance of metrics in machine... 11527 The KuramotoSivashinsky PDE on the line with... 11528 We present the full results of our decadelon... 11529 The velocity anisotropy parameter beta is a ... 11530 A computational flow is a pair consisting of... 11531 Let N be a compact connected nonorientable s... 11532 Electric and thermal transport properties of... 11533 We report that a longitudinal epsilonnearzer... 11534 With the trend of increasing wind turbine ro... 11535 p based VX communication uses stochastic med... 11536 We prove moment inequalities for a class of ... 11537 The multiarmed bandit MAB problem is a class... 11538 We study the least squares regression proble... 11539 Permutation tests are among the simplest and... 11540 Gaussian belief propagation BP has been wide... 11541 Static and dynamic properties of vortices in... 11542 Advances in remote sensing technologies have... 11543 Multiresolution analysis and matrix factoriz... 11544 Let k be an algebraically closed field and A... 11545 Magnesium and its alloys are being considere... 11546 In this article we discuss a probabilistic i... 11547 In most process control systems nowadays pro... 11548 The popular BFGS quasiNewton minimization al... 11549 Volunteer computing VC or distributed comput... 11550 We develop a theory of the quasiparticle int... 11551 Almost twenty years ago ER Fernholz introduc... 11552 We introduce an approach based on the Givens... 11553 Silicon singlephoton detectors SPDs are the ... 11554 In many statistical applications that concer... 11555 We investigate the identification of hydroge... 11556 An empirical relation indicates that an incr... 11557 We investigate a family of regression proble... 11558 We consider the nonlinear Schrdinger NLS equ... 11559 In this paper we are interested in multifrac... 11560 We report on observation of the unusual kind... 11561 We study the commutative positive varieties ... 11562 We present a model of contagion that unifies... 11563 The luminous efficiency of meteors is poorly... 11564 A van der Waals vdW density functional was i... 11565 We analyze the interiors of HDb and c which ... 11566 We give a complete classification up to isom... 11567 We prove that two smooth families of connect... 11568 We improve existing lower bounds of the hype... 11569 An important problem in many domains is to p... 11570 For the multivariate COGARCH volatility proc... 11571 In this short essay we discuss some basic fe... 11572 The trigram I love being is expected to be f... 11573 Deep neural networks DNNs have achieved supe... 11574 The HylleraasBsplines basis set is introduce... 11575 A Revival of the South Equatorial Belt SEB i... 11576 Regularization is important for endtoend spe... 11577 The maximum coercivity that can be achieved ... 11578 We formulate the N soliton solution of the W... 11579 Repairing locality is an appreciated feature... 11580 Kiyota Murai and Wada conjectured in that t... 11581 There exist many ways to build an orthonorma... 11582 We design new algorithms for the combinatori... 11583 Tungsten oxide and its associated bronzes co... 11584 We examine the problem of transforming match... 11585 We critically review the recent debate betwe... 11586 It is needed to ensure the integrity of syst... 11587 Network support is a key success factor for ... 11588 This paper shows that a perturbed form of gr... 11589 This article outlines different stages in de... 11590 Reliable uncertainty estimation for time ser... 11591 In this paper we consider a vehicular networ... 11592 Context Information Technology consumes up t... 11593 We introduce Parseval networks a form of dee... 11594 High purity Zinc Selenide ZnSe crystals are ... 11595 Algorithms for equilibrium computation gener... 11596 We propose a probabilistic model to aggregat... 11597 Debris disk morphology is wavelength depende... 11598 Water pollution is a major global environmen... 11599 During the High Luminosity LHC the CMS detec... 11600 One of the most prevalent symptoms among the... 11601 Nonconvex penalty methods for sparse modelin... 11602 Mobile phones identification through their b... 11603 This paper demonstrates how to apply machine... 11604 The article outlines in memoriam Prof Pavel ... 11605 We consider the problem of classifying data ... 11606 The magnetism of ordered and disordered LaNi... 11607 Partially Observable Markov Decision Process... 11608 Multitask learning MTL has led to successes ... 11609 Largearea simcm films of vertical heterostru... 11610 We conjecture a formula for the generating f... 11611 Using variational Bayes neural networks we d... 11612 Theorems and techniques to form different ty... 11613 Suppose that Alice and Bob are located in di... 11614 We study the Bratteli diagram of Sylow subgr... 11615 In this paper we prove that under proper con... 11616 Recently He and Owen proposed the use of Hi... 11617 Stratum the defacto mining communication pro... 11618 This paper provides a comparison between the... 11619 This paper introduces a new free library for... 11620 Objectivity is often considered as an ideal ... 11621 In this work we report the synthesis and str... 11622 We consider the linear regression problem un... 11623 Five simple soft sensor methodologies with t... 11624 We have developed a new datadriven paradigm ... 11625 Deep neural networks are the stateoftheart m... 11626 In the present note we consider the problem ... 11627 This is the second companion paper of arXiv ... 11628 We consider a twophase flow of two incompres... 11629 MOBAs represent a huge segment of online gam... 11630 We study twoplayer inclusion games played ov... 11631 The migration of planets on nearly circular ... 11632 We have researched the motion of gas in the ... 11633 The implementation of optimal power flow OPF... 11634 We present theoretical calculations to inter... 11635 The photoelectron spectrum of water has been... 11636 By virtue of Balmers celebrated theorem the ... 11637 We study the underdamped Langevin diffusion ... 11638 Direct numerical simulation is performed to ... 11639 The development of spiking neural network si... 11640 We propose an algorithm to separate simultan... 11641 The quest for biologically plausible deep le... 11642 Signed networks are a crucial tool when mode... 11643 Recently we proposed a general ensemblebased... 11644 TaSb has been predicted theoretically and pr... 11645 The training of Generative Adversarial Netwo... 11646 This work is concerned with the prime factor... 11647 The purpose of this note is to prove dispers... 11648 If M is a finite volume complete hyperbolic ... 11649 Solids deform and fluids flow but soft glass... 11650 We describe the technical effort used to pro... 11651 We show that the recently introduced iterati... 11652 We prove that for any winding number m patte... 11653 Let Afn be the normalized Fourier coefficien... 11654 The present letter to the editor is one in a... 11655 In this paper we give explicit expressions o... 11656 We construct a new family of high genus exam... 11657 This thesis presents the design analysis and... 11658 Recent results have suggested that active ga... 11659 Degree ssortativity is the tendency for node... 11660 We propose a unified framework for establish... 11661 Aggregate analysis such as comparing country... 11662 In this paper we investigate the behavior of... 11663 Among several quantitative invariants found ... 11664 We present a novel method for obtaining high... 11665 Bulk sensitive hard xray photoelectron spect... 11666 Consider the graph that has as vertices all ... 11667 After being trained classifiers must often o... 11668 In this paper we find a condition under whic... 11669 We grow nearly freestanding singlelayer TWTe... 11670 This paper is concerned with structured mach... 11671 This paper investigates to identify the requ... 11672 We investigate the galaxy overdensity around... 11673 The dark matter search project by means of u... 11674 Recurrent neural networks have been the domi... 11675 The physical mechanisms of the laserinduced ... 11676 SSDs are currently replacing magnetic disks ... 11677 In a recent paper Giardin Giberti Hofstad P... 11678 Keyphrase boundary classification KBC is the... 11679 The aim of this article is the construction ... 11680 We present a new topic model that generates ... 11681 In this article a few problems related to mu... 11682 We revisit the problem of characterizing the... 11683 The mathcalGI distribution is able to charac... 11684 We present a novel optimization method named... 11685 Information forms the basis for all human be... 11686 The paper evaluates the influence of the max... 11687 Let Zn be the finite commutative ring of res... 11688 We demonstrate the existence of a novel quas... 11689 Future grid scenario analysis requires a maj... 11690 Pumpprobe electron energyloss spectroscopy E... 11691 We consider families of symmetric linear pro... 11692 The CHIME telescope the Canadian Hydrogen In... 11693 In the present article we analyse the behavi... 11694 We theoretically investigate the mechanical ... 11695 A twolayer shallow water type model is propo... 11696 Chondrules are primitive materials in the So... 11697 The edit distance under the DCJ model can be... 11698 Learningbased hashing methods are widely use... 11699 Given a dimensional scheme mathbbX in a proj... 11700 There is widespread confusion about the role... 11701 In this work we derive relations between gen... 11702 Considerable literature has been developed f... 11703 The mixedness of a quantum state is usually ... 11704 This paper introduces a new concept of stoch... 11705 We experimentally explore the topological Ma... 11706 We report a detailed study of the transport ... 11707 In realworld scenarios it is appealing to le... 11708 NEWAGE is a directionsensitive darkmattersea... 11709 The lack of opensource tools for hyperspectr... 11710 We study the problem of searching for and tr... 11711 We prove regularity estimates for entropy so... 11712 We analyze the ground state localization pro... 11713 We propose a calibrated filtered reduced ord... 11714 The interaction of light with an atomic samp... 11715 Technological advancement in Wireless Sensor... 11716 J Willard Gibbs Elementary Principles in Sta... 11717 In this work we focus on multilingual system... 11718 SPIDERS SPectroscopic IDentification of eROS... 11719 Taskspecific word identification aims to cho... 11720 We introduce a simple subuniversal quantum c... 11721 We present psiMSSM a model based on a Upsi e... 11722 Reliable extraction of cosmological informat... 11723 Given a geometric path the TimeOptimal Path ... 11724 We consider deep classifying neural networks... 11725 We study statistical inference for smallnois... 11726 Visualization of tabular datafor both presen... 11727 Strong electron interactions can drive metal... 11728 We use a variant of the technique in Laca to... 11729 Sterile neutrinos are natural extensions to ... 11730 Probabilistic mixture models have been widel... 11731 This paper presents the kinematic analysis o... 11732 Context The gravitational lensing time delay... 11733 In a projective plane Piq not necessarily De... 11734 We present sketchrnn a recurrent neural netw... 11735 This paper presents privileged multilabel le... 11736 We refine a result of the last two Authors o... 11737 Trace norm regularization is a widely used a... 11738 Reaction networks are mainly used to model t... 11739 In this paper we introduce the notions of rm... 11740 Given a straightline drawing Gamma of a grap... 11741 Light curves show the flux variation from th... 11742 We consider the problem of performing invers... 11743 In this paper we introduce and analyse Lange... 11744 The success of automated driving deployment ... 11745 Americas transportation infrastructure is th... 11746 Crosslaminated timber CLT is a prefabricated... 11747 Representing domain knowledge is crucial for... 11748 We investigate how the constraint results of... 11749 In classical mechanics a light particle boun... 11750 We introduce a new isomorphisminvariant noti... 11751 Assistive robotic devices can be used to hel... 11752 Influence diagrams are a decisiontheoretic e... 11753 We have obtained OH spectra of four transiti... 11754 Graphene nanoribbons with armchair edges are... 11755 Given the important role that the galaxy bis... 11756 This article is a brief introduction to the ... 11757 We measure the field dependence of spin glas... 11758 Two channels are said to be equivalent if th... 11759 This paper presents transient numerical simu... 11760 Charge modulations are considered as a leadi... 11761 This paper proposes a new approach to constr... 11762 This paper studies the problem of detection ... 11763 We demonstrate a new approach to calibrating... 11764 The field of discrete event simulation and o... 11765 We present Deeply Supervised Object Detector... 11766 Data enables NonGovernmental Organisations N... 11767 The past decade has seen an increasing body ... 11768 Necessary and sufficient conditions for fini... 11769 In this paper we introduce the notion of Aus... 11770 Current formal approaches have been successf... 11771 Compared with conventional accelerators lase... 11772 We study the problem of detecting humanobjec... 11773 This paper presents a model for a dynamical ... 11774 In this paper scalable Whole Slide Imaging s... 11775 Motivation Understanding functions of protei... 11776 We investigate the prospects for micronscale... 11777 This paper examines the problem of adaptive ... 11778 This work presents an evaluation study using... 11779 Despite being popularly referred to as the u... 11780 Deep neural networks are known to be difficu... 11781 The main aim of this paper is to extend one ... 11782 Logarithmic score and information divergence... 11783 For each integer n we present an explicit fo... 11784 While online services emerge in all areas of... 11785 This paper the third in a series completes o... 11786 Lowprofile patterned plasmonic surfaces are ... 11787 Hamiltonian dynamics has been applied to stu... 11788 Intense pulsed ion beams locally heat materi... 11789 We undertake a systematic comparison between... 11790 We propose a novel method to directly learn ... 11791 We address problems underlying the algorithm... 11792 We calculate model theoretic ranks of Painle... 11793 We review some of the basic concepts and the... 11794 Causal discovery broadens the inference poss... 11795 In this paper we combine concepts from Riema... 11796 In this paper we introduce a combinatorial f... 11797 This paper will describe a novel approach to... 11798 A normal conductor placed in good contact wi... 11799 We study the parameter estimation for parabo... 11800 We consider the constrained assortment optim... 11801 We have obtained the energy spectra of cosmi... 11802 Advanced optimization algorithms such as New... 11803 We propose a novel formulation for approxima... 11804 We prove a continuous embedding that allows ... 11805 The new cyber attack pattern of advanced per... 11806 Autonomous driving is getting a lot of atten... 11807 Though deep neural networks have achieved si... 11808 The issue on the effect of interactions in t... 11809 Does academic engagement accelerate or crowd... 11810 We present a novel AffineGradient based Loca... 11811 We combine aspects of the notions of finite ... 11812 We consider steady nonlinear free surface fl... 11813 LaxCaxMnO LCMO has been studied in the frame... 11814 We analyze time evolution of statistical dis... 11815 In the era of vast spectroscopic surveys foc... 11816 By using the unfolding operators for periodi... 11817 In the SachdevYeKitaev model we argue that t... 11818 Inspired by the work of Henn Lannes and Schw... 11819 In single star systems like our own Solar sy... 11820 We study the twophoton laser excitation to t... 11821 A BoseEinstein condensate confined in ring s... 11822 Deep learning networks have achieved stateof... 11823 Traditional web search forces the developers... 11824 In this paper we propose the first homomorph... 11825 We explore the competition and coupling of v... 11826 We demonstrate how electric fields with arbi... 11827 Computation of semantic similarity between c... 11828 Associated to any closed quantum subgroup Gs... 11829 In the following we show the strong comparis... 11830 The distribution of metals in the intraclust... 11831 Click through rate CTR prediction is very im... 11832 We consider the closest lattice point proble... 11833 Capacity of a quantum channel characterizes ... 11834 Conformally variational Riemannian invariant... 11835 One of the most promising approaches to over... 11836 Data poisoning is an attack on machine learn... 11837 Macroscopic models for systems involving dif... 11838 Monomolecular drug carriers based on calixna... 11839 In visual surveillance systems it is necessa... 11840 We study an extension of active learning in ... 11841 Many digital functions studied in the litera... 11842 In psychological measurements two levels sho... 11843 Line bundles of rational degree are defined ... 11844 Linear structural equation models relate the... 11845 While an increasing number of twodimensional... 11846 In this paper we present a novel constructio... 11847 The Tunka Radio Extension TunkaRex is an ant... 11848 Calculations of the correlations between the... 11849 Animal groups exhibit emergent properties th... 11850 Using the BMC beamline at the Advanced Photo... 11851 Randomized quasiMonte Carlo RQMC sampling ca... 11852 Relational data are usually highly incomplet... 11853 On many parallel machines the time LQCD appl... 11854 We describe a purelymultiplicative method fo... 11855 Our daily perceptual experience is driven by... 11856 To reduce data collection time for deep lear... 11857 The mechanical behaviors of monolayer black ... 11858 The Ward identities for the charge and heat ... 11859 Short electron pulses are demonstrated to tr... 11860 Models that can simulate how environments ch... 11861 The ShockleyQueisser limit is one of the mos... 11862 In this communication we present a detailed ... 11863 Model selection on validation data is an ess... 11864 Motivation The scratch assay is a standard e... 11865 Robust analysis of coauthorship networks is ... 11866 Introduction Identification of bloodbased me... 11867 This article considers the minimal nonzero ... 11868 Let ADelta be a weak multiplier Hopf algebra... 11869 Recent advances in bandit tools and techniqu... 11870 Modern reinforcement learning algorithms rea... 11871 The antiferromagnetic Ising chain in both tr... 11872 We give a rigorous analysis of the statistic... 11873 The task of multistep ahead prediction in la... 11874 A common approach for designing scalable alg... 11875 In this paper we describe simode Separable I... 11876 We prove the following generalization of the... 11877 In this paper we introduce the online servic... 11878 The influence of superheat treatment on the ... 11879 This paper presents refinements to the execu... 11880 Within the standard framework of quasisteady... 11881 In this paper we are interested in the probl... 11882 We study the categories governing infinity w... 11883 The rakingratio method is a statistical and ... 11884 Predicting the efficacy of a drug for a give... 11885 Vagueness is something everyone is familiar ... 11886 We present a unique application of OxRAM dev... 11887 We investigate the GoosHanchen GH shifts ref... 11888 We discuss the potential advantages of calcu... 11889 A signed network is a network with each link... 11890 The fastICA algorithm is a popular dimension... 11891 As an emerging single elemental layered mate... 11892 Following Wigert a great number of authors i... 11893 This article extends bimetric formulations o... 11894 We analyze the dynamics of an online algorit... 11895 Integrated photonics is a leading platform f... 11896 When comparing the average citation impact o... 11897 Generalizations of classical theta functions... 11898 A challenge for molecular quantum dynamics Q... 11899 In this paper we consider the problem of pur... 11900 In the theory of secondorder nonlinear ellip... 11901 The purpose of this study is to investigate ... 11902 Alternative expressions for calculating the ... 11903 Learning cooperative policies for multiagent... 11904 The ablation of solid tin surfaces by an nan... 11905 The most precise local measurements of H rel... 11906 Deep learning thrives with large neural netw... 11907 For conventional secret sharing if cheaters ... 11908 This paper presents a Center of Mass CoM bas... 11909 In the present paper a continuum model is in... 11910 The convergence speed of stochastic gradient... 11911 This paper studies a problem of inverse visu... 11912 We reconsider the minimization of the compli... 11913 To help with the planning of intervehicular ... 11914 As many different D volumes could produce th... 11915 We consider minimization of stochastic funct... 11916 We have performed highresolution powder xray... 11917 Conditional generators learn the data distri... 11918 The need to develop models to predict the mo... 11919 We employ a hybrid approach in determining t... 11920 We study the impact of thermal inflation on ... 11921 We prove that the space of dominantnonconsta... 11922 Time spent in leisure is not a minor researc... 11923 In this paper we are interested in the probl... 11924 Anisotropy of friction force is proved to be... 11925 In combinatorial auctions a designer must de... 11926 The adaptability of the convolutional neural... 11927 A Ylinked twosex branching process with muta... 11928 In this work we propose an effective lowener... 11929 A selfcontained method of obtaining effectiv... 11930 Cell shape is an important biomarker Previou... 11931 We explore the use of Evolution Strategies E... 11932 Passive RadioFrequency IDentification RFID s... 11933 We present a new method for numerical hydrod... 11934 An effective approach to nonparallel voice c... 11935 Exchange hole is the principle constituent i... 11936 We investigate the environmental quenching o... 11937 We determine the BPmodule structure mod high... 11938 We consider the problem of learning the func... 11939 Deep reinforcement learning methods attain s... 11940 School bus planning is usually divided into ... 11941 In this work we proivied a new simpler proof... 11942 Deep generative models have been successfull... 11943 We present a brief review of discrete struct... 11944 This article is based on a series of lecture... 11945 Feedback control actively dissipates uncerta... 11946 The superposition of temporal point processe... 11947 Since the invention of wordvec the skipgram ... 11948 With the development of Big Data and cloud d... 11949 Level Consensus is a property of a preferenc... 11950 The sparsely spaced highly permeable fractur... 11951 The purpose of this paper is to investigate ... 11952 We address the problem of prescribing an opt... 11953 In this paper we show a variant of colorful ... 11954 We propose two classes of dynamic versions o... 11955 Dense subgraph discovery is a key primitive ... 11956 Convolutional neural networks provide visual... 11957 Microrobots have the potential to impact man... 11958 This research investigates the implementatio... 11959 The dual crises of the subprime mortgage cri... 11960 In this paper we propose a novel neural lang... 11961 We study sampling as optimization in the spa... 11962 We study laser cooling of Mg atoms in dipole... 11963 The problem of feature disentanglement has b... 11964 We consider the longterm collisional and dyn... 11965 Learning individuallevel causal effects from... 11966 This article gives an overview of gammaray b... 11967 In this paper we study a class of discreteti... 11968 A problem of Glasner now known as Glasners p... 11969 Many different methods to train deep generat... 11970 In this paper we study the online learning a... 11971 Swelling media eg gels tumors are usually de... 11972 In this paper we generalize the definition o... 11973 V Peg alias HS is a subdwarf B sdB pulsating... 11974 We study the convergence of an inexact versi... 11975 Ultrasound diagnosis is routinely used in ob... 11976 We study the quantum phase transitions in th... 11977 We consider the defocusing nonlinear wave eq... 11978 A fundamental characteristic of computer net... 11979 We present a parallel hierarchical solver fo... 11980 We present two new largescale datasets aimed... 11981 As robotic systems are moved out of factory ... 11982 The important task of developing verificatio... 11983 We demonstrate for the first time an efficie... 11984 This paper analyzes a simple game with n pla... 11985 In this paper we tackle the accurate and con... 11986 This volume contains the proceedings of MARS... 11987 When the electron density of highly crystall... 11988 Deep generative models such as Variational A... 11989 We develop new optimization methodology for ... 11990 A detailed development of the principal comp... 11991 The repulsive Fermi Hubbard model on the squ... 11992 A key phase in the bridge design process is ... 11993 Automatic questionanswering is a classical p... 11994 Changes to network structure can substantial... 11995 We show that the evolution of twocomponent p... 11996 We present a search for optical bursts from ... 11997 We report on the results of a de Haasvan Alp... 11998 An important yet challenging problem in unde... 11999 In this paper we study the classic problem o... 12000 Independent component analysis ICA decompose... 12001 The New Horizons spacecrafts nominal traject... 12002 Maintenance is an important activity in indu... 12003 Stochastic gradient methods are the workhors... 12004 This paper proposes a general framework for ... 12005 Given a finitely aligned kgraph Lambda we le... 12006 A phenomenon can hardly be found that accomp... 12007 Arrays of integers are often compressed in s... 12008 We study the Kondo physics of a quantum magn... 12009 In the present note we study Waldschmidt con... 12010 Over the past two decades the main focus of ... 12011 In this paper we generalize three identifica... 12012 Although for a number of semilinear stochast... 12013 We consider the problem of learning a lowran... 12014 This paper establishes the first performance... 12015 In this paper we introduce a new combinatori... 12016 Connectionist temporal classification CTC is... 12017 Buhrman showed that an efficient communicati... 12018 We propose a novel diminishing learning rate... 12019 The Wasserstein metric is an important measu... 12020 It is shown that the unit ball in mathbb Cn ... 12021 In this article recent progress on MLrandomn... 12022 With red supergiants RSGs predicted to end t... 12023 The symmetry algebra of the real elliptic Li... 12024 Due to its accuracy and generality Monte Car... 12025 We present a theoretical study of the finite... 12026 The chiral optical Tamm state COTS is a spec... 12027 In this paper our aim is to show some mean v... 12028 Research Objects ROs are semantically enhanc... 12029 This work introduces our approach to the fla... 12030 Pair creation on the cosmic infrared backgro... 12031 Knowledge Transfer KT techniques tackle the ... 12032 This article is an attempt to generalize Rie... 12033 When applied to training deep neural network... 12034 This paper studies the detection of bird cal... 12035 In this paper we consider a Bayesian framewo... 12036 We analyze the emission spectrum of the hot ... 12037 We propose an exploration method that incorp... 12038 Singleimagebased view generation SIVG is imp... 12039 With applications to many disciplines the tr... 12040 The concept of dynamical compensation has be... 12041 A MeV mA CW RFQ has been installed and com... 12042 Softmax is a standard final layer used in Ne... 12043 In this note we recall Kummers Fourier serie... 12044 In the study of extensions of polytopes of c... 12045 DEVS is a popular formalism for modelling co... 12046 Several active areas of research in novel en... 12047 The Machine Recognition of Crystallization O... 12048 This research investigated the potential for... 12049 Magnetotransport measurements in combination... 12050 Science education is a crucial issue with lo... 12051 We investigated the effect of outofplane cru... 12052 Solutions of partial differential equations ... 12053 All four giant planets in the Solar System f... 12054 Semantic segmentation like other fields of c... 12055 Photometric Stereo methods seek to reconstru... 12056 We introduce a web of strongly correlated in... 12057 Rainfall ensemble forecasts have to be skill... 12058 A basic problem in information theory is the... 12059 The computable model theory of modal logic w... 12060 DeepTingle is a text prediction and classifi... 12061 The ability of physical layer relay caching ... 12062 The theoretical description of the thermodyn... 12063 We present bounds for the finite sample erro... 12064 Butanol has received significant research at... 12065 Mutual Information MI is an useful tool for ... 12066 Bayesian online changepoint detection BOCPD ... 12067 Let mathcalBd be the unital Calgebra generat... 12068 The CANDECOMPPARAFAC CP decomposition is a l... 12069 A potential flow around a circular cylinder ... 12070 Bilateral trade is a fundamental economic sc... 12071 We report La and Cu NMR investigation of the... 12072 Field failures that is failures caused by fa... 12073 Crowdsourcing has been successfully applied ... 12074 We study a class of onedimensional classical... 12075 In this letter we propose an algorithm for r... 12076 This contributions discusses the simulation ... 12077 With the wide adoption of the multicommunity... 12078 In this paper we introduce and investigate a... 12079 We propose an adaptive estimator for the sta... 12080 We describe a highperformance implementation... 12081 The multimodal web elements such as text and... 12082 We investigate the lightcurve properties of ... 12083 Airbnb an online marketplace for accommodati... 12084 Dynamic race detection is the problem of det... 12085 The process of exploring and exploiting Oil ... 12086 We study a photonic analog of the chiral mag... 12087 The effects of pressure on the crystal struc... 12088 We link the theory of optimal transportation... 12089 This paper studies an intelligent ultimate t... 12090 This book introduces a temporal type theory ... 12091 We provide a direct construction of Poletsky... 12092 DRsubmodular continuous functions are import... 12093 A symmetric matrix is Robinsonian if its row... 12094 The detection of gravity plays a fundamental... 12095 Markov Chain Monte Carlo MCMC methods such a... 12096 Hurricanes are cyclones circulating about a ... 12097 A stochastic optimal control problem driven ... 12098 Magnetic induction was first proposed as a p... 12099 We investigate possible signatures of halo a... 12100 We present the Vortex Image Processing VIP l... 12101 HTTP h is a new standard for Web communicati... 12102 Let A in cal Cn be an extremal copositive ma... 12103 We propose a method for dualarm manipulation... 12104 We develop an acbiased shift register introd... 12105 The emerging era of personalized medicine re... 12106 While the costs of human violence have attra... 12107 We give some examples of the existence of so... 12108 We present accurate mass and thermodynamic p... 12109 In this article we study the linearized anis... 12110 We prove that the Teichmller space of surfac... 12111 Decision making in multiagent systems MAS is... 12112 We discuss several classes of integrable Flo... 12113 It is a simple fact that a subgroup generate... 12114 Transmission lines are vital components in p... 12115 The eigenstructure of the discrete Fourier t... 12116 This paper introduces a new Urban Point Clou... 12117 Various defense schemes which determine the... 12118 Black hole Xray transients show a variety of... 12119 We define a generalization of the free Lie a... 12120 In this paper we develop a generalized likel... 12121 In this paper we deal with the acceleration ... 12122 Diffusion magnetic resonance imaging dMRI is... 12123 The apelinergic system is an important playe... 12124 What happens to the most general closed osci... 12125 The widespread use of smartphones gives rise... 12126 The Algorithms for Lattice Fermions package ... 12127 As a disruptive technology blockchain partic... 12128 We analytically construct an infinite number... 12129 Tensor factorization models offer an effecti... 12130 In this work we first examine transverse and... 12131 This paper describes QCRIs machine translati... 12132 We consider one of the most important proble... 12133 In Arkin et al initiated a systematic study... 12134 For two Banach algebras A and B the TLau pro... 12135 Accurately modeling contact behaviors for re... 12136 In retailer management the Newsvendor proble... 12137 Analyzing the temporal behavior of nodes in ... 12138 In this paper we present a novel cache desig... 12139 Let X be a locally compact Abelian group Y b... 12140 Ultrafast perturbations offer a unique tool ... 12141 In recent years the phenomenon of online mis... 12142 A conceptual design for a quantum blockchain... 12143 Recent work on encoderdecoder models for seq... 12144 The capacity of a neural network to absorb i... 12145 In this paper we study principal components ... 12146 In metalearning an agent extracts knowledge ... 12147 We present an optical flow estimation approa... 12148 We propose a rankk variant of the classical ... 12149 In this manuscript we present exponential in... 12150 We consider selfavoiding lattice polygons in... 12151 Temporal difference learning and Residual Gr... 12152 We present analytical studies of a bosonferm... 12153 Existing works for extracting navigation obj... 12154 We present optimized source galaxy selection... 12155 The main result of this paper is that there ... 12156 Optimization of highdimensional blackbox fun... 12157 At the core of understanding dynamical syste... 12158 We propose a method for semisupervised train... 12159 We introduce a refined Sobolev scale on a ve... 12160 In this work we propose a goaldriven collabo... 12161 In this paper we introduce and evaluate PROP... 12162 Organisms use hairlike cilia that beat in a ... 12163 In multiserver distributed queueing systems ... 12164 Convolutional neural networks CNNs have stat... 12165 Recently a repeating fast radio burst FRB h... 12166 A vertex or edge in a graph is critical if i... 12167 We prove transverse Weitzenbck identities fo... 12168 In this work we present an adaptive Newtonty... 12169 In Fedorov discovered that a convex domain ... 12170 The spectrum of L on a pseudounitary group U... 12171 Objective Predict patientspecific vitals dee... 12172 One of the key challenges of visual percepti... 12173 We discuss channel surfaces in the context o... 12174 This paper presents an acceleration framewor... 12175 We obtain Lp regularity for the Bergman proj... 12176 We present a simple encoding for unlabeled n... 12177 In this paper we investigate the numerical a... 12178 According to a result of Ehresmann the torsi... 12179 Many signal processing algorithms operate by... 12180 We study the hyperplane arrangements associa... 12181 We report an extension of a Keras Model call... 12182 A large user base relies on software updates... 12183 The analysis of telemetry data is common in ... 12184 Motion planning is a key tool that allows ro... 12185 A repulsive Coulomb interaction between elec... 12186 In this paper an improved thermal lattice Bo... 12187 Interactions and effect aliasing are among t... 12188 Importanceweighting is a popular and wellres... 12189 A group of mobile agents is given a task to ... 12190 We propose a sourcechannel duality in the ex... 12191 We provide a new version of delta theorem th... 12192 Interior tomography for the regionofinterest... 12193 In this paper we present a new algorithm for... 12194 Extreme nanowires ENs represent the ultimate... 12195 The advent of miniaturized biologging device... 12196 We study image classification and retrieval ... 12197 Understanding the emergence of biological st... 12198 Online experiments are a fundamental compone... 12199 We present here VRI spectrophotometry of ne... 12200 In this paper we discuss stochastic comparis... 12201 Mendelian randomization MR is a method of ex... 12202 We study improved approximations to the dist... 12203 This paper is devoted to the investigation o... 12204 We describe the dimensions of low Hochschild... 12205 Fracton models a collection of exotic gapped... 12206 Topic modeling enables exploration and compa... 12207 Let mathcalVplambda be the collection of all... 12208 The loss functions of deep neural networks a... 12209 Urban areas with larger and more connected p... 12210 We investigate homological subsets of the pr... 12211 The phenomenon of selfsynchronization in pop... 12212 We study causal waveform estimation tracking... 12213 In this report we applied integrated gradien... 12214 The fast detection of terahertz radiation is... 12215 We investigate the lowdimensional structure ... 12216 We show a unified secondorder scheme for con... 12217 It is shown via theory and simulation that t... 12218 This paper presents a novel transformationpr... 12219 We present a dual subspace ascent algorithm ... 12220 AWAKE is a protondriven plasma wakefield acc... 12221 In lieu of an abstract here is the first par... 12222 The purpose of this article is to study the ... 12223 As proved by Rgnier and Rsler the number of ... 12224 In this work we present a method to compute ... 12225 Elastic dissipation through radiation toward... 12226 In this proceedings application of a fuzzy S... 12227 Cylindrical Couette flow is a subject where ... 12228 Understanding the spatial extent of extreme ... 12229 We present a study of the connection between... 12230 We propose a novel architecture for kshot cl... 12231 We study the pairs of projections PIfchiIf ... 12232 This paper is concerned with the following f... 12233 Social media expose millions of users every ... 12234 Discrete statistical models supported on lab... 12235 Boltzmann machines are physics informed gene... 12236 Graph Signal Processing GSP is a promising f... 12237 We compare various notions of weak subsoluti... 12238 Efficient assessment of convolved hidden Mar... 12239 Detailed numerical analyses of the orbital m... 12240 Bottomup and topdown as well as lowlevel and... 12241 The sharp range of Lpestimates for the class... 12242 Through the Hasimoto map various dynamical s... 12243 Deduplication finds and removes longrange da... 12244 While deep neural networks take loose inspir... 12245 Among the Milky Way satellites discovered in... 12246 We improve the best known upper bound on the... 12247 Graphs are a fundamental abstraction for mod... 12248 Characteristic classes in spacetime manifold... 12249 We describe high resolution observations of ... 12250 Unraveling bacterial strategies for spatial ... 12251 Behavioral annotation using signal processin... 12252 Local properties of the fundamental group of... 12253 We present adaptive strategies for antenna s... 12254 We characterize the variation in photometric... 12255 Selfhealing polymers crosslinked by solely r... 12256 In this paper we study an SYK model and an S... 12257 The common assumption that ThetaOri C is the... 12258 The large majority of high energy sources de... 12259 One of the main computational and scientific... 12260 The propagation of charged cosmic rays throu... 12261 The space of Khler potentials in a compact K... 12262 Echo state networks are powerful recurrent n... 12263 In this paper we prove that some Gaussian st... 12264 The disruptive power of blockchain technolog... 12265 We investigate the limiting behavior of solu... 12266 In this paper we estimate the fidelity of st... 12267 Crossvalidation is widely used for selecting... 12268 In this work we formulate the problem of ima... 12269 Mobile gaming has emerged as a promising mar... 12270 The seminal work of Morgan and Rubin consid... 12271 We present an approach for agents to learn r... 12272 To store information at extremely highdensit... 12273 In this paper Morgan type uncertainty princi... 12274 Early in researchers careers it is difficult... 12275 In this paper we consider the use of deep ne... 12276 In this paper we address the problem of cros... 12277 In recent years deep learning based on artif... 12278 We demonstrate autoparametric excitation of ... 12279 We present a communityled assessment of the ... 12280 Unsupervised dependency parsing aims to lear... 12281 We report the results of broadband mum near... 12282 We give a survey on some results covering th... 12283 Real time evolution of classical gauge field... 12284 Dermoscopy image detection stays a tough tas... 12285 The current dominant paradigm for imitation ... 12286 In this paper we extend and complement previ... 12287 Let F be a nonArchimedan local field G a con... 12288 Accurate rates for energydegenerate lchangin... 12289 We study theoretically the usefulness of spi... 12290 The magnetic insulator Yttrium Iron Garnet c... 12291 We characterize a multi tier network with cl... 12292 A class of nonlinear Schrdinger equations in... 12293 Matrix completion models are among the most ... 12294 This paper is concerned with twoperson dynam... 12295 In the context of dissipative systems we sho... 12296 In a recent paper we introduced the Fuzzy B... 12297 The excitement and convergence of tweets on ... 12298 Monte Carlo method is a broad class of compu... 12299 We address the problem of bootstrapping lang... 12300 This article presents the parallel implement... 12301 TiEV is an autonomous driving platform imple... 12302 We propose a novel decoding approach for neu... 12303 The classical HalpernLuchli theorem states t... 12304 We conduct an in depth study on the performa... 12305 We identify conditional parity as a general ... 12306 We consider caching in cellular networks in ... 12307 In this paper we consider the numerical appr... 12308 Machinelearning techniques are widely used i... 12309 The sharpinterface limits of a phasefield mo... 12310 The first part of this notes provides a new ... 12311 Characteristic cycles and leading term cycle... 12312 We propose a robust implementation of the Ne... 12313 Statistical Relational Models and more recen... 12314 We theoretically investigate a spinorbit cou... 12315 The celebrated AuslanderReiten Conjecture on... 12316 We explore the temperature effects in the su... 12317 Time series as frequently the case in neuros... 12318 We study the automorphism group of Halls uni... 12319 A linear or multilinear valuation on a finit... 12320 The evolution of structure in biology is dri... 12321 Let f be a bandlimited function in LmathbbR ... 12322 Distributed word representations are widely ... 12323 We present a new oblivious walking strategy ... 12324 Energy statistics was proposed by Szkely in ... 12325 A finitesupport constraint on the parameter ... 12326 Neural circuits in the retina divide the inc... 12327 We develop an approach for unsupervised lear... 12328 In this paper we prove the Dichotomy Conject... 12329 We report an experimental investigation of t... 12330 A modelbased approach to forecasting chaotic... 12331 Heavy metalferromagnetic layers with perpend... 12332 Recently the separated fragment SF of firsto... 12333 We survey the theory of Poisson traces or ze... 12334 We report on results of nonequilibrium trans... 12335 When performing a time series analysis of co... 12336 The frequency responses of the KRbNe comagne... 12337 Coded caching scheme is a technique which re... 12338 Previously published admissibility condition... 12339 Grading in embedded systems courses typicall... 12340 Let p be a prime number In this article we s... 12341 Group I elements alkali metals Li Na K Rb a... 12342 Identifying significant subsets of the genes... 12343 New modelindependent compact representations... 12344 Geosciences is a field of great societal rel... 12345 It is well known that the affine matrix rank... 12346 The entropy power inequality EPI and the Bra... 12347 The risk ratio is a popular tool for summari... 12348 The technical skill of surgeons directly imp... 12349 We develop a method to control discretetime ... 12350 The aim of this paper is to investigate the ... 12351 This paper investigates the effects of a pri... 12352 Recent research has demonstrated the brittle... 12353 Uniformity testing and the more general iden... 12354 It is known that connected sums of positive ... 12355 We study flows on Calgebras with the Rokhlin... 12356 Recently we reported an enhanced superconduc... 12357 We introduce a new gametheoretic semantics G... 12358 We report on thermodynamic magnetization and... 12359 There are no solid arguments to sustain that... 12360 We describe the main scientific developments... 12361 We obtain a sufficient and necessary conditi... 12362 The fate of exotic spin liquid states with f... 12363 Purpose The goal of this study is to show th... 12364 Lexical features are a major source of infor... 12365 The tourism industry has a significant impac... 12366 Covariate shift classification problems can ... 12367 Relational probabilistic models have the cha... 12368 The entrepreneurial scene suffers from a sic... 12369 When used as a surrogate objective for maxim... 12370 We study the annealing stability of bottompi... 12371 Eigenoptions EOs have been recently introduc... 12372 We study some regularity properties in local... 12373 Understanding patterns of demand is fundamen... 12374 The realization of highperformance smallfoot... 12375 This study concentrates on advancing mathema... 12376 Diving induces large pressures during water ... 12377 Synthetic data has proved increasingly usefu... 12378 We introduce a solvable model of driven ferm... 12379 The Research Data Alliance is an internation... 12380 The paper reports new results of the Fe Mssb... 12381 We show that the zeroth coefficient of the c... 12382 The Daya Bay Experiment consists of eight id... 12383 Ordinary least square OLS estimation of a li... 12384 Under the Riemann Hypothesis we improve the ... 12385 Extragalactic cosmic ray populations are imp... 12386 It has been widely accepted that electric fi... 12387 We report the sigma detection of a faint o... 12388 We exhibit an equivalence between the modelt... 12389 We propose new type of qdiffusive heat equat... 12390 We prove that for a strongly pseudoconvex do... 12391 We define a ring R of geometric objects G ge... 12392 We prove that a representation of the fundam... 12393 From a super extension of the Wadati Konno a... 12394 We introduce a combinatorial criterion for v... 12395 Deep neural networks DNNs transform stimuli ... 12396 Even though the evolution of an isolated qua... 12397 We tackle the issue of classifier combinatio... 12398 We consider the problem of scheduling server... 12399 Degeneracy loci of morphisms between vector ... 12400 Homology of braid groups and Artin groups ca... 12401 This study presents a smoothed particle hydr... 12402 Ionization by relativistically intense short... 12403 A brane construction of an integrable lattic... 12404 Measuring the corporate default risk is broa... 12405 We present results from a ks XMMNewton obse... 12406 In this paper we introduce a rational tau in... 12407 We consider the lattice mathcalL of all subs... 12408 This paper studies different signaling techn... 12409 Traveling wave solutions of dimensional Zo... 12410 This paper continues the research started in... 12411 Recently a technique called Layerwise Releva... 12412 We propose a new family of coherence monoton... 12413 We present a passivitybased WholeBody Contro... 12414 In this paper we present two main results Fi... 12415 We consider the problem of multiobjective ma... 12416 It is argued that many of the problems and a... 12417 We study the ferromagnetic layer thickness d... 12418 A tetragonal photonic crystal composed of hi... 12419 The pullbased development process has become... 12420 Given the success of the gated recurrent uni... 12421 We propose a new learning to rank algorithm ... 12422 Representing a word by its cooccurrences wit... 12423 Let M be a compact manifold and GammapiM The... 12424 We study multifrequency quasiperiodic Schrdi... 12425 We study model spaces in the sense of Hairer... 12426 All watercovered rocky planets in the inner ... 12427 In the context of fitness coaching or for re... 12428 Temporal resolution of visual information pr... 12429 We find explicit formulas for the radii and ... 12430 In the cryptographic currency Bitcoin all tr... 12431 This paper presents a framework for controll... 12432 The early time regime of the KardarParisiZha... 12433 Subject of this article is the relationship ... 12434 Temporal Action Proposal TAP generation is a... 12435 Most real world phenomena such as sunlight d... 12436 For a given smooth compact manifold M we int... 12437 In this paper we study the possibility of in... 12438 Neuronal activity in the brain generates syn... 12439 We construct a point transformation between ... 12440 This paper explores improvements in predicti... 12441 We propose an optimization approach for dete... 12442 The goal of this thesis was to implement a t... 12443 Translational motion of neurotransmitter rec... 12444 We show that a reduct of the Zariski structu... 12445 Statisticians have made great progress in cr... 12446 A wide range of learning tasks require human... 12447 In this work we present a numerical method b... 12448 The problem of textitvisual metamerism is de... 12449 Sheep pox is a highly transmissible disease ... 12450 We describe a method for generating minimal ... 12451 Language change involves the competition bet... 12452 User modeling plays an important role in del... 12453 Testing for regime switching when the regime... 12454 Let R be a commutative Noetherian ring mathf... 12455 In industrial control systems devices such a... 12456 Nonnegative matrix factorization NMF a dimen... 12457 Border crossing delays between New York Stat... 12458 Scientific knowledge is constantly subject t... 12459 Central pattern generators CPGs appear to ha... 12460 We investigate extremely luminous dusty gala... 12461 The least squares LS estimator and the best ... 12462 Performing high level cognitive tasks requir... 12463 A facility based on a nextgeneration highflu... 12464 Airborne LiDAR point cloud representing a fo... 12465 The temperature coefficients for all the dir... 12466 We present a generalpurpose method to train ... 12467 Binary SidelnikovLempelCohnEastman sequences... 12468 Embeddings of knowledge graphs have received... 12469 Deep convolutional networks have become a po... 12470 Fitting stochastic kinetic models represente... 12471 Imagetoimage translation is a class of visio... 12472 We consider the challenging problem of stati... 12473 Do visual tasks have a relationship or are t... 12474 The potential failure of energy equality for... 12475 Inference of spacetime varying signals on gr... 12476 In this sequel to earlier papers by three of... 12477 This paper introduces a probabilistic framew... 12478 This paper describes a method of nonlinear w... 12479 The mathbbZ topological phase in the quantum... 12480 We propose an LBFGS optimization algorithm o... 12481 We present a new Markov chain Monte Carlo al... 12482 We present the crystal structure and magneti... 12483 We construct an extended oriented epsilondim... 12484 This paper presents a new generator of chaot... 12485 The HAWC Gamma Ray observatory consists of ... 12486 Optical Music Recognition OMR is an importan... 12487 The cable model is widely used in several fi... 12488 We consider conditionalmean hedging in a fra... 12489 We say that a finite metric space X can be e... 12490 The aim of this work is to establish that tw... 12491 The popular Adjusted Rand Index ARI is exten... 12492 We study the size and the external path leng... 12493 Output from statistical parametric speech sy... 12494 Meshfree solution schemes for the incompress... 12495 We propose a development of the Analytic Hie... 12496 The blooming availability of traces for soci... 12497 Advances in artificial intelligence have ren... 12498 The Keplerian distribution of velocities is ... 12499 Recurrent neural networks like long shortter... 12500 Trackbeforedetect TBD is a powerful approach... 12501 Given a holomorphic principal bundle Q longr... 12502 We propose to study equivariance in deep neu... 12503 Lowdimensional wide bandgap semiconductors o... 12504 While recent developments in autonomous vehi... 12505 We identify peak and valley structures in th... 12506 Given two independent sets I J of a graph G ... 12507 This work studies the entitywise topical beh... 12508 The exponential scaling of the wave function... 12509 We show that if a semisimple synchronizing a... 12510 Recent developments within memoryaugmented n... 12511 We present analytical and numerical studies ... 12512 We study the optimal design of electricity c... 12513 We consider the minimization of an objective... 12514 We study the problem of learning overcomplet... 12515 Atomistic rigid lattice Kinetic Monte Carlo ... 12516 The paper aims at finding acyclic graphs und... 12517 This paper presents a robust matrix elastic ... 12518 Visual Question Answering VQA has received a... 12519 Wheeled planetary rovers such as the Mars Ex... 12520 We explore the sequential decision making pr... 12521 One of the goals of G wireless systems state... 12522 We consider the class of evolution equations... 12523 Deep convolutional neural networks CNNs are ... 12524 In this paper we study the moments of centra... 12525 Graphs are a commonly used construct for rep... 12526 This paper addresses the problem of decentra... 12527 We discuss the understanding of geometry of ... 12528 In this paper we use refined approximations ... 12529 Electrical forces are the background of all ... 12530 Bone tissue mechanical properties and trabec... 12531 Temporal Pattern Mining TPM is the problem o... 12532 We propose PowerAlert an efficient external ... 12533 It is an open question whether the linear ex... 12534 In this work we explored building automatic ... 12535 Fallback authentication is used to retrieve ... 12536 Web archiving services play an increasingly ... 12537 Biclustering techniques have been widely use... 12538 Deep learning methods achieve stateoftheart ... 12539 This letter studies joint transmit beamformi... 12540 We propose local segmentation of multiple se... 12541 We investigate the effect of annealing tempe... 12542 This article discusses the relationship betw... 12543 In this paper an optimized efficient VLSI ar... 12544 We give rather simple answers to two longsta... 12545 We present a general framework the coupled c... 12546 Global and partial synchronization are the t... 12547 Goals are results of pinpoint shots and it i... 12548 This report introduces and investigates a fa... 12549 Surface plasmon polariton hyberbolic dispers... 12550 We investigate the ramifications of the Lege... 12551 Releasing full data records is one of the mo... 12552 Automatic testing is a widely adopted techni... 12553 Autonomous vehicles AVs are on the road To s... 12554 We explore the feasibility of using fastslow... 12555 The online sports gambling industry employs ... 12556 This paper is based on the complete classifi... 12557 In this paper we show how a deepsubmicron FP... 12558 We propose a new algorithm for finite sum op... 12559 abridged In the typical giantimpact scenario... 12560 Learning a regression function using censore... 12561 The degree distribution is one of the most f... 12562 A method is proposed to generate an optimal ... 12563 We consider the problem of optimizing heat t... 12564 We consider the wave equation with a boundar... 12565 We present an approach for a lightweight dat... 12566 Many scientific and engineering challenges ... 12567 This paper proves that every finite volume h... 12568 The cospark of a matrix is the cardinality o... 12569 Neural networks based vocoders typically the... 12570 In the last few years contributions of the g... 12571 In bounded smooth domains OmegasubsetmathbbR... 12572 This paper deals with asymptotics for multip... 12573 The rapid development of deep learning a fam... 12574 In a Wireless Sensor Network WSN data manipu... 12575 The coherent optical response from nm and nm... 12576 We present the luminosity function of z quas... 12577 The dawn of the fourth industrial revolution... 12578 Given p independent normal populations we co... 12579 We consider the problem of detecting a defor... 12580 We propose a high signaltonoise extended dep... 12581 An oblivious computation is one that is free... 12582 Inverse Compton scattering ICS is a unique m... 12583 The Yarkovsky effect is a thermal process ac... 12584 In this short note we improve the best to da... 12585 We extend the global existence result for th... 12586 I examine a possible spectral distortion of ... 12587 In informationally efficient financial marke... 12588 We present a new method that combines alchem... 12589 Largescale Hierarchical Classification HC in... 12590 We present an enumeration of orientablyregul... 12591 Fitting machine learning models in the lowda... 12592 The Plancherel decomposition of L on a pseud... 12593 We construct an absolutely normal number who... 12594 Enticing users into exploring Open Data rema... 12595 Reciprocity is a fundamental principle gover... 12596 Photoacoustic computed tomography PACT is an... 12597 We explore to what extent one may hope to pr... 12598 A concentration result for quadratic form of... 12599 The flexibility of short DNA chains is inves... 12600 The Picard code for the numerical solution o... 12601 We propose a simple and general variant of t... 12602 The complete set of Maxwells and hydrodynami... 12603 The enhancement and detection of elongated s... 12604 Life can be viewed as a localized chemical s... 12605 Functional data analysis on nonlinear manifo... 12606 We characterize the fractional Dehn twist co... 12607 Rascal is a highlevel transformation languag... 12608 A regular ordered semigroup S is called righ... 12609 The twodimensional signed small ball inequal... 12610 From Problem Groups of prime power order Vo... 12611 Diffusion processes driven by Fractional Bro... 12612 The GreenbergerHorneZeilinger GHZ argument p... 12613 We define and study the global Okounkov mome... 12614 In this paper we perform a formal asymptotic... 12615 Dynamically crosslinked semiflexible biopoly... 12616 We present a novel view of nonlinear manifol... 12617 Malaysian Airlines flight MH veered off cour... 12618 We investigate the addition of symmetry and ... 12619 The study of deep recurrent neural networks ... 12620 Computational topology is an area that revis... 12621 In this work we formulated a realworld probl... 12622 In this paper we consider Abelian varieties ... 12623 Modeling of longitudinal data often requires... 12624 We show that the patterns in the Abelian san... 12625 We propose a new indexing structure for para... 12626 The traction force of a kite can be used to ... 12627 We prove convergence results for expanding c... 12628 Finiteprecision arithmetic computations face... 12629 We report the synthesis and structural chara... 12630 Universal properties of entangled manybody s... 12631 We answer two questions raised by Bryant Fra... 12632 The degree splitting problem requires colori... 12633 Let E be an arbitrary subset of mathbbRn not... 12634 Availability of an explainable deep learning... 12635 The generalization properties of Gaussian pr... 12636 We propose a new approach to the topological... 12637 Exploiting the theory of state space models ... 12638 Advances in technology have provided ways to... 12639 Geometrical aspects of a perfect fluid space... 12640 Heart disease is one of leading causes of mo... 12641 We show in this article that if a holomorphi... 12642 Graph processing is becoming increasingly pr... 12643 In this paper we prove some classification r... 12644 We have investigated the ingap bound states ... 12645 It is true that the best neural network is n... 12646 We suggest a method to calculate hyperfine a... 12647 We investigate the elliptic integrable model... 12648 We apply moderatehighenergy inelastic neutro... 12649 We investigate the relation between quadrics... 12650 Greedy algorithms are widely used for proble... 12651 We study the multiarmed bandit problem with ... 12652 We analyze the dynamics of inflationary mode... 12653 Diffusion Tensor Imaging DTI is an effective... 12654 The increasing popularity of the social netw... 12655 Manual segmentation of the Left Ventricle LV... 12656 Stabilizing defects in liquidcrystal systems... 12657 We report on the heterogeneous nucleation of... 12658 The quantum Ising model with random coupling... 12659 Femtosecond laser writing is applied to form... 12660 We introduce FORM a new minor release of th... 12661 Clinical electroencephalographic EEG data va... 12662 The paper presents the first emphconcurrency... 12663 Information transmission in the human brain ... 12664 Eventdriven programming frameworks such as A... 12665 A stress is applied at the flat face and the... 12666 Compact substructure is expected to arise in... 12667 Comprehensive understanding of the worlds mo... 12668 A group law is said to be detectable in powe... 12669 Classifiers deployed in the real world opera... 12670 Due to the lack of enough generalization in ... 12671 We show that the bicrossproduct model\nCSUbl... 12672 In many social systems groups of individuals... 12673 Entity resolution ER is the task of identify... 12674 Tree adjoining grammars TAGs provide an ampl... 12675 We discuss such Maltsev conditions that cons... 12676 Social media datasets especially Twitter twe... 12677 Due to burdensome data requirements learning... 12678 In this paper we propose a simple variant of... 12679 The central problem with understanding brain... 12680 In this paper we investigate whether text fr... 12681 Planetary exploration missions with Mars rov... 12682 We address the Mbestarm identification probl... 12683 Amachine learning framework is developed to ... 12684 In this paper we propose a novel approach to... 12685 In the last few decades sociologists were tr... 12686 Across a variety of scientific disciplines s... 12687 We use insights from epidemiology namely the... 12688 We initiate the study of a fundamental combi... 12689 We report Very Large Array observations at ... 12690 Motion capture is a widelyused technology in... 12691 If varphi and psi are two continuous realval... 12692 An identity stated by Kimura and proved by R... 12693 The eigendeomposition of nearestneighbor NN ... 12694 Astronomy light curves are sparse gappy and ... 12695 Brillouin processes couple light and sound t... 12696 In this study we present Swift Linked Data M... 12697 In this paper we discuss how machine learnin... 12698 An important and difficult challenge in buil... 12699 Optimization algorithms that leverage gradie... 12700 The linear momentum and angular momentum of ... 12701 We study the eigenvalues of the semiclassica... 12702 Delaycoordinate maps have been widely used r... 12703 We developed an automated deep learning syst... 12704 Background In this paper we present the appr... 12705 The last decades have seen an unprecedented ... 12706 This paper presents a new method for D actio... 12707 Given an equivalence relation on a set U th... 12708 In this short note we explain the proof that... 12709 We prove the Banach strong Novikov conjectur... 12710 A reliable and consistently reproducible tec... 12711 This research was conducted to develop a met... 12712 We study finite alphabet channels with Unit ... 12713 Consider a quadratic vector field on mathbbC... 12714 We design conduct and present the results of... 12715 We prove that along any marked point the Gre... 12716 This paper sets up a framework for designing... 12717 The problem of how to coordinate a large fle... 12718 Many of the recent approaches to polyphonic ... 12719 The family of Multiscale HybridMixed MHM fin... 12720 Associated with every quaternionic represent... 12721 The model studied in this paper is a stochas... 12722 Compared to basic forkjoin queues a job in n... 12723 In elasticwave turbulence strong turbulence ... 12724 We report on the magnetic properties of zinc... 12725 In this paper we present the LSF parameters ... 12726 We show that a newly proposed Shannonlike en... 12727 A new secondorder numerical scheme based on ... 12728 Explaining and reasoning about processes whi... 12729 Distributed algorithms are often beset by th... 12730 Most popular word embedding techniques invol... 12731 Let M be a compact constant mean curvature s... 12732 In this paper we discuss the maximum princip... 12733 The structure and nature of water confined b... 12734 Although the motility of the flagellated bac... 12735 Datadriven brain parcellations aim to provid... 12736 In this paper dark energy models of the univ... 12737 We obtain the solutions of the generic bilin... 12738 Semantic instance segmentation remains a cha... 12739 Imbalanced data with a skewed class distribu... 12740 In this paper we introduce a new variant of ... 12741 We define multiblock interleaved codes as co... 12742 This paper proposes a new method for solving... 12743 In this paper we study the probability distr... 12744 The magnetoelectric effects in the surface s... 12745 Recent progress in logic programming eg the ... 12746 This paper studies improving solvers based o... 12747 Online social networking sites are experimen... 12748 Bayesian optimization is proposed for automa... 12749 This paper considers general rankconstrained... 12750 We study the problem of variable selection f... 12751 Network systems and their control are highly... 12752 The function space of deeplearning machines ... 12753 The object of study in the present dissertat... 12754 Literature mentions only incidentally a subD... 12755 Recent high angular resolution observations ... 12756 We present a clustering comparison of galax... 12757 Consider the supercritical branching random ... 12758 The aim of this paper is to study relations ... 12759 The star EPIC has been identified from a li... 12760 In our recent publication we have proposed a... 12761 Entanglement is central to our understanding... 12762 We introduce a persistencelike pseudodistanc... 12763 We continue the first and second authors stu... 12764 We consider a piecewise deterministic Markov... 12765 Multiplex networks offer an important tool f... 12766 We establish zeroone laws and convergence la... 12767 We introduce here the concept of establishin... 12768 Formation of membrane necks is crucial for f... 12769 Information theory is a mathematical theory ... 12770 Stochastic Constraint Programming SCP is an ... 12771 Kernel adaptive filters a class of adaptive ... 12772 We provide a selfcontained formulation of th... 12773 Necessary conditions for existence of normal... 12774 A beam imaging detector was developed by cou... 12775 A widely studied nondeterministic polynomial... 12776 Recently hashing methods have been widely us... 12777 We give sufficient conditions for when group... 12778 We present in this article a family of new c... 12779 Chondrules are the dominant bulk silicate co... 12780 Because of vast volume of data being produce... 12781 We suggest an efficient method to resolve el... 12782 We characterize the information dynamics of ... 12783 We study theoretically the velocity crosscor... 12784 The network of filaments with embedded clust... 12785 Constructing rth nonresidue over a finite fi... 12786 With decreasing temperature SrVO undergoes t... 12787 A matching in a twosided market often incurs... 12788 We study the one dimensional ttJ model for g... 12789 This paper proposes ConcurrentAccess Obfusca... 12790 Automated software verification of concurren... 12791 The shortterm voltage stability SVS problem ... 12792 Macaulays inverse system is an effective met... 12793 In many complex networked systems such as on... 12794 We show that the border support rank of the ... 12795 Given a large graph how can we determine sim... 12796 Polystyrenebased phosphorene nanocomposites ... 12797 The main purpose of this paper is to provide... 12798 A fixedmobile bigraph G is a bipartite graph... 12799 Design structure matrices DSMs are useful to... 12800 Transport and security protocols are essenti... 12801 Recent work by Richardson and Kuhn ab Richar... 12802 This PhD thesis considers the performance ev... 12803 In this paper we consider polytopes given by... 12804 The dynamic behavior of a capacitive microel... 12805 The Lorentz force law of classical electrody... 12806 We consider multivariate mathbbLapproximatio... 12807 We show from a weak comparison principle the... 12808 The precise knowledge of the atomic order in... 12809 In this paper we obtain some possibilistic v... 12810 The HighlyAdaptiveLassoHALTMLE is an efficie... 12811 An elementary proof of the twosidedness of t... 12812 Richclub ordering and the dyadic effect are ... 12813 Here we introduce the interstellar dust mode... 12814 Modelbased clustering is a popular approach ... 12815 Over the past decade asteroseismology has be... 12816 Deep optical photometric data on the NGC re... 12817 Construction of ambiguity set in robust opti... 12818 Massive multiuser MU multipleinput multipleo... 12819 The formation and dynamics of freesurface st... 12820 In this note we show that Voevodskys univale... 12821 Demand response DR programs have emerged as ... 12822 Our decisionmaking processes are becoming mo... 12823 We consider a halfsoliton stationary state o... 12824 The field of algorithmic fairness has highli... 12825 We revisit the present status of the stiffne... 12826 In this paper we use dynamical systems to an... 12827 Adiabatic quantum computing has evolved in r... 12828 This paper analyzes pedestrians behavioral p... 12829 We define Open GromovWitten invariants count... 12830 This article determines and characterizes th... 12831 We present a general framework for training ... 12832 Multiplayer online battle arena has become a... 12833 A novel method for robust estimation called ... 12834 Multivariate singular spectrum analysis MSSA... 12835 In building intelligent transportation syste... 12836 A lion and a man move continuously in a spac... 12837 Let H be a compact subgroup of a locally c... 12838 In the past Acoustic Scene Classification sy... 12839 We propose an online convex optimization alg... 12840 This paper presents a feature encoding metho... 12841 Molecular simulations produce very highdimen... 12842 While a large body of empirical results show... 12843 Structural magnetic and electricaltransport ... 12844 We consider the problem of optimal transport... 12845 Let mathcalL be a Schrdinger operator of the... 12846 The importance of microscopic details on coo... 12847 Maximum A posteriori Probability MAP inferen... 12848 One of the challenges in information retriev... 12849 Brain tumour segmentation plays a key role i... 12850 We study fermionic matrix product operator a... 12851 The velocityspace moments of the often troub... 12852 Machine learning ML techniques such as deep ... 12853 Electrophysiological recordings of spiking a... 12854 Understanding information processing in the ... 12855 How does one find dimensions in multivariate... 12856 Rate change calculations in the literature i... 12857 We call a learner superteachable if a teache... 12858 We review the physics of GRB production by r... 12859 Elegant is an accelerator physics and partic... 12860 Through the Higgs mechanism the longrange Co... 12861 We revisit the Masseys method for rating and... 12862 A key objective in two phase b AMP clinical ... 12863 We report the results of a pilot program to ... 12864 Evolution of the parametric decay instabilit... 12865 shortened We determine the transformation ma... 12866 In structured populations the spatial arrang... 12867 Demand Side Management DSM strategies are of... 12868 In this paper we consider a network scenario... 12869 Classification and clustering algorithms hav... 12870 This paper investigates to what extent cogni... 12871 We report a highpressure study on the heavil... 12872 In this work we are concerned with existence... 12873 The complete characterization of spatial coh... 12874 Network alignment consists of finding a corr... 12875 An industrial indoor environment is harsh fo... 12876 In this paper we introduce a new feature sel... 12877 This paper describes a neuralnetwork model w... 12878 We give strengthened versions of the HerwigL... 12879 Homological index of a holomorphic form on a... 12880 Myxobacteria are social bacteria that can gl... 12881 We prove that bilinear fractional integral o... 12882 The Bak Sneppen BS model is a very simple mo... 12883 We classify the ribbon structures of the Dri... 12884 Due to the low Xray photon utilization effic... 12885 We developed general approach to the calcula... 12886 The early layers of a deep neural net have t... 12887 We present a matrixfactorization algorithm t... 12888 This paper presents the design of the machin... 12889 Here we discuss blackbody radiation within t... 12890 In this paper we study a family of binomial ... 12891 We investigate the collective behavior of ma... 12892 We analyse a new subdomain scheme for a time... 12893 We propose a novel adaptive importance sampl... 12894 We examine collective properties of closure ... 12895 We develop a hybrid system model to describe... 12896 We establish a link between trace modules an... 12897 At zero temperature the charge current opera... 12898 How selforganized networks develop mature an... 12899 Electron polarimeters based on Mott scatteri... 12900 Many modern clustering methods scale well to... 12901 We review some recent results on geometric e... 12902 We study the recombination process of three ... 12903 This paper the second of a twopart series pr... 12904 A minimum in stellar velocity dispersion is ... 12905 Recommendation systems are recognised as bei... 12906 The measurement problem and three other vexi... 12907 We describe dynamical symmetry breaking in a... 12908 Real world networks are often subject to sev... 12909 The use of game theory in the design and con... 12910 Evolutionary modeling applications are the b... 12911 The Wasserstein distance received a lot of a... 12912 We provide the first information theoretic t... 12913 Lowrank tensor regression a new model class ... 12914 The Canonical Polyadic decomposition CPD is ... 12915 In this study the authors develop a structur... 12916 The Empirical Mode Decomposition EMD provide... 12917 We study equilibrium properties of catalytic... 12918 Convolutional Neural Networks CNNs have beco... 12919 The recent observations of rippled structure... 12920 Si Li and author suggested in that in some c... 12921 This paper is devoted to the uniqueness prob... 12922 We measure the gate voltage Vg dependence of... 12923 In this work we review a class of determinis... 12924 Textdependent speaker verification is becomi... 12925 Lactate threshold is considered an essential... 12926 It is shown that an equiprobability hypothes... 12927 We construct a special class of Lorentz surf... 12928 Since the limited power capacity finite iner... 12929 This paper extends fullyconvolutional neural... 12930 BaCoNbO presents a system whose Co ions have... 12931 A regular language L is nonreturning if in t... 12932 This paper proposes an extension to the Gene... 12933 Working over an infinite field of positive c... 12934 We present CFAAR a program repair assistance... 12935 Past work in relation extraction has focused... 12936 Users organize themselves into communities o... 12937 Recurrence networks and the associated stati... 12938 Traditional optical imaging faces an unavoid... 12939 Complex performance measures beyond the popu... 12940 In this paper we consider a novel machine le... 12941 Phased Array Feed PAF technology is the next... 12942 Let X be a normal algebraic variety over a f... 12943 We introduce and study the problem of optimi... 12944 We present the results of very long baseline... 12945 In this paper we study several aspects relat... 12946 In this work we analyze the excitonic gap ge... 12947 Preference elicitation is the task of sugges... 12948 We study the GinzburgLandau equations on Rie... 12949 In this paper a new class of frequency hoppi... 12950 Scikitmultiflow is a multioutputmultilabel a... 12951 Distributed computing platforms provide a ro... 12952 We prove that the sectional category of the ... 12953 Planetary rings produce a distinct shape dis... 12954 We introduce a Unified Disentanglement Netwo... 12955 This paper provides a unified framework to d... 12956 We study a class of determinant inequalities... 12957 Power grids are critical infrastructure asse... 12958 Many recent studies of the motor system are ... 12959 The effective field theory of dark energy an... 12960 ProcessAware Information Systems PAIS is an ... 12961 DNNbased crossmodal retrieval has become a r... 12962 In this survey paper we give an overview of ... 12963 We completely determine all commutative semi... 12964 The availability of large scale event data w... 12965 Deep neural networks are widely used in vari... 12966 Detecting strong ties among users in social ... 12967 In many machine learning applications it is ... 12968 We present high energy Xray diffraction stud... 12969 We have studied the structural electronic an... 12970 Let mathbbB be the unit ball of a complex Ba... 12971 The Apache Spark framework for distributed c... 12972 This paper is concerned with a compositional... 12973 For the polynomial ring over an arbitrary fi... 12974 Deep generative neural networks have proven ... 12975 Zinc oxide and Aluminum Ferrite were prepare... 12976 We introduce a notion of weakly logcanonical... 12977 If X is a compact Hausdorff space and sigma ... 12978 The classical quadratic formula and some of ... 12979 In this paper we present a gated convolution... 12980 We study flat FLRW alphaattractor mathrmE an... 12981 Let OmegasubsetmathbbRn have minimal Gaussia... 12982 Continuum Approximation CA is an efficient a... 12983 From minimal surfaces such as Simons cone an... 12984 We first review traditional approaches to me... 12985 Predictive modeling is increasingly being em... 12986 Emotion cause extraction aims to identify th... 12987 Machine Learning on graphstructured data is ... 12988 A metric space X is quasisymmetrically coHop... 12989 We investigate a tightbinding electronic cha... 12990 We study revenue optimization learning algor... 12991 The occurrence of drugdruginteractions DDI f... 12992 In this article we study the stabilizing of ... 12993 We investigate some extremal problems in Fou... 12994 Knowledge bases are important resources for ... 12995 Gaussian processes GPs are highly flexible f... 12996 For the prediction with experts advice setti... 12997 In this paper a new adaptive multibatch expe... 12998 Muonspin rotation data collected at ambient ... 12999 In this paper we describe the optical imagin... 13000 We estimate the average flux density of mini... 13001 We show that in textOD invariant matrix theo... 13002 The Underactuated Lightweight Tensegrity Rob... 13003 Analog network coding ANC is a throughput in... 13004 A problem of paramount importance in both pu... 13005 Security threats such as jamming and route m... 13006 Intense spindown flows allow one to reach hi... 13007 The multiagent pathfinding MAPF problem has ... 13008 We construct a matrix algebra LambdaAB from ... 13009 The problem of retrosynthetic planning can b... 13010 A sparse modeling approach is proposed for a... 13011 Polydimethylsiloxane PDMS films possess diff... 13012 Identifying undocumented or potential future... 13013 Pathological lung segmentation PLS is an imp... 13014 In this paper we investigate the convection ... 13015 We present absolute frequency measurement of... 13016 Similarity search is essential to many impor... 13017 Let L be the Laplace operator on R d dgeq ... 13018 Most Bayesian responseadaptive designs unbal... 13019 Point processes are becoming very popular in... 13020 With seven planets the TRAPPIST system has t... 13021 In this paper we focus on developing driveri... 13022 We present a generalization of the CauchyLor... 13023 Let X be a centered Gaussian random variable... 13024 We report the evolution of structural magnet... 13025 We call a family of sets intersecting if any... 13026 This work explores maximum likelihood optimi... 13027 We measured the magnetic resonance of rubidi... 13028 This paper aims to decrease the time complex... 13029 LPMLN is a recent addition to probabilistic ... 13030 In his seminal book The Inmates are Running ... 13031 An image is a very effective tool for convey... 13032 Soft set theory and rough set theory are mat... 13033 To date developing a good model for early in... 13034 Let varphiiiinfty be a sequence of orthono... 13035 The molecular dynamics of solid benzene are ... 13036 In this paper we propose a novel approach to... 13037 In the interest of finding the minimum addit... 13038 This document provides a detailed overview o... 13039 By using Arakis relative entropy Liebs conve... 13040 This work provides performance guarantees fo... 13041 A laboratory measurement of the alphadecay h... 13042 This paper develops an online inverse reinfo... 13043 Deep learning has the potential to revolutio... 13044 We propose generalized magnetic mirrors that... 13045 We present the performances and characteriza... 13046 One of the key technologies for future large... 13047 Background Opioid misuse is a major public h... 13048 The geography of fuel prices has many variou... 13049 Shape priors have been widely utilized in me... 13050 We report the detection of water absorption ... 13051 Let Kkkldotskr and Lllldotsls be disjoint\ns... 13052 Random Matrix Theory RMT is applied to analy... 13053 Interface widely exists in carbon nanotube C... 13054 Discovering and exploring the underlying str... 13055 Consumers often react expressively to produc... 13056 We study the problem of cooperative inferenc... 13057 Optimal subset selection is an important tas... 13058 Cutelimination is one of the most famous pro... 13059 An improved understanding of turbulence is e... 13060 It is commonly agreed that the use of releva... 13061 Epitaxial engineering of solidstate heteroin... 13062 Estimating multiple sparse Gaussian Graphica... 13063 The Widom line identifies the locus in the p... 13064 This is an annotated bibliography on estimat... 13065 Virtual Learning Environments VLEs are space... 13066 Batch Normalization is a commonly used trick... 13067 Cellular Automata CA theory is a discrete mo... 13068 Recently deep learning approaches with vario... 13069 The locomotion of swimming bacteria in simpl... 13070 I review the three principal methods to assi... 13071 This paper gives the exact solution in terms... 13072 Nodes residing in different parts of a graph... 13073 We study the conditions for spontaneously ge... 13074 Spatialsign covariance matrix SSCM is an imp... 13075 Recent work on developing novel integral equ... 13076 High temperature highTc superconductors like... 13077 Simplicial complexes are now a popular alter... 13078 The present paper is devoted to local and lo... 13079 Rigid motion computation or estimation is a ... 13080 Measuring influence and determining what dri... 13081 Anomaly detectors are often used to produce ... 13082 As roles for unmanned aerial vehicles UAV co... 13083 Maximum rankdistance MRD codes are extremal ... 13084 The Boltzmann equation is an integrodifferen... 13085 Backscatter of electrons from a beta spectro... 13086 Timing attacks have been a continuous threat... 13087 Finding the causes to observed effects and e... 13088 We study coupled motion of a D closed elasti... 13089 We consider the FRW cosmological model in wh... 13090 Classification is one of the widely used ana... 13091 We give sufficient conditions of the nonnega... 13092 The Restricted Boltzmann Machine RBM an impo... 13093 We prove a logarithmic local energy decay ra... 13094 Let C be a smooth irreducible projective cur... 13095 Controllers in robotics often consist of exp... 13096 Toxicity analysis and prediction are of para... 13097 This paper deals with cellular eg LTE networ... 13098 We present a new random sampling strategy fo... 13099 In a graph G a sequence vvdotsvm of vertices... 13100 We provide comments on the article Highdimen... 13101 Variable clustering is important for explana... 13102 In its weak field limit Scalartensorvector g... 13103 We develop several efficient algorithms for ... 13104 In the protein sequence space natural protei... 13105 The control of solute fluxes through either ... 13106 Magnetohydrodynamically induced interface in... 13107 The clustering problem in its many variants ... 13108 We develop procedures based on minimization ... 13109 In this paper we investigate the problem of ... 13110 We study the problem of singleimage depth es... 13111 The complexity of a geodesic language has co... 13112 Purpose The radial kspace trajectory is a we... 13113 Efficient humanmachine networks require prod... 13114 Dynamics reduces the orthorhombicity of magn... 13115 Ideally by enabling multitenancy network vir... 13116 The Bayesian estimation of the unknown param... 13117 The multiplicative theory of a set of number... 13118 Recently Lee and Cha On two generalized cla... 13119 Let G be the group of rational points of a r... 13120 We introduce two applications of polygraphs ... 13121 Matter bounces refer to scenarios wherein th... 13122 Approximate ripple carry adders RCAs and car... 13123 The normality assumption on data set is very... 13124 This work proposes a novel solution to the p... 13125 This work is concerned with AlAloxideAlOxAll... 13126 Senior project is a typical essential course... 13127 The study of tensor network theory is an imp... 13128 The broad set of deep generative models DGMs... 13129 In this paper we propose an unsupervised fac... 13130 This paper presents a new acoustic emission ... 13131 Andersons paving conjecture now known to hol... 13132 We describe the AMReX suite of astrophysics ... 13133 We present a translation of the Lambek calcu... 13134 We present a distributed formation control s... 13135 In recent years RTBReal Time Bidding becomes... 13136 Graphstructured data such as social networks... 13137 This paper describes a novel storyboarding s... 13138 The aim of my dissertation is to investigate... 13139 As part of a large investigation with Hubble... 13140 In this paper we provide a first analysis of... 13141 Many recent deep learning platforms rely on ... 13142 A significant amount of search queries origi... 13143 We prove the unpolarized Shafarevich conject... 13144 Computing steadystate distributions in infin... 13145 This paper presents a discretetime option pr... 13146 The performance of single channel source sep... 13147 We examine the problem of searching sequenti... 13148 In this paper we classify the isomorphism cl... 13149 The current article unveils and analyzes som... 13150 Partbased representation has been proven to ... 13151 In this paper we present a novel approach ba... 13152 We provide a nontrivial measure of irrationa... 13153 We consider slowly evolving ie ADIABATIC ope... 13154 Although shill bidding is a common auction f... 13155 We investigate the evolution of decorrelatio... 13156 In Lyngso and Pedersen proposed a conjectur... 13157 In this paper we study the asymptotic proper... 13158 A short account of recent existence and mult... 13159 A convex penalty for promoting switching con... 13160 Blue Waters is a Petascalelevel supercompute... 13161 Consider a time series of measurements of th... 13162 We study inflation in models with many inter... 13163 User engagement in online social networking ... 13164 We investigate statistical properties of a c... 13165 We prove a realization formula and a model f... 13166 Self consistent GW approach scGW has been ap... 13167 Intervalcensored data in which the event tim... 13168 The medical field stands to see significant ... 13169 This paper develops and compares two motion ... 13170 We study the galactic wind in the edgeon spi... 13171 Objective To establish the performance of se... 13172 Liouville type theorems for the stationary N... 13173 Let P be a set of nodes in a wireless networ... 13174 We present ALMA CO J and CO J and\nCO J ob... 13175 We consider the problem of computing the nea... 13176 Fixed point iterations play a central role i... 13177 In prior work we addressed the problem of op... 13178 Let P denote the problem of existence of a p... 13179 It is proved that the category mathbbEM of e... 13180 We prove the nonvanishing of the twisted cen... 13181 We consider an elastic composite material co... 13182 We propose a method for the implementation o... 13183 Let X be a compact connected strongly pseudo... 13184 We study the Steiner Tree problem in which a... 13185 A luminous stimulus which penetrates in a re... 13186 We present a significantly different reflect... 13187 We examine gradient descent on unregularized... 13188 We demonstrate the existence of longlived pr... 13189 We develop a systematic study of JahnTeller ... 13190 In the article we present a general theory o... 13191 We introduce and study a oneparameter genera... 13192 Frankl and Fredi conjectured in that the ma... 13193 To accelerate research on adversarial exampl... 13194 Complex networks analyses of many physical b... 13195 This paper describes a method for clustering... 13196 The goal of the paper is to investigate the ... 13197 In this paper we study algorithmic problems ... 13198 Recent data indicate one or more moderately ... 13199 Generative adversarial networks GANs form a ... 13200 This paper analyzes the market impacts of ex... 13201 Peer code review and continuous integration ... 13202 The tree inclusion problem is given two node... 13203 As a firm varies the price of a product cons... 13204 Inverse Reinforcement Learning IRL is the ta... 13205 A proper ideal I in a commutative ring with ... 13206 Many realworld timeseries analysis problems ... 13207 The two major approaches to studying macroev... 13208 This is the second paper of a series aimed t... 13209 We introduce a new finite element FE discret... 13210 Quench dynamics is an active area of study e... 13211 Fermilab is committed to upgrade its acceler... 13212 Deep generative models have shown promising ... 13213 We apply machine learning techniques in an a... 13214 We report frequency measurement of the clock... 13215 Identifying the different varieties of the s... 13216 Whether neural networks can learn abstract r... 13217 This paper was published in the special issu... 13218 The XO project aims at detecting transiting ... 13219 Standard modelfree deep reinforcement learni... 13220 An electrified viscocapillary jet shows diff... 13221 A receiver with perfect channel state inform... 13222 We describe a deep learning approach for aut... 13223 Robustness of any statistics depends upon th... 13224 We present a new proof of results of Kurdyka... 13225 Robots typically possess sensors of differen... 13226 In the framework of the GAPS project we are ... 13227 We tackle the problem of deciding whether tw... 13228 Colocalization analysis aims to study comple... 13229 Given a vertex of interest in a network G th... 13230 Passivity is an imperative concept and a wid... 13231 Restricted Boltzmann Machines are key tools ... 13232 We discuss the connection between colorings ... 13233 Let M be a real analytic Riemannian manifold... 13234 The main objective of this thesis is the stu... 13235 We show that the dynamics of the Higgs field... 13236 In topology a torus remains invariant under ... 13237 The proliferation of smallscale renewable ge... 13238 Electrical brain stimulation is currently be... 13239 Revealing a community structure in a network... 13240 We consider a variant of online convex optim... 13241 We investigate the nature of the superconduc... 13242 By means of firstprinciples calculations we ... 13243 A core technique used by popular proxybased ... 13244 We study the special fiber of the integral m... 13245 Bayesian optimization has been successful at... 13246 In this article we study the problem of fair... 13247 In magnetic resonant coupling MRC enabled mu... 13248 This work introduces a class of rejectionfre... 13249 At airwater interfaces the Lifshitz interact... 13250 We study the following basic machine learnin... 13251 Collecting labeled data is costly and thus a... 13252 This letter presents a revised radiative tra... 13253 In this paper we find sufficient conditions ... 13254 Education is increasingly being framed by a ... 13255 This article represents a first step toward ... 13256 We present in this paper a new algorithm for... 13257 We consider the problem of finding a proper ... 13258 We investigated the reliability and applicab... 13259 Probabilistic timed automata PTAs are timed ... 13260 In this paper we give some counting results ... 13261 In this paper we obtain a class of Virasoro ... 13262 It has previously been shown that a dyefille... 13263 Background Ab initio manybody methods whose ... 13264 In this paper the existence the uniqueness a... 13265 We propose a gradientbased method for quadra... 13266 Let A be an abelian variety defined over a g... 13267 We study SwendsenWang dynamics for the criti... 13268 The question of the number of thermodynamic ... 13269 Auxetic materials are of great engineering i... 13270 Through experiments and numerical simulation... 13271 We construct a cosection localized virtual s... 13272 The Column Subset Selection Problem provides... 13273 In this paper we introduce an algorithm to d... 13274 We study a model introduced by Perthame and ... 13275 The solution space of many classical optimiz... 13276 Echo chambers ie situations where one is exp... 13277 Applying a many mode Floquet formalism for m... 13278 IC is a luminous infrared galaxy LIRG classi... 13279 Random key graphs were introduced to study v... 13280 We study convergence rates of variational po... 13281 Eclipsing binaries remain crucial objects fo... 13282 A delayedacceptance version of a MetropolisH... 13283 For a Calgebra A and a set X we give a Stine... 13284 This paper presents a biasvariance tradeoff ... 13285 We propose in this paper a novel approach to... 13286 The community detection problem for graphs a... 13287 Uncertainty quantification is a critical mis... 13288 Complex statistical machine learning models ... 13289 This article is motivated by soccer position... 13290 We study the problem of initiation of excita... 13291 We aim to use statistical analysis of a larg... 13292 The regular separability problem asks for tw... 13293 Support vector data description SVDD is a ma... 13294 When comparing two distributions it is often... 13295 We investigate the effect of the Dzyaloshins... 13296 Random forests perform bootstrapaggregation ... 13297 Aims Recent observations have challenged our... 13298 Recent experiments suggest that the interpla... 13299 We introduce PVSCDTM Parallel Vectorized Ste... 13300 We extend existing methods for using crossco... 13301 We propose a novel blockrow partitioning met... 13302 Many image processing tasks involve imagetoi... 13303 Exact lower and upper bounds on the best pos... 13304 The big graph database model provides strong... 13305 We present analytic selfsimilar solutions fo... 13306 We employ unsupervised machine learning tech... 13307 Design of energyefficient access networks ha... 13308 I discuss the evolution of computer architec... 13309 Person reidentification ReID aims at matchin... 13310 Bounded model checking is among the most eff... 13311 We survey and compare various generalization... 13312 Let ZGH be the homogeneous space of a real r... 13313 The purpose of this work is to introduce a g... 13314 Statesponsored bad actors increasingly weapo... 13315 Estimates for asteroid masses are based on t... 13316 Markov regime switching models have been wid... 13317 The VIPAFLEET project consists in developing... 13318 While the Bayesian Information Criterion BIC... 13319 We analyze low rank tensor completion TC usi... 13320 In recent years much effort has been concent... 13321 Cardiac left ventricle LV quantification is ... 13322 This paper investigates properties of the cl... 13323 Many realworld communication networks often ... 13324 We propose a novel technique to make neural ... 13325 Computations over the rational numbers often... 13326 Collaborative filtering often suffers from s... 13327 Graphbased semisupervised learning is one of... 13328 Listwise learning to rank methods are consid... 13329 We study the Whitehead torsions of inertial ... 13330 As people rely on social media as their prim... 13331 Quantum sensors with solid state electron sp... 13332 Advanced motor skills are essential for robo... 13333 Querying graph databases has recently receiv... 13334 We show a communication complexity lower bou... 13335 We consider graph Turing machines a model of... 13336 Many online social networks allow directed e... 13337 About six years ago semitoric systems on dim... 13338 We consider the KUser MultipleInputSingleOut... 13339 We simulate complex fluids by means of an on... 13340 Motile organisms often use finite spatial pe... 13341 We study the asymptotic behaviour of the twi... 13342 Boltzmann sampling is commonly used to unifo... 13343 We classify the ergodic invariant random sub... 13344 Sparse Subspace Clustering SSC is a popular ... 13345 We consider a certain type of geometric prop... 13346 Languages shared by people differ in differe... 13347 We study the phase diagram and edge states o... 13348 We overview the logic of Bunched Implication... 13349 Let Xi be the crown domain associated with a... 13350 In this paper we consider the continuous mat... 13351 Let Q be a finite quiver without loops and m... 13352 The traditional abstract domain framework fo... 13353 We study the integral transform which appear... 13354 Quantitative CBA is a postprocessing algorit... 13355 We consider the quermassintegral preserving ... 13356 In this article we consider cloaking for a q... 13357 We consider a novel stochastic multiarmed ba... 13358 Clinical measurements collected over time ar... 13359 In fairly elementary terms this paper presen... 13360 We describe an embedding of the QWIRE quantu... 13361 We study the problem of learning classifiers... 13362 We study the algebraic and analytic structur... 13363 Geometric phases are well known to be noiser... 13364 Segmented aperture telescopes require an ali... 13365 We consider the problem of active feature ac... 13366 We give an asymptotic formula for the number... 13367 We consider an optimal execution problem in ... 13368 We give a description of the weighted ReedMu... 13369 In the junction Omega of several semiinfinit... 13370 This paper studies the stochastic optimal co... 13371 Models and observations suggest that icepart... 13372 The splashback radius Rrm sp the apocentric ... 13373 Deep learning models DLMs are stateoftheart ... 13374 Robotic systems are increasingly relying on ... 13375 We consider solution of stochastic storage p... 13376 This is a general physics level overview art... 13377 Fast byteaddressable nonvolatile memory NVM ... 13378 Our experience of the world is multimodal w... 13379 Consider the Tate twist tau in HS in the mod... 13380 Reliable diagnosis of depressive disorder is... 13381 Targeted advertising is meant to improve the... 13382 We prove a GaussBonnet formula XG sumx Kx w... 13383 Social media are transforming global communi... 13384 Infectious disease outbreaks recapitulate bi... 13385 Multiplayer MultiArmed Bandits MAB have been... 13386 In this paper we consider the estimation of ... 13387 Lightshiningthroughawall experiments represe... 13388 The recent increase of interest in the graph... 13389 Interpreting neural networks is a crucial an... 13390 Intersections are hazardous places Threats a... 13391 While convolutional sparse representations e... 13392 MMS observations recently confirmed that cre... 13393 In an era where big and highdimensional data... 13394 We present AutonoVi a novel algorithm for au... 13395 Stochastic Gradient Descent SGD is widely us... 13396 In this paper we deal with composite rationa... 13397 We introduce a geometry of interaction model... 13398 We present the results of a systematic searc... 13399 In this paper we study the geometry of the S... 13400 kpoint crossover operators and their recombi... 13401 With the advances in robotic technology rese... 13402 Recently millimeterwave mmWave communication... 13403 Quantum entanglement serves as a valuable re... 13404 We discuss the design and optimisation of tw... 13405 We present a threedimensional cubic lattice ... 13406 We advance the state of the art in polyphoni... 13407 In a previous joint work of Xiao and the sec... 13408 We propose and demonstrate a method for cali... 13409 We study the Laplacian in a smooth bounded d... 13410 Geometrical and topological phases play a fu... 13411 We study the homotopy groups of generic leav... 13412 We exhibit relations between van KampenFlore... 13413 Let Lambda lambdak denote a sequence of com... 13414 We investigate fine Selmer groups for ellipt... 13415 We introduce a new feature map for barcodes ... 13416 Our aim in this paper is to derive several n... 13417 During reactive transport modeling the compu... 13418 A pseudoedge graph of a convex polyhedron K ... 13419 In this paper we focus on learning structure... 13420 The Italian National Institute for Statistic... 13421 The inertialess fluidstructure interactions ... 13422 Encouraged by recent studies on the performa... 13423 Elicitability is a property of mathbbRkvalue... 13424 A system of interacting Brownian particles s... 13425 In this paper we first present a BirmanMurak... 13426 In recent era prediction of enzyme class fro... 13427 The origin of populationscale coordination h... 13428 In this paper we present ProSLAM a lightweig... 13429 We introduce right generating sets Cayley gr... 13430 A branch flow model BFM is used to formulate... 13431 Transfer learning aims to faciliate learning... 13432 Group discussions are a way for individuals ... 13433 In this short note using results of Bourgain... 13434 In this article we have modeled mortality ra... 13435 We propose a novel approach to parameter est... 13436 Several Prolog implementations include a fac... 13437 We introduce the notion of a dynamical topol... 13438 In this article we present pictorially the f... 13439 In this paper we study a non strictly system... 13440 The onedimensional symmetric exclusion proce... 13441 This paper classifies the equivalence classe... 13442 After a short review of the classical Lie th... 13443 Intersubband ISB polarons result from the in... 13444 It is well known that Markov chain Monte Car... 13445 One of the major challenges in Minimally Inv... 13446 This paper describes Task of the DCASE Cha... 13447 The program dependence graph PDG represents ... 13448 We prove that the smallest nontrivial quotie... 13449 In this paper we present a new type of fract... 13450 In this research we employ accurate timedepe... 13451 In this note we prove that the Borel class o... 13452 In this article we make a case for a systema... 13453 We estimate the maximumorder complexity of a... 13454 Recent advances in neural networks have insp... 13455 We study interactions between bright matterw... 13456 We give geometric characterisations of patch... 13457 In about four years the National Aeronautics... 13458 In the present paper we use the theory of ex... 13459 Many Program Verification and Synthesis prob... 13460 Deep neural networks excel at function appro... 13461 Many earth science applications require data... 13462 Psychiatric neuroscience is increasingly awa... 13463 The maximum speed at which a liquid can wet ... 13464 The massive spread of digital misinformation... 13465 A vector field is called a Beltrami vector f... 13466 Couder and Fort discovered that droplets wal... 13467 We investigate the languages recognized by w... 13468 We introduce a new family of integrable stoc... 13469 A large number of applications such as query... 13470 The context transformation and generalized c... 13471 In recent years numerous advanced malware ak... 13472 Lowpressure gaseous TPCs are well suited det... 13473 Due to the exponential complexity of the res... 13474 Reconstructing network connectivity from the... 13475 Consider a set of agents that wish to estima... 13476 During maintenance software developers deal ... 13477 Upon employing the analysis in a new time do... 13478 Nanostructures have the immense potential to... 13479 Future generation of gravitational wave dete... 13480 The present work seeks to analyse the altmet... 13481 The impact of information dissemination on e... 13482 As artificial intelligence is increasingly a... 13483 This paper presents sufficient conditions fo... 13484 We present spectroscopic observations of the... 13485 Metasurfaces are promising tools towards nov... 13486 We prove that the open GromovWitten invarian... 13487 This paper reviews the main estimation and p... 13488 When rough grains in standard packing condit... 13489 Nonstationary domains where unforeseen chang... 13490 An important theorem in classical complexity... 13491 We present the first polynomialtime approxim... 13492 The emergence of smart WiFi APs Access Point... 13493 The Abella interactive theorem prover has pr... 13494 An arithmetic matroid is weakly multiplicati... 13495 Multilabel submodular Markov Random Fields M... 13496 We present a strategy to obtain explicit equ... 13497 In this paper we present a simple analysis o... 13498 By using numerical and analytical methods we... 13499 As deep neural networks become more complex ... 13500 Using the six parameters truncated MittagLef... 13501 Trending topic of newspapers is an indicator... 13502 Magneticallydriven disk winds would alter th... 13503 We show a proof of principle for warping a m... 13504 We show that every tiling of a convex set in... 13505 Recently Tewari and van Willigenburg constru... 13506 Calculation of phase diagrams is one of the ... 13507 Next Generation Sequencing NGS technology ha... 13508 The present contribution offers a simple met... 13509 We provide here a thermodynamic analog of th... 13510 In this paper we study the weighted Gevrey c... 13511 Soft Random Geometric Graphs SRGGs have been... 13512 The media industry is increasingly personali... 13513 Piecewise testable languages form the first ... 13514 We present SuperPivot an analysis method for... 13515 We study a stochastic control approach to ma... 13516 Face recognition has made great progress wit... 13517 In this paper we propose a a restart schedul... 13518 The purpose of this work is to construct a s... 13519 Ambientpressuregrown LaOFBiS with a supercon... 13520 Let mathcalA ldots mathcalAk be finite set... 13521 We present a systematic evaluation of JPEG I... 13522 Deep Reinforcement Learning DRL has been app... 13523 Following the breakthrough of Croot Lev and ... 13524 In this paper we present a detailed computat... 13525 Given any Koszul algebra of finite global di... 13526 In this paper we produce a cellular motivic ... 13527 In this work we introduce the idea that the ... 13528 We study theoretically the edge fracture ins... 13529 We apply our symmetry based Power tensor tec... 13530 This paper investigates the dependence of fu... 13531 We study local optima of the Hamiltonian of ... 13532 Regular expressions with capture variables a... 13533 We present a new approach to learning for pl... 13534 In the usual approaches to mechanics classic... 13535 We show that characteristic functions of dom... 13536 Least angle regression LARS by Efron et al ... 13537 We present measurements of the velocity powe... 13538 In this paper we prove the Lorentz space Lqp... 13539 We prove sharp density upper bounds on optim... 13540 Image diffusion plays a fundamental role for... 13541 This study compares various superlearner and... 13542 It is shown that Newtons inequalities and th... 13543 Understanding the influence of hyperparamete... 13544 In this paper we propose a generalized expec... 13545 This paper investigates the performance of a... 13546 Big data problems frequently require process... 13547 Developer forums contain opinions and inform... 13548 Simulations of tidal streams show that close... 13549 We present a threespecies multifluid MHD mod... 13550 With the evergrowing amounts of textual data... 13551 Software is a key component of solutions for... 13552 We performed geometric pulsar light curve mo... 13553 Automation and computer intelligence to supp... 13554 Two heuristics namely diversitybased DBTP an... 13555 Using the KatoRosenblum theorem we describe ... 13556 We investigate separation properties of Npoi... 13557 We introduce an algorithm for wordlevel text... 13558 In previous work we defined and studied Sigm... 13559 We revisit the low energy physics of one dim... 13560 Several methods for checking admissibility o... 13561 Spark is a new promising platform for scalab... 13562 It is known that for every graph G there exi... 13563 In this paper we estimate the time resolutio... 13564 The area of Handwritten Signature Verificati... 13565 Fairness is a critical trait in decision mak... 13566 Memorysafety violations are a prevalent caus... 13567 We study the problem of modeling spatiotempo... 13568 We rewrite Poyntings theorem already used in... 13569 it Victory ie underlinevienna underlinecompu... 13570 Tumor stromal interactions have been shown t... 13571 We consider the problem of testing on the ba... 13572 Phylodynamics is an area of population genet... 13573 Social and affective relations may shape emp... 13574 This paper addresses the dynamic difficulty ... 13575 We characterize all varieties with a torus a... 13576 In this paper we study the interplay between... 13577 Citation sentiment analysis is an important ... 13578 We present a hybrid method for latent inform... 13579 Let k be a field This paper investigates the... 13580 The Cosmic Axion Spin Precession Experiment ... 13581 The energy of a graph G is equal to the sum ... 13582 The Linear Attention Recurrent Neural Networ... 13583 In this paper we consider the robust adaptiv... 13584 Designing analog subthreshold neuromorphic c... 13585 The origin of the broad emission line region... 13586 We propose a consistent polynomialtime metho... 13587 We report time and angle resolved spectrosco... 13588 In this paper we consider a family of Jacobi... 13589 The goal of the present paper is to introduc... 13590 This submission investigates alternative mac... 13591 Growing digital archives and improving algor... 13592 In this paper we promote a method for the ev... 13593 We consider the flotation of deformable nonw... 13594 In this work we study the crystalline nuclei... 13595 Electron cloud can lead to a fast instabilit... 13596 No man is an island as individuals interact ... 13597 Let Fxfx dots fmx be such that f dots fm ar... 13598 We consider several notions of genericity ap... 13599 CubeSats are emerging as lowcost tools to pe... 13600 We study the cyclicity in weighted ellpmathb... 13601 In order to achieve a good level of autonomy... 13602 We devise an approach for targeted molecular... 13603 Deep neural networks have achieved increasin... 13604 We give a new axiomatization of the Npseudos... 13605 Radiofrequency multipole traps have been use... 13606 Visual data such as videos are often sampled... 13607 Dynamics of waves generated by scopes in gas... 13608 In this paper we deal with a robust Stackelb... 13609 In this paper five different approaches for ... 13610 SrTiO a quantum paraelectric becomes a metal... 13611 In the earliest socalled Class phase of sun... 13612 We consider cosmological dynamics in the the... 13613 In this paper we present some extensions of ... 13614 English to Indian language machine translati... 13615 The quantitative composition of metal alloy ... 13616 We tackle the problem of constructive prefer... 13617 Recently two reports have demonstrated the a... 13618 We examine the relation between gasphase oxy... 13619 We prove Riemann hypothesis Generalized Riem... 13620 We develop a second order primaldual method ... 13621 Electronic medical records contain multiform... 13622 We give an new arithmetic algorithm to compu... 13623 We study a superconductor that is coupled to... 13624 We introduce multicolour partition algebras ... 13625 Materials are central to our way of life and... 13626 Lumpedelement kinetic inductance detectors L... 13627 Knot Floer homology is an invariant for knot... 13628 A new detailed mathematical model for dynami... 13629 Experiments handling Rydberg atoms near surf... 13630 Quasars at high redshift provide direct info... 13631 Acid solutions exhibit a variety of complex ... 13632 Generating music has a few notable differenc... 13633 We study synaptically coupled neuronal netwo... 13634 Motion planning for autonomous vehicles requ... 13635 We present a tool that primarily supports th... 13636 This work leverages recent advances in proba... 13637 This paper introduces the YouTubeM Video Und... 13638 Sepsis is a condition caused by the bodys ov... 13639 This contribution is devoted to cover some t... 13640 We present a visibility based estimator name... 13641 Software has long been established as an ess... 13642 We prove new exact formulas for the generali... 13643 This paper provides some explicit formulas r... 13644 Witnesses of medieval literary texts preserv... 13645 There have been sustained interest in bifaci... 13646 In the era of big data reducing data dimensi... 13647 It is well known that neural networks with r... 13648 The aim of this paper is to introduce the no... 13649 In coming years residential consumers will f... 13650 Recent work on follow the perturbed leader F... 13651 The ammonium halides present an interesting ... 13652 The linear fractional map fz fracaz bcz d... 13653 Differential calculus on Euclidean spaces ha... 13654 Let P be a finite pgroup and p be an odd pri... 13655 In recent years deep generative models have ... 13656 We show that the standard stochastic gradien... 13657 Most simulation schemes for partial differen... 13658 In this paper we present a translation from ... 13659 We report the experimental realization of Di... 13660 Understanding the D structure of a scene is ... 13661 Motivated by applications in social and biol... 13662 We consider a problem of learning the reward... 13663 For a natural social humanrobot interaction ... 13664 We propose a novel online alternating minimi... 13665 Sensing in complex systems requires largesca... 13666 We study the attractors of a class of holomo... 13667 Graphene a honeycomb lattice of carbon atoms... 13668 The retina is a complex nervous system which... 13669 In emHolm Proc Roy Soc A stochastic fluid ... 13670 In this paper we consider solving a class of... 13671 We use information entropy to test the isotr... 13672 Observations of diffuse starlight in the out... 13673 Let A Lambda oplus C be a trivial extension ... 13674 We study the spread of Rnyi entropy between ... 13675 We explore lattice structures on integer bin... 13676 Undetected overfitting can occur when there ... 13677 We suggest an inverse dispersion method for ... 13678 Vehicletoinfrastructure VI communication may... 13679 Manifolds with infinite cylindrical ends hav... 13680 We give a construction of a real number that... 13681 A strong interaction is known to exist betwe... 13682 Quasirandom walks show similar features as s... 13683 Endtoend learning treats the entire system a... 13684 Most realworld document collections involve ... 13685 Recent years have witnessed great success of... 13686 We study a class of flat bundles of finite r... 13687 Appealing to the Gibbs formalism for classi... 13688 Smooth backfitting has proven to have a numb... 13689 Locomotion at low Reynolds numbers is a topi... 13690 Assessment of multimedia quality relies heav... 13691 Suppose that the inverse image of the zero v... 13692 We prove that certain coinduced actions for ... 13693 We study diffusion properties of an inertial... 13694 We prove that omegalanguages of nondetermini... 13695 Despite having an important role supporting ... 13696 Zeroshot recognition aims to accurately reco... 13697 In this study we developed an automated syst... 13698 The theoretical analysis of detection and de... 13699 Future electricity distribution grids will h... 13700 In this work we report Xray photoelectron XP... 13701 In this paper we consider a degenerate pseud... 13702 We use the ab initio Bethe Ansatz dynamics t... 13703 The human eye appears to be using a low numb... 13704 We study the problem of matrix estimation an... 13705 We are developing position sensitive silicon... 13706 We revisit the question of reducing online l... 13707 Recently Macdonald et al showed that many al... 13708 Let G be a finite solvable or symmetric grou... 13709 According to a wellknown principle of thermo... 13710 Almost all parameterizations of turbulence i... 13711 Recent advancements in complex network analy... 13712 In several experimental reports on nonconvex... 13713 From a modern perspective cosmology is a his... 13714 We give a classification of semisimple and s... 13715 We study the equivalence of microcanonical a... 13716 This paper considers the problem of positive... 13717 We discuss various characterizations of synt... 13718 Given a pedestrian image as a query the purp... 13719 Recently methods have been proposed that per... 13720 The present work analyses a particular scena... 13721 Administrators in all academic organizations... 13722 We introduce a condition on Garside groups t... 13723 In this paper a new approach for classificat... 13724 The canonical and grandcanonical ensembles a... 13725 The partial representation extension problem... 13726 The main aim of this paper is to study the L... 13727 We propose an estimation method for the cond... 13728 We report results of isothermal magnetotrans... 13729 Error backpropagation is a highly effective ... 13730 The mean field variational Bayes method is b... 13731 The era of the next generation of giant tele... 13732 Mastering the dynamics of social influence r... 13733 It is of great concern to produce numericall... 13734 We study gapless quantum spin chains with sp... 13735 A new area in which passive WiFi analytics h... 13736 We introduce a new method for finding networ... 13737 The traditional bagofwords approach has foun... 13738 To date the only limit on graviton mass usin... 13739 Artificial neural networks ANNs may not be w... 13740 For any channel with a convex constraint set... 13741 This paper presents a new algorithm for calc... 13742 Generative Adversarial Networks GAN are one ... 13743 We propose to estimate a metamodel and the s... 13744 Neuronal and glial cells release diverse pro... 13745 We present AutoPerf a generalized software p... 13746 The way Quantum Mechanics QM is introduced t... 13747 We study the sample complexity of learning n... 13748 Variational Bayes VB also known as independe... 13749 We have studied a two dimensional lattice mo... 13750 We propose a dynamic network model where two... 13751 A stock market is considered as one of the h... 13752 In this article the notion of bimonotonic in... 13753 We present observations of the occulted acti... 13754 Gender inequality starts before birth Parent... 13755 Hierarchical models for regionally aggregate... 13756 Accelerometer measurements are the prime typ... 13757 We investigated the magnetic structure of th... 13758 One of the most compelling features of Gauss... 13759 We consider the global optimization of a fun... 13760 Over the years many multiprocessor locking p... 13761 Topological cyclic homology is a refinement ... 13762 Local graph partitioning is a key graph mini... 13763 Understanding the detailed queueing behavior... 13764 Although cluttered indoor scenes have a lot ... 13765 Most commonly used distributed machine learn... 13766 The prevalence of smart wearable devices is ... 13767 QEnsembles are a modelfree approach where in... 13768 We report on the status of our Cybersecurity... 13769 Critical periods are phases in the early dev... 13770 In this work we present a wholebody Nonlinea... 13771 Unmanned aerial vehicles UAVs represent a ne... 13772 Recurrent Neural Networks RNN are a type of ... 13773 Functionals of a stochastic process Yt model... 13774 As efficient trafficmanagement platforms pub... 13775 We frame Question Answering QA as a Reinforc... 13776 In this paper we present results on dynamic ... 13777 The design simulation and measurement of a b... 13778 The Internet of Mobile Things encompasses st... 13779 During the Space Telescope and Optical Rever... 13780 We present the grasping system and design ap... 13781 We consider the semantics of prepositions re... 13782 Random walks are at the heart of many existi... 13783 Gated Recurrent Unit GRU is a recentlydevelo... 13784 In this paper we reformulated the spell corr... 13785 Twodimensional D transition metal dichalcoge... 13786 In this work we study permutation synchronis... 13787 Associated varieties of vertex algebras are ... 13788 A new method is developed to deal with the p... 13789 This paper presents a Semantic Attribute Mod... 13790 Positiveunlabeled PU learning considers two ... 13791 JUNO is a multipurpose neutrino experiment w... 13792 SigmaPiSigma neural networks SPSNNs as a kin... 13793 Proceedings of the AdKDD and TargetAd Works... 13794 Due to the possible lack of primaldualtype e... 13795 Expertise in programming traditionally assum... 13796 Gaining a better understanding of how and wh... 13797 The advanced operation of future electricity... 13798 We propose a nonlinear Discrete Duality Fini... 13799 Nbody simulations study the dynamics of N pa... 13800 Deep learning has started to revolutionize s... 13801 Monte Carlo MC sampling methods are widely a... 13802 In this paper we describe a novel local algo... 13803 This book chapter introduces to the problem ... 13804 Obtaining detailed and reliable data about l... 13805 We study implicit regularization when optimi... 13806 We study the Pareto frontier for two competi... 13807 Deep Neural Networks are increasingly being ... 13808 The CERN IT provides a set of Hadoop cluster... 13809 Evolution sculpts both the body plans and ne... 13810 It has been known since Ehrhard and Regniers... 13811 We propose and apply two methods to estimate... 13812 We analyse a multilevel Monte Carlo method f... 13813 We provide a fast method for computing const... 13814 We present a deep radio search in the Reticu... 13815 This paper investigates the problem of detec... 13816 Learning representations that disentangle th... 13817 Excellent ranking power along with well cali... 13818 The lowtemperature magnetic phases in the la... 13819 We introduce a general methodology for post ... 13820 We design jamming resistant receivers to enh... 13821 We discuss higher dimensional generalization... 13822 Realistic implementations of the Kitaev chai... 13823 A halfcentury after the discovery of the sup... 13824 Geosocial data has been an attractive source... 13825 The randomeffects or normalnormal hierarchic... 13826 In this paper we continue our previous work ... 13827 We consider the problem of approximate Kmean... 13828 Here we suggest a method to represent genera... 13829 We introduce uncertainty regions to perform ... 13830 Interstitial content is online content which... 13831 Spiking neuronal networks are usually simula... 13832 A press release from the National Institute ... 13833 Reinforcement learning is a powerful paradig... 13834 The CEGAR loop in software model checking no... 13835 The SturmLiouville operator with singular po... 13836 We describe some progress towards a new comm... 13837 This work presents an algorithm to generate ... 13838 We examine the Bayesconsistency of a recentl... 13839 Adaptive gradient methods such as AdaGrad an... 13840 An infinitely smooth convex body in mathbb R... 13841 Motivated by wideranging applications such a... 13842 In this paper we present a novel approach to... 13843 The classes of depthbounded and namebounded ... 13844 The secretary problem is a classic model for... 13845 In order to understand the formation of soci... 13846 In this series of papers we develop the theo... 13847 We prove a LiebSchultzMattis theorem for the... 13848 We present a stabilized microwavefrequency t... 13849 We define and study a numericalrange analogu... 13850 It is of fundamental importance to find algo... 13851 Although deep learning has historical roots ... 13852 Social media is an useful platform to share ... 13853 This paper introduces a novel deep learning ... 13854 Net Asset Value NAV calculation and validati... 13855 The nonlinear KleinGordon NLKG equation on a... 13856 We review studies of superintense laser inte... 13857 Grasping skill is a major ability that a wid... 13858 We compute the Hochschild cohomology ring of... 13859 We provide complete source code for a fronte... 13860 The pioneering work of BrezisMerle LiShafri... 13861 We consider a scenario of broadcasting infor... 13862 This paper contributes to the techniques of ... 13863 In many practical problems a learning agent ... 13864 This paper investigates power control and re... 13865 We are working on a scalable interactive vis... 13866 In this note we determine all possible domin... 13867 Consider a space X with the singular locus Z... 13868 Based on recent highresolution angleresolved... 13869 The renormalization method based on the Newt... 13870 We present a largescale study of gender bias... 13871 This paper addresses deep face recognition F... 13872 We consider the massless nonlinear Dirac NLD... 13873 The twodimensional nonoriented bin packing p... 13874 To constrain models of highmass star formati... 13875 Efficiency of the error control of numerical... 13876 This paper finds near equilibrium prices for... 13877 The twosample hypothesis testing problem is ... 13878 The least square Monte Carlo LSM algorithm p... 13879 Humans can ground natural language commands ... 13880 We study a nonlocal Venttsel problem in a no... 13881 We generalize the concept of the spinmomentu... 13882 The method of evaluation outlined in a previ... 13883 For distributed computing environment we con... 13884 It is known that inputoutput approaches base... 13885 Online social media have become an integral ... 13886 A theory is proposed in which the basic elem... 13887 The segmentation of large scale power grids ... 13888 Sb nuclear quadrupole resonance NQR was appl... 13889 There are many statistical tests that verify... 13890 In this paper we present a new method of mea... 13891 Testing whether a probability distribution i... 13892 The PeierlsNabarro PN model for dislocations... 13893 We consider partial torsion fields fields ge... 13894 Data aggregation is a promising approach to ... 13895 Digital games are one of the major and most ... 13896 In this letter we report our systematic cons... 13897 We prove an identity relating the product of... 13898 Dialogue Act recognition associate dialogue ... 13899 Questions of noise stability play an importa... 13900 Modern society generates an incredible amoun... 13901 We give a new proof of the strong Arnold con... 13902 Diderot is a parallel domainspecific languag... 13903 We consider the problem of semisupervised fe... 13904 We introduce and study the inhomogeneous exp... 13905 Evidence accumulation models of simple decis... 13906 The radiative lifetime of molecules or atoms... 13907 The two most fundamental processes describin... 13908 A system modeling bacteriophage treatments w... 13909 Spin waves in chiral magnetic materials are ... 13910 Moran or WrightFisher processes are probably... 13911 Preclinical magnetic resonance imaging often... 13912 The scalable calculation of matrix determina... 13913 Over the years data has become increasingly ... 13914 This review paper fits in the context of the... 13915 Understanding the generative mechanism of a ... 13916 We investigate the selforganization of stron... 13917 The virtual unknotting number of a virtual k... 13918 We describe an algorithm to evaluate all the... 13919 The rise in life expectancy is one of the gr... 13920 We explore the Hunters and Rabbits game on t... 13921 Quantifying the relation between gut microbi... 13922 In this paper we study a wireless packet bro... 13923 Any considerations on propagation of particl... 13924 We consider a point cloud Xn x dots xn un... 13925 We modify the definable ultrapower construct... 13926 We present a novel notion of complexity that... 13927 Given a graph on n vertices and an integer k... 13928 Suppose we are given a set of n elements to ... 13929 Kriging based on Gaussian random fields is w... 13930 We study the problem of maximizing a monoton... 13931 Multiarmed bandits are a quintessential mach... 13932 Mantels test MT for association is conducted... 13933 We present an algorithm for approximating a ... 13934 Time delay in general leads to instability i... 13935 Primordial Black Holes PBH could be the cold... 13936 PEGs were formalized by Ford in and have se... 13937 A central question in neuroscience is how to... 13938 We present restframe optical spectra from th... 13939 We study the task of estimating the number o... 13940 We explore Random ScaleFree networks of popu... 13941 We investigate the complexity of deep neural... 13942 We study the longrange longtime behavior of ... 13943 We study abelian varieties and K surfaces wi... 13944 Considering a granular fluid of inelastic sm... 13945 To better understand the energy response of ... 13946 The present paper generalises the results of... 13947 This paper presents an automated approach fo... 13948 We study the problem of learning onehiddenla... 13949 Absolute positioning is an essential factor ... 13950 Intrinsically nonlinear coupled systems pres... 13951 In this article we consider Cayley deformati... 13952 The pairwise maximum entropy model also know... 13953 We study the smooth structure of convex func... 13954 In this paper we study joint functional calc... 13955 Full ranges of both hybrid plasmonmode dispe... 13956 It is well known thanks to LaxWendroff theor... 13957 Environmental changes failures collisions or... 13958 We compute the free energy of the planar mon... 13959 In this paper we consider several compressio... 13960 Relativistic effects in the nonresonant twop... 13961 This article is concerned with the asymptoti... 13962 We show that dimensional systolic complexes ... 13963 The notion of computer capacity was proposed... 13964 We construct the base expansion of an absol... 13965 Computational ghost imaging is a robust and ... 13966 Estimated connectomes by the means of neuroi... 13967 We present photometry and spectroscopy of ni... 13968 The Sharing Economy SE is a growing ecosyste... 13969 The hypothesis that computational models can... 13970 We report on the growth of NdFeAsOF thin fil... 13971 We measure the mass function for a sample of... 13972 We show that the Galois cohomology groups of... 13973 This paper is a continuation of ctcmf where ... 13974 We investigate the time evolution of the ent... 13975 We proposed a new penalized method in this p... 13976 The upcoming SKALow radio interferometer wil... 13977 Neural networks have been widely used as pre... 13978 We consider Jacobi matrices J whose paramete... 13979 In the present work we analyze some necessar... 13980 While the polls have been the most trusted s... 13981 Seidel introduced the notion of a Fukaya cat... 13982 The thermalization of hot carriers and phono... 13983 Given any polynomial p in CX we show that th... 13984 Significant training is required to visually... 13985 Millions of users routinely use Google to lo... 13986 Evolutionary game dynamics in structured pop... 13987 In supervised machine learning an agent is t... 13988 We have undertaken an algorithmic search for... 13989 Nonnegative matrix factorization is a basic ... 13990 The paper solves the problem of optimal port... 13991 Statistical inference after model selection ... 13992 We study the problem of sampling a bandlimit... 13993 We present DLTK a toolkit providing baseline... 13994 We show that the Verdier quotients can be re... 13995 We prove that the Grothendieck rings of cate... 13996 We study the optimal pricing strategy of a m... 13997 The present paper is devoted to the descript... 13998 We derive bounds on the extremal singular va... 13999 Stanene has been predicted to be a twodimens... 14000 This paper introduces a framework for speedi... 14001 Distributions of anthropogenic signatures im... 14002 We consider regret minimization in repeated ... 14003 Given a network of nodes minimizing the spre... 14004 In this paper we consider the nonlinear inho... 14005 Poisson distribution is used for modeling no... 14006 Emil Artin defined a zeta function for algeb... 14007 The forgotten topological index or Findex of... 14008 We show that a problem of deleting a minimum... 14009 We propose using the storage ring EDM method... 14010 Time crystals are quantum manybody systems w... 14011 Echocardiography is essential to modern card... 14012 Anomaly detection in database management sys... 14013 In this paper we deal with Seifert fibre spa... 14014 The UFMC modulation is among the most consid... 14015 Humans can easily describe imagine and cruci... 14016 Recently a paper of Klimovskikh et al was pu... 14017 Learning representation from relative simila... 14018 We present an updated version of the massmet... 14019 Instanton partition functions of mathcalN d ... 14020 This paper presents the kinematic analysis o... 14021 BigDatalog is an extension of Datalog that a... 14022 We present longbaseline ALMA observations of... 14023 The computation of the Noether numbers of al... 14024 We are reporting that the LugiatoLefever equ... 14025 Models of percolation processes on networks ... 14026 The Lintersection graphs are the graphs that... 14027 In the classical problem of scheduling on un... 14028 Determination of the pairing symmetry in mon... 14029 This paper proposes a novel method to filter... 14030 We consider the question of extending propos... 14031 Our world can be succinctly and compactly de... 14032 We present the concept of magnetic gas detec... 14033 In this article we present an automatic meth... 14034 This paper proposes a model of information c... 14035 We present inferences on the geometry and ki... 14036 Providing longrange forecasts is a fundament... 14037 AA Tau is the archetype for a class of stars... 14038 The paper describes the verifying methods of... 14039 Objects moving in fluids experience patterns... 14040 Given a real number beta we study the ass... 14041 We derive the expressions for configurationa... 14042 Realtime safety analysis has become a hot re... 14043 We show that a conformal anomaly in WeylDira... 14044 Speaker recognition performance in emotional... 14045 UV absorption studies with FUSE have observe... 14046 As radio telescopes become more sensitive th... 14047 We consider the eternal inflation scenario o... 14048 We present the first exact calculations of t... 14049 Rigorous nonequilibrium actions for the many... 14050 The first step in statistical reliability st... 14051 In this work we introduce an online model fo... 14052 Due to recent advances compute data models ... 14053 In order to find a way of measuring the degr... 14054 The horseshoe prior has proven to be a notew... 14055 Current machine learning techniques proposed... 14056 The Siberian Solar Radio Telescope is now be... 14057 We present temperature dependent inelastic n... 14058 The goal of this study is to test two differ... 14059 Superresolution fluorescence microscopy with... 14060 An astonishing fact was established by Lee A... 14061 Determination of the energy and flux of the ... 14062 What can we learn from a connectome We const... 14063 In the claw diamondfree edge deletion proble... 14064 Caching popular contents at the edge of cell... 14065 We introduce orbital graphs and discuss some... 14066 We prove the existence of singular harmonic ... 14067 Childhood obesity is associated with increas... 14068 The basic reproduction number R is a thresho... 14069 We demonstrate that an applied electric fiel... 14070 Matrix divisors are introduced in the work b... 14071 Pseudogap phase in superconductors continues... 14072 Through a direct comparison of specific heat... 14073 It is of interest to determine the exit angl... 14074 A general methodology is proposed to differe... 14075 We have developed a semianalytic framework t... 14076 Research on how hardware imperfections impac... 14077 Preventable medical errors are estimated to ... 14078 Person reidentification ReID usually suffers... 14079 This paper illustrates how to calculate the ... 14080 We present new large samples of Galactic Cep... 14081 Kristensen and Mele developed a new approac... 14082 We study Leinsters notion of magnitude for a... 14083 In this paper we show that the edge connecti... 14084 Expertise of annotators has a major role in ... 14085 We rigorously derive a Kirchhoff plate theor... 14086 The advent of microcontrollers with enough C... 14087 In this work we prove that the growth of the... 14088 Internet Protocol IP addresses are frequentl... 14089 In this short paper we generalise a theorem ... 14090 We construct optimal designs for group testi... 14091 Complex oxides exhibit many intriguing pheno... 14092 In this article we show the duality between ... 14093 A generalization of the EmdenFowler equation... 14094 Exploiting the deep generative models remark... 14095 Using atomic force microscopy AFM we investi... 14096 In the article we discuss the architecture o... 14097 We analyze the lefttail asymptotics of defor... 14098 Background Test resources are usually limite... 14099 We make the case for studying the complexity... 14100 Quantum technology is increasingly relying o... 14101 The wide adoption of DNNs has given birth to... 14102 Spectral clustering has found extensive use ... 14103 Measurements of highvelocity clouds metallic... 14104 Deep generative models trained with large am... 14105 We present a generalization bound for feedfo... 14106 In the preceding paper Efroimsky we derived... 14107 In this work we introduce the MOldavian and ... 14108 From the Einstein field equations in a weakf... 14109 We propose a novel tree classification syste... 14110 We investigate flow instability created by a... 14111 The paper gives an introduction to rate equa... 14112 For many modern applications in science and ... 14113 In this study we address the question whethe... 14114 The declination is a quantitative method for... 14115 Dynamic adaptive streaming over HTTP DASH ha... 14116 Evolution and propagation of the worlds lang... 14117 This article is dedicated to the late Giorgi... 14118 A categorical point of view about minimizati... 14119 Devaney and Krych showed that for the expone... 14120 Motivated by ridesharing platforms efforts t... 14121 Modern systems will increasingly rely on ene... 14122 The evolution of smart microgrid and its dem... 14123 Our premise is that autonomous vehicles must... 14124 In this paper we study the problem of estima... 14125 Planning safe paths is a major building bloc... 14126 In display advertising users online ad exper... 14127 The hallmark of Weyl semimetals is the exist... 14128 We study the dynamic response of a superflui... 14129 We examine spectral operatortheoretic proper... 14130 Mobile robots are cyberphysical systems wher... 14131 In spite of the recent success of neural mac... 14132 Machine learning and data analysis now finds... 14133 In this paper we introduce new modules over ... 14134 This paper studies the eigenvalue problem on... 14135 This report is targeted to groups who are su... 14136 Building interactive tools to support data a... 14137 We consider a classical risk process with ar... 14138 To conduct a more realistic evaluation on Vi... 14139 Information systems experience an evergrowin... 14140 Recent studies show interest in materials wi... 14141 A common approach to analyzing categorical c... 14142 In this paper we study inhomogeneous Diophan... 14143 A specific value for the cosmological consta... 14144 Synthesis of rationally designed nanostructu... 14145 We propose a novel framework that reduces th... 14146 We present semianalytical models of galactic... 14147 Learning algorithms that learn linear models... 14148 KustaanheimoStiefel KS transformation depend... 14149 This paper presents a new safety specificati... 14150 We present a simple yet effective approach f... 14151 Reinforcement Learning AI commonly uses rewa... 14152 Memorybased neural networks model temporal d... 14153 There is currently great interest in applyin... 14154 An infinite chain of drivendissipative conde... 14155 In this paper a projected primaldual gradien... 14156 Although there is a significant literature o... 14157 Aharoni and Berger conjectured that in any b... 14158 This paper provides a general and abstract a... 14159 One of the most interesting features in the ... 14160 The deep Qnetwork DQN and returnbased reinfo... 14161 Recent studies regarding the habitability ob... 14162 We exhibit the first explicit examples of Sa... 14163 We consider the hardcore model on finite tri... 14164 Model reduction of the Markov process is a b... 14165 We have carried out a campaign to characteri... 14166 When a D superconductor is subjected to a st... 14167 Consider a regression problem where there is... 14168 Although PoissonVoronoi diagrams have intere... 14169 One promising avenue to study onedimensional... 14170 The use of Kalman filtering as well as its n... 14171 Advances in atomic resolution in situ enviro... 14172 This paper presents an extension of a recent... 14173 In their work on a sharp compactness theorem... 14174 In this brief note we connect the discrete l... 14175 Convolutional neural networks CNNs can be ap... 14176 This paper studies a textitpartial functiona... 14177 Wireless rechargeable sensor networks consis... 14178 Online social media are information resource... 14179 Cooperation is the cornerstone of human evol... 14180 We show that the classical equivalence betwe... 14181 Recent literature has demonstrated promising... 14182 We conduct a comprehensive set of tests of p... 14183 In this paper we construct an equivariant co... 14184 This paper is a continuation of our recent p... 14185 Multilayer MoS possesses highly anisotropic ... 14186 A novel surface interrogation technique is p... 14187 We propose general computational procedures ... 14188 We study electroweak scale Dark Matter DM wh... 14189 Generalised hydrodynamics predicts universal... 14190 We propose to employ scale spaces of mathema... 14191 The paper deals with a construction of a sep... 14192 In this paper we present a method for simult... 14193 Protein pattern formation is essential for t... 14194 Artificial intelligence AI generally and mac... 14195 Matrix completion is a problem that arises i... 14196 Many applications infer the structure of a p... 14197 The influence of the Bsite ion substitutions... 14198 This paper presents an exhaustive study on t... 14199 We derive a new exact evolution equation for... 14200 It is shown that for controlled Moran constr... 14201 Predictable Feature Analysis PFA Richthofer ... 14202 Elements composing complex systems usually i... 14203 Many studies show that the acquisition of kn... 14204 Uncertainty propagation of large scale discr... 14205 Location fingerprinting locates devices base... 14206 We prove an explicit formula for the first n... 14207 We will characterize topologically conjugate... 14208 Encrypted database systems provide a great m... 14209 The main aim of this survey paper is to gath... 14210 Contactrich manipulation tasks in unstructur... 14211 Let Omegaleft abright subsetmathbbR min Llef... 14212 We study the structure and stability of vort... 14213 Estimating the tail index parameter is one o... 14214 Metamaterial analogues of electromagneticall... 14215 In this paper we study a special case of the... 14216 For dgeq we study the simplicial structure o... 14217 In some problems there is information about ... 14218 We investigate the extension of Monadic Seco... 14219 For the constantstress layer of wall turbule... 14220 We consider a class of variational problems ... 14221 This paper presents a comparison of six mach... 14222 Autoencoders are a deep learning model for r... 14223 Ocean flows are routinely inferred from lowr... 14224 A flexible approach for modeling both dynami... 14225 As the core issue of blockchain the mining r... 14226 A general conjecture is stated on the cone o... 14227 In this work we propose a compositiondecompo... 14228 We establish that every Kquasiconformal mapp... 14229 We prove that averaging operators are unifor... 14230 We consider the problem of computing firstpa... 14231 Hamamatsu Photonics introduced a new generat... 14232 We introduce Dynamic Deep Neural Networks DN... 14233 Gaussian random fields GRF are a fundamental... 14234 The computability power of a distributed com... 14235 This note corrects conditions in Proposition... 14236 We demonstrate an application of the Futamur... 14237 We report enhancing of complete synchronizat... 14238 We propose a novel method for compressed sen... 14239 In this paper an energy harvesting scheme fo... 14240 We investigate spectral properties of the te... 14241 We prove that if a smooth projective algebra... 14242 Recurrent Neural Networks RNNs are becoming ... 14243 Deep Learning has enabled remarkable progres... 14244 With the advancement of technology in the la... 14245 In this work thin magnetite films were depos... 14246 Demand response DR is a costeffective and en... 14247 The goal of graph representation learning is... 14248 There is widespread sentiment that it is not... 14249 We study by means of the densitymatrix renor... 14250 Application of fuzzy support vector machine ... 14251 We review the essentials of the formalism of... 14252 Chemical substitution during growth is a wel... 14253 The relative root mean squared errors RMSE o... 14254 The goal of the paper is to study the angle ... 14255 The ability to locally degrade the extracell... 14256 In mathematical physics the spacefractional ... 14257 We derive some Positivstellensatz for noncom... 14258 In the wake of the vast population of smart ... 14259 We study the minus order on the algebra of b... 14260 While the dynamics of a fully flexible polym... 14261 We have created a cloudbased service that al... 14262 A ballean or coarse structure is a set endow... 14263 In this article we investigate large sample ... 14264 We consider the problem of generating releva... 14265 The dynamics along the particle trajectories... 14266 In this paper a resilient controller is desi... 14267 We prove that integrability of a dispersionl... 14268 In this note we propose a new approach towar... 14269 We use the Maximum qloglikelihood estimation... 14270 Groups of enterprises guarantee each other a... 14271 The Vocal Joystick Vowel Corpus by Washingto... 14272 We examine salient trends of influenza pande... 14273 Henrik Bruus is professor of labchip systems... 14274 Analysis tools like abstract interpreters sy... 14275 This paper considers the problem of solving ... 14276 Unwanted variation including hidden confound... 14277 The purpose of this short contribution is to... 14278 Bandt and Pompe introduced Permutation Entro... 14279 Chest radiography is an extremely powerful i... 14280 This paper presents a Convolutional Neural N... 14281 Let xnninfty be a sequence on the torus math... 14282 Conventional generators in power grids are s... 14283 Onesided matching mechanisms are fundamental... 14284 We introduce MIDIVAE a neural network model ... 14285 In this work we present Gumbel Graph Network... 14286 Majorana bound states MBS are wellestablishe... 14287 An upgrade of the ATLAS experiment for the H... 14288 Recently several endtoend speaker verificati... 14289 We prove a recognition principle for motivic... 14290 Correlation functions of dimer operators the... 14291 With the advent of the th generation of wire... 14292 Fullerenes have attracted interest for their... 14293 Using the existing simplified model framewor... 14294 In this paper we study methods to estimate d... 14295 In order to make a proper reaction to the co... 14296 Based on properties of nsubharmonic function... 14297 We propose a simple approach which given dis... 14298 There is a forgetful functor from the catego... 14299 We evaluate integrals of certain polynomials... 14300 The intermetallic semiconductor FeGa acquire... 14301 We show that topology can protect exponentia... 14302 We find boundaries of BorelSerre compactific... 14303 Public speaking is an important aspect of hu... 14304 Let k be an algebraically closed field of an... 14305 Bibliometrics offers a particular representa... 14306 Traditional automatic evaluation measures fo... 14307 We investigate the effect of explicitly enfo... 14308 Traditionally classifying large hierarchical... 14309 We have experimentally quantified the tempor... 14310 Automatic compiler phase selectionordering h... 14311 Shot noise is an important ingredient to any... 14312 We establish the sharp growth rate in terms ... 14313 Hypothesis generation is becoming a crucial ... 14314 We consider several previously studied onlin... 14315 We study blackbox attacks on machine learnin... 14316 This work addresses the problem of kinematic... 14317 Integrated Information Theory IIT is a promi... 14318 Let M be a compact oriented threemanifold wh... 14319 In this paper we propose two novel bounds fo... 14320 In this paper we design fabricate and experi... 14321 Conventional shape sensing techniques using ... 14322 Distributed control as a potential solution ... 14323 Allpay auctions a common mechanism for vario... 14324 We examine volume computation of generaldime... 14325 Diluted meanfield models are spin systems wh... 14326 We analyze the clustering problem through a ... 14327 Comparison data arises in many important con... 14328 We generalize the chimney model by introduci... 14329 Fast radio bursts are a new class of transie... 14330 Finetuning of a deep convolutional neural ne... 14331 This work investigates the fundamental limit... 14332 I rebut some erroneous statements and attemp... 14333 We demonstrate that a weakly disordered meta... 14334 This is an epidemiological SIRV model based ... 14335 We study a model of seed dispersal that cons... 14336 We propose a new Integral Probability Metric... 14337 In this paper we present a number of robust ... 14338 We calculate the oneloop electron selfenergy... 14339 In this paper we consider the problem of fin... 14340 We show that for each positive integer k the... 14341 Many real world practical problems can be fo... 14342 In various economic environments people obse... 14343 This paper proposes a new architecture for s... 14344 The purpose of this note is to explain what ... 14345 This paper presents a framework for automati... 14346 In the first part of this paper we establish... 14347 Recent versions of the observed cosmic starf... 14348 ALFABURST has been searching for Fast Radio ... 14349 Graphitic carbon nitride nanosheets are amon... 14350 In this paper we develop a way of obtaining ... 14351 The main object of this article is to presen... 14352 It was recently shown that the phase retriev... 14353 The VIS instrument on board the Euclid missi... 14354 For a set of points in the plane a emphcross... 14355 Multinational corporations use highly comple... 14356 Magnetised exoplanets are expected to emit a... 14357 We present a new algorithm having a time com... 14358 Clinicallyrelevant forms of acute cell injur... 14359 A twostep photoionization strategy of an ult... 14360 The purpose of the present paper is to inves... 14361 In this paper we study moment sequences of m... 14362 In this paper we propose a novel explanation... 14363 Dynamic models and statistical inference for... 14364 Pretraining of models in pruning algorithms ... 14365 Semantic segmentation constitutes an integra... 14366 The main purpose of this paper is to study m... 14367 Highresolution observations of the solar chr... 14368 Let Dilangle Xrangle be the free dialgebra o... 14369 Discrete event simulators such as OMNeT prov... 14370 Social messages classification is a research... 14371 The rd International Workshop on Overlay Arc... 14372 Type diabetes mellitus TDM is a chronic dis... 14373 In this article we study the KapustinWitten ... 14374 A fundamental challenge in developing semant... 14375 There have been many discriminative learning... 14376 Differential Privacy DP has received increas... 14377 Let G be a finite group with the property th... 14378 We study an unbiased estimator for the densi... 14379 Variational autoencoder frameworks have demo... 14380 Geochemical studies of planetary accretion a... 14381 Graph Convolutional Networks GCNs have shown... 14382 For integers kgeq and ngeq k the Kneser gra... 14383 We introduce a class of fixed points of prim... 14384 R Beheshti showed that for a smooth Fano hyp... 14385 The structure of a certain subgroup S of the... 14386 Every Constraint Programming CP solver expos... 14387 The restricted Boltzmann machine is a networ... 14388 D Convolutional Neural Networks DCNN have be... 14389 By excluding some regions in which each eige... 14390 Variational systems allow effective building... 14391 We consider the problem of nonparametric reg... 14392 Using established principles from Statistics... 14393 In this work we develop a coupled layer cons... 14394 We study local asymptotic normality of Mesti... 14395 The polarization exchange effect in a twiste... 14396 Presentday clusters are massive halos contai... 14397 Cascading failures may lead to dramatic coll... 14398 The Hamiltonian of the quantum CalogeroSuthe... 14399 We define the it Wirtinger number of a link ... 14400 Augmenting a neural network with memory that... 14401 We develop a Liouville perturbation theory f... 14402 To solve deep metric learning problems and p... 14403 We consider a class of onedimensional compas... 14404 It is shown that the OrlikTerao algebra is g... 14405 We investigate a principle way to progressiv... 14406 In this paper we address the problem of lear... 14407 A novel capsule target design to improve the... 14408 When a single cell senses a chemical gradien... 14409 Formal models of games help us account for a... 14410 In hybrid normed ideal perturbations of ntup... 14411 This paper is concerned with radially symmet... 14412 Let G be a simple and finite graph without i... 14413 I make some basic observations about hard ta... 14414 DNA Methylation has been the most extensivel... 14415 We consider the problem of planning a closed... 14416 We study decay of small solutions of the Bor... 14417 There does not exist a general positive corr... 14418 We investigate the defect structures forming... 14419 This paper establishes the almost sure conve... 14420 This paper contributes to an emerging litera... 14421 We investigate the impact of spin anisotropi... 14422 A wellstudied coloring problem is to assign ... 14423 We present a simple result that allows us to... 14424 Axon guidance is a crucial process for growt... 14425 Motivated by applications in Game Theory Opt... 14426 Highmass stars form within star clusters fro... 14427 In this paper we deal with the null controll... 14428 This work is a part of ICLR Reproducibility ... 14429 We consider the problem of estimating the jo... 14430 Here I introduce an extension to demixed pri... 14431 This paper deals with the asymptotic behavio... 14432 We propose an endtoend approach to the natur... 14433 With access to large datasets deep neural ne... 14434 The objective of this paper is to develop an... 14435 We prove that the generalised Fibonacci grou... 14436 A RotaBaxter operator is an algebraic abstra... 14437 The mass function of galaxy clusters is a se... 14438 With the advent of largescale heterogeneous ... 14439 We obtain the rigorous uniform asymptotics o... 14440 For any undirected and weighted graph GVEw w... 14441 Readout chips of hybrid pixel detectors use ... 14442 The paper presents a novel analysis of a tra... 14443 The terms acousticelastic metamaterials desc... 14444 Blind source separation is a common processi... 14445 Recently BY Chen and O J Garay studied point... 14446 We propose a dataefficient Gaussian processb... 14447 Modern knowledge base systems frequently nee... 14448 We derive an algorithm to compute satisfiabi... 14449 This paper is concerned with optimal control... 14450 A novel minutiabased fingerprint matching al... 14451 Suppose Ffldotsfn is a system of random nvar... 14452 The majority of online content is written in... 14453 In this paper we study the adaptive learnabi... 14454 The details of an image with noise may be re... 14455 This contribution deals with image restorati... 14456 Membrane proteins and lipids can selfassembl... 14457 We show that every uniformly recurrent subgr... 14458 In monotone submodular function maximization... 14459 Standard models of reaction kinetics in cond... 14460 Monocular D facial shape reconstruction from... 14461 Waveparticle duality is the most fundamental... 14462 Tensor train TT decomposition provides a spa... 14463 We calculate the energy of threshold fluctua... 14464 Excitation of waves in a threelayer acoustic... 14465 In this article we introduce a simple dynami... 14466 A filling Dehn surface in a manifold M is a ... 14467 Most information spreading models consider t... 14468 We show that under a low complexity conditio... 14469 Under very general conditions it is shown th... 14470 We report an easy and versatile route for th... 14471 This paper is intended to be a further step ... 14472 One of the main advantages of Prolog is its ... 14473 Superconductivity was recently observed in C... 14474 We present the synthesis and a detailed inve... 14475 In this paper we focus our attention on the ... 14476 We investigate superconductivity that may ex... 14477 Relativizing computations of Turing machines... 14478 Electrical conductivity and high dielectric ... 14479 Which of your teams possible lineups has the... 14480 Observability of complex systemsnetworks is ... 14481 Continuous appearance shifts such as changes... 14482 We present our implementation of an automate... 14483 We investigate the time evolution towards th... 14484 Coded caching scheme which is an effective t... 14485 Online learning with streaming data in a dis... 14486 We report on the perpendicular magnetic anis... 14487 We investigate the universal cover of a topo... 14488 Synchrotron emitting bubbles arise when the ... 14489 Efimov effect refers to quantum states with ... 14490 An edited version is given of the text of Gd... 14491 In this paper we present temperature and fie... 14492 Minimax lower bounds are pessimistic in natu... 14493 Humans and animals have the ability to conti... 14494 Zdextensions of probabilitypreserving dynami... 14495 The use of renewable energy sources is a maj... 14496 As companies increase their efforts in retai... 14497 The recent observation of discrepancies in t... 14498 Halfmetallic properties of TlCrS TlCrSe and ... 14499 We study interfacial magnetocrystalline anis... 14500 Nature inspired neuromorphic architectures a... 14501 An ADE Dynkin diagram gives rise to a family... 14502 We study a network utility maximization NUM ... 14503 With the advent of deep learning object dete... 14504 This paper examines the cosmic ray He and C ... 14505 Symmetric nonnegative matrix factorization S... 14506 The total mass MGCS in the globular cluster ... 14507 We present a database of parliamentary debat... 14508 This paper deals with model order reduction ... 14509 Ensembles of nitrogenvacancy centers in diam... 14510 Topological spin liquids are robust quantum ... 14511 In semisymbolic controlexplicit datasymbolic... 14512 Dimer algebras arise from a particular type ... 14513 The subject is traces of Sobolev spaces with... 14514 Models with many signals highdimensional mod... 14515 Training of discrete latent variable models ... 14516 Biological organisms have to cope with stoch... 14517 To improve the performance of Intensive Care... 14518 This paper proposes two lowcomplexity iterat... 14519 In this paper we describe the routine photom... 14520 We report on the electronic transport and th... 14521 It is shown that for a solvable subgroup G o... 14522 Gene expression GE data capture valuable con... 14523 A problem faced by many instructors is that ... 14524 Most recent CNN architectures use average po... 14525 Abridged We used the fourth internal data re... 14526 Robust Stable Marriage RSM is a variant of t... 14527 We know that in empty space there is no pref... 14528 An Intelligent Personal Agent IPA is an agen... 14529 With the increased use of Internet governmen... 14530 We evaluate a curious determinant first ment... 14531 This entry discusses the problem of describi... 14532 This paper introduces deep neural networks D... 14533 We apply three data science techniques Nonne... 14534 Motivated by truncated EM method introduced ... 14535 This expository paper is concerned with the ... 14536 Dual spectral computed tomography DSCT can a... 14537 The timed pattern matching problem is an act... 14538 We report on g r and i band observations of ... 14539 We propose a method for variable selection i... 14540 Generative Adversarial Networks GAN Goodfell... 14541 A basic and still largely unanswered questio... 14542 We present a recurrent encoderdecoder deep n... 14543 Personalized search has been a hot research ... 14544 Sobol sequences are widely used for quasiMon... 14545 A high order wavelet integral collocation me... 14546 Weaklycoupled TeVscale particles may mediate... 14547 We present generalized versions of the conce... 14548 As the size and complexity of software syste... 14549 We propose two coded schemes for the distrib... 14550 We study the Gevrey character of a natural p... 14551 On a periodic basis publicly traded companie... 14552 A new pathway to nuclear magnetic resonance ... 14553 A meticulous assessment of the risk of extre... 14554 This paper deals with the homogenization pro... 14555 In this paper RungeKuttaGegenbauer RKG stabi... 14556 We develop a tensor network technique that c... 14557 Recent advances in ultrafast measurement in ... 14558 Phonetic segmentation is the process of spli... 14559 Implicit models which allow for the generati... 14560 Traditional centralized energy systems have ... 14561 Generative Adversarial Networks GANs are a p... 14562 The introduction of serious games as pedagog... 14563 In this paper we investigate the complexity ... 14564 It has recently been found that bosonic exci... 14565 The dynamic dipole polarizabilities of the l... 14566 The fifth generation of mobile communication... 14567 We investigate the structural electronic tra... 14568 In this work exact solutions for the equatio... 14569 Recent research in psycholinguistics has pro... 14570 The standard cosmographic approach consists ... 14571 Discourse parsing has long been treated as a... 14572 In this paper we study the combinatorial mul... 14573 Deep neural networks achieve unprecedented p... 14574 Droplet evaporation in turbulent sprays invo... 14575 Let mathbbX d mu be a proper metric measur... 14576 We show how simultaneous backaction evading ... 14577 Though theoretically expected the charge exc... 14578 We consider Friedlanders wave equation in tw... 14579 This paper represents a systematic way for g... 14580 In this paper we study the following multipa... 14581 Recent years witnessed an extensive developm... 14582 In todays era of big data robust leastsquare... 14583 In this paper we prove a global result for t... 14584 Implicit schemes have been extensively used ... 14585 We give a complete description of the congru... 14586 Let sf X be a symplectic orbifold groupoid w... 14587 We use logmModot quiescent and starforming ... 14588 The main purpose of this paper is to propose... 14589 This paper is focused on dimensionfree PACBa... 14590 The paper surveys topological problems relev... 14591 We propose a novel guessandcheck principle t... 14592 The formation of Correlated Electron Pairs O... 14593 The GIKN construction was introduced by Goro... 14594 We consider the problem of sampling from pos... 14595 The Gibbs sampler is a particularly popular ... 14596 In this paper we argue why and how the integ... 14597 This article sets forth results on the exist... 14598 In this paper we characterize planar central... 14599 Water fountain stars WFs are evolved objects... 14600 Subordinate diffusions are constructed by ti... 14601 Graph embedding is an effective method to re... 14602 We introduce a novel approach to perform fir... 14603 Without access to large compute clusters bui... 14604 Semiconductor nanowires provide an ideal pla... 14605 In the setting of finite type invariants for... 14606 Automatic segmentation in MR brain images is... 14607 We present a brief review on integrability o... 14608 Clinical trial registries can be used to mon... 14609 We adapt the wellknown spectral decimation t... 14610 We develop a calculus for diagrams of knotte... 14611 Schmidts game and other similar intersection... 14612 Kernel kmeans clustering can correctly ident... 14613 The classification of time series data is a ... 14614 This paper is mainly inspired by the conject... 14615 This paper proposes distributed algorithms f... 14616 Product distribution matching PDM is propose... 14617 Last decade witnesses significant methodolog... 14618 Machine learningguided protein engineering i... 14619 The inner structure of a material is called ... 14620 Utilizing the Hirsch index h and some of its... 14621 Although Darwinian models are rampant in the... 14622 Collaborations are an integral part of scien... 14623 For a second order operator on a compact man... 14624 We develop a theory based on the formalism o... 14625 We present a dataset with models of articul... 14626 We relate the minimax game of generative adv... 14627 It has recently been discovered that some if... 14628 The size of a planet is an observable proper... 14629 We prove that for any dimension function h w... 14630 Pushdown systems PDSs and recursive state ma... 14631 We discuss the averagefield approximation fo... 14632 In chemical or physical reaction dynamics it... 14633 The radial drift problem constitutes one of ... 14634 As a counterpart of the classical Yamabe pro... 14635 In this paper we discuss the stability prope... 14636 Compound distributions allow construction of... 14637 Identifying influential nodes in a network i... 14638 For population systems modeled by agestructu... 14639 We provide an explicit presentation of an in... 14640 Bayesian hierarchical models are increasingl... 14641 The comparison of observed brain activity wi... 14642 There has been a recent surge of interest in... 14643 We consider a Kepler problem in dimension tw... 14644 Slow light propagation in structured materia... 14645 Highresolution imaging has delivered new pro... 14646 In a recent paper A Alberucci C Jisha N Smyt... 14647 Place recognition is a challenging problem i... 14648 In this paper we assess the predictive power... 14649 We present a smooth distributed nonlinear co... 14650 The Milky Way bulge shows a boxpeanut or Xsh... 14651 This paper analyzes the impact of peer effec... 14652 The Hitomi Xray satellite has provided the f... 14653 Autoencoding generative adversarial networks... 14654 Edwin Powel Hubble is regarded as one of the... 14655 Fully convolutional neural networks FCN have... 14656 We extend some of the results proved for sca... 14657 This paper introduces a new approach to cost... 14658 The TensorFlow Distributions library impleme... 14659 We present a oneparameter family of mathemat... 14660 We mine the Tychoit Gaia astrometric solutio... 14661 When each data point is a large graph graph ... 14662 Accurately predicting machine failures in ad... 14663 Collective Adaptive Systems CAS consist of a... 14664 The use of functional brain imaging for rese... 14665 A presentation at the SciNeGHE conference of... 14666 Knaster continua and solenoids are wellknown... 14667 We introduce a class of theories called meta... 14668 We study the mutual alignment of radio sourc... 14669 Graph based semisupervised learning GSSL has... 14670 Peertopeer PP botnets have become one of the... 14671 Galaxyscale outflows are nowadays observed i... 14672 Deep neural networks DNNs are one of the mos... 14673 We prove by a computer aided proof the exist... 14674 Recent work in fairness in machine learning ... 14675 Predicting the future location of vehicles i... 14676 The metriplectic formalism couples Poisson b... 14677 We introduce a hierarchical architecture for... 14678 Finding similar user pairs is a fundamental ... 14679 Square arrays of submicrometer columnar defe... 14680 Gathering information about forest variables... 14681 Recently many studies have demonstrated deep... 14682 Sentiment analysis aims to uncover emotions ... 14683 We address the statistical and optimization ... 14684 We report on the observation of magnon therm... 14685 Extensions and generalizations of Alzers ine... 14686 We present Oncilla robot a novel mobile quad... 14687 Generating graphs that are similar to real o... 14688 Quadratic regression goes beyond the linear ... 14689 This paper addresses the problems of quantum... 14690 Let M be ternary homogeneous and simple We p... 14691 Amyloid beta peptides Abeta implicated in Al... 14692 Let mathbbK be the algebraic closure of a fi... 14693 The study of continuous phase transitions tr... 14694 Many stateoftheart reinforcement learning RL... 14695 Understanding cell identity is an important ... 14696 It is shown that continuously changing the e... 14697 The densitymatrixrenormalizationgroup DMRG m... 14698 At the interface between two distinct materi... 14699 Deep learning models are very effective in s... 14700 Let KBellpnBellqn be the ndimensional pqBoh... 14701 With rapid progress and significant successe... 14702 Neural architecture search NAS has been prop... 14703 Network embeddings have become very popular ... 14704 There are two major questions that neuroimag... 14705 Light Axionic Dark Matter motivated by strin... 14706 We use the information present in a bipartit... 14707 In textual information extraction and other ... 14708 In this paper we design and analyze a new ze... 14709 We consider the stochastic damped NavierStok... 14710 A compact circlepacking P of the Euclidean p... 14711 Nowadays a hot challenge for supermarket cha... 14712 In this paper the concept of Multirate Parti... 14713 This paper considers the optimal modificatio... 14714 We consider the binary classification proble... 14715 We examine the effect of carrier localizatio... 14716 Information in neural networks is represente... 14717 Given a connected real Lie group and a contr... 14718 The Large Synoptic Survey Telescope LSST wil... 14719 A Monte Carlo method based on the GEANT tool... 14720 A general theory of presentations for dframe... 14721 Automata expressiveness is an essential feat... 14722 Nowadays protecting trust in social sciences... 14723 This paper is a continuation of the second a... 14724 Modeling buildings heat dynamics is a comple... 14725 We present a decentralized and scalable appr... 14726 We propose an alternative evaluation of quan... 14727 Conjugate gradient CG methods are a class of... 14728 Kalman filters are routinely used for many d... 14729 Fully reconfigurable metasurfaces would enab... 14730 We present an approach to automatic detectio... 14731 As illustrated in recent years Superstorm Sa... 14732 We present a new technique for learning visu... 14733 In this paper we investigate the coolingoff ... 14734 We unveil a novel and unexpected manifestati... 14735 Experiments and simulations have established... 14736 The transition mechanism of jump processes b... 14737 We use globular cluster kinematics data prim... 14738 We study the dynamics of the Bogoliubov wave... 14739 The heaviest of the transuranic elements kno... 14740 Speckle reduction is a longstanding topic in... 14741 We define the Radon transform functor for sh... 14742 We propose foundations for a synthetic theor... 14743 Highorder parametric models that include ter... 14744 In this article I discuss the relationship o... 14745 We extend the constructive dependent type th... 14746 In this article we give the explicit solutio... 14747 We quantify the accuracy of various simulato... 14748 Let q be a power of a prime p and let Uq be ... 14749 We deal with zerodelay source coding of a ve... 14750 We develop a unified description via the Bol... 14751 In this paper we define a notion of calibrat... 14752 We present the design and manufacturing of h... 14753 We consider the dynamics of message passing ... 14754 In the first part of this paper we will prov... 14755 In this paper we propose the first computati... 14756 We have already developed the recommendation... 14757 A seminal result in decentralized control is... 14758 Optical clocks benefit from tight atomic con... 14759 A special type of rotarywing Unmanned Aerial... 14760 Traffic congestion is a widespread problem D... 14761 In this note we expand on some technical iss... 14762 Nontrivial connectivity has allowed the trai... 14763 There is a significant literature on methods... 14764 Mahlmann and Schindelhauer defined a Markov... 14765 Simultaneous Localization And Mapping SLAM i... 14766 Noting the importance of the latent variable... 14767 In the present work weighted area integral m... 14768 Based on firstprinciples calculations and ef... 14769 Water plays a major role in biosystems great... 14770 Let mathfrakg be a hyperbolic KacMoody algeb... 14771 Affine policies or control are widely used a... 14772 We give the sharp conditions for boundedness... 14773 In this paper we introduce transformations o... 14774 Convolutional Neural Networks CNNs have been... 14775 We prove the superhedging duality for a disc... 14776 We take advantage of the GaiaESO Survey iDR ... 14777 In we proved that for every symmetric repet... 14778 We present three new semiLagrangian methods ... 14779 The Integrated Nested Laplace Approximation ... 14780 Supervisory signals can help topic models di... 14781 We study the spatial fluctuations of the Cas... 14782 Nonlinear kernel methods can be approximated... 14783 Though suicide is a major public health prob... 14784 An RNA sequence is a word over an alphabet o... 14785 Motivated by recent findings that human mobi... 14786 We present a sufficient condition for irredu... 14787 Triplet networks are widely used models that... 14788 Recovering pairwise interactions ie pairs of... 14789 The boundary algebraic Bethe Ansatz for a su... 14790 Strengthening or destroying a network is a v... 14791 Reparameterization of variational autoencode... 14792 The case of the classical Hill problem is nu... 14793 This paper addresses a task allocation probl... 14794 In this paper we construct the simultaneous ... 14795 Nanometalsemiconductor junction dependent po... 14796 The paper approaches the problem of imagetot... 14797 Humanoid soccer robots perceive their enviro... 14798 This paper considers the problem of inferrin... 14799 The Fermilab Muon Campus will host the Muon ... 14800 In this research we investigate the nonlinea... 14801 Many modern unsupervised or semisupervised m... 14802 In a multiagent system transitioning from a ... 14803 Largebatch training approaches have enabled ... 14804 Standard deep learning systems require thous... 14805 We propose a novel method called robust kern... 14806 We analyse families of codes for classical d... 14807 We study the training process of Deep Neural... 14808 In this paper we explore the theoretical bou... 14809 Let fcolon M to M be a uniformly quasiregula... 14810 Our method of density elimination is general... 14811 In this article we use linear algebra to imp... 14812 The concept of leaderfollower or Stackelberg... 14813 It is widely perceived that the correlation ... 14814 While deep learning is remarkably successful... 14815 Bayesian inference for models that have an i... 14816 The impact of neutral impurity scattering of... 14817 Batyrev constructed a family of CalabiYau hy... 14818 Transfer Learning TL aims to transfer knowle... 14819 We show that every periodic virtual knot can... 14820 Computing optimal transport distances such a... 14821 Women have become better represented in busi... 14822 We establish the monotonicity property for t... 14823 Creating tetrahedral meshes with anatomicall... 14824 Dropout is a very effective way of regulariz... 14825 This paper is a continuation of arXiv We pre... 14826 We illustrate the advantages of distance wei... 14827 Accurate state estimation of largescale lith... 14828 The goal of this paper is not to introduce a... 14829 This paper presents a new multitask learning... 14830 The fast iterative soft thresholding algorit... 14831 We introduce a regression model for data on ... 14832 A Convolutional Neural Network was used to p... 14833 We briefly review the recent results of cons... 14834 Supersymmetry plays an important role in sup... 14835 Using the Tridiagonal Representation Approac... 14836 In this paper we systematically explore ques... 14837 By applying measurements of the dielectric c... 14838 Samples of two characteristic semiconductor ... 14839 Databases are widespread yet extracting rele... 14840 The Dominative pLaplace Operator is introduc... 14841 We show that every free amalgamation class o... 14842 Elliptically contoured distributions general... 14843 The classification of shapes is of great int... 14844 We present a clustering analysis of a sample... 14845 This work exploits the logical foundation of... 14846 We study radiative neutrino pair emission in... 14847 The MDL twopart coding textitindex of resol... 14848 The current work combines the Cluster Dynami... 14849 One dimensional hybrid systems play an impor... 14850 Pearson correlation and mutual information b... 14851 We construct an explicit projective bimodule... 14852 Modern deep neural networks DNNs spend a lar... 14853 Structured prediction is ubiquitous in appli... 14854 As mentioned by Schwartz and Cokelet it wa... 14855 The effects of high pressure on the crystal ... 14856 The aim of this research is to design and im... 14857 We use integratedlight spectroscopic observa... 14858 The recent series of the ASP system clingo ... 14859 Flexible duplex is proposed to adapt to the ... 14860 In this paper we establish the Carleman esti... 14861 Doubts have been expressed in a comment Eur ... 14862 A notion of delegated causality is introduce... 14863 Resonating valence bond RVB theory of high T... 14864 In this paper we consider numerical approxim... 14865 The KleinKramers equation governing the Brow... 14866 Learning an optimal policy from a multimodal... 14867 Several Fourier transformations of functions... 14868 Shunt FACTS devices such as a Static Var Com... 14869 The established spin splitting in monolayer ... 14870 Completeness of a dynamic priority schedulin... 14871 In this paper we obtain a description of the... 14872 Colletotrichum represent a genus of fungal s... 14873 The space of based loops in SLnmathbbC also ... 14874 We study Le Potiers strange duality conjectu... 14875 Graph signals offer a very generic and natur... 14876 We present an evaluation of several represen... 14877 Many policy search algorithms have been prop... 14878 The ideas that we forge creatively as indivi... 14879 Elucidating the interaction between magnetic... 14880 Sylvester factor an essential part of the as... 14881 We study analytically and numerically envelo... 14882 Decision making based on behavioral and neur... 14883 Inspired by mirror symmetry we investigate s... 14884 For sputter depth profiling often sample ero... 14885 Using a quantum wave packet simulation inclu... 14886 We propose a theoretical framework for think... 14887 This work focuses on reliable detection and ... 14888 Telephone call centers offer a convenient co... 14889 Areal level spatial data are often large spa... 14890 The ECIR halfday workshop on TaskBased and A... 14891 Determining the velocity distribution of hal... 14892 In this paper we study the asymptotic behavi... 14893 Symbolpair codes introduced by Cassuto and B... 14894 We present a baseline approach for crossmoda... 14895 From topology of the order parameter of the ... 14896 Van der Waals vdW heterostructures are recei... 14897 One of the longstanding challenges in Artifi... 14898 We prove under two sufficient conditions tha... 14899 Experimental data availability is a cornerst... 14900 MRA Multilingual Report Annotator is a web a... 14901 We consider SIS contagion processes over net... 14902 We propose a multilayer approach to simulate... 14903 Here we construct the conformal mappings wit... 14904 Neural networks are known to be vulnerable t... 14905 Let K be a field and denote by Kt the polyno... 14906 Deep neural networks DNNs are powerful nonli... 14907 Societies are complex systems which tend to ... 14908 Measurements on a subset of the boundary are... 14909 In this paper we propose a new optimization ... 14910 Time domain terahertz spectroscopy typically... 14911 Robust Optimization has traditionally taken ... 14912 Multidimensional time series are sequences o... 14913 We show that for any positive integer k the ... 14914 In this paper we have proposed a modified Ma... 14915 We propose a dynamic programming solution to... 14916 We consider the dynamics of overdamped MEMS ... 14917 In this paper we theoretically address three... 14918 In a puzzling transition was discovered in ... 14919 We review different constructions of the sup... 14920 I present a discussion of the hierarchy of T... 14921 It is well known that in the context of Gene... 14922 The main purpose of this macrostudy is to sh... 14923 A policy is said to be robust if it maximize... 14924 A vector bundle E on a projective variety X ... 14925 The APerture SYNthesis SIMulator is a simple... 14926 An expression for the dimensionless dissipat... 14927 Markov chain Monte Carlo is widely used in a... 14928 Previous research using evolutionary computa... 14929 Ensemble averaging experiments may conceal m... 14930 Joint analysis of data from multiple informa... 14931 Algebraic methods have a long history in sta... 14932 We explore theoretically the magnetoresistan... 14933 The availability of data sets with large num... 14934 Several growth models have been proposed in ... 14935 Selfpaced learning SPL is a new methodology ... 14936 While the emerging evidence indicates that t... 14937 We study Harmonic Soft Spheres as a model of... 14938 We introduce diffusively coupled networks wh... 14939 Recent advances in visual tracking showed th... 14940 We construct a fixed parameter algorithm par... 14941 We formalize the arithmetic topology ie a re... 14942 Deep neural networks have become invaluable ... 14943 We introduce the notion of a crystallographi... 14944 The paper analyzes special cyclic Jacobi met... 14945 Applied researchers often construct a networ... 14946 With the tremendous increase in the number o... 14947 For an affine toric variety mathrmSpecA we g... 14948 Machine learning methods in general and Deep... 14949 For a signed cyclic graph G we can construct... 14950 A singleparticle mobility edge SPME marks a ... 14951 Abridged Lowluminosity gasrich blue compact ... 14952 Tuning cellular network performance against ... 14953 Navigation has been a popular area of resear... 14954 We investigate the onset of superconductivit... 14955 We study the boundary behavior of the socall... 14956 In this work we consider the problem of comb... 14957 In many smart infrastructure applications fl... 14958 When trying to maximize the adoption of a be... 14959 We study a superconducting transmission line... 14960 Relativistic Newtonian Dynamics RND was intr... 14961 This paper introduces a new sparse spatiotem... 14962 Parameterized algorithms are a way to solve ... 14963 Discovering community structure in complex n... 14964 In this paper we assume that all isoparametr... 14965 Learning rich and diverse representations is... 14966 Antiunitary representations of Lie groups ta... 14967 Motivation\nAutomatically testing changes to... 14968 We study XXZ spin systems on general graphs ... 14969 There is growing interest in estimating and ... 14970 We consider the problem of the combinatorial... 14971 We show that standard candles can provide so... 14972 Understanding exoplanet formation and findin... 14973 We extend the standard Bayesian multivariate... 14974 How diverse are sharing economy platforms Ar... 14975 We consider the estimation accuracy of indiv... 14976 Modeling and parameter estimation for neuron... 14977 In this paper we prove the uniqueness and ra... 14978 We consider the problem of differential priv... 14979 Scattertext is an open source tool for visua... 14980 We consider complements of standard Seifert ... 14981 We compute the modular transformation formul... 14982 Contributions of the CODALEMAEXTASIS experim... 14983 Clustering samples according to an effective... 14984 Solar filamentsprominences are one of the mo... 14985 Stochastic convex optimization algorithms ar... 14986 We combine conditions found in Wh with resul... 14987 Direct impact excitation by precipitating el... 14988 Current methods to optimize vaccine dose are... 14989 We consider the problem of efficiently learn... 14990 We prove that if p equiv pmod is prime and ... 14991 Many social networks exhibit some underlying... 14992 Online social systems have become important ... 14993 The presence of very few statistical studies... 14994 The future generation networks Internet of t... 14995 The challenge of understanding hightemperatu... 14996 In this work we apply the Coles nonstandard ... 14997 Magnetic oxyselenides have been the topic of... 14998 This paper presents a novel framework for in... 14999 To design a uniaxial anisotropic metamateria... 15000 As a first approach to the study of systems ... 15001 Data processing pipelines represent an impor... 15002 Stationary stellar systems with radially elo... 15003 In the past calculation of wakefields genera... 15004 Minimizing the nuclear norm of a matrix has ... 15005 This paper presents a novel approach for sta... 15006 Measurement of the energy eigenvalues spectr... 15007 Fix a quadratic order over the ring of integ... 15008 Neural autoregressive models are explicit de... 15009 A stochastic orbital approach to the resolut... 15010 Game maps are useful for human players gener... 15011 The paper is focused on the problem of estim... 15012 Conventional text classification models make... 15013 The AKARI IRC Allsky survey provided more th... 15014 We demonstrate that a prior influence on the... 15015 We consider the multicomponent WidomRowlison... 15016 Graph theory provides a language for studyin... 15017 Metric search is concerned with the efficien... 15018 In this paper we study solutions possibly un... 15019 In this paper we present a new and significa... 15020 The question of selecting the best amongst d... 15021 Imaging assays of cellular function especial... 15022 Using the language of Riordan arrays we stud... 15023 We observe and explain theoretically a drama... 15024 In portfolio analysis the traditional approa... 15025 This paper studies the characteristics and a... 15026 Many neural systems display avalanche behavi... 15027 Ontology alignment is widelyused to find the... 15028 We consider the design and modeling of metas... 15029 We introduce the Connection Scan Algorithm C... 15030 We consider two stage estimation with a nonp... 15031 This paper shows that the Conditional Quanti... 15032 We present a principled technique for reduci... 15033 The formation of deuterated molecules is fav... 15034 Models involving branched structures are emp... 15035 With the recent success of embeddings in nat... 15036 In this paper we study electron wavepacket d... 15037 We consider corotational wave maps from the ... 15038 ROXs MASS J is a young star hosting a direc... 15039 We study the emergence of dissipation in an ... 15040 Satellite conjunction analysis is the assess... 15041 Recently a proposal has been advanced to det... 15042 Affine lambdaterms are lambdaterms in which ... 15043 Chemotherapeutic response of cancer cells to... 15044 We propose a technique for calculating and u... 15045 In the present paper new classes of wavelet ... 15046 Soft microrobots based on photoresponsive ma... 15047 We investigate using the density matrix reno... 15048 Advances in Machine Learning ML have led to ... 15049 The Wolynes theory of electronically nonadia... 15050 Densityfunctional theory DFT has revolutioni... 15051 Since the seminal observation of roomtempera... 15052 Spin and angleresolved photoemission spectro... 15053 Modern machine learning techniques can be us... 15054 Trending topics in microblogs such as Twitte... 15055 Various optical methods for measuring positi... 15056 We explore the correlations between velocity... 15057 A new type of EndtoEnd system for textdepend... 15058 Process mining allows analysts to exploit lo... 15059 Let Pdots Pn and Qdots Qn be convex polytope... 15060 Consider a coloring of a graph such that eac... 15061 In several literatures the authors give a ne... 15062 The Belief Propagation approximation or cavi... 15063 Observational learning is a type of learning... 15064 Packet parsing is a key step in SDNaware dev... 15065 We address the question concerning the birat... 15066 We present a microscopic theory for the Rama... 15067 We show that the distribution of symmetry of... 15068 We fabricate highmobility ptype fewlayer WSe... 15069 In the field of reinforcement learning there... 15070 In this thesis we study two problems based o... 15071 Comparative molecular dynamics simulations o... 15072 We study the nonstationary stochastic multia... 15073 A main goal of NASAs Kepler Mission is to es... 15074 Convolutional Neural Networks CNNs has shown... 15075 We present a position paper advocating the n... 15076 We provide expressions for the nonperturbati... 15077 We develop refined Strichartz estimates at L... 15078 We present a test for determining if a subst... 15079 Search engines play an important role in our... 15080 The reverse spacetime RST SineGordon SinhGor... 15081 We present a study on the impact of Mn subst... 15082 Given a sample of bids from independent auct... 15083 Contemporary web pages with increasingly sop... 15084 In this work we conducted a survey on differ... 15085 Person ReIdentification person reid is a cru... 15086 Let Sxxdotsxn be a set of distinct positive ... 15087 This paper investigates two strategies to re... 15088 Suppose Omega A subseteq RRsetminusSet are t... 15089 Modern investigation in economics and in oth... 15090 In this work we have characterized changes i... 15091 Given a field F of operatornamecharF we defi... 15092 Being able to recognize emotions in human us... 15093 Sufficient statistics are derived for the po... 15094 In this paper we study the Bernstein polynom... 15095 The emphlongest common extension emphLCE pro... 15096 Materials design and development typically t... 15097 We propose a unified framework to speed up t... 15098 Power prediction demand is vital in power sy... 15099 There has been growing interest in developin... 15100 In relativistic quantum field theories compa... 15101 In this work we make two improvements on the... 15102 Vehicle climate control systems aim to keep ... 15103 The truncated Fourier operator mathscrFmathb... 15104 We prove that the regular ntimes n square gr... 15105 Given a list of k sourcesink pairs in an edg... 15106 Label shift refers to the phenomenon where t... 15107 There has been an increasing interest in lea... 15108 The first billion years of the Universe is a... 15109 Often when multiple labels are obtained for ... 15110 We introduce the concept of Floquet topologi... 15111 Inspired by recent interests of developing m... 15112 Global recruitment into radical Islamic move... 15113 Interpretable machine learning tackles the i... 15114 This doctoral work focuses on three main pro... 15115 Many complex systems can be represented as n... 15116 A new variation of blockchain proof of work ... 15117 An extensive precise and robust recognition ... 15118 Linear ParameterVarying LPV systems with jum... 15119 We consider the problem of identity testing ... 15120 We present a thorough tightbinding analysis ... 15121 An increasing number of sensors on mobile In... 15122 The recently introduced mixed timeaveraging ... 15123 In this paper we establish squarefunction es... 15124 The aim of this paper is to study a poset is... 15125 One of the main challenges in probing the re... 15126 LinearQuadraticGaussian LQG control is conce... 15127 Detection tracking and pose estimation of su... 15128 This paper is about computing constrained ap... 15129 A promising paradigm for achieving highly ef... 15130 The problem of NonGaussian Component Analysi... 15131 Acoustic ranging based indoor positioning so... 15132 Semisupervised learning SSL provides a power... 15133 We are concerned with the inverse scattering... 15134 We introduce a workable notion of degree for... 15135 In this paper we further develop the theory ... 15136 To guarantee the security of uniform random ... 15137 Email cryptography applications often suffer... 15138 We study topological excitations in twocompo... 15139 Statistical inference for exponentialfamily ... 15140 We propose a mixed integer programming MIP m... 15141 The recent announcement of a Neptunesized ex... 15142 We present a datadriven framework called gen... 15143 Eradicating hunger and malnutrition is a key... 15144 Stress Urinary Incontinence SUI or urine lea... 15145 In this paper we study the compressibility o... 15146 Spacefilling designs are popular choices for... 15147 Adaptive stochastic gradient descent methods... 15148 This paper studies scenarios of cyclic domin... 15149 Deep networks have recently been shown to be... 15150 We investigate anomaly detection in an unsup... 15151 Rapid miniaturization and cost reduction of ... 15152 We investigate the effect of bandlimited whi... 15153 Signaltonoiseplusinterference ratio SINR out... 15154 One of the most important tools for the deve... 15155 Revealing Adverse Drug Reactions ADR is an e... 15156 It is wellknown that the problem to solve eq... 15157 Predicting traffic conditions has been recen... 15158 The article addresses a longstanding open pr... 15159 This paper is a comprehensive introduction t... 15160 The rise of usercontributed Open Source Soft... 15161 The design of sparse spatially stretched tri... 15162 The almost sure Hausdorff dimension of the l... 15163 As power electronics shrinks down to submicr... 15164 Let VVV be a triple of even dimensional vect... 15165 In Strassen shocked the world by showing th... 15166 Spiking Neural Network SNN naturally inspire... 15167 The emphvitality of an arcnode of a graph wi... 15168 This paper presents a new approach in unders... 15169 The ability of the mammalian ear in processi... 15170 We derive general expressions for resonant i... 15171 In this paper we investigate Hamiltonian pat... 15172 We address the task of ranking objects such ... 15173 Multiple design iterations are inevitable in... 15174 We consider the inverse Ising problem ie the... 15175 We studied the emergence process of active ... 15176 Let f be a Lipschitz map from a subset A of ... 15177 Sleep plays a vital role in human health bot... 15178 We study which algebras have tilting modules... 15179 Deep neural network models used for medical ... 15180 Gaining a detailed understanding of water tr... 15181 Recently the authors and de Wolff introduced... 15182 Fairnessaware classification is receiving in... 15183 Community identification in a network is an ... 15184 Stateoftheart static analysis tools for veri... 15185 Application of NaITl detectors in the search... 15186 The finitedifference timedomain FDTD method ... 15187 This work considers a stochastic Nash game i... 15188 In algebraic terms the insertion of npowers ... 15189 The origin and nature of extreme energy cosm... 15190 We propose a precise ellipsometric method fo... 15191 Singleuser multipleinput multipleoutput SUM... 15192 Bistability and multistationarity are proper... 15193 Background In silico drugtarget interaction ... 15194 Penaltybased variable selection methods are ... 15195 In the last three decades we have seen a sig... 15196 The impact of the maximally possible batch s... 15197 We consider compositecomposite testing probl... 15198 A databased policy for iterative control tas... 15199 In this paper we investigate the metric prop... 15200 Transition metal dichalcogenides TMDs exhibi... 15201 We review and modify the active set algorith... 15202 Let M be a II factor with a von Neumann suba... 15203 In statistics and machine learning approxima... 15204 In this work which is based on an essential ... 15205 Classical linear regression is considered fo... 15206 In this paper we consider the Witten Laplaci... 15207 For p let a function varphipx x if xle a... 15208 Here we report smallangle neutron scattering... 15209 We derive asymptotic formulas for the soluti... 15210 We develop the general theory for the constr... 15211 Social network analysis provides meaningful ... 15212 Understanding the nature of bulges in disc g... 15213 Growth in both size and complexity of modern... 15214 We report a measurement of KLL dielectronic ... 15215 Growing interest in automatic speaker verifi... 15216 Face deidentification is an active topic amo... 15217 Comment on Dependency distance a new perspec... 15218 Precision pulsar timing requires optimizatio... 15219 This article was withdrawn because it was u... 15220 Traffic speed is a key indicator for the eff... 15221 We construct a family of vertex algebras ass... 15222 Approximate model counting for bitvector SMT... 15223 We develop a family of reformulations of an ... 15224 We examine dense selfgravitating stellar sys... 15225 We propose a new type of Hopf semimetals ind... 15226 We present an extensive study of the key pro... 15227 We report experimental studies of the influe... 15228 This paper provides a set of sensitivity ana... 15229 Online writers and journalism media are incr... 15230 Accurate prediction of suitable discourse co... 15231 Although reinforcement learning methods can ... 15232 In this paper we propose a novel splitting r... 15233 The paper establishes the equality condition... 15234 The gap between our ability to collect inter... 15235 This paper is about models for a vector of p... 15236 The family of Information Dispersal Algorith... 15237 A group theoretical formulation of SchrammLo... 15238 Although the explicit commutativitiy conditi... 15239 Radiative alphacapture alphagamma reactions ... 15240 We recall first Gallaisimplicial complex Del... 15241 Ensuring that classifiers are nondiscriminat... 15242 Currently eXtensible Access Control Markup L... 15243 Based on the results published recently J Ph... 15244 Purpose MRI cell tracking can be used to mon... 15245 We present a novel algorithm for learning th... 15246 We prove an equivalence between the infinite... 15247 We analyze threedimensional hydrodynamical s... 15248 This paper tackles the reduction of redundan... 15249 We consider the Lasso for a noiseless experi... 15250 Transformer lifetime assessments plays a vit... 15251 Future projection of climate is typically ob... 15252 Random impedance networks are widely used as... 15253 Purpose To compare two methods that use xray... 15254 In many environments only a tiny subset of a... 15255 We study the dynamics of overdamped Brownian... 15256 The Ensemble Kalman methodology in an invers... 15257 Positron Emission Tomography PET is a functi... 15258 Electrochemistry is the underlying mechanism... 15259 We build new algebraic structures which we c... 15260 Given the n vertices of a convex polygon in ... 15261 For the analysis of molecular processes the ... 15262 We present microlensing events in the Korea... 15263 As researchers use computational methods to ... 15264 Skeletonbased human action recognition has a... 15265 In this work we propose a novel method for q... 15266 A cognitive radar adapts the transmit wavefo... 15267 Imitation learning algorithms learn viable p... 15268 Shape memory alloys often show a complex hie... 15269 Recent advances in representation learning o... 15270 Deep convolutional neural networks CNNs base... 15271 We introduce a Bayesian approach for modelin... 15272 We consider the minimization of submodular f... 15273 The evolution from superconducting LiTiOdelt... 15274 Classes of locally compact groups having qua... 15275 Additively separable hedonic games and fract... 15276 We present a novel method to solve image ana... 15277 The inverse problem of antiplane elasticity ... 15278 We present a construction of a Hilbert space... 15279 This article describes the final solution of... 15280 Brain Electroencephalography EEG classificat... 15281 We present a casestudy demonstrating the use... 15282 Ensemble Kalman filter EnKF is an important ... 15283 This note is devoted to the study of the hom... 15284 This paper provides an alternative approach ... 15285 The construction of anisotropic triangulatio... 15286 Principal component analysis PCA and singula... 15287 Twentyseven years ago one of the biggest soc... 15288 We present the second release of valueadded ... 15289 Machine learning can impact people with lega... 15290 Recently resources and tasks were proposed t... 15291 A generic model for the shape optimization p... 15292 The manifold which admits a genus reducible ... 15293 The use of programming languages can wax and... 15294 We establish the link between Mathematical M... 15295 This book chapter introduces regression appr... 15296 Data and knowledge representation are fundam... 15297 The artificial axon is a recently introduced... 15298 In this paper a multiobjective mathematical ... 15299 In this article we study the treewidth of th... 15300 Two meromorphic functions fz and gz sharing ... 15301 During Rutherford cable production the wires... 15302 Interpreting the smallscale clustering of ga... 15303 The synthesis physical photocatalytic and an... 15304 Suppose we are sending out k robots from to... 15305 We present an implementation of the relativi... 15306 The problem of efficiently characterizing de... 15307 Convolutional sparse representations are a f... 15308 Principal component analysis PCA has welldoc... 15309 Single molecule magnets SMMs with singleion ... 15310 Compressive sensing CS combines data acquisi... 15311 We explore solutions for automated labeling ... 15312 For robots to coexist with humans in a socia... 15313 I give a brief overview of arXiv history and... 15314 In recent years realistic hydrodynamical sim... 15315 Chargeneutral circ domain walls that separat... 15316 Android apps should be designed to cope with... 15317 Strongly disordered spin chains invariant un... 15318 The use of optothermal molecular energy stor... 15319 Using hybrid exchangecorrelation functional ... 15320 During genomics life science research the da... 15321 In the framework of the Laplacian transport ... 15322 Deep generative models have been wildly succ... 15323 We obtain the optimal Bayesian minimax rate ... 15324 We solve a lifecycle model in which the cons... 15325 We present a complete and consistent quantum... 15326 We investigate drag reduction due to the flo... 15327 The success of deep learning has led to a ri... 15328 In this paper an original heuristic algorith... 15329 We derive in a direct way the exact controll... 15330 The strategy of sustainable development in t... 15331 This paper addresses the problem of automati... 15332 We prove the following conjecture of Leighto... 15333 We study transient behaviour in the dynamics... 15334 By assuming some widelybelieved arithmetic c... 15335 Recently proposed model of foam impact on th... 15336 This paper discusses the synthesis character... 15337 The use of secure connections using HTTPS as... 15338 This paper addresses the question of whether... 15339 We generalise the notion of a separating int... 15340 The Limbimaging Ionospheric and Thermospheri... 15341 Calculating onebody density profiles in equi... 15342 Security exploits can include cyber threats ... 15343 We study the quantum dynamics of the BoseHub... 15344 The inception network has been shown to prov... 15345 We analyse Kepler lightcurves of the exoplan... 15346 We present an efficient and practical algori... 15347 Previous experiments have found mixed result... 15348 A deep learning model is proposed for predic... 15349 We define causal estimands for experiments o... 15350 In this paper we show that sparse signals f ... 15351 We report the results of Xray spectroscopy a... 15352 Forthcoming applications concerning humanoid... 15353 Forwardbackward selection is one of the most... 15354 We explore the impact of dimensionality on t... 15355 A new type of quadrature is developed The Ga... 15356 The protection number of a plane tree is the... 15357 For e in S the unit sphere in mathbbR let pi... 15358 The classical Galois theory deals with certa... 15359 In our recent paper WS Rossi P Frasca and F ... 15360 Runtime Monitoring is a lightweight and dyna... 15361 Questions that require counting a variety of... 15362 The choice of model class is fundamental in ... 15363 We study a deep linear network expressed und... 15364 Reynolds parametricity theory captures the p... 15365 A program schema defines a class of programs... 15366 Polarized topics often spark discussion and ... 15367 We study the problem of cooperative multiage... 15368 Machine learning is increasingly prevalent i... 15369 Let mathbb Qnc be the complete simplyconnect... 15370 Plasticity in zirconium alloys is mainly con... 15371 Fourier optics the principle of using Fourie... 15372 Densitybased clustering relies on the idea o... 15373 This report provides an introduction to some... 15374 Let us say that an nsided polygon is semireg... 15375 The class of CressieRead empirical likelihoo... 15376 The aim of this paper is to prove a generali... 15377 A set of density functionals coming from dif... 15378 We use a direct numerical integration of the... 15379 The efficient simulation of isotropic Gaussi... 15380 This paper is concerned with the initialboun... 15381 We examine the velocity profile of coherent ... 15382 Estimating the human longevity and computing... 15383 Deep learning has given way to a new era of ... 15384 fracinstitutions have been introduced as an ... 15385 It has been postulated that a good represent... 15386 A boundary value problem which could represe... 15387 When a ddimensional quantum system is subjec... 15388 The data torrent unleashed by current and up... 15389 The ancient phrase All roads lead to Rome ap... 15390 In this paper we study an anisotropic varian... 15391 In this paper we first study partial regular... 15392 This paper studies an optimal control proble... 15393 Kernelbased methods exhibit welldocumented p... 15394 Deep neural networks have gained tremendous ... 15395 In this paper we construct some regular sequ... 15396 We perform Zeeman spectroscopy on a Rydberg ... 15397 We propose a principled method for gradientb... 15398 Larger and deeper neural network architectur... 15399 This paper describes the experience of prepa... 15400 Drone delivery has been a hot topic in the i... 15401 The past decade has seen significant advance... 15402 Let X be a locally compact zerodimensional s... 15403 We show that the Gurarij space mathbbG and i... 15404 In securitysensitive applications the succes... 15405 The conventional cryptography solutions are ... 15406 We consider the online oneclass collaborativ... 15407 Controlling nanocircuits at the single elect... 15408 Autonomous AI systems will be entering human... 15409 As the complexity and size of software proje... 15410 This paper studies an auction design problem... 15411 One of the fundamental tasks in understandin... 15412 We compute the effects of generic shortrange... 15413 The refraction index of the quantized lossy ... 15414 The method of model averaging has become an ... 15415 Deep neural networks DNNs achieve stateofthe... 15416 We consider a refinement of differential pri... 15417 We define holomorphic quadratic differential... 15418 In this paper we use Python to implement two... 15419 Due to freely available tailored software Ba... 15420 This work addresses the problem of path trac... 15421 We study time decay estimates of the fourtho... 15422 The problem of recovering a signal from its ... 15423 The purpose of this note is to verify that t... 15424 In this paper we develop methods to extend t... 15425 Concentration inequalities form an essential... 15426 We consider the four structures mathbbZ math... 15427 The Kotliar and Ruckenstein slaveboson repre... 15428 Deep neural networks trained using a softmax... 15429 We consider decidability problems in selfsim... 15430 We find that negative charges on an armchair... 15431 Deep neural networks DNNs have become increa... 15432 Attributed graphs model real networks by enr... 15433 Thermochemical models have been used in the ... 15434 Antibodies are a critical part of the immune... 15435 KCuAlOSO is a highly onedimensional spin\nin... 15436 We offer an umbrella type result which exten... 15437 Parsing Expression Grammars PEGs are a forma... 15438 This paper describes the Pressure Ulcers Onl... 15439 The study of brain networks including derive... 15440 In this paper we obtain new results related ... 15441 The major challenges of automatic track coun... 15442 Recently impressive denoising results have b... 15443 Structure based ligand discovery is one of t... 15444 The Bayesian update can be viewed as a varia... 15445 We report the finding of unidirectional elec... 15446 In this paper we propose a mixture model Spa... 15447 Image registration is a fundamental issue in... 15448 Many privacy mechanisms reveal highlevel inf... 15449 In the present work we consider multifidelit... 15450 Statistical performance bounds for reinforce... 15451 A proper semantic representation for encodin... 15452 We consider a variation of the problem of co... 15453 We describe and analyze an algorithm for com... 15454 In this paper we propose a distributed itera... 15455 Let mathcalA be the subHopf algebra of the m... 15456 Every rational number pq defines a rational ... 15457 Many efficient algorithms with strong theore... 15458 Connections between nodes of fully connected... 15459 We use Boltzmann transport equation BE to st... 15460 We obtain a formula for the TuraevViro invar... 15461 The detection of frauds in credit card trans... 15462 A popular approach to semisupervised learnin... 15463 When applying Machine Learning techniques to... 15464 We consider a system of differential equatio... 15465 A lowcomplexity point orthogonal approximate... 15466 The classical Descartes rule of signs limits... 15467 Multiple sequence alignment MSA plays a key ... 15468 Evergreens in science are papers that displa... 15469 In this paper we propose a method to model s... 15470 In many applications and in systemssynthetic... 15471 Banachs fixed point theorem for contraction ... 15472 This paper addresses the problem of coordina... 15473 In this note we give a socalled representati... 15474 The importance of being able to verify quant... 15475 We introduce a spreading out technique to de... 15476 Deep learning algorithms for connectomics re... 15477 We consider the problem of classifying busin... 15478 The problem of analyzing the number of numbe... 15479 We introduce a new formulation of the Hidden... 15480 Sampling from the lattice Gaussian distribut... 15481 We propose the Sleaping algorithm for the ac... 15482 The goal of the present study is to develop ... 15483 If several independent algorithms for a comp... 15484 Unprecedented high volumes of data are becom... 15485 This paper focuses on bestarm identification... 15486 This work introduces a novel reinterpretatio... 15487 Stateoftheart automatic speech recognition A... 15488 We consider a compound testing problem withi... 15489 Researchers often have datasets measuring fe... 15490 We consider the framework proposed by Burgar... 15491 The th Symposium on Educational Advances in ... 15492 The arrangements of particles and forces in ... 15493 We introduce several new constructions for p... 15494 We show that nonlinear Schwarzian differenti... 15495 State estimation in heavytailed process and ... 15496 We study a squeezed vacuum field generated i... 15497 In this paper we describe improved algorithm... 15498 In this paper we consider multistage stochas... 15499 Constrained model predictive control MPC is ... 15500 Traditional recommendation systems rely on p... 15501 Recently endtoend models have become a popul... 15502 Sheng and Zuos characteristic forms are inva... 15503 We investigate quantum graphs with infinitel... 15504 Recently Ciufolini et al reported on a test ... 15505 NGC P is an ultraluminous Xray source harbo... 15506 A new largescale parallel multiconfiguration... 15507 With the start of the Gaia era the time has ... 15508 We propose a multiobjective framework to lea... 15509 Diarization of audio recordings from adhoc m... 15510 A model of incentive salience as a function ... 15511 These are lecture notes based on three lectu... 15512 We report the detection of extended Halpha e... 15513 We consider the problem of estimating a larg... 15514 In this paper the parameter estimation probl... 15515 We introduce a new method to qualify the goo... 15516 For nonGaussian stochastic dynamical systems... 15517 We study modal team logic MTL the teamsemant... 15518 We propose Cooperative Training CoT for trai... 15519 We associate to each iterated function syste... 15520 In this paper we study the energy decay for ... 15521 We study a scenario in which the baryon asym... 15522 Noinsulation NI REBCO magnets have many adva... 15523 In this paper we propose an implicit gradien... 15524 We compute the Frobenius number for sequence... 15525 Solitary waves propagation of baryonic densi... 15526 Recent EinsteinPodolskyRosenBohm experiments... 15527 There exist tilings of the plane with pairwi... 15528 In this paper we study the Cauchy problem fo... 15529 We propose a general framework called Networ... 15530 In this paper we study the systole growth of... 15531 A featured transition system is a transition... 15532 We introduce a Schrdinger model for the unit... 15533 When analysing new emerging infectious disea... 15534 We evolve binary mux trees for up to genera... 15535 OpenStreetMap offers a valuable source of wo... 15536 Detection of a planetary ring of exoplanets ... 15537 Scientific discovery via numerical simulatio... 15538 Dimension reduction is often a preliminary s... 15539 A flag domain of a real from G of a complex ... 15540 The nominal transition systems NTSs of Parro... 15541 We solve a problem of R Nandakumar by provin... 15542 Phase limitations of both continuoustime and... 15543 We investigate using D hydrodynamic simulati... 15544 We propose a simple and generic layer formul... 15545 Stellar shells are low surface brightness ar... 15546 We present a monitoring approach for verifyi... 15547 In recent years deep learning algorithms hav... 15548 In this paper adaptive nonuniform compressiv... 15549 In order to automate verification process re... 15550 We survey problems and results from combinat... 15551 A recently proposed learning algorithm for m... 15552 We consider the recovery of regression coeff... 15553 By way of the nonequilibrium Greens function... 15554 The liar paradox is widely seen as not a ser... 15555 This Chapter Highdimensional ABC is to appea... 15556 Unlike the Web where each web page has a glo... 15557 In this chapter we introduce digital hologra... 15558 Data compression is a popular technique for ... 15559 The task of translating between programming ... 15560 Initializing all elements of an array to a s... 15561 We present a simple generative framework for... 15562 This paper presents a probabilistic method f... 15563 MobileEdge Computing MEC is an emerging para... 15564 We discuss the three spacetime dimensional m... 15565 We observed of the solartype binaries withi... 15566 For integers n and k the density HalesJewett... 15567 This paper explores the entertainment experi... 15568 Blind deconvolution is a ubiquitous problem ... 15569 We illustrate the potential applications in ... 15570 In the paper we investigate power law for Pa... 15571 Wholesale electricity market designs in prac... 15572 Fan et al recently introduced a remarkable ... 15573 With the goal of making highresolution forec... 15574 PAWS is a tool to analyse the behaviour of w... 15575 Measurements of plasma electric fields are e... 15576 R is a popular language and programming envi... 15577 Humans are routinely asked to evaluate the p... 15578 Path planning is an important problem in rob... 15579 A deeplearning inference accelerator is synt... 15580 The problem of determining those multiplets ... 15581 Over the last decade researchers and enginee... 15582 Based on independently distributed X sim Npt... 15583 Interpretation of electroencephalogram EEG s... 15584 FeiginStoyanovskys type subspaces for affine... 15585 We present two related methods for deriving ... 15586 We present a measurement of baryon acoustic ... 15587 We examine the gammaray and optical light c... 15588 The ground state of the diatomic molecules i... 15589 TK TokaitoKamioka is a longbaseline neutrino... 15590 For a general class of contractions of a var... 15591 We present the first simultaneous photometri... 15592 We realize scattering states in a lossy and ... 15593 We present a simple model of a nonequilibriu... 15594 A theoretical study of the currentdriven dyn... 15595 In this paper we prove a rigidity result for... 15596 We introduce an algebra model to study highe... 15597 For the problems of nonparametric hypothesis... 15598 A major goal of unsupervised learning is to ... 15599 A conformal coating technique with nanocarbo... 15600 Context The th release of the SDSS Moving Ob... 15601 The critical behavior of the random transver... 15602 In this paper we extend the known methodolog... 15603 User participation in online communities is ... 15604 The detection of software vulnerabilities or... 15605 We investigate the problem of learning discr... 15606 We consider orthogonal decompositions of inv... 15607 In this paper we propose a novel object prop... 15608 We study the effects of quantum fluctuations... 15609 Independent component analysis ICA is a corn... 15610 As a general and thus popular model for auto... 15611 In Barber and Candes introduced a new varia... 15612 This paper is a sequel to He and GH In He a ... 15613 We propose SoaAlloc a dynamic object allocat... 15614 The radiological characterization of contami... 15615 In this note we derive the backward automati... 15616 Fundamental atomic parameters such as oscill... 15617 Hamiltonian Truncation aka Truncated Spectru... 15618 A critical and challenging problem in reinfo... 15619 High penetration of renewable energy source ... 15620 We summarize our recent findings where we pr... 15621 Intensive studies for more than three decade... 15622 The Vector AutoRegressive Moving Average VAR... 15623 By investigating information flow between a ... 15624 Most popular strategies to capture subjectiv... 15625 The world is connected through the Internet ... 15626 Random network models play a prominent role ... 15627 Largescale dipolar surface magnetic fields h... 15628 The focusing NLS equation is the simplest un... 15629 We present the first discoveries from a surv... 15630 We prove that if a solution of the timedepen... 15631 One of the most puzzling features of hightem... 15632 Thermal noise is expected to be one of the n... 15633 In an effort to understand the meaning of th... 15634 We investigate how star formation efficiency... 15635 In hybrid digitalanalog HDA systems resource... 15636 We present an experimental study on the none... 15637 To aid a variety of research studies we prop... 15638 The protection of user privacy is an importa... 15639 We have studied the peculiarities of selecti... 15640 The lambdacalculus is a peculiar computation... 15641 This paper can be viewed as a sequel to the ... 15642 This paper proposes a new algorithm for reco... 15643 The mechanical properties of the cell depend... 15644 The widespread adoption and dissemination of... 15645 The interaction of CHCHPtCH\nmethylcyclopent... 15646 We examine the Hbeta Lick index in a sample ... 15647 We present a collective coordinate approach ... 15648 The class of selfdecomposable distributions ... 15649 In cloud storage systems hot data is usually... 15650 The binomial system is an electoral system u... 15651 We prove a highly uniform stability or almos... 15652 pandapower is a Python based BSDlicensed pow... 15653 We consider lightinduced binding and motion ... 15654 We study rates of convergence in central lim... 15655 Anomaly detection aims to detect abnormal ev... 15656 A magnetic adatom chain proximity coupled to... 15657 Certain fibered hyperbolic manifolds admit a... 15658 Graph representations offer powerful and int... 15659 Computational Fluid Dynamics CFD is a hugely... 15660 While firstorder optimization methods such a... 15661 We consider the stochastic shortest path SSP... 15662 We study existence and properties of onedime... 15663 A Turmit is a Turing machine that works over... 15664 Bitcoin and other cryptocurrencies have surg... 15665 Let mathbbK be an infinite field We prove th... 15666 We present the properties of a magnetooptica... 15667 In this paper we construct a nonautonomous v... 15668 Performancecritical machine learning models ... 15669 This paper presents a realization of the app... 15670 Fractional quantum Hallsuperconductor hetero... 15671 In this paper we present the first results o... 15672 Encoderdecoder GANs architectures eg BiGAN a... 15673 In this paper we are concerned with the exis... 15674 We study the action of monads on categories ... 15675 Evacuation is one of the main disaster manag... 15676 The discovery of topological insulators has ... 15677 Deep convolutional neural network CNN infere... 15678 The formation of large voids in the Cosmic W... 15679 The stability of sequence replication was cr... 15680 In this paper we obtain the variational char... 15681 Recent work has demonstrated that neural net... 15682 We present a first internal delensing of CMB... 15683 By introducing programmability automated ver... 15684 In todays cyberenabled smart grids high pene... 15685 In this article we provide a new algorithm f... 15686 The geodetic VLBI technique is capable of me... 15687 An unbiased estimator for the ellipticity of... 15688 There have been several spectral bounds for ... 15689 In this paper we extend the works of Tancer ... 15690 In this paper we present our approach to sol... 15691 Acquisition of labeled training samples for ... 15692 In this paper a sparse Markov decision proce... 15693 The dustforming nova V Oph is unique in that... 15694 This article consists of two parts In Part ... 15695 Data stream mining problem has caused widely... 15696 We investigate the lowenergy scaling behavio... 15697 Positively resp negatively associated point ... 15698 With the increasing abundance of digital foo... 15699 We present a finite difference time domain F... 15700 This paper investigates the achievable rates... 15701 We consider the problem of probabilistic pro... 15702 Persistent homology typically studies the ev... 15703 Using focused electronbeaminduced deposition... 15704 Developing efficient numerical algorithms fo... 15705 We study optical forces acting upon semicond... 15706 Intersubject variability between individuals... 15707 Bell inequalities are usually derived by ass... 15708 In this paper we find explicit formulas for ... 15709 eASTROGAM enhanced ASTROGAM is a breakthroug... 15710 We report magnetic and thermodynamic propert... 15711 In this paper we introduce the concept of Ev... 15712 This work proposes a new online algorithm fo... 15713 Given an orthogonal polygon P with n ver... 15714 A standard theorem in nonsmooth analysis sta... 15715 We propose a class of intrinsic Gaussian pro... 15716 Most existing approaches to coexisting commu... 15717 In many settings it is important that a mode... 15718 In a language corpus the probability that a ... 15719 Many prediction problems such as those that ... 15720 We propose a universal experiment to measure... 15721 We derive an explicit formula for the scalar... 15722 This paper presents a multipose face recogni... 15723 The twisted equivariant Ktheory given by Fre... 15724 We report observations of magnetoresistance ... 15725 Frchet mean and variance provide a way of ob... 15726 The backward simulation of a stochastic proc... 15727 We present Spectral Inference Networks a fra... 15728 Appropriate models for spatially autocorrela... 15729 We investigate learning of the differential ... 15730 To investigate whether training load monitor... 15731 We spectroscopically investigate the hyperfi... 15732 We describe a Hopf ring structure on the dir... 15733 In oneway quantum computation WQC model an i... 15734 In this note we shall compute the categorica... 15735 With the development and widespread use of w... 15736 In the study of subdiffusive wavepacket spre... 15737 The origin of the activity in the solar coro... 15738 Online creative communities have been able t... 15739 The mutualexclusion property of locks stands... 15740 The concepts of unitary evolution matrices a... 15741 Gene regulatory networks play a crucial role... 15742 In this paper we discuss recent results abou... 15743 In the present paper we demonstrate the resu... 15744 Visionlanguage navigation VLN is the task of... 15745 Fermilab is committed to upgrading its accel... 15746 For a given clustertilted algebra A of tame ... 15747 This article discusses how the automation of... 15748 Conventional methods of estimating latent be... 15749 We propose a rescaled LASSO by premultipying... 15750 We present the results of smoothed particle ... 15751 Redox flow batteries RFBs are potential solu... 15752 In this work we have analyzed the magnetocal... 15753 In the framework of MSSM inflation matter an... 15754 Blind spots are one of the causes of road ac... 15755 In this paper we study RotaBaxter modules wi... 15756 Viral videos can reach global penetration tr... 15757 In this work we find an equation that relate... 15758 The Logic Programming through Prolog has bee... 15759 In the paper we show that the transformation... 15760 Let ngeq kgeq be two integers and S a subse... 15761 Electromagnetic properties of single crystal... 15762 We set out to quantify the number density of... 15763 Probabilistic load forecasts provide compreh... 15764 We show nonlinear stability and instability ... 15765 In this article the JAGS software program is... 15766 Model based iterative reconstruction MBIR al... 15767 Negotiation diagrams are a model of concurre... 15768 The theory of Hitchin systems is something l... 15769 Confidence is a fundamental concept in stati... 15770 We investigate symmetry reduction of optimal... 15771 We provide a new and simple characterization... 15772 Accelerated gradient AG methods are breakthr... 15773 We use Energy Packet Network paradigms to in... 15774 In this paper we prove a refined version of ... 15775 In a recent paper M LopezSuarez I Neri and L... 15776 Let sigmadelta be a quasi derivation of a ri... 15777 The aim of this paper is to define a bivaria... 15778 Despite its attractive features Congruentmel... 15779 Taobao as the largest online retail platform... 15780 We consider recursive decoding techniques fo... 15781 We report on the design and performance of a... 15782 This paper provides efficient solutions to m... 15783 We study the higher gradient integrability o... 15784 Careful analyses of photometric and star cou... 15785 The global crisis of provoked a heightened ... 15786 Identifying arbitrary topologies of power ne... 15787 Gaussian belief propagation BP has been wide... 15788 We provided an analogue BanachAlaoglu theore... 15789 We consider the problem of enabling robust r... 15790 Incentivized advertising is a new ad format ... 15791 The selfannihilation of dark matter particle... 15792 We prove the orbifold version of Zvonkines r... 15793 We study connected locally compact metric sp... 15794 We prove an abstract theorem giving a langle... 15795 Userbased Collaborative Filtering CF is one ... 15796 Direct imaging of exoplanets requires the de... 15797 The rapidly growing number of large network ... 15798 In this paper we prove that the gradient ide... 15799 Image instance retrieval is the problem of r... 15800 We study phase transitions in a two dimensio... 15801 In this work the study of thermal conductivi... 15802 We investigate the forecasting ability of th... 15803 Recent years have seen the increasing need o... 15804 The massive popularity of online social medi... 15805 We investigate the characteristics of factua... 15806 In this paper we develop a conservative shar... 15807 Among several developments the field of Econ... 15808 Twodimensional D materials such as graphene ... 15809 We perform ultrasound velocity measurements ... 15810 We propose a oneclass neural network OCNN mo... 15811 An opensource vehicle testbed to enable the ... 15812 We consider the minimization of nonconvex fu... 15813 Following the advent of electromagnetic meta... 15814 Community structure describes the organizati... 15815 Weak attractive interactions in a spinimbala... 15816 The aim of this paper is to study twoweight ... 15817 We say that an algorithm is stable if small ... 15818 Turing test was long considered the measure ... 15819 We investigate the basic thermal mechanical ... 15820 We present Magnetohydrodynamic MHD simulatio... 15821 Discovering statistical structure from links... 15822 The signature of closed oriented manifolds i... 15823 We develop new closed form representations o... 15824 We studied intermediate filaments IFs in the... 15825 Using the Purple Mountain Observatory Deling... 15826 When we test a theory using data it is commo... 15827 This paper presents a clustering approach th... 15828 Doublestranded DNA may contain mismatched ba... 15829 In the setting of a weighted combinatorial f... 15830 In this paper we characterize the surjective... 15831 Existing visual reasoning datasets such as V... 15832 In this article we characterize all possible... 15833 Base station cooperation in heterogeneous wi... 15834 SrRuO SRO films are known to exhibit insulat... 15835 We prove local wellposedness in regular spac... 15836 We study a question which has natural interp... 15837 In this paper we propose a dynamical systems... 15838 In this paper we consider a general matrix f... 15839 Error bound conditions EBC are properties th... 15840 The runtime performance of modern SAT solver... 15841 Little is known about how different types of... 15842 Te NMR studies were carried out for the bism... 15843 We discuss the Ricciflat model metrics on ma... 15844 Motivated by stationkeeping applications in ... 15845 We carried out molecular dynamics simulation... 15846 We show that a subcategory of the mcluster c... 15847 The SoLid collaboration have developed an in... 15848 In this paper we propose a novel scheme for ... 15849 We consider asymptotic normality of linear r... 15850 This document contains the notes of a lectur... 15851 We demonstrate the presence of chaos in stoc... 15852 Questionanswering QA on video contents is a ... 15853 This work proposes a study of quality of ser... 15854 We introduce the notion of Kideals associate... 15855 Given functional data samples from a surviva... 15856 We determine three invariants Arnolds Jinvar... 15857 Being motivated by the problem of deducing L... 15858 Biomedical sciences are increasingly recogni... 15859 Given a classical channel a stochastic map f... 15860 Model compression is significant for the wid... 15861 Thunderstorms produce strong electric fields... 15862 Cox proportional hazards model with measurem... 15863 In this paper we study the efficiency of ego... 15864 Learning to drive faithfully in highly stoch... 15865 Anomaly detection AD task corresponds to ide... 15866 An accurate calculation of proton ranges in ... 15867 We show that the level sets of automorphisms... 15868 Machine learning algorithms are typically ru... 15869 In this work we consider the detection of ma... 15870 The recent rapid progress in observations of... 15871 The memorytype control charts such as EWMA a... 15872 In this short note we obtain error estimates... 15873 The observed constraints on the variability ... 15874 In this work we introduce pose interpreter n... 15875 A regularized risk minimization procedure fo... 15876 One of the primary objectives of human brain... 15877 Deep generative models have achieved impress... 15878 Face recognition FR methods report significa... 15879 Ellenberg and Gijswijt gave recently a new e... 15880 We study the role of environment in the evol... 15881 We investigate the configuration space of th... 15882 Earlier this decade the socalled FEAST algor... 15883 For an element a of a monoid H its set of le... 15884 In the increasing interests on spinorbit tor... 15885 Static program analysis is used to summarize... 15886 A major challenge in solar and heliospheric ... 15887 In this paper we construct explicit smooth s... 15888 Common clustering algorithms require multipl... 15889 In implicit models one often interpolates be... 15890 In we consider an optimal control problem s... 15891 In this paper we consider a stochastic model... 15892 We describe a set of tools services and stra... 15893 In this article we investigate the Duisterma... 15894 This paper examines the behavior of the pric... 15895 In line with its terms of reference the ICFA... 15896 Many scientific data sets contain temporal d... 15897 As the first step to model emotional state o... 15898 In many situations across computational scie... 15899 We present a tutorial on the determination o... 15900 In this work we propose a simple but effecti... 15901 Adversarial learning of probabilistic models... 15902 Inference using deep neural networks is ofte... 15903 We consider the factorization problem of mat... 15904 This paper presents a study of the metaphori... 15905 We show that the orthogonal projection opera... 15906 We determine the joint limiting distribution... 15907 In this paper we prove some fundamental theo... 15908 We use the LDAU approach to search for possi... 15909 In the last decades a vaste amount of eviden... 15910 Nuclear starburst discs NSDs are starforming... 15911 Despite their vast morphological diversity m... 15912 It is wellknown that randomcoefficient AR pr... 15913 HilsumSkandalis maps from differential geome... 15914 We present an explicit version of Berger Cob... 15915 The paper provides results for the applicati... 15916 Polyethylene Naphtalate PEN is a mechanicall... 15917 This is an expanded version of the third aut... 15918 We consider the prehomogeneous vector space ... 15919 Tasks like code generation and semantic pars... 15920 The derivation of approximate wave functions... 15921 Oumuamua the first bonafide interstellar pla... 15922 The implementation of discontinuous Galerkin... 15923 The quantity and distribution of land which ... 15924 We conduct an extensive empirical study on s... 15925 Let H be a subgroup of the fundamental group... 15926 We analyze a dataset providing the complete ... 15927 We present a systematical study via scanning... 15928 In this paper we propose novel generative mo... 15929 We investigate a mixed conic quadratic opti... 15930 The atmospheres of exoplanets reveal all the... 15931 In concurrent systems some form of synchroni... 15932 Gaussian graphical models are used for deter... 15933 While deep learning models have achieved sta... 15934 For a unit vector field on a closed immersed... 15935 The Lyapunov rank of a proper cone K in a fi... 15936 Detecting feature interactions is imperative... 15937 Molecular adsorption on surfaces plays an im... 15938 We theoretically investigate the mechanism t... 15939 The analysis of cancer genomic data has long... 15940 The graph Fourier transform GFT is in genera... 15941 Neural networks are capable of learning rich... 15942 In the prizecollecting Steiner forest PCSF p... 15943 There is a large literature on semiparametri... 15944 We study discretizations of polynomial proce... 15945 In this paper we propose a new method for es... 15946 We present an extragalactic survey using obs... 15947 For a degenerate autonomous Kirchhoff equati... 15948 The Doppler tracking data of the Change lun... 15949 Modern tracking technology has made the coll... 15950 We propose a Topic Compositional Neural Lang... 15951 We numerically investigate the electronic tr... 15952 Generative modeling of high dimensional data... 15953 In this paper we consider a ddimensional d p... 15954 In this paper we prove explicit formulas for... 15955 We consider the problem of optimal budget al... 15956 We study unsupervised generative modeling in... 15957 In this paper we study the Gauss map of a fr... 15958 Computational approaches to finding nontrivi... 15959 We present a variation of the Autoencoder AE... 15960 Planning motions for two robot arms to move ... 15961 The ShortBaseline Neutrino SBN Program is a ... 15962 A novel algorithm is proposed for CANDECOMPP... 15963 Testing conditional independence of multivar... 15964 Despite their overwhelming capacity to overf... 15965 The Jintegral is recognized as a fundamental... 15966 Revealed preference theory studies the possi... 15967 Our view of the universe of genomic regions ... 15968 In this article we discuss a verification st... 15969 We use plasmon rulers to follow the conforma... 15970 It is shown that the total set of equations ... 15971 Short circuit ratio SCR is widely applied to... 15972 In this work we addressed the issue of apply... 15973 Largebatch SGD is important for scaling trai... 15974 Recent years have seen a flurry of activitie... 15975 New numerical solutions to the socalled sele... 15976 We report on SPTCLJ a giant system of arcs c... 15977 One of the most interesting features of Baye... 15978 In this paper we prove the existence of a no... 15979 The paper aims to apply the complex octonion... 15980 Knowledge graphs are a versatile framework t... 15981 With the emerging of smart grid techniques c... 15982 Thanks to multispacecraft mission it has rec... 15983 For a field k we prove that the ith homology... 15984 Highsignal to noise observations of the Lyal... 15985 The intermediatevalence compound SmB is a we... 15986 The dramatic increase in data and connectivi... 15987 Techniques known as Nonlinear Set Membership... 15988 Despite enormous progress in object detectio... 15989 This paper considers a network of sensors wi... 15990 Recently an open geometry Fourier modal meth... 15991 We apply LiebRobinson bounds for multicommut... 15992 Cloud users have little visibility into the ... 15993 In this paper a new hpadaptive strategy for ... 15994 Recent space missions have provided informat... 15995 Titanium dioxide TiO is a wide band gap semi... 15996 Generative Adversarial Nets GANs represent a... 15997 At present the cloud storage used in searcha... 15998 The control of the electron spin by external... 15999 We report on the observation of phase space ... 16000 For a unimodular random graph Grho we consid... 16001 This paper presents a selfsupervised method ... 16002 TraQuad is an autonomous tracking quadcopter... 16003 Persistence diagrams have been widely recogn... 16004 In a pair of recent papers Andrews Fraenkel ... 16005 Mobile computing is one of the main drivers ... 16006 The midinfrared MIR spectral range pertainin... 16007 Networks of elastic fibers are ubiquitous in... 16008 An elliptic curve E defined over a padic fie... 16009 Android apps cooperate through message passi... 16010 The usability of small devices such as smart... 16011 We construct a complexitybased morphospace t... 16012 We use the coupled cluster method CCM to stu... 16013 We study a polyhedron with n vertices of fix... 16014 We develop a theory of weakly interacting fe... 16015 The heterogeneitygap between different modal... 16016 This paper analyzes the iterationcomplexity ... 16017 Vehicle bypassing is known to negatively aff... 16018 We use a secular model to describe the nonre... 16019 This note investigates the stability of both... 16020 We develop terminology and methods for worki... 16021 This paper introduces a new surgical endeffe... 16022 Assisted by the availability of data and hig... 16023 Can deep learning DL guide our understanding... 16024 Quantum functional inequalities eg the logar... 16025 This paper proposes a new family of algorith... 16026 We propose a generalization of the best arm ... 16027 In this paper we study a new class of Finsle... 16028 Optimal Transport has recently gained intere... 16029 We present a novel analysis of the metalpoor... 16030 Recently the intervention calculus when the ... 16031 In this note we present a new proof that the... 16032 We study the stochastic homogenization for a... 16033 This article presents a survey on automatic ... 16034 The technical details of a balloon stratosph... 16035 Selfdriving technology is advancing rapidly ... 16036 A synoptic view on the longestablished theor... 16037 The nucleation and growth of calcite is an i... 16038 The Galactic magnetic field GMF plays a role... 16039 The mechanisms by which organs acquire their... 16040 With the National Toxicology Program issuing... 16041 We answer the following longstanding questio... 16042 We investigated an outofplane exchange bias ... 16043 Recommendation systems are widely used by di... 16044 Complex Event Processing CEP has emerged as ... 16045 In electroencephalography EEG source imaging... 16046 We present a multiwavelength compilation of ... 16047 The concept of distance covariancecorrelatio... 16048 This letter presents a novel method to estim... 16049 We show that in contrast to the free electro... 16050 Decisionmakers are faced with the challenge ... 16051 We present a new Qfunction operator for temp... 16052 We study the entanglement entropy of gapped ... 16053 This paper is concerned with two frequencyde... 16054 Gravitational clustering in the nonlinear re... 16055 Independent Component Analysis ICA is the pr... 16056 The round trip time of the light pulse limit... 16057 The continuity of the gauge fixing condition... 16058 Asymptotic theory for approximate martingale... 16059 Malignant melanoma has one of the most rapid... 16060 We consider the problem of improving kernel ... 16061 Various measures can be used to estimate bia... 16062 The entropy of a quantum system is a measure... 16063 When studying tropical cyclones using the fp... 16064 We present the Voice Conversion Challenge d... 16065 In a companion paper we developed an efficie... 16066 We introduce ImaginationAugmented Agents IAs... 16067 We study the impact of quenched disorder ran... 16068 A remotesensing system that can determine th... 16069 Can an algorithm create original and compell... 16070 The paper discusses the challenges of facete... 16071 The reconstruction of a species phylogeny fr... 16072 A new amortized variancereduced gradient AVR... 16073 This paper considers a novel framework to de... 16074 Nanostructures with open shell transition me... 16075 In the inverse problem of the calculus of va... 16076 Let mathbbK be an algebraically closed field... 16077 Conventional textbook treatments on electrom... 16078 With a large number of sensors and control u... 16079 Confidence interval procedures used in low d... 16080 Surfacefunctionalized nanomaterials can act ... 16081 Nyquist ghost artifacts in EPI images are or... 16082 In the classical binary search in a path the... 16083 The ADAM optimizer is exceedingly popular in... 16084 Wholesale electricity markets are increasing... 16085 It has been recently demonstrated that textu... 16086 Research on automated image enhancement has ... 16087 The radially outward flow of fluid through a... 16088 Even though transitivity is a central struct... 16089 The HohenbergKohn theorem plays a fundamenta... 16090 Digital sculpting is a popular means to crea... 16091 Since a tweet is limited to characters it i... 16092 In this paper we consider precoder designs f... 16093 Sampling random graphs is essential in many ... 16094 Forecasting fault failure is a fundamental b... 16095 New upper limit on a mixing parameter for hi... 16096 The three gap theorem also known as the Stei... 16097 st century astrophysicists are confronted w... 16098 We give an elementary proof for the fact tha... 16099 Predicting unobserved entries of a partially... 16100 Browsing and finding relevant information fo... 16101 Let P be a graph with a vertex v such that P... 16102 We extend the Theory of Computation on real ... 16103 Capsule Networks have shown encouraging resu... 16104 An adversarial attack is an exploitative pro... 16105 A detailed Monte Carlostudy of the satisfiab... 16106 The FEAST eigenvalue algorithm is a subspace... 16107 Planar magnetic structures PMSs are periods ... 16108 The feature map obtained from the denoising ... 16109 Learning algorithms for energy based Boltzma... 16110 The dark energy plus cold dark matter Lambda... 16111 Alternating minimization heuristics seek to ... 16112 In this paper we prove that positivity of de... 16113 For primordial black holes PBH to be the dar... 16114 Supervised speech separation uses supervised... 16115 A challenge in isogeometric analysis is cons... 16116 This paper provides a theoretical justificat... 16117 We report the first experimental demonstrati... 16118 We study upper bounds on Weierstrass primary... 16119 We prove that certain conditions on multigra... 16120 Recent work in learning ontologies hierarchi... 16121 In the past decade the discovery of active p... 16122 We define and study a probability monad on t... 16123 Design of robotic systems that safely and ef... 16124 The aim of this paper is to show both analyt... 16125 Scalable quantum photonic systems require ef... 16126 Tasks such as search and recommendation have... 16127 We investigate the groundstate properties an... 16128 Waves can be used to probe and image an unkn... 16129 We investigate the Anderson localization in ... 16130 Using a D lift of nonperturbative volume sta... 16131 Background Pairwise and network metaanalyses... 16132 A central question in statistical learning i... 16133 In machine learning ensemble methods have de... 16134 We demonstrate the full functionality of a c... 16135 In this paper we derive a family of fast and... 16136 This paper develops variational continual le... 16137 In the multiple testing problem with indepen... 16138 This paper investigates from information the... 16139 The invariant is one of central topics in sc... 16140 Windowed orthogonal frequencydivision multip... 16141 Neural networks have recently had a lot of s... 16142 We investigate that noknowledge measurementb... 16143 Earthquakes at seismogenic plate boundaries ... 16144 We study a continuoustime assetallocation pr... 16145 The proliferation of fake news on social med... 16146 There has recently been a growing interest i... 16147 We seek to infer the parameters of an ergodi... 16148 TextCNN the convolutional neural network for... 16149 As political polarization in the United Stat... 16150 We present a probabilistic approach to gener... 16151 Recent advances in generative adversarial ne... 16152 Feature extraction becomes increasingly impo... 16153 Sentiment classification and sarcasm detecti... 16154 This review paper discusses how context has ... 16155 A pair of typeII Dirac cones in PdTe was rec... 16156 We propose a novel MetropolisHastings algori... 16157 We present a weak lensing analysis of a samp... 16158 The complexity of knowledge production on co... 16159 We classify certain subcategories in quotien... 16160 Here we present a new approach to search for... 16161 Statistical analyses of urban environments h... 16162 In this paper a technique is suggested to in... 16163 In this manuscript we generalize Fcalculus t... 16164 A longstanding goal of behaviorbased robotic... 16165 This paper introduces a new member of the fa... 16166 Results in Wasan geometry of tangents circle... 16167 The beta family owes its privileged status w... 16168 We investigate the mean curvature flows in a... 16169 Finitedifference methods are widely used in ... 16170 In this work we propose an ontology to suppo... 16171 We present a technique for efficiently synth... 16172 We study the size and the complexity of comp... 16173 Artificial Intelligence federates numerous s... 16174 Elementary net systems ENS are the most fund... 16175 The three exceptional lattices E E and E hav... 16176 Analysis of conjugate natural convection wit... 16177 Anosov representations of word hyperbolic gr... 16178 We examine the role of memorization in deep ... 16179 Recent advances in D fully convolutional net... 16180 We study the phase diagram of a minority gam... 16181 The complexity of Philip Wolfes method for t... 16182 In this work by using strong gravitational l... 16183 Hydrogen peroxide HO is an important signali... 16184 Many organisms repartition their proteome in... 16185 We present an investigation into the intrins... 16186 We present an explicit construction of the m... 16187 We report the development and validation of ... 16188 Global registration of multiview robot data ... 16189 In this paper we introduce variable exponent... 16190 The robust PCA problem wherein given an inpu... 16191 We study the Postnikov tower of the classify... 16192 Using a dataset of over million messages po... 16193 The Muon g Experiment plans to use the Fermi... 16194 Collecting training data from the physical w... 16195 Alternating minimization or Fienup methods h... 16196 In this work we develop an importance sampli... 16197 The existence or absence of nonanalytic cusp... 16198 We explore ways of creating cold keVscale da... 16199 Developing algorithms for solving highdimens... 16200 Spatiotemporal data and processes are preval... 16201 We develop an optimization model and corresp... 16202 Superhydrophobic surfaces SHSs have the pote... 16203 This paper considers the problem of recoveri... 16204 Speech separation is the task of separating ... 16205 In reinforcement learning the state of the r... 16206 We assess the range of validity of sgoldstin... 16207 Foveal vision makes up less than of the vis... 16208 In a previous paper we assembled a collectio... 16209 Let mathbbFp be a prime field of order p and... 16210 We prove that the family of lattices rm SLma... 16211 Clustering is one of the most universal appr... 16212 We discuss the parametric oscillatory instab... 16213 Suppose that we have a compact Khler manifol... 16214 In Lobachevski entertained the possibility ... 16215 In this note we show that for a given irredu... 16216 We present the analysis of microlensing even... 16217 Misunderstanding of driver correction behavi... 16218 The Internet of Things IoT is intended for u... 16219 Graphs are naturally sparse objects that are... 16220 A finite dimensional operator that commutes ... 16221 A probabilistic framework is proposed for th... 16222 When an upstream steady uniform supersonic f... 16223 One of the consequences of passing from mass... 16224 We provide a new perspective on fracton topo... 16225 With the largescale penetration of the inter... 16226 In this paper we propose a novel supervised ... 16227 In this paper we develop a system for the lo... 16228 It is well known that every finite simple gr... 16229 The electronic and magneto transport propert... 16230 New types of machine learning hardware in de... 16231 Nowadays we have many methods allowing to ex... 16232 We introduce the persistent homotopy type di... 16233 In this paper we determine the optimal conve... 16234 The superconductivity of the angstrom single... 16235 The behavior of the simplex algorithm is a w... 16236 In this paper we present a regression framew... 16237 Recently along with the emergence of food sc... 16238 We study topological structure of the omegal... 16239 The discovery of topological states of matte... 16240 We propose a dynamical system of tumor cells... 16241 Explaining the unexpected presence of duneli... 16242 The challenge of sharing and communicating i... 16243 The use of sparse precision inverse covarian... 16244 Let s geq be a fixed positive integer and a... 16245 One possible approach to tackle the class im... 16246 In this paper we propose a new robustness no... 16247 Fusing satellite observations and station me... 16248 The goal of this paper is to examine experim... 16249 Person identification technology recognizes ... 16250 The present paper is motivated by one of the... 16251 We characterize the approximate monomial com... 16252 We present a nonperturbative numerical techn... 16253 In the present paper we introduce some new f... 16254 Knowledge graphs enable a wide variety of ap... 16255 In several geophysical applications such as ... 16256 A directed acyclic graph G V E is pseudotra... 16257 A networkbased approach is presented to inve... 16258 This study is devoted to the polynomial repr... 16259 Today in digital forensics images normally p... 16260 Topological metrics of graphs provide a natu... 16261 Reservoir characterization involves the esti... 16262 Deep learning applies hierarchical layers of... 16263 We study the multiarmed bandit MAB problem w... 16264 Weyl points with monopole charge pm have be... 16265 A theoretical investigation of extremely hig... 16266 The act and experience of programming is at ... 16267 Partiallyobserved Boolean dynamical systems ... 16268 Political polarization in public space can s... 16269 Program termination is an undecidable yet im... 16270 We investigate the effect on disorder potent... 16271 Let Rfrakm be a ddimensional CohenMacaulay l... 16272 Free Electron Lasers FEL are commonly regard... 16273 The family of exponential maps faz eza is of... 16274 As part of the Fornax Deep Survey with the E... 16275 The wellknown DeMilloLiptonSchwartzZippel le... 16276 The backpressure algorithm has been widely u... 16277 In Kondo lattice systems with mixed valence ... 16278 We study transitivity in directed acyclic gr... 16279 A method of transmitting information in inte... 16280 In application domains such as healthcare we... 16281 Automated detection of voice disorders with ... 16282 We perform direct numerical simulations DNS ... 16283 One of the most fundamental questions one ca... 16284 Ordered chains such as chains of amino acids... 16285 Based on ab initio evolutionary crystal stru... 16286 In the past decade Optical WDM Networks Wave... 16287 We consider the linearly transformed spiked ... 16288 Deep Learning has revolutionized vision via ... 16289 Diverse fault types fast reclosures and comp... 16290 A tensor T in a given tensor space is said t... 16291 Let G be a connected reductive group In a pr... 16292 We apply a generalized Kepler map theory to ... 16293 A famous theorem of Weyl states that if M is... 16294 The online interval coloring and its variant... 16295 This paper is devoted to the factorization o... 16296 We study the geometry and the singularities ... 16297 The immense amount of daily generated and co... 16298 An RNA secondary structure is designable if ... 16299 We consider f h homeomorphims generating a f... 16300 Fault localization is a popular research top... 16301 The basins of convergence associated with th... 16302 The irreducible representations of full supp... 16303 Models which postulate lognormal dynamics fo... 16304 This paper is concerned with the simultaneou... 16305 In this paper we review the recent progress ... 16306 This paper introduces a simple and efficient... 16307 The Planning in the Early Medieval Landscape... 16308 The population recovery problem is a basic p... 16309 MultiBUGS this https URL is a new version of... 16310 We present an overview of recently developed... 16311 The largescale study of human mobility has b... 16312 We study the problem of assigning nonoverlap... 16313 Let f be a continuous real function defined ... 16314 In this paper we present formulas for the va... 16315 We consider the Schrdinger operator on a com... 16316 Anions of the molecules ZnO O and atomic Zn ... 16317 We describe the category of integrable sln m... 16318 How to selflocalize large teams of underwate... 16319 We have developed a system combining a backi... 16320 In this paper we propose a new coding scheme... 16321 The aim of this comment is to show that anis... 16322 In this paper we proposed a novel twostage o... 16323 We investigate possible pathways for the for... 16324 Spectral shape descriptors have been used ex... 16325 We consider the inverse dynamical problem fo... 16326 Jacobsthals function was recently generalise... 16327 Due to the iterative nature of most nonnegat... 16328 Because of the open access nature of wireles... 16329 We study threedimensional gauge theories bas... 16330 Consider the classical Gaussian unitary ense... 16331 We derive equations of motion for the reduce... 16332 The Weyl semimetallic compound EuIrO along w... 16333 Winds are predicted to be ubiquitous in lowm... 16334 We present a compact current sensor based on... 16335 To understand the evolution of extinction cu... 16336 This is a simple reading report of professor... 16337 Recent work using plasmonic nanosensors in a... 16338 We consider a twodimensional GinzburgLandau ... 16339 This twopart paper details a theory of solva... 16340 We have introduced evolutionary game dynamic... 16341 Quantum Moves is a citizen science game that... 16342 In seismic monitoring one is usually interes... 16343 Two procedures for checking Bayesian models ... 16344 Let K be a field of characteristic zero math... 16345 Following Roos we say that a local ring R is... 16346 Population protocols are a well established ... 16347 The purpose of this note is to point out tha... 16348 To efficiently answer queries datalog system... 16349 Let Mg be a complete noncompact riemannian m... 16350 Bizarrely shaped voting districts are freque... 16351 Disordered manyparticle hyperuniform systems... 16352 Modern industrial automatic machines and rob... 16353 Most approaches to machine learning from ele... 16354 We present new viscosity measurements of a s... 16355 The problem of estimating a highdimensional ... 16356 We implemented various DFTU schemes includin... 16357 Tests on BL symmetry breaking models are imp... 16358 Gradient boosted decision trees are a popula... 16359 In this paper the problem of road friction p... 16360 Collective animal behaviors are paradigmatic... 16361 It has been shown that increasing model dept... 16362 Speech recognition systems have achieved hig... 16363 Adhoc Social Networks have become popular to... 16364 This paper presents an a posteriori error an... 16365 Security is a critical and vital task in wir... 16366 The geologic activity at Enceladuss south po... 16367 There has been a recent surge of interest in... 16368 System development often involves decisions ... 16369 Cyber defence exercises are intensive handso... 16370 We develop a continuous Kleene omegaalgebra ... 16371 Recently researchers proposed various lowpre... 16372 In this paper we examine the convergence of ... 16373 Multipath communications at the Internet sca... 16374 The present paper reports on our effort to c... 16375 In this paper we extend state of the art Mod... 16376 We study the relationship between geometry a... 16377 We developed control and visualization progr... 16378 We identify four countable topological space... 16379 Cryoelectron microscopy provides D projectio... 16380 In this paper we prove Lqestimates for gradi... 16381 For various applications the relations betwe... 16382 Based on the median and the median absolute ... 16383 In this paper we consider the cluster estima... 16384 Representing data in hyperbolic space can ef... 16385 I investigate the nightly mean emission heig... 16386 The spinelperovskite heterointerface gammaAl... 16387 We give a finite axiomatization for the vari... 16388 We show that for every ell there is a counte... 16389 Zeta functions for linear codes were defined... 16390 Classical spectral analysis is based on the ... 16391 Modern corporations physically separate thei... 16392 We study the Koszul property of a standard g... 16393 Deep neural networks are currently among the... 16394 Yes\n 16395 Endtoend training from scratch of current de... 16396 Most optical and IR spectra are now acquired... 16397 Most of the recent successful methods in acc... 16398 We study the mth Gauss map in the sense of F... 16399 If mathcalG is the group under composition o... 16400 Previous secondary eclipse observations of t... 16401 Using a combination of analytic and numerica... 16402 As a largescale instance of dramatic collect... 16403 The classical linear BlackScholes model for ... 16404 At the heart of the Bitcoin is a blockchain ... 16405 The regret bound of an optimization algorith... 16406 A set of points X XB cup XR subseteq mathbb... 16407 Magnetic fields are ubiquitous in the Univer... 16408 The multiple colliding laser pulse concept f... 16409 In this work we jointly address the problem ... 16410 Water and hydroxyl once thought to be found ... 16411 We propose a general framework for studying ... 16412 We have recently suggested that dust growth ... 16413 The paradigm shift from shallow classifiers ... 16414 In this paper we present a novel approach fo... 16415 It is of practical significance to define th... 16416 A task of clustering data given in the ordin... 16417 ALICE A Large Ion Collider Experiment is the... 16418 This paper proposes an approach to domain tr... 16419 We report the results of the dFVST ATLAS Col... 16420 We construct a toy a model which demonstrate... 16421 We develop a metalearning approach for learn... 16422 We present the procedure to build and valida... 16423 Generative adversarial networks GANs are a f... 16424 We discuss memory models which are based on ... 16425 Published by Reporters Without Borders every... 16426 Advanced satellitebased frequency transfers ... 16427 In this paper we investigate the problem of ... 16428 In this paper we propose an encoderdecoder c... 16429 We consider a finitedimensional quantum syst... 16430 The modelbased control of building heating s... 16431 We propose a formal approach for relating ab... 16432 Owing to their capability of summarising int... 16433 The Atacama Millimetersubmillimeter Array AL... 16434 We simulate a rotating D BEC to study the me... 16435 In coronary CT angiography a series of CT im... 16436 Let mathcalA be a finitedimensional subspace... 16437 The World Wide Web WWW has fundamentally cha... 16438 ShanChen model is a numerical scheme to simu... 16439 In this thesis we study the deformation prob... 16440 The complexity of a learning task is increas... 16441 A general greedy approach to construct cover... 16442 The formalism of the reduced density matrix ... 16443 We report muon spin relaxation muSR measurem... 16444 Advances in unsupervised learning enable rec... 16445 Open bisimilarity is the original notion of ... 16446 Cities across the United States are undergoi... 16447 Bayesian statistical models allow us to form... 16448 Flowbased generative models Dinh et al are ... 16449 By virtue of a suitable approximation argume... 16450 This is an expository survey on recent sumpr... 16451 Using the method of EliasHogancamp and combi... 16452 For any rgeq and mathbfn in mathbbZgeqr set... 16453 Colloidal migration in temperature gradient ... 16454 This paper proposes an ultrawideband UWB aid... 16455 Sensor fusion is a fundamental process in ro... 16456 Growth electronic and magnetic properties of... 16457 NAND flash memory is ubiquitous in everyday ... 16458 A common practice in most of deep convolutio... 16459 Recent advances in weakly supervised classif... 16460 The halting probability of a Turing machinea... 16461 When we are faced with challenging image cla... 16462 Deep Learning refers to a set of machine lea... 16463 Multilevel converters have found many applic... 16464 This is the English translation of my old pa... 16465 In the present work we develop a delayed Log... 16466 We investigate a hybrid quantumclassical sol... 16467 Modern deep transfer learning approaches hav... 16468 This paper introduces a novel method to perf... 16469 Perceptual aliasing is one of the main cause... 16470 Among the more important hallmarks of human ... 16471 The modified GramSchmidt MGS orthogonalizati... 16472 Firstly we derive in dimension one a new cov... 16473 We present algorithms for real and complex d... 16474 Unsupervised representation learning for twe... 16475 Brny Kalai and Meshulam recently obtained a ... 16476 In this paper theoretical and numerical stud... 16477 Our infrastructure touches the daytoday life... 16478 Surveying D scenes is a common task in robot... 16479 The distribution of NO abundance ratios calc... 16480 This paper presents the recently published C... 16481 Estimating distributions of node characteris... 16482 Traditional Recurrent Neural Networks assume... 16483 The multivariate probit model MVP is a popul... 16484 Leclerc and Zelevinsky motivated by the stud... 16485 For ngeq we show that generic closed Rieman... 16486 We propose a novel design of a parallel mani... 16487 We introduce a novel loss maxpooling concept... 16488 In this work we study the nonlinear travelin... 16489 Internal gravity waves play a primary role i... 16490 Siliconvacancy color centers in nanodiamonds... 16491 Online reviews provided by consumers are a v... 16492 We compare the results of the semiclassical ... 16493 We introduce an algebraic Fourier transform ... 16494 Semisupervised learning deals with the probl... 16495 Measurements of rootzone soil moisture acros... 16496 We study discrete time linear constrained sw... 16497 The challenge of taking many variables into ... 16498 A fundamental component of the game theoreti... 16499 The idea of combining different twodimension... 16500 We construct examples of cohomogeneity one s... 16501 In regression analysis of multivariate data ... 16502 In this paper we study matrix scaling and ba... 16503 We present the data profile and the evaluati... 16504 The IllustrisTNG project is a new suite of c... 16505 In this paper we present a fast implementati... 16506 Gallium arsenide GaAs is the widest used sec... 16507 In this paper we use detailed Monte Carlo si... 16508 Social networks contain implicit knowledge t... 16509 Consolidation of synaptic changes in respons... 16510 This paper investigates gradient recovery sc... 16511 Let Y be the complement of a plane quartic c... 16512 Collective motion is an intriguing phenomeno... 16513 We present the first CMB power spectra from ... 16514 Community detection in networks is a very ac... 16515 In this paper new index coding problems are ... 16516 We report on the result of a campaign to mon... 16517 Ultrafaint dwarf galaxies UFDs are the faint... 16518 Enterprise Resource Planning ERP systems hav... 16519 A general approach to selective inference is... 16520 For future mmWave mobile communication syste... 16521 In all approaches to convergence where the c... 16522 Neural machine translation NMT has achieved ... 16523 The Internet of Things IoT enables numerous ... 16524 We use positive Sequivariant symplectic homo... 16525 In global modelspriors for example using wav... 16526 We prove new upper and lower bounds on the V... 16527 We compare performances of wellknown numeric... 16528 Due to its wide field of view conebeam compu... 16529 While the Internet of things IoT promises to... 16530 The weakly compact reflection principle text... 16531 Techniques such as ensembling and distillati... 16532 Finding an easytobuild coils set has been a ... 16533 We propose a new cellular network model that... 16534 Aims In this paper we focus on the occurrenc... 16535 We consider generation and comprehension of ... 16536 The human brain is one of the most complex l... 16537 Feature aided tracking can often yield impro... 16538 The heavyweight stellar initial mass functio... 16539 Deep learning has enabled traditional reinfo... 16540 Abridged The formation of largescale hundred... 16541 Computational quantum technologies are enter... 16542 In this paper a mixedeffect modeling scheme ... 16543 The distributed singlesource shortest paths ... 16544 The formation of vortices is usually conside... 16545 SecurityConstrained Unit Commitment SCUC is ... 16546 We construct constant mean curvature surface... 16547 We consider a hyperkhler reduction and descr... 16548 We introduce a novel approach to Maximum A P... 16549 We prove an inverse theorem for the Gowers U... 16550 We extensively explore networks of weakly un... 16551 Human movement is used as an indicator of hu... 16552 Realtime instrument tracking is a crucial re... 16553 Blockchain systems are designed to produce b... 16554 We theoretically study a onedimensional D mu... 16555 In this paper we consider a privacy preservi... 16556 We consider the problem of recovering a ddim... 16557 The RGBD camera maintains a limited range fo... 16558 This letter provides conditions determining ... 16559 Random geometric graphs consist of randomly ... 16560 Motivation Wordbased or alignmentfree method... 16561 We show how geodesics Jacobi vector fields a... 16562 In finite mixture models apart from underlyi... 16563 This article explains phase noise jitter and... 16564 In order to pursue the vision of the RoboCup... 16565 A novel low cost near equiatomic alloy compr... 16566 Project is a tritium endpoint neutrino mass... 16567 In this report two general concepts for prop... 16568 This paper provides an outline of the algori... 16569 We derive a general statistical model of int... 16570 A sparse stochastic block model SBM with two... 16571 Given constant data of density rho velocity ... 16572 Xray observations of two metaldeficient lumi... 16573 CoRoTb is one of the rare longperiod P days ... 16574 The paper derives and analyses the semidiscr... 16575 Deep learning models aka Deep Neural Network... 16576 Topological Data Analysis TDA is a novel sta... 16577 We build on autoencoding sequential Monte Ca... 16578 We show that the uniformly accelerated refer... 16579 We propose a deep learningbased approach to ... 16580 Assuming a conjecture on distinct zeros of D... 16581 It is well known that parameters for strongl... 16582 Sumproduct networks have recently emerged as... 16583 We propose a novel numerical approach for th... 16584 Autonomous driving presents one of the large... 16585 We present a novel time and phaseresolved ba... 16586 Optimized spatial partitioning algorithms ar... 16587 This paper addresses the problem of handling... 16588 A basic goal in complexity theory is to unde... 16589 Effective gauge fields have allowed the emul... 16590 We investigate the interplay between a modal... 16591 Modularity maximization using greedy algorit... 16592 We generalise surface cluster algebras to th... 16593 We investigate the impact of choosing regres... 16594 Let Hqp p Vq be a degree of freedom mechan... 16595 A comprehensive theoretical analysis of phot... 16596 In this paper we propose a novel framework c... 16597 We consider the kernel partial least squares... 16598 We define a homology theory of virtual links... 16599 The purpose of this paper is to investigate ... 16600 We formulate and study a general family of c... 16601 In Kinetic Inductance Detectors KIDs and oth... 16602 Smoothing is one technique to overcome data ... 16603 Structural discrimination appears to be a pe... 16604 Robots and control systems rely upon precise... 16605 Magnetic domain wall DW motion induced by a ... 16606 This paper presents an algorithm that enhanc... 16607 In this paper we introduce the FlashText alg... 16608 Logistics network is expected that opened fa... 16609 We carried out dimensional resistive MHD sim... 16610 Standard probabilistic linear discriminant a... 16611 Deep learning on graph structures has shown ... 16612 Kinetic equations play a major rule in model... 16613 The meteoric rise of deep learning models in... 16614 Purpose To develop generic optimization stra... 16615 In this paper we will investigate the contri... 16616 Recent theoretical predictions of unpreceden... 16617 The unsteady characteristics of the flow ove... 16618 In this research was implemented the use of ... 16619 Extremal Graph Theory aims to determine boun... 16620 We develop an algorithm that forecasts casca... 16621 DZ Cha is a weaklined T Tauri star WTTS surr... 16622 A Bayesian filtering algorithm is developed ... 16623 We propose a generic algorithmic building bl... 16624 The past years have shown a remarkable growt... 16625 We construct exact solutions representing a\... 16626 In this paper we investigate the robustness ... 16627 The singular value matrix decomposition play... 16628 Complex network reconstruction is a hot topi... 16629 We study the twodimensional stochastic nonli... 16630 Twisted electromagnetic waves of which the h... 16631 Effective file transfer between vehicles is ... 16632 In a Bayesian context prior specification fo... 16633 We consider the problem of automated assignm... 16634 Regularization methods are commonly used in ... 16635 Unsupervised clustering is one of the most f... 16636 The Pepper robot has become a widely recogni... 16637 The ensemble Kalman filter EnKF is a Monte C... 16638 Fullduplex FD technology is likely to be ado... 16639 Unmanned Aerial Vehicles UAVs have recently ... 16640 In this paper we give an infinite family of ... 16641 Tactile sensing can enable a robot to infer ... 16642 Safe interaction with human drivers is one o... 16643 In this paper we consider the final state pr... 16644 When performing localization and mapping wor... 16645 We prove that for a generic Lefschetz pencil... 16646 Many state of the art methods for the thermo... 16647 We construct for any finite commutative ring... 16648 The LZ dark matter detector like many other ... 16649 We present models for singleparticle dispers... 16650 Microcolonies are aggregates of a few dozen ... 16651 Estimators computed from adaptively collecte... 16652 Alignment of curve data is an integral part ... 16653 We introduce a new class of sequential Monte... 16654 The classical Cuntz semigroup has an importa... 16655 As of of the earths population resides in ... 16656 Direct comparison of areal and profile rough... 16657 We present the VLACOSMOS GHz Large Project ... 16658 Point source detection at low signaltonoise ... 16659 Codesign conditions for the design of a jump... 16660 We study the ground state of a onedimensiona... 16661 Rust represents a major advancement in produ... 16662 Game Theory GT has been used with significan... 16663 The general theoretical description of the i... 16664 Robots performing manipulation tasks must op... 16665 In Mexico per cent of the urban population ... 16666 Based on the work of SchoenYau we derive an ... 16667 We present easeml a declarative machine lear... 16668 Encrypting data before sending it to the clo... 16669 Let Icd c d Qin C Irightarrowinfty be a f... 16670 We demonstrate a close connection between ob... 16671 We report on the realization of a transverse... 16672 We present experimental measurements of the ... 16673 Summary\n Infectious disease outbreaks in pl... 16674 We investigated a way to predict the gender ... 16675 Information technology IT has been used wide... 16676 In this paper we consider an online recommen... 16677 In this paper we present and expand upon pro... 16678 We consider optimal designs for general mult... 16679 Learning to optimize the idea that we can l... 16680 In the well known logistic map the parameter... 16681 Advanced brain imaging techniques make it po... 16682 We present a deep neural network for a model... 16683 We introduce an arbitragefree framework for ... 16684 We apply the method of nonlinear steepest de... 16685 In this paper we consider coding of short da... 16686 We report the three main ingredients to calc... 16687 We present HARP a novel method for learning ... 16688 When a signal is recorded in an enclosed roo... 16689 The current generation of radio and millimet... 16690 This is the first paper that estimates the p... 16691 Kenmotsus formula describes surfaces in Eucl... 16692 In this paper the structural controllability... 16693 Strongly coupled quantum fluids are found in... 16694 In this paper we study the problem of hyperb... 16695 From critical infrastructure to physiology a... 16696 L systems generalise contextfree grammars by... 16697 One of the key aspects of the United States ... 16698 In this work we study the kmeans cost functi... 16699 The Internet of things IoT is revolutionizin... 16700 A new form of the variational autoencoder VA... 16701 Matrix Product Vectors form the appropriate ... 16702 Deep Learning has recently become hugely pop... 16703 Alastair Graham Walker Cameron was an astrop... 16704 We demonstrate how nonconvex time crystal La... 16705 In this paper we introduce a novel method of... 16706 Dynamic Pushdown Networks DPNs are a natural... 16707 A new approach of solving the illconditioned... 16708 Most deep reinforcement learning algorithms ... 16709 We demonstrate a technique for obtaining the... 16710 We prove the first rigidity and classificati... 16711 For inhomogeneous interacting electronic sys... 16712 This paper analyzes the use of D Convolution... 16713 The kernel embedding algorithm is an importa... 16714 This paper is the first attempt to systemati... 16715 Consider a compact Lie group G and a closed ... 16716 An algorithm for constructing a control func... 16717 Over the last few years there has been a gro... 16718 Computers are increasingly used to make deci... 16719 Opioid addiction is a severe public health t... 16720 We examine by a perturbation method how the ... 16721 We discuss computability and computational c... 16722 Estimating the D pose of known objects is im... 16723 The Steiner Forest problem is among the fund... 16724 We analyze the origins of the luminescence i... 16725 We define a new class of languages of omegaw... 16726 Maximum regularized likelihood estimators MR... 16727 While the enhancement of the spinspace symme... 16728 From Morita theoretic viewpoint computing Mo... 16729 Limited annotated data available for the rec... 16730 Generating molecules with desired chemical p... 16731 This survey is a short version of a chapter ... 16732 Optimization of the fidelity of control oper... 16733 Layered neural networks have greatly improve... 16734 This Chapter A Guide to GeneralPurpose ABC S... 16735 Feature selection can facilitate the learnin... 16736 Robots have the potential to assist people i... 16737 Hierarchical attention networks have recentl... 16738 Let t be a positive real number A graph is c... 16739 In vitro and in vivo spiking activity clearl... 16740 We propose a simple objective evaluation mea... 16741 We present many new results related to relia... 16742 In this work we investigate a novel training... 16743 Pairwise comparison data arises in many doma... 16744 Decoupling multivariate polynomials is usefu... 16745 In a voicecontrolled smarthome a controller ... 16746 This paper introduces an evolutionary approa... 16747 Plasmonics currently faces the problem of se... 16748 We consider the problem of minimizing a smoo... 16749 Economic evaluations from individuallevel da... 16750 In the past years calorimeters have become ... 16751 Recent experiments have revealed that the di... 16752 This paper introduces a new approach to auto... 16753 We propose a datadriven filtered reduced ord... 16754 The linear FEAST algorithm is a method for s... 16755 A recent heuristic argument based on basic c... 16756 We establish upper bounds of bit complexity ... 16757 We recalculate the leading relativistic corr... 16758 We establish interior Lipschitz estimates at... 16759 Most people simultaneously belong to several... 16760 We present a proof of concept for solving a ... 16761 Range anxiety the persistent worry about not... 16762 The Nystrm method is a popular technique for... 16763 We present a quantitative analysis on the re... 16764 Future multiprocessor chips will integrate m... 16765 We give an explicit description for the weig... 16766 We prove the Moore and the Myhill property f... 16767 Objective The Learning Health System LHS req... 16768 Simplified Molecular Input Line Entry System... 16769 We approach the tomographic problem in terms... 16770 We give an elementary combinatorial proof of... 16771 Composite materials comprised of ferroelectr... 16772 We study the kernel of the evaluated Burau r... 16773 In this paper we study possibilities of inte... 16774 We have constructed the database of stars in... 16775 General relativistic effects have long been ... 16776 The role of phase separation in the emergenc... 16777 Primordial black holes PBHs have long been s... 16778 We consider the highdimensional inference pr... 16779 Gaussian processes GPs offer a flexible clas... 16780 The paper explores various special functions... 16781 It is common to model inductive datatypes as... 16782 Let mathcalDnm be the algebra of the quantum... 16783 This study here suggests a classification of... 16784 With a triangulation of a planar polygon wit... 16785 We present Kband MultiObject Spectrograph KM... 16786 For the gas near a solid planar wall we prop... 16787 Donohos JCGS in press paper is a spirited ca... 16788 The demographics of dwarf galaxy populations... 16789 Risk prediction is central to both clinical ... 16790 We address the problem of activity detection... 16791 Regularization is one of the crucial ingredi... 16792 In this paper we examine the statistical sou... 16793 N Hindman I Leader and D Strauss proved that... 16794 Even when confronted with the same data agen... 16795 In addition to hardware walltime restriction... 16796 We recently showed that several Local Group ... 16797 We present a method for scalable and fully D... 16798 We consider a network of binaryvalued sensor... 16799 Largescale Gaussian process inference has lo... 16800 Diffusion MRI measurements using hyperpolari... 16801 Understanding the nature of twolevel tunneli... 16802 We propose an algorithm for the adaptation o... 16803 Generalizations of the Hermite polynomials t... 16804 Interactions between people are the basis on... 16805 Dynamic topic models DTMs model the evolutio... 16806 In the setting of the picalculus with binary... 16807 Modularity in military vehicle designs enabl... 16808 Under certain general conditions an explicit... 16809 In this work we study the problem of dispers... 16810 Early prognosis of Alzheimers dementia is ha... 16811 Automatic Music Transcription AMT is one of ... 16812 We prove the Gaschtz Lemma holds for all met... 16813 We present a simplified description for spin... 16814 The interconnected nature of graphs often re... 16815 A compact version of the Variation Evolving ... 16816 Convolutional Neural Networks CNNs have beco... 16817 We design differentially private algorithms ... 16818 Acoustic neutrino detection is a promising a... 16819 Deep reinforcement learning RL methods gener... 16820 We present Deep Illumination a novel machine... 16821 Recurrent neural networks RNNs are important... 16822 The BehrensFisher problem is a wellknown hyp... 16823 Understanding the mechanisms underlying the ... 16824 Active learning aims to train a classifier a... 16825 We compute the polarization function in a do... 16826 Unsupervised machine learning via a restrict... 16827 We study the thermodynamics of ideal Bose ga... 16828 Using a highfrequency expansion in periodica... 16829 This paper deals with two related problems n... 16830 Most past work on social network link fraud ... 16831 We show that whenever delta eta is real and ... 16832 Compositional Game Theory is a new recently ... 16833 Let X ldots Xn be iid sample in mathbbRp wit... 16834 Variational autoencoders VAEs as well as oth... 16835 The space of all probability measures having... 16836 In this article we study automorphisms of To... 16837 Recent results by Alagic and Russell have gi... 16838 In the present work we use information theor... 16839 Collaborative filtering is a broad and power... 16840 We define a lattice model for rock absorbers... 16841 We consider an extension of the contextual b... 16842 Using the theory of cohomology support locus... 16843 Analyzing temperature dependent photoemissio... 16844 Although proportional hazard rate model is a... 16845 We propose a Las Vegas transformation of Mar... 16846 We show that if a noncollapsed CDKn space X ... 16847 Data warehouse performance is usually achiev... 16848 Bayesian optimization BO methods are useful ... 16849 The aim of this work is to study from an int... 16850 The cosmic ray electrons measured by Voyager... 16851 In the following we present example illustra... 16852 For monomial special multiserial algebras wh... 16853 Context Considering the importance of softwa... 16854 This article provides a short review of some... 16855 We study a data model in which the data matr... 16856 The power sum n n cdots xn has been of in... 16857 Indexing massive data sets is extremely expe... 16858 We develop a new theoretical framework to an... 16859 Closedloop field development CLFD optimizati... 16860 A regular tbalanced Cayley map RBCMt for sho... 16861 Transition metal oxides are promising candid... 16862 We analyze the motion of a rod floating in a... 16863 We prove some basic results on the dimension... 16864 Can an ideal I in a polynomial ring kx over ... 16865 It has been shown by McCoy that a right idea... 16866 We propose a new generic type of stochastic ... 16867 Randomly generated programs are popular for ... 16868 Preexposure prophylaxis PrEP consists in the... 16869 Based on the observation that the correlatio... 16870 For accommodating more electric vehicles EVs... 16871 Let G be a reductive algebraic group over a ... 16872 Despite the increasing use of social media p... 16873 This paper contains a nontrivial generalizat... 16874 Magnetic Particle Imaging MPI has been shown... 16875 Community detection is a key data analysis p... 16876 Let k be an infinite perfect field We provid... 16877 Momentum is a simple and widely used trick w... 16878 We investigate the equilibrium behavior for ... 16879 In this paper a linear model of diffusion pr... 16880 Among the proposals for joint disease mappin... 16881 We show that in decaying hydromagnetic turbu... 16882 We prove that for any two finite volume hype... 16883 We provide the first quantum exact protocol ... 16884 Fog computing is seen as a promising approac... 16885 We present a computerassisted proof of heter... 16886 We present millimetre dust emission measurem... 16887 Experiments are reported on the performance ... 16888 In this paper we consider the problem of att... 16889 There has been a recent explosion in applica... 16890 Aims The purpose of this paper is to detect ... 16891 We introduce perfect half space games in whi... 16892 The research challenge of current Wireless S... 16893 We address the computation of groundstate pr... 16894 Inverse Uncertainty Quantification UQ or Bay... 16895 Mendelian randomization MR is a popular inst... 16896 Trace alignment algorithms have been used in... 16897 Topological insulator surfaces in proximity ... 16898 Let G be a finite simple connected graph An ... 16899 The study of neuronal interactions is curren... 16900 We present an analysis of the main systemati... 16901 Peridynamics PD represents a new approach fo... 16902 Continuous attractor neural networks generat... 16903 In this paper we develop a framework for an ... 16904 We show that the smallest nonabelian quotien... 16905 This paper explores the informationtheoretic... 16906 In this paper we show that the category of m... 16907 We present a family of Python modules for th... 16908 Diffusionbased classifiers such as those rel... 16909 Active Learning AL methods have proven costs... 16910 We introduce torchbearer a model fitting lib... 16911 Lineintensity mapping surveys probe largesca... 16912 Classifiers can be trained with datadependen... 16913 Several studies have shown that the network ... 16914 This paper explores the characteristics of D... 16915 We obtain strong consistency and asymptotic ... 16916 In the article proposed is a new elearning i... 16917 The EulerPoissonAlignment EPA system appears... 16918 New bispectral orthogonal polynomials are ob... 16919 Unsupervised node embedding methods eg DeepW... 16920 Twodimensional spin AffleckKennedyLiebTasaki... 16921 Efficient management of low blood pressure B... 16922 The power of the press to shape the informat... 16923 Selecting a representative vector for a set ... 16924 ESA Gaia mission is producing the more accur... 16925 We present an amelioration of current known ... 16926 Seven of the nine known Mars Trojan asteroid... 16927 The abundance of metals in galaxies is a key... 16928 We show that quantum communication by means ... 16929 Terramechanics plays a critical role in the ... 16930 We provide novel characterizations of multiv... 16931 We consider multitask regression models wher... 16932 Since social interactions have been shown to... 16933 Cohomological and Ktheoretic stable bases or... 16934 The amount of information available to the m... 16935 This paper presents a convergence analysis o... 16936 We combine the BondalUehara method for produ... 16937 Due to the proliferation of online social ne... 16938 As deep learning advances algorithms of musi... 16939 Suppose that Yn is obtained by observing a u... 16940 Supervised deep learning often suffers from ... 16941 Clustering problems are wellstudied in a var... 16942 The order preserving pattern matching OPPM p... 16943 We present a simple categorical framework fo... 16944 Let K be a standard Hlder continuous Caldern... 16945 The effects of including the Hubbard onsite ... 16946 We present a construction of a multiscale Ga... 16947 A functional risk curve gives the probabilit... 16948 The paper provides global optimization algor... 16949 During visuomotor tasks robots must compensa... 16950 In this article we present a cut finite elem... 16951 We explore the problem of learning under sel... 16952 We present a model for the evolution of supe... 16953 Prospection is an important part of how huma... 16954 The classical WeisfeilerLehman method WL use... 16955 We explore the properties of bytelevel recur... 16956 Combining material informatics and highthrou... 16957 We study a nonlocal variant of a diffuse int... 16958 Although gradient descent GD almost always e... 16959 Let L be the nth order linear differential o... 16960 The traditional humanism of the twentieth ce... 16961 Loss functions with a large number of saddle... 16962 This paper addresses the automatic generatio... 16963 The article deals with the connection betwee... 16964 Modern mobile and embedded platforms see a l... 16965 We show that there is no iterated identity s... 16966 The goal of this tutorial is to introduce ke... 16967 Partial Least Squares PLS methods have been ... 16968 We study the asymptotic behaviour of the sol... 16969 Internetwide scans are a common active measu... 16970 We present a method for metric optimization ... 16971 We suggested an algorithm for searching the ... 16972 To the best of our knowledge this paper pres... 16973 Many complex systems in biology physics and ... 16974 A second derivativebased moment method is pr... 16975 A sequence in a Calgebra A is called complet... 16976 A conflictfree kcoloring of a graph assigns ... 16977 We study the problem of utility maximization... 16978 Globular clusters GCs are amongst the oldest... 16979 Given an infinitycategory C one can naturall... 16980 Training D object detectors for autonomous d... 16981 We study the changes of opinions about vacci... 16982 CASP is an extension of ASP that allows for ... 16983 We study production of primordial black hole... 16984 Typical reinforcement learning RL agents lea... 16985 Deep generative models have recently shown g... 16986 In this paper we discuss the possible usage ... 16987 This paper presents SceneCut a novel approac... 16988 In this paper we show that different body pa... 16989 The objective of this work is to take advant... 16990 About years ago semitoric systems were clas... 16991 In this paper we study emphthreefolds isogen... 16992 We observe standard transfer learning can im... 16993 Fast carrier cooling is important for high p... 16994 Pattern matching is a powerful tool which is... 16995 The beams at the ILC produce electron positr... 16996 The Hamming graph Hdn is the Cartesian produ... 16997 Android the mobile app framework enforces t... 16998 Among the many anticipated roles for robots ... 16999 For certain quasisplit reductive groups G ov... 17000 In earlier work Helen Wong and the author di... 17001 This note is a short summary of the workshop... 17002 Current stateoftheart approaches for spatiot... 17003 Percolation based graph matching algorithms ... 17004 We establish the rate region of an extended ... 17005 We introduce the problem of simultaneously l... 17006 There are many problems and configurations i... 17007 In the use of deep neural networks it is cru... 17008 Tumor cells acquire different genetic altera... 17009 Predicting properties of nodes in a graph is... 17010 This paper studies the daily connectivity ti... 17011 What happens when a new social convention re... 17012 In this article we propose a new class of pr... 17013 The uniform boundary condition in a normed c... 17014 In recent years there has been widespread co... 17015 We present a reinforcement learning framewor... 17016 Plasmas with varying collisionalities occur ... 17017 We study VCdimension of short formulas in Pr... 17018 Traffic accident data are usually noisy cont... 17019 Thirdparty library reuse has become common p... 17020 Bacteria are easily characterizable model or... 17021 Data augmentation is an essential part of th... 17022 Knowledge bases are employed in a variety of... 17023 Machine scheduling problems are a longtime k... 17024 The conditional mutual information IXYZ meas... 17025 An interesting attempt for solving infrared ... 17026 We consider the spectral structure of indefi... 17027 In this paper we study the integral curvatur... 17028 For convex cocompact subgroups of SLZ we con... 17029 The massive parallel approach of neuromorphi... 17030 We first study the discrete Schrdinger equat... 17031 Greedy optimization methods such as Matching... 17032 We analyze the relation between the emission... 17033 This article offers a personal perspective o... 17034 If E is an elliptic curve over mathbbQ then ... 17035 A unified fluidstructure interaction FSI for... 17036 The transverse momentum pT spectra from heav... 17037 Toxicity prediction of chemical compounds is... 17038 We introduce a general scheme that permits t... 17039 Multinomial choice models are fundamental fo... 17040 We study the limit shape of successive coron... 17041 Properties of galaxies like their absolute m... 17042 Stochastic Gradient Langevin Dynamics SGLD i... 17043 More than million people are suffered by He... 17044 The combination of strong correlation and em... 17045 A practical biologically motivated case of p... 17046 Multivariate generalized Pareto distribution... 17047 In the AlvarezMacovski method the line integ... 17048 Let G be an adjoint quasisimple group define... 17049 The bboundary is a mathematical tool used to... 17050 Lattice Quantum Chromodynamics Lattice QCD i... 17051 A new MHD solver based on the Nektar spectra... 17052 We describe the results of a qualitative stu... 17053 The problem of low rank matrix completion is... 17054 We report magnetic and calorimetric measurem... 17055 We consider the following control problem on... 17056 We use CNNs to build a system that both clas... 17057 This paper presents a method to generate hig... 17058 Engine for LikelihoodFree Inference ELFI is ... 17059 Deep neural networks are vulnerable to adver... 17060 The most critical time for information to sp... 17061 This paper discusses the potential of applyi... 17062 The General Video Game AI GVGAI competition ... 17063 In this paper we consider pure infiniteness ... 17064 Convex sparsitypromoting regularizations are... 17065 Exoplanets smaller than Neptune are numerous... 17066 The surge in political information discourse... 17067 In open set recognition OSR almost all exist... 17068 The projection factor p is the key quantity ... 17069 The United States spends more than B each ye... 17070 We propose stochastic nonparametric activati... 17071 We analyze a proprietary dataset of trades b... 17072 This is a list of questions raised by our jo... 17073 ZrSe is a band semiconductor studied long ti... 17074 In this study we map out the largescale stru... 17075 A large class of modified theories of gravit... 17076 The notion of entropyregularized optimal tra... 17077 In this paper we present a methodology to es... 17078 We introduce the problem of variablelength s... 17079 DPolarized Light Imaging DPLI reconstructs n... 17080 The pair density wave PDW superconducting st... 17081 Neuroscience has been carried into the domai... 17082 We have developed a recently proposed Joseph... 17083 Background Unstructured and textual data is ... 17084 We present a study of the continuum polariza... 17085 This study deals with contentbased musical p... 17086 ReS is considered as a promising candidate f... 17087 In this paper we deal with the problem of ex... 17088 In this paper we present an algorithm for th... 17089 In contrast with the wellknown methods of ma... 17090 Bioinspired paradigms are proving to be usef... 17091 Viral zoonoses have emerged as the key drive... 17092 Operationalizing machine learning based secu... 17093 The objective of this research was to design... 17094 Given a positive linear combination of five ... 17095 This paper studies the landscape of empirica... 17096 With the aim of understanding the effect of ... 17097 Recommender systems play a crucial role in m... 17098 This work addresses the instability in async... 17099 This work presents an algorithm for changing... 17100 Given an ideal mathcalI on omega we show tha... 17101 Gravitons possess a Berry curvature due to t... 17102 Allgoals updating exploits the offpolicy nat... 17103 Key to structured prediction is exploiting t... 17104 Nanocommunications understood as communicati... 17105 Winogradbased convolution has quickly gained... 17106 In this paper we investigate the properties ... 17107 We propose a new method for learning the str... 17108 The maximum gap gf of a polynomial f is the ... 17109 In this paper we have analyzed the stability... 17110 We present an elladic trace formula for satu... 17111 We present the results from an extensive spe... 17112 Superconducting bulk REBaCuOx materials REra... 17113 We exhibit an exact simulation algorithm for... 17114 We consider a nonparametric Bayesian approac... 17115 Topological superconductor TSC hosting Major... 17116 Consider a Henselian rank one valued field K... 17117 We report the first observation of the magno... 17118 Italy adopted a performancebased system for ... 17119 In this study we performed an initial invest... 17120 From a numerical analysis perspective assess... 17121 This paper defines homology in homotopy type... 17122 We investigate a timedependent spatial vecto... 17123 Recently the principal component pursuit has... 17124 Axionlike particles ALPs might constitute th... 17125 The stochastic knapsack problem is the stoch... 17126 We study the problem of using iid samples fr... 17127 We introduce a new setting where a populatio... 17128 The present work analyzes the distribution f... 17129 We propose a new partial decoding algorithm ... 17130 In this article we generalize the wellknown ... 17131 We consider the relationship between two suf... 17132 We show that any selfcomplementary graph wit... 17133 We study the asymptotic behavior of estimato... 17134 The paper discusses the magnetic state of ze... 17135 Determining wavelengthdependent exoplanet ra... 17136 The major system is a mnemonic system that c... 17137 We present experimental results on the contr... 17138 We extend the theoretical analysis of a rece... 17139 Endtoend neural network based approaches to ... 17140 Fully Programmable Valve Array FPVA has emer... 17141 We define the extremal length of elements of... 17142 We investigate properties of the ground stat... 17143 A gyrokinetic reduction is based on a specif... 17144 In this paper we study the properties of Car... 17145 A general phase reduction method for a netwo... 17146 Knowledge graphs are large useful but incomp... 17147 Many relevant tasks require an agent to reac... 17148 Recently we gave arguments that only two uni... 17149 This paper is a tutorial on Formal Concept A... 17150 We present the results of a multiwavelength ... 17151 Recently the educational initiative TEDEd ha... 17152 We consider the tuning parameter selection r... 17153 Todays Internet traffic is mostly dominated ... 17154 In this paper we consider the weak convergen... 17155 Nowadays a problem of historical beadworks c... 17156 In work of HigsonRoe the fundamental role of... 17157 Tensor decomposition methods are popular too... 17158 Consider the discrete quadratic phase Hilber... 17159 The tree augmentation problem TAP is a funda... 17160 Generative source separation methods such as... 17161 We consider the problem of finding confidenc... 17162 We report the magnetoresistance and nonlinea... 17163 This volume contains the proceedings of FIDE... 17164 Animals especially humans have an amazing ab... 17165 In this paper we present a new approach to v... 17166 Epidemiological models for the spread of pat... 17167 We study with the help of a computer program... 17168 We introduce a new class of mean regression ... 17169 Large eddy simulation LES has become the def... 17170 Surface stress and surface energy are fundam... 17171 The biaxial magneticfield setup for angular ... 17172 We investigate the dynamics of a dilute susp... 17173 The formalism of partial information decompo... 17174 We study the asymptotic behavior of a sequen... 17175 In this paper we present two new results to ... 17176 Ultrathin twodimensional nanosheets raise a ... 17177 Resonant xray scattering at the Dy M and Ni ... 17178 We answer a question of Durham Hagen and Sis... 17179 Deep learning requires data A useful approac... 17180 The anomalously large radii of strongly irra... 17181 Bands of vectorvalued functions fTmapstomath... 17182 In general underestimation of risk is someth... 17183 The atomic swap protocol allows for the exch... 17184 We design analyse and implement an arbitrary... 17185 It is known that one can construct nonparame... 17186 We extend the classic convergence rate theor... 17187 We introduce a practical calculation scheme ... 17188 We prove that if H is a topological group su... 17189 Differentiable systems in this paper means s... 17190 The simulation of pedestrian crowd that refl... 17191 The structural description for the intriguin... 17192 Purpose This paper focuses on an automated a... 17193 A strong mode of a probability measure on a ... 17194 Motivated by the theory of quasideterminants... 17195 We introduce a Multimodal Neural Machine Tra... 17196 Phase retrieval algorithms have become an im... 17197 The Cobaltgermanium CoGe is a fascinating co... 17198 Many imagetoimage translation problems are a... 17199 This paper addresses the optimal control pro... 17200 Deep neural networks DNNs have transformed s... 17201 Let mn denote the maximum size of a family o... 17202 Test mass charging caused by cosmic rays wil... 17203 We propose a memorymodelaware static program... 17204 We present an evaluation update or simply up... 17205 We analyse extreme event statistics of exper... 17206 The selfconsistent nonlinear interaction of ... 17207 We present the first adaptive strategy for a... 17208 Synthesizing images of the eye fundus is a c... 17209 We investigate the growth of the graphene bu... 17210 Vaccine hesitancy has been recognized as a m... 17211 Personal electronic devices including smartp... 17212 We study the least squares regression functi... 17213 The thermal stability of most electronic and... 17214 In this paper we study emergent irreducible ... 17215 This paper concerns the low Mach number limi... 17216 In this paper the formulas of some exponenti... 17217 Preserving the privacy of individuals by pro... 17218 The interplay between superconductivity and ... 17219 Background The quality of a software product... 17220 Although the Gaia catalogue on its own will ... 17221 We use quarters of the textitKepler mission... 17222 The reconstruction of water wave elevation f... 17223 The Schatten quasinorm was introduced to bri... 17224 Consider a truncated circular unitary matrix... 17225 In this paper the taskrelated fMRI problem i... 17226 Motivated by the task of clustering either d... 17227 We present widefield deg weak lensing mass ... 17228 Finite difference methods are traditionally ... 17229 Kinetic energy density functionals KEDFs are... 17230 The mutilayer information bottleneck IB prob... 17231 We propose a new mathematical model for nkdi... 17232 A central problem of algebraic topology is t... 17233 Optimization is becoming a crucial element i... 17234 In this paper we study convergence propertie... 17235 The direct detection of gravitational wave b... 17236 Approximations during program analysis are a... 17237 Through the development of efficient algorit... 17238 Nonlinear wave interactions affect the evolu... 17239 The singleparticle spectral function measure... 17240 The purpose of this article is to determine ... 17241 In this work we introduce a new type of line... 17242 Multilabel image classification is a fundame... 17243 The atmospheres of between one quarter and o... 17244 We present a quantization of an isomorphism ... 17245 This paper is concerned with a multiasset me... 17246 Deep learning has enabled major advances in ... 17247 Undesired unintentional doping and doping li... 17248 In recent years many research works propose ... 17249 For applications exploiting the valley pseud... 17250 Predicting highrisk vascular diseases is a s... 17251 Understanding the evolution of human society... 17252 Autonomic nervous system ANS activity is alt... 17253 Unsupervised learning of lowdimensional sema... 17254 In the BestkArm problem we are given n stoch... 17255 We study equilibrium measures Kenmki measure... 17256 We present a thermal emission spectrum of th... 17257 Deep learning yields great results across ma... 17258 Neural networks have been used prominently i... 17259 Precise knowledge of the static density resp... 17260 The magnetocrystalline anisotropy exhibited ... 17261 In this paper we experimentally demonstrate ... 17262 The continuous dynamical system approach to ... 17263 With the popularity of Linked Open Data LOD ... 17264 Wave motion in two and threedimensional peri... 17265 In this paper we formulate an analogue of Wa... 17266 Many realworld multilayer systems such as cr... 17267 The reconstruction of sparse signals require... 17268 In this paper we propose a fault detection a... 17269 We study numerically a ConstantinLaxMajdaDe ... 17270 We consider the fitting of heavy tailed data... 17271 This paper introduces Deep Incremental Boost... 17272 We consider linear structural equation model... 17273 We show how solutions to a large class of pa... 17274 In Reinhardt conjectured that the shape of ... 17275 We study the heating mechanisms and Lyalpha ... 17276 In this chapter we explain briefly the funda... 17277 The electronic structure of ThRuSi was studi... 17278 Factorable surfaces ie graphs associated wit... 17279 The paper presents two results First it is s... 17280 Sequential changepoint detection when the di... 17281 We give algorithms to construct the Nron Des... 17282 In recent years deep learning has made treme... 17283 We consider the problem of training generati... 17284 Ontologybased query answering OBQA asks whet... 17285 Despite their popularity the practical perfo... 17286 In this paper we study a new learning paradi... 17287 We determine which amalgamated products of s... 17288 Understanding shading effects in images is c... 17289 Let S be the power series ring or the polyno... 17290 Generative adversarial networks GANs are inn... 17291 Causal mediation analysis aims to estimate t... 17292 In this work a novel subspacebased method fo... 17293 We extend a previously introduced semianalyt... 17294 In this article we study the existence and s... 17295 We report on the selective fabrication of hi... 17296 In this note we prove an Lfracnenergy gap re... 17297 Pomsets are a model of concurrent computatio... 17298 The ecological invasion problem in which a w... 17299 Nonlocality is a key feature of many physica... 17300 We introduce DeepHiTS a rotation invariant c... 17301 In various approaches to learning notably in... 17302 The principle of common cause asserts that p... 17303 When three species compete cyclically in a w... 17304 We study the multiclass online learning prob... 17305 Deep learning techniques have been hugely su... 17306 In this paper we study the infinitesimal sym... 17307 The studying of anomalous diffusion by pulse... 17308 We report a nontrivial transition in the cor... 17309 Multiarmed bandit MAB is a class of online l... 17310 We investigate the initialboundary value pro... 17311 We demonstrate that a deep neural network ca... 17312 The development of needlefree injection syst... 17313 In this paper we initiate a rigorous theoret... 17314 Classical reversemode automatic differentiat... 17315 Manydegreescale gammaray halos are expected ... 17316 In this work we investigate a onedimensional... 17317 We present Generative Adversarial Capsule Ne... 17318 Zoonotic diseases are a major cause of morbi... 17319 The exploitation of the excellent intrinsic ... 17320 We investigate a steady planar flow of an id... 17321 This article demonstrates that convolutional... 17322 Due to the success of deep learning to solvi... 17323 Let R be a commutative ring with identity an... 17324 In the following paper we analyse the IDPric... 17325 Characterization of the uncertainty in robot... 17326 Patchbased denoising algorithms like BMD hav... 17327 We have studied disordering effects on the c... 17328 Simulationbased inference plays a major role... 17329 KNearest Neighbours kNN is a popular classif... 17330 In this paper we extend the work by Ryuzo Sa... 17331 We report results of a search for light weak... 17332 The Orionis group was discovered almost a d... 17333 This paper proposes XMLDefined Network polic... 17334 This paper discusses a roadmap to investigat... 17335 We discuss the effect of dissipation on heat... 17336 The goal of compressed sensing is to estimat... 17337 Several researchers have described twopart m... 17338 Along with the deraining performance improve... 17339 Statistical inference based on lossy or inco... 17340 Nearest neighbor imputation is popular for h... 17341 We demonstrate that a semiconductor laser pe... 17342 In this paper we propose a new deep feature ... 17343 To detect and segment salient objects accura... 17344 We provide a complete picture of asymptotica... 17345 This paper studies the secrecy rate maximiza... 17346 Stochastic integration textitwrt Gaussian pr... 17347 We naturally associate a measurable space of... 17348 This paper focuses on automated synthesis of... 17349 In the present work we prove a Nikolski ineq... 17350 Inferring model parameters from experimental... 17351 This paper establishes an upper bound for th... 17352 By considering a limiting case of a Kronecke... 17353 In this paper we consider the temporal patte... 17354 We propose in this paper a new approach to t... 17355 We prove a conjecture of Medvedev and Scanlo... 17356 The asymptotic behaviour of the commonly use... 17357 We compute physical properties across the ph... 17358 We introduce MinimalRNN a new recurrent neur... 17359 Let BQPn be a boolean quadric polytope LOPm ... 17360 Analyzing arraybased computations to determi... 17361 Independent Component Analysis ICA one of t... 17362 We study weighted Hinfty spaces of analytic ... 17363 Cauchy and exponential transforms are charac... 17364 We report extensive theoretical calculations... 17365 We consider the multiview data completion pr... 17366 We consider the problem of gridforming contr... 17367 We characterize the nearinfrared NIR dust at... 17368 Using tape or optical devices for scaleout s... 17369 Noisy PN learning is the problem of binary c... 17370 We present a neural model for representing s... 17371 Robust data association is necessary for vir... 17372 We study the effect of dynamical tides assoc... 17373 We consider a BoseEinstein condensate BEC wi... 17374 The execution of sequential programs allows ... 17375 Specify a randomized algorithm that given a ... 17376 In this paper we prove modularity results of... 17377 For future networks ie the fifth generation ... 17378 Many of the existing methods for learning jo... 17379 Keplerb is currently the best example of an ... 17380 We report the propagation of a square wave s... 17381 We present Sequential Attend Infer Repeat SQ... 17382 We present a new local descriptor for D shap... 17383 We present theoretical guarantees for an alt... 17384 In recent years there have been increasing c... 17385 In this paper we propose to utilize Convolut... 17386 In this paper we consider the derivation of ... 17387 This paper introduces the variational implic... 17388 Transformation optics methods and gradient i... 17389 Lanthanum family of hightemperature cuprate ... 17390 Capable of reaching similar magnitudes to la... 17391 General Nsolitons in three recentlyproposed ... 17392 We revisit the mathematical models for wirel... 17393 Symbolic data analysis SDA is an emerging ar... 17394 Many realworld data mining applications need... 17395 The Cherenkov Telescope Array CTA is the nex... 17396 The restricted isometry property RIP is a un... 17397 Nonparametric kernel density estimation is a... 17398 We applied machine learning to predict wheth... 17399 This paper investigates the algorithmic dime... 17400 Inference in loglinear models scales linearl... 17401 When an ordered spin system of a given dimen... 17402 We report the bright solitons of the general... 17403 The most recent experimental advances could ... 17404 Stronger selection implies faster evolutiont... 17405 LJ Savage once hoped to show that the superf... 17406 Stochastic Gradient Descent SGD is the centr... 17407 The Kontsevich integral is a powerful link i... 17408 In this note we prove a selection of commuta... 17409 Short Message Service SMS spam is a serious ... 17410 Measuring and analyzing the performance of s... 17411 We present a method for calculating the comp... 17412 Literature on the modeling and simulation of... 17413 In this paper we study a new type of spatial... 17414 In the game theory literature there appears ... 17415 Superior performance and ease of implementat... 17416 Wavelet frame systems are known to be effect... 17417 A recently proposed exact algorithm for the ... 17418 Privatizing data is a useful strategy for in... 17419 Cellular Electron CryoTomography CECT is a p... 17420 Largescale deep convolutional neural network... 17421 We report evidence for an enstrophy cascade ... 17422 We study contextual multiarmed bandit proble... 17423 Variational inference for latent variable mo... 17424 To understand the selfsustenance of subcriti... 17425 Learning would be a convincing method to ach... 17426 This paper addresses the trajectory tracking... 17427 Though there has been a significant amount o... 17428 This paper gives new results for synchroniza... 17429 We apply both distancebased Jin and Matteson... 17430 We study the local geometry of testing a mea... 17431 Two of the most fundamental prototypes of gr... 17432 We study the problem of subsampling in diffe... 17433 Assigning a satisfactory truly concurrent se... 17434 We propose a technique for multitask learnin... 17435 We present a probabilistic language model fo... 17436 The multiple scattering of ultra relativisti... 17437 We give necessary and sufficient conditions ... 17438 The photoelectric effect established by Eins... 17439 We apply sequencetosequence model to mitigat... 17440 We investigate the use of GHz HO masers for... 17441 The free energy principle has been proposed ... 17442 In this paper we study the setting where fea... 17443 Contextual bandit algorithms are sensitive t... 17444 Smart solar inverters can be used to store m... 17445 Despite recent advances in face recognition ... 17446 Citizen science projects recruit members of ... 17447 We study the category of representations of ... 17448 Complex networks have been found to provide ... 17449 We analyze short cadence K light curve of th... 17450 As robots become increasingly prevalent in a... 17451 Let T be a consistent ominimal theory extend... 17452 Standard Bayesian analyses can be difficult ... 17453 Large Area Xray Proportional Counter LAXPC i... 17454 We give a counterexample to the vector gener... 17455 In this work we ask two questions Can we pr... 17456 Hilberts th problem studies the finite gener... 17457 We design a stochastic algorithm to train an... 17458 We find evidence for a strong thermal invers... 17459 The magneticfieldtemperature phase diagram o... 17460 Extended Kalman filter EKF does not guarante... 17461 We establish new approximation results in th... 17462 In this paper a multiagent coordination prob... 17463 For the first time intermodulation distortio... 17464 InGaAsbased GateallAround GAA FETs with mode... 17465 In this paper we study the integral of type\... 17466 In this paper we define the notion of pullba... 17467 The simplex algorithm for linear programming... 17468 In diffusionbased communication as for molec... 17469 Modified Hamiltonian Monte Carlo MHMC method... 17470 This whitepaper proposes the design and adop... 17471 In this paper we introduce DICOD a convoluti... 17472 We study uniqueness of Dirichlet problems of... 17473 At interfaces between oxide materials lattic... 17474 A mathematical model for emerging contaminan... 17475 Deep generative models based on Generative A... 17476 Approximate vanishing ideal which is a new c... 17477 Xray Free Electron Lasers XFELs have been pr... 17478 Avenues of Majorana bound states MBSs have b... 17479 Research is a tertiary priority in the EHR w... 17480 We show that whereas spin onedimensional U q... 17481 In this paper two portfolio choice models ar... 17482 We study some basic properties of the class ... 17483 To realize and test advanced accelerator con... 17484 We investigated the magnetic behavior of met... 17485 Cloud computing helps reduce costs increase ... 17486 Password security can no longer provide enou... 17487 This paper presents a practical approach tow... 17488 Recent advances in deep learning especially ... 17489 The mechanical failure of amorphous media is... 17490 The validity of the strong law of large numb... 17491 In this letter we study the mean sizes of Ha... 17492 Motivated by a host of empirical evidences r... 17493 We consider the spectral Dirichlet problem f... 17494 We examine the meaning and the complexity of... 17495 Recently Thas et al introduced a new statis... 17496 We present the strongest constraints to date... 17497 In this paper we introduce a system for unsu... 17498 One of the most significant challenges invol... 17499 This paper examines the speaker identificati... 17500 In this paper by using the idea of linearizi... 17501 We look at interval exchange transformations... 17502 Consider the parabolic equation with measure... 17503 As the number of contributors to online peer... 17504 This brief note highlights some basic concep... 17505 We present novel experimental results on pat... 17506 The purpose of the paper is to study Yamabe ... 17507 We investigate exceedances of the process ov... 17508 A problem of classification of local field p... 17509 We give a few explicit examples which answer... 17510 We consider inference about the history of a... 17511 In this paper ellipsoid method for linear pr... 17512 We experimentally demonstrate a ring geometr... 17513 We explore the possibility of discovering ex... 17514 Recently integrability conditions ICs in mut... 17515 We consider the estimation of the multiperio... 17516 Tests of gravity at the galaxy scale are in ... 17517 By mapping the most advanced elements of the... 17518 We prove that the generating functions for t... 17519 We study the N supersymmetric solutions of D... 17520 In this paper we show that the recent integr... 17521 This paper proposes a segmentationfree autom... 17522 We have determined new relations between UBV... 17523 We study numerically the Bloch electron wave... 17524 Sequential Monte Carlo has become a standard... 17525 Decades of psychological research have been ... 17526 We present a collection of conjectural trace... 17527 Targeted attacks against network infrastruct... 17528 Reinforcement learning and symbolic planning... 17529 When pristine material surfaces are exposed ... 17530 We develop the theory of hydrodynamic charge... 17531 Predicting how a proposed cancer treatment w... 17532 Rechargeable redox flow batteries with serpe... 17533 We present a list of open questions in mathe... 17534 Online advertising and product recommendatio... 17535 The goal of population spectral synthesis PS... 17536 In citeChenfgi we proposed a differential op... 17537 In this paper a new restarting method for Kr... 17538 In this paper nil extensions of some special... 17539 We examine a class of embeddings based on st... 17540 Probabilistic modeling is fundamental to the... 17541 There has been considerable research on auto... 17542 Despite remarkable successes Deep Reinforcem... 17543 We demonstrate that in diffusive superconduc... 17544 Although a majority of the theoretical liter... 17545 In this paper we use an iterative algorithm ... 17546 Kernel quadratures and other kernelbased app... 17547 In this work we introduce a conditional acce... 17548 Generative moment matching network GMMN is a... 17549 We study the multipartite entanglement of a ... 17550 Thermal properties of graphene monolayers ar... 17551 The summary presented in this paper highligh... 17552 A stochastic model of excitatory and inhibit... 17553 We present a new Monte Carlo methodology for... 17554 We study the unitary representations of the ... 17555 In this paper we describe the problem of pai... 17556 In this paper we will establish an elliptic ... 17557 Due to one of the most representative contri... 17558 Environmental pollutants such as colors from... 17559 This paper provides the generating series fo... 17560 We report results of simultaneous xray refle... 17561 The observation of micron size spin relaxati... 17562 Advanced gravitationalwave detectors such as... 17563 The design of spacecraft trajectories for mi... 17564 We prove that for every BushnellKutzko type ... 17565 Let k mathbbFqT be the rational function fi... 17566 We present a result on the number of decoupl... 17567 Learning to remember long sequences remains ... 17568 Increasingly Internet of Things IoT domains ... 17569 It has recently been shown that yield in amo... 17570 We present a review of data types and statis... 17571 We provide sufficient conditions to guarante... 17572 The paper as a new contribution aims to expl... 17573 Classification performances of the supervise... 17574 We propose an autoencoding sequencebased tra... 17575 We prove effective Nullstellensatz and elimi... 17576 Let q be a prime power of a prime p n a posi... 17577 Zebrafish pretectal neurons exhibit specific... 17578 Being able to predict whether a song can be ... 17579 We train multitask autoencoders on linguisti... 17580 Time series forecasting is a crucial compone... 17581 We investigate the ground state properties o... 17582 Recent determination of the Hubble constant ... 17583 Automatic generation of caption to describe ... 17584 Swirlswitching is a lowfrequency oscillatory... 17585 A key advance in learning generative models ... 17586 In this paper we propose a novel learning me... 17587 The sensitivity of molecular dynamics on cha... 17588 In this work we study a multiagent coordinat... 17589 Pattern lock has been widely used for authen... 17590 Many analysis and machine learning tasks req... 17591 In the last decades there have been an incre... 17592 We conjecture the universal probability dist... 17593 We carry out a study of the statistical dist... 17594 Bin Packing problems have been widely studie... 17595 Human populations exhibit complex behaviorsc... 17596 Although timely sepsis diagnosis and prompt ... 17597 In this paper we prove the Hlder regularity ... 17598 There exists a critical speed of propagation... 17599 This paper describes our submission CLaC to ... 17600 A local existence and uniqueness theorem for... 17601 The Mapper produces a compact summary of hig... 17602 This paper presents a three dimensional coll... 17603 In this paper we consider the problems for c... 17604 We examine how the institutional context aff... 17605 A great variety of text tasks such as topic ... 17606 Endovascular sealing is a new technique for ... 17607 MapReduce framework is the de facto standard... 17608 We consider the topic of multivariate regres... 17609 We study the problem of finding a small subs... 17610 Sketchbased modeling strives to bring the ea... 17611 We study the problem of ranking a set of ite... 17612 SAGA is a fast incremental gradient method o... 17613 The effects of nitridation on the density of... 17614 We derive the finite temperature Keldysh res... 17615 This work introduces a tensorbased method to... 17616 Given a set of baseline assumptions a breakd... 17617 We study detection methods for multivariable... 17618 Singular limits of D Ftheory compactificatio... 17619 Crystal structures and the Bloch theorem pla... 17620 We consider a multiway massive multipleinput... 17621 In this paper we introduce and study motives... 17622 This work extends the Elsner Wandelt itera... 17623 Selfconsistent treatment of cosmological str... 17624 Let KF be a finite extension of number field... 17625 We consider the class of RudinShapirolike po... 17626 We highlight how Rulebased Integration Rubi ... 17627 In this paper we analyze the performance of ... 17628 We show that polarization states of electrom... 17629 In empirical work in economics it is common ... 17630 We prove two results concerning an Ulamtype ... 17631 In this communication we describe a novel te... 17632 Despite significant advances in artificial i... 17633 This paper generalises Moris famous theorem ... 17634 We investigate the dynamics of water confine... 17635 The main objective of this paper is to study... 17636 Planetary cores consist of liquid metals low... 17637 Followership is generally defined as a strat... 17638 We present improved Mars Odyssey Neutron Spe... 17639 Let varphimathbbRrightarrow mathbbR be a con... 17640 The navigation problem is classically approa... 17641 This paper presents a thorough evaluation of... 17642 We present DeepPicar a lowcost deep neural n... 17643 Considering structure functions of the strea... 17644 Compact modeling of interdevice radiationind... 17645 In this note it is shown that the class of a... 17646 We consider using a battery storage system s... 17647 The nervous system encodes continuous inform... 17648 We present an investigation of clumpy galaxi... 17649 We propose the use of incomplete dot product... 17650 Let A be a commutative Noetherian ring conta... 17651 This is the last part of a series of three p... 17652 In the cost per click CPC pricing model an a... 17653 An important task for many if not all the sc... 17654 The planar linear restricted fourbody proble... 17655 We investigate the mechanical properties of ... 17656 Skin cancer is a major public health problem... 17657 This article introduces the notion of arbitr... 17658 We define a class of surfaces and surface pa... 17659 An efficient descriptor model for fast scree... 17660 We prove combinatorially that the product of... 17661 Topological nodal line DNL semimetals formed... 17662 Variational inference is a popular technique... 17663 Monolayers of transition metal dichalcogenid... 17664 Exact solutions for laminar stratified flows... 17665 A large class of machine learning techniques... 17666 The covariant canonical formalism is a covar... 17667 We study cascading failures in a system comp... 17668 For any geodesic current we associated a qua... 17669 Trivial events are ubiquitous in human to hu... 17670 In this paper we investigate the Casacore Ta... 17671 We report the experimental observation of th... 17672 In absence of a lens to form an image incohe... 17673 Multiview video supports observing a scene f... 17674 The objective of the present work is to cons... 17675 We propose a simple technique for encouragin... 17676 Loosely speaking the Shannon entropy rate is... 17677 Aspects of the preparation process and perfo... 17678 A mixed manna contains goods that everyone l... 17679 How can we explain the predictions of a blac... 17680 We study analytically and numerically the op... 17681 Progress in science has advanced the develop... 17682 Each family mathcalM of means has a natural ... 17683 We propose a fully distributed actorcritic a... 17684 We describe the structure of Hausdorff local... 17685 Electrons that are confined to a single Land... 17686 Over the last decades numerous security and ... 17687 In this review we discuss how channel simula... 17688 A nonparametric method for ranking stock ind... 17689 Plastic deformation of metallic glasses perf... 17690 This work is closely related to the theories... 17691 Detection of cell nuclei in microscopic imag... 17692 Given a Heegaard splitting of a threemanifol... 17693 Modeling network traffic is gaining importan... 17694 Quantum coherence phenomena driven by electr... 17695 Recently a wide range of smart devices are d... 17696 An element e of an ordered semigroup Scdotle... 17697 Let pi be a HeckeMaass cusp form for SLmathb... 17698 It is known that the implied volatility skew... 17699 We calculate the amplitudetophase AMtoPM noi... 17700 Direct frequencycomb spectroscopy is used to... 17701 A variety of energy resources has been ident... 17702 Inferring walls configuration of indoor envi... 17703 Experience replay is a key technique behind ... 17704 We investigate the problem of dynamic portfo... 17705 We report a sample of highmass starless clu... 17706 Artificial neural networks that learn to per... 17707 The problem of object localization and recog... 17708 We propose a fast simple and robust algorith... 17709 Recently the deep learning community has giv... 17710 The S Heisenberg spin chain compound SrCuO d... 17711 In this joint introduction to an Asterisque ... 17712 Many realworld systems are characterized by ... 17713 The field of biomedical imaging has undergon... 17714 A new initiative from the International Swap... 17715 Hierarchical models are utilized in a wide v... 17716 Atomistic simulations were carried out to an... 17717 Hyperspectralmultispectral imaging HSIMSI co... 17718 Among the large number of promising twodimen... 17719 Starting from a Langevin formulation of a th... 17720 We present a feature functional theory bind... 17721 One of the serious issues in communication b... 17722 Weighted automata WA are an important formal... 17723 Let G be a finite group and let pdotspn be d... 17724 Generalize Kobayashis example for the Noethe... 17725 We study the continuity of space translation... 17726 In this study we propose shrinkage methods b... 17727 We formulate Bayesian updates in Markov proc... 17728 Scanning tunnelling microscopy and low energ... 17729 A real hypersurface in the complex quadric Q... 17730 The quest towards expansion of the MAX desig... 17731 Deep learning has proven to be a powerful to... 17732 We determine the value of some search games ... 17733 We report the discovery of four short period... 17734 We formulate a general criterion for the exa... 17735 The use of CVA to cover credit risk is widel... 17736 Ensemble pruning selecting a subset of indiv... 17737 The paper is devoted to the relationship bet... 17738 We study Shimura curves of PEL type in maths... 17739 Datadriven anomaly detection methods suffer ... 17740 Selfsimilarity was recently introduced as a ... 17741 Highly Principled Data Science insists on me... 17742 We study a class of focusing nonlinear Schro... 17743 Following some previous studies on restartin... 17744 In this work nonparametric statistical infer... 17745 The symbol is used to describe the Springer ... 17746 While harms of allocation have been increasi... 17747 The Xray spectra of the neutron stars locate... 17748 We prove various inequalities between the nu... 17749 Overabundances in highly siderophile element... 17750 We consider a Bayesian model for inversion o... 17751 A promising route to the realization of Majo... 17752 In this paper we introduce RADULS the fastes... 17753 Deterministic neural nets have been shown to... 17754 This work relates to the famous experiments ... 17755 The Shortest Paths Problem SPP is no longer ... 17756 In this paper we present a short and element... 17757 Cosmology in the near future promises a meas... 17758 Liquidphaseexfoliation is a technique capabl... 17759 Designing an exoskeleton to reduce the risk ... 17760 Todays researchers in the field of Pulmonary... 17761 We point out that most of the classical ther... 17762 Hightransmissivity alldielectric metasurface... 17763 We proposed a probabilistic approach to join... 17764 Quantum key distribution QKD offers a way fo... 17765 Deep neural networks are a family of computa... 17766 In an economy with asymmetric information th... 17767 Ordering theorems characterizing when partia... 17768 As the foundation of driverless vehicle and ... 17769 Existing Markov Chain Monte Carlo MCMC metho... 17770 We embed a flipped rm SU times rm U GUT mode... 17771 The interactive computation paradigm is revi... 17772 IIn recent years there has been a growing in... 17773 We propose and analyze an efficient spectral... 17774 Mendelian randomization uses genetic variant... 17775 Direct acousticstoword AW models in the endt... 17776 Convolutional dictionary learning CDL or spa... 17777 We present latetime optical Rband imaging da... 17778 In this article we consider Markov chain Mon... 17779 We generalise a multiple string pattern matc... 17780 The correspondence between definable connect... 17781 A family Qbetabeta geq of Markov chains is ... 17782 We present a scheme to deterministically pre... 17783 Bayesian optimization is a sampleefficient m... 17784 In recent years the attack which leverages r... 17785 We report the discovery of a system of two s... 17786 A new electron beamoptical procedure is prop... 17787 Due to its excellent shockcapturing capabili... 17788 This paper presents an educational code writ... 17789 This document outlines the approach to suppo... 17790 How does the smallscale topological structur... 17791 The Principle of the Glitch states that for ... 17792 In this article we perform an asymptotic ana... 17793 Recent interest in topological semimetals ha... 17794 Recent research has shown the usefulness of ... 17795 Random geometric graphs in hyperbolic spaces... 17796 We study the efficient learnability of geome... 17797 Editorial board members who are considered t... 17798 This paper examines the Standard Model under... 17799 We introduce flexible robust functional regr... 17800 In this paper we are concerned with determin... 17801 Dual energy CT DECT enhances tissue characte... 17802 In wind farms wake interaction leads to loss... 17803 We show how an ensemble of Qfunctions can be... 17804 Two modestsized symbolic corpora of posttona... 17805 Existing urban boundaries are usually define... 17806 Peer review is the foundation of scientific ... 17807 Generating random variates from highdimensio... 17808 We show under mild topological assumptions t... 17809 We present a systematic method for designing... 17810 Terrorism has become one of the most tedious... 17811 I present here the first results from an ong... 17812 It is wellknown that GANs are difficult to t... 17813 Acute respiratory infections have epidemic a... 17814 Under model uncertainty empirical Bayes EB p... 17815 In this paper we introduce a finite field an... 17816 In this article we consider twoway twotape a... 17817 circ video requires human viewers to activel... 17818 Zeroshot learning ZSL is a challenging task ... 17819 Speaker change detection SCD is an important... 17820 In this paper we develop a bivariate discret... 17821 Over new people in the United States are di... 17822 Users of Online Social Networks OSNs interac... 17823 We present an approach to path following usi... 17824 We theoretically study scattering process an... 17825 Model selection in mixed models based on the... 17826 We study the ground state energy of the Neum... 17827 We develop and implement automated methods f... 17828 Testing the simplifying assumption in highdi... 17829 In this paper we study a natural special cas... 17830 It is shown that using the similarity transf... 17831 Recent studies have shown that reinforcement... 17832 Artificial neural network ANN is a very usef... 17833 Determinantal point processes DPPs have wide... 17834 Double machine learning provides sqrtnconsis... 17835 We perform direct numerical simulations of s... 17836 Latent factor models for recommender systems... 17837 We establish large sample approximations for... 17838 Wordvec Mikolov et al has proven to be succ... 17839 We study extremal and algorithmic questions ... 17840 The selection of West Java governor is one e... 17841 The next generation of AI applications will ... 17842 Temporary work is an employment situation us... 17843 Transition metal dichalcogenides represent a... 17844 We demonstrate identification of position ma... 17845 We prove that the set of symplectic lattices... 17846 A Viterbilike decoding algorithm is proposed... 17847 In multiferroic BiFeO a cycloidal antiferrom... 17848 This project proposes to reuse the DAFNE acc... 17849 Understanding planetary interiors is directl... 17850 The occurrence of new events in a system is ... 17851 In this work the conduction of ionwater solu... 17852 Extreme values modeling has attracting the a... 17853 Systems subject to uncertain inputs produce ... 17854 The combination of large open data sources w... 17855 The discrete cosine transform DCT is the key... 17856 It is well known that the initialization of ... 17857 Boundary value problem for complete second o... 17858 Change point analysis is a statistical tool ... 17859 Realtime monitoring of functional tissue par... 17860 The interaction that occurs between a light ... 17861 Compared with relational database RDB graph ... 17862 In this paper we present an algorithm for th... 17863 Twodimensional D materials are among the mos... 17864 This article provides the first survey of co... 17865 Tensor network methods are taking a central ... 17866 We present four logic puzzles and after that... 17867 Exploration bonus derived from the novelty o... 17868 Much of the success of single agent deep rei... 17869 Synthetic aperture imaging systems achieve c... 17870 In designing most software applications much... 17871 Principal component analysis is an important... 17872 In recent years several convex programming r... 17873 Building on recent work of BhargavaElkiesSch... 17874 Drug repositioning DR refers to identificati... 17875 In this work we investigate the dynamics of ... 17876 Our aim is to characterize the Lipschitz fun... 17877 We consider a thin normal metal sandwiched b... 17878 We consider the privacy implications of publ... 17879 The Nash equilibrium paradigm and Rational C... 17880 The predictions of parameteric property mode... 17881 Split manufacturing is a promising technique... 17882 Autonomous sorting is a crucial task in indu... 17883 The Whittle likelihood is widely used for Ba... 17884 Geophysical model domains typically contain ... 17885 A map merging component is crucial for the p... 17886 This paper introduces a family of local feat... 17887 In this paper we demonstrate subharmonic inj... 17888 We have studied the longitudinal spin Seebec... 17889 We complete the picture available in the lit... 17890 Approximate Bayesian computation ABC is a me... 17891 Regression problems are pervasive in realwor... 17892 We define a new method to estimate centroid ... 17893 Calculation of nearneighbor interactions amo... 17894 The evolution and the present status of the ... 17895 We propose a hybrid quantum system where an ... 17896 Video games and the playing thereof have bee... 17897 Learning the latent representation of data i... 17898 Sensor selection refers to the problem of in... 17899 We introduce the discrete distribution of a ... 17900 Coherent control of the resonant response in... 17901 Recently we have demonstrated the presence o... 17902 We study a relationship between the ultrapro... 17903 A fundamental issue for statistical classifi... 17904 The problem of machine learning with missing... 17905 This paper provides an entry point to the pr... 17906 In this digital era one thing that still hol... 17907 This paper proposes a gamma process for mode... 17908 Suppose one has data from one or more comple... 17909 Let B autX be the DoldLashof classifying spa... 17910 Sophisticated gated recurrent neural network... 17911 We study manybody localization properties of... 17912 Deep neural networks show great potential as... 17913 In this paper two robust model predictive co... 17914 Hidden Markov Models HMMs are a ubiquitous t... 17915 Network growth processes can be understood a... 17916 Advances in data analytics bring with them c... 17917 The present paper is dedicated to the global... 17918 We present largefield times deg mapping obse... 17919 Unseen data conditions can inflict serious p... 17920 We study the generation of the matterantimat... 17921 This paper introduces the acoustic scene cla... 17922 We propose a class of ParticleInCell PIC met... 17923 Methodological research rarely generates a b... 17924 Deep learning is an established framework fo... 17925 Demographic studies suggest that changes in ... 17926 In this Review we will study rigorously the ... 17927 Background The chromatin remodelers of the S... 17928 We consider two questions at the heart of ma... 17929 We provide a full analysis of ghost free hig... 17930 We introduce a novel approach for predicting... 17931 Many of the baryons in our Galaxy probably l... 17932 Supercontinuum generation using chipintegrat... 17933 Through a series of examples we illustrate s... 17934 We give a rigorous characterization of what ... 17935 We present a new class of service for locati... 17936 We characterize the completeness and frameba... 17937 Deep learning models are often successfully ... 17938 Computer based recognition and detection of ... 17939 Let A be an expanding dtimes d matrix with i... 17940 In this paper we consider the Dvali and Gmez... 17941 We consider the problem of convergence to a ... 17942 We investigate to what extent mobile use pat... 17943 In a previous study the algebraic formulatio... 17944 Micro Aerial Vehicles MAVs are limited in th... 17945 We describe algorithms to compute elliptic f... 17946 Magnetic skyrmions are localized nanometric ... 17947 Generative models have long been the dominan... 17948 For hidden Markov models one of the most pop... 17949 This paper considers insertion and deletion ... 17950 Periodic supercell models of electric double... 17951 In this paper we present CrowdTone a system ... 17952 Restricted Boltzmann machines RBMs are energ... 17953 Compound random measures CoRMs are a flexibl... 17954 The test of gravitational force on antimatte... 17955 Attentionbased sequencetosequence models for... 17956 We propose a new approach to train the Gener... 17957 The seminal work of Gatys et al demonstrated... 17958 We aim at characterizing the largescale dist... 17959 We consider a certain quotient of a polynomi... 17960 Blog is becoming an increasingly popular med... 17961 Meaningful laws of nature must be independen... 17962 Characterization of the primary events invol... 17963 We consider implementations of highorder fin... 17964 For lattice Monte Carlo simulations parallel... 17965 We prove upper and lower bounds on the effec... 17966 D Morphable Models DMMs are powerful statist... 17967 In medicine visualizing chromosomes is impor... 17968 Based on agile transformation cases over y... 17969 A symboliccomputational algorithm fully impl... 17970 HESS J is an unidentified hard spectrum sour... 17971 We investigate how nextgeneration laser puls... 17972 Social dilemmas where mutual cooperation can... 17973 The Casimir free energy of dielectric films ... 17974 Pharmacoepidemiology PE is the study of uses... 17975 A new form of variational autoencoder VAE is... 17976 We prove that there exist hypersurfaces that... 17977 Inverse problems where in broad sense the ta... 17978 This work presents a model reduction approac... 17979 Stochastic gradient descent SGD is a popular... 17980 Precise trajectory control near ground is di... 17981 This communication presents a longitudinal m... 17982 This new book by cosmologists Geraint F Lewi... 17983 A novel sparsitybased algorithm for audio in... 17984 Identifying palindromes in sequences has bee... 17985 Remanufacturing is a significant factor in s... 17986 A temperature Tdependent coarsegrained CG Ha... 17987 In this paper we present libDirectional a MA... 17988 A novel idea is proposed for a natural solut... 17989 Selfpaced learning and hard example mining r... 17990 To investigate the electronic structure of W... 17991 The purpose of this study is to analyze cybe... 17992 We develop the theory of weak Fraisse catego... 17993 Music recommendation services collectively s... 17994 This paper studies the large time behavior o... 17995 This paper studies mathematical properties o... 17996 Chemical reaction networks with generalized ... 17997 In this paper we study the missing sample re... 17998 As one kind of skin cancer melanoma is very ... 17999 We extend Rubio de Francias extrapolation th... 18000 In layered transition metal dichalcogenides ... 18001 We consider the problem of zero distribution... 18002 We have discovered two novel types of planar... 18003 Our manuscript investigates a selfconsistent... 18004 We examine in this article the pricing of ta... 18005 We revisit the Blind Deconvolution problem w... 18006 We present a unified perspective on symmetry... 18007 This volume contains the proceedings of the ... 18008 We analyze the effect of quenched disorder o... 18009 Knowledge graphs are structured representati... 18010 We consider the multi armed bandit problem i... 18011 We propose a new randomized coordinate desce... 18012 We investigate the performance of the standa... 18013 In this paper algebroid bundle associated to... 18014 The control of complex networks is a signifi... 18015 Despite their fundamental role in determinin... 18016 Surface observations indicate that the speed... 18017 In many studies of environmental change of t... 18018 The illposed analytic continuation problem f... 18019 Program slicing provides explanations that i... 18020 Synthetic dimensions alter one of the most f... 18021 The managedmetabolism hypothesis suggests th... 18022 Silicon drift detectors SDDs revolutionized ... 18023 Online learning to rank is a core problem in... 18024 We extend a technique called Compiling Contr... 18025 Largescale vortices in protoplanetary disks ... 18026 This paper introduces a new nonlinear dictio... 18027 Smillie proved an interesting result on the... 18028 Geospatial semantics is a broad field that i... 18029 In this paper we continue the study in citeM... 18030 This technical note describes a new baseline... 18031 Even as we advance the frontiers of physics ... 18032 We study the energy functional on the set of... 18033 Viewing the trajectory of a patient as a dyn... 18034 We consider the Schrdinger equation on a hal... 18035 Background\nThe nuclear structure of the clu... 18036 We investigate the terminalpairibility probl... 18037 Meta learning of optimal classifier error ra... 18038 Event detection is a critical feature in dat... 18039 This paper locally classifies finitedimensio... 18040 This work sets out to compute and discuss ef... 18041 In this paper we provide an axiomatic charac... 18042 We investigate the constraints on the sum of... 18043 We show that the number of unique function m... 18044 Blackbox explanation is the problem of expla... 18045 We derive the finitevolume correction to the... 18046 Additive models such as produced by gradient... 18047 We formulate a quasiclassical theory omegact... 18048 Context The Rosetta Orbiter Spectrometer for... 18049 Walking quadruped robots face challenges in ... 18050 As the field of neuroimaging grows it can be... 18051 The number of trees T in the random forest R... 18052 This study investigates shortcrested wave br... 18053 Transition metal dichalcogenides TMDCs with ... 18054 We theoretically study bilayer superconducti... 18055 In this paper we consider a threenode cooper... 18056 Let F be a nonarchimedean locally compact fi... 18057 Game semantics is a rich and successful clas... 18058 We present a proposal for applying nanoscale... 18059 Preprocessing tools for automated text analy... 18060 We propose a new method for embedding graphs... 18061 We develop a feedback control method for net... 18062 We prove that the number of iterations taken... 18063 We prove an analogue of the HardyLittlewood ... 18064 Besides enabling an enhanced mobile broadban... 18065 In this work we prove the existence of local... 18066 We prove the following superexponential dist... 18067 Since the beginning of the new millennium st... 18068 The superconducting energy gap in rm DyNiBC ... 18069 In this paper we study the problem of findin... 18070 Although there is ample work in the literatu... 18071 Using age of information as the freshness me... 18072 We applied predefined kernels also known as ... 18073 This paper proposes a neural network archite... 18074 Let mathcalK subseteq be a universal class ... 18075 The superNeptune exoplanet WASPb is an excit... 18076 Logical models have been successfully used t... 18077 In this work we present scalable balancing d... 18078 A fluxsplitting method is proposed for the h... 18079 We address unsupervised optical flow estimat... 18080 Autonomous driving requires D perception of ... 18081 We present a search for CII emission over co... 18082 We complete the proof of the Generalized Sma... 18083 Reinforcement learning RL algorithms involve... 18084 A multiscale analysis of D stochastic bistab... 18085 Interpretability has emerged as a crucial as... 18086 We propose a new technique Singular Vector C... 18087 This paper establishes a general equivalence... 18088 We prove a Hardy inequality for ultraspheric... 18089 Bayesian Neural Networks BNNs have recently ... 18090 In several realistic situations an interacti... 18091 This paper compares the results of applying ... 18092 Acoustical radiation force ARF induced by a ... 18093 We construct two infinite series of Moufang ... 18094 In the paper Formality conjecture Kontsevic... 18095 Many similaritybased clustering methods work... 18096 In this paper we apply shrinkage strategies ... 18097 Let M be a transitive model of set theory Th... 18098 We propose a paralleldatafree voiceconversio... 18099 Leastsquares models such as linear regressio... 18100 We present a new map of interstellar reddeni... 18101 Seasonal patterns associated with stress mod... 18102 In this paper we consider the existence and ... 18103 We present a study of Andreev Quantum Dots Q... 18104 We introduce the Helsinki Neural Machine Tra... 18105 Phase transformations ruled by nonsimultaneo... 18106 This work considers resilient cooperative st... 18107 A critical challenge in the observation of t... 18108 For autonomous robots in dynamic environment... 18109 We analyze invariant measures of two coupled... 18110 Any virtually free group H containing no non... 18111 This letter presents a performance compariso... 18112 In this paper we consider stochastic dual co... 18113 Regularized inversion methods for image reco... 18114 Three dimensional galaxy clustering measurem... 18115 Let Lubeginbmatrix u endbmatrix and Rvbegi... 18116 This work presents a methodology for modelin... 18117 We study the problem of designing models for... 18118 In this paper we consider a Markov chain cho... 18119 SAS introduced Type III methods to address d... 18120 Parents and teachers often express concern a... 18121 Existing logical models do not fairly repres... 18122 We study the critical behavior of the D Ncol... 18123 We study the conductance of a junction betwe... 18124 Training of neural machine translation NMT m... 18125 Chromosome conformation capture and HiC tech... 18126 It is wellknown that the verification of par... 18127 We study the growth of entanglement entropy ... 18128 In this work we show that saturating output ... 18129 We defined a notion of quantum torus Ttheta ... 18130 We release two artificial datasets Simulated... 18131 We introduce a new probabilistic approach to... 18132 Tropical cyclone windintensity prediction is... 18133 Given pairwise distinct vertices alphai bet... 18134 Cirquent calculus is a proof system manipula... 18135 Dualfunctional nanoparticles with the proper... 18136 Photometric observations of planetary transi... 18137 While there exist a number of mathematical a... 18138 When recorded in an enclosed room a sound si... 18139 The sizes of entire systems of globular clus... 18140 The field enhancement factor at the emitter ... 18141 As demand drives systems to generalize to va... 18142 In this paper market values of the football ... 18143 The HuangHilbert transform is applied to Sei... 18144 We prove that the exceptional group E is not... 18145 The rapid development of artificial intellig... 18146 Let M be a smooth manifold and let OM be the... 18147 It is a wellknown fact that adding noise to ... 18148 We deal with hypersurfaces in the framework ... 18149 We present a fully edible pneumatic actuator... 18150 Stateoftheart methods for proteinprotein int... 18151 Decision making is a process that is extreme... 18152 Recent reports claiming tentative associatio... 18153 Simplistic estimation of neural connectivity... 18154 In this paper we provide an update concernin... 18155 Reason and inference require process as well... 18156 The pharmaceutical industry has witnessed ex... 18157 Let K be a simply connected compact Lie grou... 18158 We performed magnetic field and frequency tu... 18159 In this paper a new Smartphone sensor based ... 18160 Depthsensing is important for both navigatio... 18161 In this work answerset programs that specify... 18162 We develop a variant of multiclass logistic ... 18163 Approximate Bayesian computation ABC and syn... 18164 In this paper we introduce the notions of an... 18165 This paper considers the scenario that multi... 18166 Peer code review locates common coding rule ... 18167 Considering a sphericallysymmetric nonstatic... 18168 This paper reproduces the text of a part of ... 18169 Private information retrieval PIR protocols ... 18170 Iterative algorithms like gradient descent a... 18171 Commented translation of the paper Universel... 18172 Electronic charge carriers in ionic material... 18173 In this paper metric reduction in generalize... 18174 We consider the forecast aggregation problem... 18175 In this paper cyber attack detection and iso... 18176 In this paper we study the nonself dual exte... 18177 The Lieb Lattice exhibits intriguing propert... 18178 It is analyzed the effects of both bulk and ... 18179 In most realistic models for quantum chaotic... 18180 This paper combines the fast ZeroMomentPoint... 18181 This work investigates the influence of geom... 18182 Several recent works have empirically observ... 18183 A major challenge in designing neural networ... 18184 In this paper we study a smoothness regulari... 18185 The PainleveIV equation has three families o... 18186 We numerically study the behavior of selfpro... 18187 RDMA is increasingly adopted by cloud comput... 18188 We recently introduced a method to approxima... 18189 We answer a question of K Mulmuley In Efreme... 18190 We develop a onedimensional notion of affine... 18191 Listed as No among the one hundred famous u... 18192 In this paper we develop a distributed inter... 18193 The paper conducts a secondorder variational... 18194 Interpreting the performance of deep learnin... 18195 We apply the Acyclicity Theorem of Hess Kerd... 18196 This study aims to analyze the methodologies... 18197 The expedient design of precision components... 18198 This article presents the use of Answer Set ... 18199 In this paper we define AinftyKoszul duals f... 18200 This paper introduces a class of backward st... 18201 In this paper we present a thorough analysis... 18202 The superconductorinsulator transition SIT i... 18203 We introduce a novel formulation of motion p... 18204 The injective polynomial modules for a gener... 18205 The goal of this present manuscript is to in... 18206 The least absolute shrinkage and selection o... 18207 Wireless sensor networks are deployed in man... 18208 Whitebox test generator tools rely only on t... 18209 We study the B rings complex optical depth s... 18210 We determined the shockdarkening pressure ra... 18211 In this paper we study the global fluctuatio... 18212 This paper analyzes publication efficiency i... 18213 Eventbased cameras have shown great promise ... 18214 Deep learning has yielded stateoftheart perf... 18215 Many methods exist for a bipedal robot to ke... 18216 Inspired by the tremendous success of deep C... 18217 Federated learning is a recent advance in pr... 18218 Okapi is a new causally consistent georeplic... 18219 Epithelial cell monolayers exhibit traveling... 18220 In the context of the complexanalytic struct... 18221 Initialization of parameters in deep neural ... 18222 We consider a multitask estimation problem w... 18223 We report mm continuum CHCN and CS line obs... 18224 Highfrequency measurements and images acquir... 18225 In the kpartition problem kPP one is given a... 18226 The present study reports interesting findin... 18227 We show that the definition of the city boun... 18228 The radio intensity and polarization footpri... 18229 We investigate the formation of optical loca... 18230 The most intriguing properties of emergent m... 18231 The nature of threedimensional reconnection ... 18232 We observe that any finitedimensional centra... 18233 Crosslingual text classificationCLTC is the ... 18234 We map an interacting helical liquid system ... 18235 We consider nonnegative solutions to Delta u... 18236 Rapidly growing product lines and services r... 18237 The entanglement entropy EE of quantum syste... 18238 We argue that the preferred classical variab... 18239 The momentum conservation law is applied to ... 18240 Whereas maintenance has been recognized as a... 18241 In the s Hopf gave examples of nonround conv... 18242 We revisit the linear programming approach t... 18243 Lightmatter interaction processes are signif... 18244 Bechgaard salts TMTSFX TMTSF tetramethyl te... 18245 We introduce an inhomogeneous bosonic mixtur... 18246 We introduce new natural generalizations of ... 18247 This paper presents Klout Topics a lightweig... 18248 Studying the effects of groups of Single Nuc... 18249 The theme of this paper is threephase distri... 18250 We develop a general framework for cvectors ... 18251 In this thesis we study the lateral electros... 18252 In this paper we study sectional curvature b... 18253 This paper proposes a novel method to automa... 18254 The paper is devoted to the contribution in ... 18255 This paper studies dynamic complexity under ... 18256 This report documents the implementation of ... 18257 We show that stateoftheart services for crea... 18258 This paper is a contribution to the classica... 18259 Wikipedia is a communitycreated online encyc... 18260 People change their physical contacts as a p... 18261 We study the problem of nonparametric estima... 18262 Direct imaging suggests that there is a Jovi... 18263 In this paper we propose a Quantum variation... 18264 For the Gegenbauer weight function wlambdatt... 18265 We produce precise estimates for the Kogbetl... 18266 We identify a strong equivalence between neu... 18267 We use the empirical normalized smoothed per... 18268 Ultracold atomic Fermi gases in twodimension... 18269 In this paper instead of the usual Gaussian ... 18270 Complex spatiotemporal patterns called chime... 18271 The estimation of unknown values of paramete... 18272 We address the boundary value problem for th... 18273 Octahedral tilting is most common distortion... 18274 Elastic weight consolidation EWC Kirkpatrick... 18275 Following the decision to reduce the L from ... 18276 Transition metal oxide memristors or resisti... 18277 In this paper deep neural network DNN is uti... 18278 As program comprehension is a vast research ... 18279 The socalled binary perfect phylogeny with p... 18280 We develop a uniform asymptotic expansion fo... 18281 Understanding a visual scene goes beyond rec... 18282 We investigate the apparent powerlaw scaling... 18283 The aim of this paper is to present some res... 18284 We study dynamical properties of the one and... 18285 We propose a direct estimation method for Rn... 18286 Mixtures of Mallows models are a popular gen... 18287 Optimal scheduling of hydrogen production in... 18288 A modified AC method based on microfabricate... 18289 This project explores public opinion on the ... 18290 Let Pn be the set of all posets with n eleme... 18291 Advancement in technology has generated abun... 18292 Neural models in particular the dvector and ... 18293 Methods for detecting structural changes or ... 18294 Statecharts are frequently used as a modelin... 18295 Recently the dynamics of signed networks whe... 18296 Stagnation of grain growth is often attribut... 18297 We present three natural combinatorial prope... 18298 We study the Cauchy problem for effectively ... 18299 The uniform electron gas at finite temperatu... 18300 We study a connection between mapping spaces... 18301 Area law violations for entanglement entropy... 18302 To guarantee the integrity and security of d... 18303 We present a new largescale square degrees ... 18304 Matrixvalued covariance functions are crucia... 18305 We propose a new dynamic stochastic blockmod... 18306 Context Visual aesthetics is increasingly se... 18307 A largescale multiobject tracker based on th... 18308 The coefficient of determination known as R ... 18309 A GPSdenied UAV Agent B is localised through... 18310 The inner surface of superconducting cavitie... 18311 In a recent paper by Lasseux ValdsParada and... 18312 Highly distributed training of Deep Neural N... 18313 We present a haloindependent determination o... 18314 Deep reinforcement learning has achieved man... 18315 In his seminal paper Chua presented a fundam... 18316 The differential event rate in Weakly Intera... 18317 In the past few years datacenter DC energy c... 18318 The numerical analysis of the diffraction fe... 18319 We show that any dcolored set of points in g... 18320 With the purpose of modeling specifying and ... 18321 We consider higher order parabolic operator ... 18322 The fashion industry is establishing its pre... 18323 Fluidstructure interactions are ubiquitous i... 18324 The early universe could feature multiple re... 18325 We propose an intuitive method called timede... 18326 Predicting epidemic dynamics is of great val... 18327 Limitations in processing capabilities and m... 18328 The problem of synchronization of coupled Ha... 18329 Semantic segmentation remains a computationa... 18330 Motivated by applications of mixed longitudi... 18331 The recent Nobelprizewinning detections of g... 18332 I outline a construction of a local Floer ho... 18333 This paper presents contributions on nonline... 18334 We consider the problem of estimating the th... 18335 Different questions related with analysis of... 18336 Inductive kindependent graphs generalize cho... 18337 We prove that the word problem is undecidabl... 18338 The current processes for building machine l... 18339 We show that any totally geodesic submanifol... 18340 We show that Klocally the smash product of t... 18341 In this paper we explore various forms of os... 18342 Small pvalues are often required to be accur... 18343 Researchers have previously shown that Coinc... 18344 We observe the effects of the three differen... 18345 In this paper we consider the use of structu... 18346 We show that for a quantale V and a mathsfSe... 18347 We compute the leading PostNewtonian PN cont... 18348 Tangent categories provide an axiomatic appr... 18349 An objective Bayesian approach to estimate t... 18350 Navigation in unknown chaotic environments c... 18351 Artificial Intelligence AI is an effective s... 18352 Headline generation is a special type of tex... 18353 We observed the Galactic mixedmorphology sup... 18354 Software systems are not static they have to... 18355 We explore efficient neural architecture sea... 18356 For the purpose of Uncertainty Quantificatio... 18357 We present here a new model and algorithm wh... 18358 This paper studies the Sobolev regularity es... 18359 Despite recent advances large scale visual a... 18360 This work proposes a process for efficiently... 18361 The multilabel classification framework wher... 18362 In this work we establish the tightest lower... 18363 Web archives are large longitudinal collecti... 18364 We begin by summarizing the relevance and im... 18365 Expanding upon earlier results arXiv we pres... 18366 In this paper we present AWEsome Airborne Wi... 18367 We propose a onedimensional model for collec... 18368 We prove the existence of a oneparameter fam... 18369 Haptic feedback is essential to acquire imme... 18370 Although the recent progress in the deep neu... 18371 Recently continuous cache models were propos... 18372 Dyson demonstrated an equivalence between in... 18373 We establish lower bounds on the volume and ... 18374 A previously unreported Pbbased perovskite P... 18375 Most long memory forecasting studies assume ... 18376 Source code plagiarism detection is a proble... 18377 Early attempts to apply asteroseismology to ... 18378 Semantic labeling for numerical values is a ... 18379 A statistical model assuming a preferential ... 18380 Descent theory for linear categories is deve... 18381 We give topological and game theoretic defin... 18382 Theory of the influence of the thermal fluct... 18383 We demonstrate optomechanical interference i... 18384 We propose algorithms for online principal c... 18385 Crossterm spatiotemporal encoding xSPEN is a... 18386 We derive formulas for the performance of ca... 18387 Apart from solving complicated problems that... 18388 This article considers algorithmic and stati... 18389 Privacy has become a serious concern for mod... 18390 We give a brief description of the BirchSwin... 18391 Unmanned aerial vehicles UAVs have gained a ... 18392 We present a denotational account of dynamic... 18393 Deep networks thrive when trained on large s... 18394 In the restricted threebody problem consecut... 18395 This paper presents the notion of ANDOR redu... 18396 The present work shows the application of tr... 18397 In this paper we study simple splines on a R... 18398 The hand is one of the most complex and impo... 18399 We study the popular centrality measure know... 18400 Here we detail the dynamic evolution of loca... 18401 Most risk analysis models systematically und... 18402 A curve theta Ito E in a metric space E equi... 18403 We consider learning of fundamental properti... 18404 Artificial Intelligence methods to solve con... 18405 The workhorse of atomic physics quantum elec... 18406 Feedback control theory has been extensively... 18407 Users suffering from mental health condition... 18408 The famous pentagon identity for quantum dil... 18409 Traditional Linear Genetic Programming LGP a... 18410 Given a link Lsubset S a representation piSL... 18411 It is wellknown that every nonnegative univa... 18412 We discuss the existence of injectively univ... 18413 Numerous embedding models have been recently... 18414 In the present paper we propose and study es... 18415 The Complex Kohn variational method for elec... 18416 We develop a geometric approach to quantum m... 18417 Given a relatively projective birational mor... 18418 Current theories hold that brain function is... 18419 As computer scientists working in bioinforma... 18420 Convolution is a critical component in moder... 18421 In this paper we present results of our stud... 18422 We apply the firstorder reversal curve FORC ... 18423 The datadriven economy has led to a signific... 18424 Motivated by safetycritical applications tes... 18425 In this paper we proposed a nonuniform power... 18426 Competition to bind microRNAs induces an eff... 18427 Long range frequency chirping of BernsteinGr... 18428 Type inference is an application domain that... 18429 We introduce a multifactor stochastic volati... 18430 SinglePhoton Avalanche Diodes SPAD are affor... 18431 We give a complete picture of when the tenso... 18432 We establish that firstorder methods avoid s... 18433 Connectivity related concepts are of fundame... 18434 Generative adversarial networks GANs are an ... 18435 We study fingering instabilities and pattern... 18436 Informationtheoretic Bayesian optimisation t... 18437 H is a ubiquitous and important astronomical... 18438 The generalized linear model GLM plays a key... 18439 Test Case Prioritization TCP techniques aim ... 18440 Birhythmicity occurs in many natural and art... 18441 El Nino is probably the most influential cli... 18442 Recent results of Grepstad and Lev are used ... 18443 We investigate the ordinal invariants height... 18444 With XML becoming a standard for business in... 18445 We deal with kernel theorems for modulation ... 18446 Artificial Neural Networks ANNs have receive... 18447 The potential lack of fairness in the output... 18448 The vertices of the four dimensional cell fo... 18449 The study of singlecrystal Raman spectra of ... 18450 In a realworld setting visual recognition sy... 18451 A repulsive Hubbard model with both spinasym... 18452 Optical properties of color centers in diamo... 18453 Julian Besag was an outstanding statistical ... 18454 Dielectric lined waveguides are under extens... 18455 The rotational and hyperfine spectrum of the... 18456 The domain name system translates human frie... 18457 In this article we study the plasmonic reson... 18458 We investigate numerically and experimentall... 18459 We show that onedimensional circle is the on... 18460 In the field of software engineering there a... 18461 D feature descriptor provide information bet... 18462 We propose and throughly investigate a tempo... 18463 In this paper we introduce and provide a sho... 18464 This paper presents a randomized algorithm f... 18465 Obtaining reliable numerical simulations of ... 18466 By using among other things the Fourier anal... 18467 We study focusfocus singularities also known... 18468 Using implicit loci in GeoGebra Eulers Rgeq ... 18469 We study the physical and dynamical properti... 18470 Recovery of multispecies oral biofilms is in... 18471 The multicommodity flowcut gap is a fundamen... 18472 Poststarbursts PSBs are candidate for rapidl... 18473 We point out that two of Milnes fourthorder ... 18474 The conventional theory of hydrodynamics des... 18475 We consider the problems of compressed sensi... 18476 For the problem of nonparametric estimation ... 18477 We show that gradient descent on fullwidth l... 18478 In this work we study degradation of clofibr... 18479 The stability against quench is one of the m... 18480 This paper presents new methods to estimate ... 18481 The TurLab facility is a laboratory equipped... 18482 Electrical machines employing superconductor... 18483 Deterministic recursive algorithms for the c... 18484 We provide a method to solve optimization pr... 18485 It is shown that the Ising distribution can ... 18486 Multiagent systems MAS is able to characteri... 18487 Streaming instability is a powerful mechanis... 18488 The microlocal Gevrey regularity of a class ... 18489 We give a new formulation and proof of a the... 18490 We construct a linear basis of a free GDN su... 18491 In this article we investigate an inexact it... 18492 Mixture models combine multiple components i... 18493 Most of the existing medicine recommendation... 18494 Deep neural networks DNNs have achieved grea... 18495 Magnetic Resonance Imaging MRI is a widely a... 18496 Speech enhancement model is used to map a no... 18497 Double edge swaps transform one graph into a... 18498 Background has played an important role in X... 18499 Widespread interest in the emerging area of ... 18500 Using a dimensional bosonvortex duality betw... 18501 A new coding technique based on textitfixed ... 18502 Transport of excitations along proteins can ... 18503 Solubility of dyes in amphiphilic associatio... 18504 Many modelbased Visual Odometry VO algorithm... 18505 Prediction of popularity has profound impact... 18506 In the smart grid smart meters and numerous ... 18507 We consider the homogeneous equation mathcal... 18508 Crowded environments modify the diffusion of... 18509 We study the effect of coupling a spin bath ... 18510 The quest for large and low frequency band g... 18511 A search for instability of nucleons bound i... 18512 Massive stars like company Here we provide a... 18513 We analyze the behavior of the eigenvalues o... 18514 Using a formalism based on the twobody Smatr... 18515 SrRuO is the best candidate for spintriplet ... 18516 We are concerned with the regularity of solu... 18517 The European Space Agency ESA defines an Ear... 18518 The Minimum Error Correction MEC approach is... 18519 We present opinion recommendation a novel ta... 18520 We formulate an optimization problem for max... 18521 We propose boundary conditions for the diffu... 18522 We consider a stable CoxIngersollRoss proces... 18523 This paper presents millimeter wave mmWave p... 18524 The electron spectrometer SPEDE has been dev... 18525 A control design approach is developed for a... 18526 We introduce a pipeline including multifract... 18527 The goal of the OSIRISREx mission is to retu... 18528 We modify the standard relativistic dispersi... 18529 We present an algorithm for construction ste... 18530 Fragmentation of filaments into dense cores ... 18531 What transpires from recent research is that... 18532 This paper studies problems on locally stopp... 18533 We present the characteristics and the perfo... 18534 We consider a class of a nested optimization... 18535 Designing a new drug is a lengthy and expens... 18536 This paper deals with feature selection proc... 18537 The origins of rapid dynamical slow down in ... 18538 Technological civilizations may rely upon la... 18539 This paper addressed the issue of estimating... 18540 Nonavailability of reliable and sustainable ... 18541 We express the coefficients of the Hirzebruc... 18542 Let Xi be a function relating to the Riemann... 18543 Background Many researchers have studied the... 18544 We achieve an explicit construction of the l... 18545 The Linked Data principles provide a decentr... 18546 I apply the recently developed formalism of ... 18547 We study a multiparametric family of quadrat... 18548 These are notes from introductory lectures a... 18549 Firms should keep capital to offer sufficien... 18550 Angleresolved photoemission ARPES experiment... 18551 We prove the theorem on the completeness of ... 18552 We define web categories describing intertwi... 18553 One version of the concept of structural con... 18554 We study the structure of martingale transpo... 18555 A branched covering surfaceknot is a surface... 18556 A wellknown question in classical differenti... 18557 We attach to each langle vee ranglesemilatt... 18558 A quasiGray code of dimension n and length e... 18559 Recent theoretical work has shown that the p... 18560 We present a quantummechanical model for sur... 18561 We explore the existence of global weak solu... 18562 We resolve a number of longstanding open pro... 18563 We performed an empirical comparison of ICA ... 18564 The band structure of a Si inverse diamond s... 18565 In the last decade digital footprints have b... 18566 We argue that TimeSensitive Networking TSN w... 18567 Sparse Subspace Clustering SSC is a stateoft... 18568 Measurements of AC losses in a HTStape place... 18569 We examine the performance of efficient and ... 18570 We propose a new A CCG parsing model in whic... 18571 We have developed polynomialtime algorithms ... 18572 The assumption that action and perception ca... 18573 In this article we develop a cliquebased met... 18574 We extend the formalism of Matrix Product St... 18575 On their roller coaster ride through turbule... 18576 We study a static game played by a finite nu... 18577 We study bivariate stochastic recurrence equ... 18578 We present a unified classical treatment of ... 18579 The main goal of modeling human conversation... 18580 Principal Component Analysis PCA is a very s... 18581 In this work a design is proposed for an act... 18582 How do we learn an object detector that is i... 18583 Linear arrays of trapped and laser cooled at... 18584 In this work we revisit the problem of unifo... 18585 Refraction deflects photons that pass throug... 18586 We describe a multiphased WizardofOz approac... 18587 Argument component detection ACD is an impor... 18588 We present VUNet a novel viewVU synthesis me... 18589 We introduce a new class of priors for Bayes... 18590 In this paper a novel multitaper modified gr... 18591 This paper studies deterministic consensus n... 18592 We investigate possible links between the la... 18593 We consider the searching for a trail in a m... 18594 The main aim of this article is to give a ne... 18595 We consider relative error low rank approxim... 18596 Boolean matrix factorisation aims to decompo... 18597 Using a negative gradient flow approach we g... 18598 We show that every countable group H with so... 18599 Topological defects unavoidably form at symm... 18600 We formulate and present a numerical method ... 18601 We introduce the coherent state mapping ring... 18602 Stochastic gradient descent in continuous ti... 18603 We consider a family of commuting local home... 18604 This paper proposes a new approach to a nove... 18605 We study the problem of recovering a structu... 18606 We describe a new cognitive ability ie funct... 18607 Let M be a compact connected smooth Riemanni... 18608 We present a formal measure of argument stre... 18609 The property in Proposition from the paper... 18610 The Rasch model is widely used for item resp... 18611 One of the most directly observable features... 18612 We investigate the atmospheric dynamics of t... 18613 As the focus of applied research in topologi... 18614 We prove that for ple qinfty qpgeq p or pqge... 18615 The Low Frequency Array LOFAR radio telescop... 18616 There is a growing interest in learning data... 18617 We consider the nonunitary quantum dynamics ... 18618 We propose a slightly revised MillerHagberg ... 18619 Our understanding of topological insulators ... 18620 Most reinforcement learning algorithms are i... 18621 Quantum technologies can be presented to the... 18622 The question of continuousversusdiscrete inf... 18623 BackgroundForeground classification is a fun... 18624 We investigate the problem of computing a ne... 18625 Based on a version of Dudleys Wiener process... 18626 Path planning for autonomous vehicles in arb... 18627 Training deep networks is expensive and time... 18628 The electroencephalogram EEG provides a noni... 18629 We derive new variance formulas for inferenc... 18630 In this paper we propose a method to solve t... 18631 The key idea of current deep learning method... 18632 Halide perovskite HaP semiconductors are rev... 18633 Data cube materialization is a classical dat... 18634 The success of deep convolutional architectu... 18635 In this paper we aim at the completion probl... 18636 In this paper we introduce a family of Delig... 18637 For an embedded Fano manifold X we introduce... 18638 A Fog Radio Access Network FRAN is a cellula... 18639 Intel software guard extensions SGX aims to ... 18640 Volume transmission is an important neural c... 18641 The mixture of factor analyzers model was fi... 18642 This is a semiexpository update and rewrite ... 18643 By performing Xrays measurements in the cosm... 18644 We investigate corecollapse supernova CCSN n... 18645 Many technologies have been developed to hel... 18646 An interactive session of videoondemand VOD ... 18647 In this paper we show how polynomial walks c... 18648 We prove the global existence of the unique ... 18649 This study concerned the active use of Wikip... 18650 Deep learning DL a newgeneration of artifici... 18651 The ccnsSim project is an open source implem... 18652 In this paper a new approach is proposed for... 18653 Every time a person encounters an object wit... 18654 In the paper we prove an analogue of the Kat... 18655 A peculiar infrared ringlike structure was d... 18656 The question of suitability of transfer matr... 18657 This paper studies Bayesian ranking and sele... 18658 In this paper we propose a perturbation fram... 18659 This paper claims that a new field of empiri... 18660 We propose an automatic diabetic retinopathy... 18661 We present the DRYVR framework for verifying... 18662 Novice programmers often struggle with the f... 18663 In this article we will construct the additi... 18664 Partial differential equations are central t... 18665 Manifold calculus is a form of functor calcu... 18666 In this paper a quick and efficient method i... 18667 Infants are experts at playing with an amazi... 18668 A computational method based on ellminimizat... 18669 Current flow closeness centrality CFCC has a... 18670 The work in the paper presents an animation ... 18671 Networks capture pairwise interactions betwe... 18672 We present emphNuSTAR observations of neutro... 18673 Motivated by comparative genomics Chen et al... 18674 We study the algebraic structures of the vir... 18675 In games of friendship links and behaviors I... 18676 Proxies for regulatory reforms based on cate... 18677 We apply the theory of ground states for cla... 18678 We show that relative Property T for the abe... 18679 We study the distributional properties of th... 18680 Despite impressive advances in simultaneous ... 18681 We overview our recent work defining and stu... 18682 In this paper robust nonparametric estimator... 18683 Numerical simulations of Einsteins field equ... 18684 This paper develops a method to construct un... 18685 We investigate the superconductinggap anisot... 18686 The class of Lqregularized least squares LQL... 18687 In this paper we firstly exploit the interus... 18688 Inspired by the recent work of Carleo and Tr... 18689 A central claim in modern network science is... 18690 We extend the deep and important results of ... 18691 We propose a simple mathematical model for u... 18692 While the success of deep neural networks DN... 18693 The SachdevYeKitaev is a quantum mechanical ... 18694 Higher category theory is an exceedingly act... 18695 The SuperCDMS experiment is designed to dire... 18696 In standard general relativity the universe ... 18697 Recurrent Neural Networks RNNs achieve state... 18698 We study classes of Borel subsets of the rea... 18699 Recently Prakash et al have discovered bulk ... 18700 In the present paper we provide a descriptio... 18701 Many graphical Gaussian selection methods in... 18702 Angiogenesis the growth of new blood vessel... 18703 We present in this article the work of Henri... 18704 A homomorphism from a graph G to a graph H i... 18705 The normalized subband adaptive filter NSAF ... 18706 In this paper we introduce the novel framewo... 18707 We propose a graphbased process calculus for... 18708 In this paper we will prove the Weyls law fo... 18709 We prove Zagiers conjecture regarding the ad... 18710 We develop an approximate formula for evalua... 18711 The objective of this paper is to introduce ... 18712 In conventional chemisorption model the dban... 18713 Extracting significant places or places of i... 18714 Generalizing several previous results in the... 18715 HLLHC federates the efforts and RD of a larg... 18716 Various approaches have been proposed to lea... 18717 In the derivation of the generating function... 18718 We are now witnessing the increasing availab... 18719 In this paper we consider a network of agent... 18720 We analyze generic sequences for which the g... 18721 Machine learning qualifies computers to assi... 18722 Network classification has a variety of appl... 18723 In this paper we show that mathrmRTmathsfWKL... 18724 This paper considers the joint design of use... 18725 Armed conflict has led to an unprecedented n... 18726 Here we deconstruct and then in a reasoned w... 18727 We study the problem of generating adversari... 18728 We introduce a dynamic model of the default ... 18729 In this paper we propose a novel receptiontr... 18730 A correlation between giantplanet mass and a... 18731 Cooperative geolocation has attracted signif... 18732 We define a family of intuitionistic nonnorm... 18733 This paper investigates the impact of link f... 18734 Consider the problem given data pair mathbfx... 18735 We treat utility maximization from terminal ... 18736 Learningbased binary hashing has become a po... 18737 The idea of incompetence as a learning or ad... 18738 We analyze the informationtheoretic limits f... 18739 We axiomatize the molecularbiology reasoning... 18740 We briefly recall the history of the Nijenhu... 18741 Recently a hydrodynamic description of local... 18742 Plane Poiseuille flow the pressure driven fl... 18743 With an exponentially growing number of scie... 18744 In many phase II trials in solid tumours pat... 18745 We provide explicit formulas of Evans kernel... 18746 What is the current stateoftheart for image ... 18747 Let mu ge dotsc ge mun and mu dotsm mun ... 18748 Making the right decision in traffic is a ch... 18749 We present Sequential Neural Likelihood SNL ... 18750 Generating diverse questions for given image... 18751 We demonstrated sympathetic cooling of a sin... 18752 We determine the stability and instability o... 18753 Agent modelling involves considering how oth... 18754 Let q be a power of a prime and let V be a v... 18755 Bayesian Networks have been widely used in t... 18756 In this paper we will demonstrate how Manhat... 18757 We analyzed the performance of a biologicall... 18758 Application of humanoid robots has been comm... 18759 The goal of this note is to show that also i... 18760 The rapid advancement in highthroughput tech... 18761 We review instrumentation for nuclear magnet... 18762 It is shown that CH implies the existence of... 18763 Information about intrinsic dimension is cru... 18764 Optimal dimensionality reduction methods are... 18765 The Oseledets Multiplicative Ergodic theorem... 18766 Electronic health records EHR data provide a... 18767 A framework for the generation of bridgespec... 18768 The ubiquity of systems using artificial int... 18769 Subsampling can acquire directly a passband ... 18770 We give a moment map interpretation of some ... 18771 We examine the impact of adversarial actions... 18772 This paper presents two novel control method... 18773 Variational Bayes VB is a common strategy fo... 18774 The weighted tree augmentation problem WTAP ... 18775 Social media such as tweets are emerging as ... 18776 We deal with the problem of maintaining a sh... 18777 The coupling of human movement dynamics with... 18778 Various models have been recently proposed t... 18779 In this paper we consider the problem of seq... 18780 We present some observations on the taufunct... 18781 Representational Similarity Analysis RSA aim... 18782 In this article we explore an algorithm for ... 18783 In this paper we give a characterization of ... 18784 Topological optical states exhibit unique im... 18785 In this paper we propose and explore the kNe... 18786 Proportional mean residual life model is stu... 18787 In this paper we consider an extension of th... 18788 The state of the art for integral evaluation... 18789 Our aims are to determine flux densities and... 18790 Synapses in real neural circuits can take di... 18791 With the increasing interest in applying the... 18792 The penetration of distributed renewable ene... 18793 In this paper we consider the X multiuser ... 18794 Autonomous driving and electric vehicles are... 18795 Identifying community structure of a complex... 18796 We show that the solutions obtained in the p... 18797 Researchers at the National Institute of Sta... 18798 The aim of process discovery originating fro... 18799 We obtain alternative explicit Specht filtra... 18800 Network embeddings which learn lowdimensiona... 18801 Axionlike particles are promising candidates... 18802 We obtain restrictions on the persistence ba... 18803 Carbon materials have a range of properties ... 18804 In this paper we use a new approach to prove... 18805 Life is a complex biological phenomenon repr... 18806 We study truncated point schemes of connecte... 18807 Handcrafted features extracted from dynamic ... 18808 In this paper we present a new dataset for d... 18809 The purpose of this document is to create a ... 18810 We use Markov state models MSMs to analyze t... 18811 Current induced magnetization manipulation i... 18812 Orientation effects on the resistivity of co... 18813 By applying the classic telescoping summatio... 18814 In this paper we explore the connection betw... 18815 It is a longstanding debate concerning the a... 18816 A complete family of solutions for the onedi... 18817 In this paper we develop a numerical method ... 18818 In the pursuit of realtime motion planning a... 18819 We consider estimation of the parameters of ... 18820 Nine transiting Earthsized planets have rece... 18821 We study front propagation phenomena for a l... 18822 We study the problem of designing distribute... 18823 In this contribution we extend the methodolo... 18824 Many researches demonstrated that the DNA me... 18825 A toymodel of publications and citations pro... 18826 Laserinduced adiabatic alignment and mixedfi... 18827 We developed and used a collection of statis... 18828 Distributed algorithms for solving additive ... 18829 Network analysis needs tools to infer distri... 18830 We consider stationary autoregressive proces... 18831 Most current results on coverage control usi... 18832 A selfadjoint first order system with Hermit... 18833 Informally Information Inconsistency is the ... 18834 Material mixing induced by a RayleighTaylor ... 18835 We construct nonlinear oblique projections a... 18836 It becomes increasingly popular to perform m... 18837 In this article a DNNbased system for detect... 18838 A key challenge in multirobot and multiagent... 18839 In this work we study the extent to which st... 18840 A Robust Markov Decision Process RMDP is a s... 18841 The Fisher information matrix FIM is a funda... 18842 In this paper we study the extension problem... 18843 Univariate isotonic regression IR has been u... 18844 Measuring domain relevance of data and ident... 18845 Cyber attacks are growing in frequency and s... 18846 In this paper and its sequels we give an uni... 18847 We present the results of an optical spectro... 18848 An algorithm for solving smooth nonconvex op... 18849 We consider an inverse boundary value proble... 18850 We discuss the process of building semantic ... 18851 Multimodal sensory data resembles the form o... 18852 Blind gain and phase calibration BGPC is a b... 18853 Empirical observations show that ecological ... 18854 We have discovered that the extremely red lo... 18855 We determine the abundances of neutroncaptur... 18856 The identification of the Stuxnet worm in p... 18857 The objective assessment of the prestige of ... 18858 The ab initio description of the spectral in... 18859 We analyze the rank gradient of finitely gen... 18860 Fuel cells batteries thermochemical and othe... 18861 Comments play an important role within onlin... 18862 We develop new numerical schemes for VlasovP... 18863 Markov Chain Monte Carlo based Bayesian data... 18864 We use nonabelian Poincar duality to recover... 18865 In this report an automated bartender system... 18866 For spaces of constant linear and quadratic ... 18867 It is known that the primary source of dieta... 18868 We propose a new tabletop experimental confi... 18869 Micropanel data are collected and analysed i... 18870 Ab initio lowenergy effective Hamiltonians o... 18871 In clinical practice and biomedical research... 18872 We present a new model of the optical nebula... 18873 Column closed pattern subgroups U of the fin... 18874 Multicomponent nanoparticles can be synthesi... 18875 Unsupervised neural nets such as Restricted ... 18876 In Nathan Fine gave a beautiful product for... 18877 Under noisy environments to achieve the robu... 18878 In this paper we consider zerosum repeated g... 18879 Random codetrees with necks were introduced ... 18880 Let R be a commutative ring with unity M a m... 18881 We give the first polynomialtime algorithms ... 18882 Previous studies have found that a significa... 18883 Cell nuclei detection is a challenging resea... 18884 Recently the vertical shear instability VSI ... 18885 In this paper we study the optimal convergen... 18886 BrainComputer Interface BCI uses brain signa... 18887 We provide a uniform framework to study the ... 18888 In the following paper we present a simple i... 18889 Oxygen functional groups are one of the most... 18890 We study asymptotic properties of conditiona... 18891 This paper is concerned with minimization of... 18892 Let G be a simplyconnected semisimple algebr... 18893 Machine learning models have been widely use... 18894 The main aim of this paper is to give a new ... 18895 Stochastic user equilibrium is an important ... 18896 We investigate quantifier alternation hierar... 18897 Let mathcalI be an analytic Pideal respectiv... 18898 The unprecedented demand for large amount of... 18899 The hardness of the learning with errors LWE... 18900 The nature of the bipolar gammaray Fermi bub... 18901 In this paper we revisit primaldual dynamics... 18902 The distribution of the sum of rth power of ... 18903 We propose a dynamic boosted ensemble learni... 18904 In this paper a novel framework is proposed ... 18905 We consider the problem of training generati... 18906 Sound event detection SED is typically posed... 18907 We study optimally doped\nBiSrCaYCuOdelta Bi... 18908 Ordering dynamics of selfpropelled particles... 18909 We discuss the amplification of loop correct... 18910 Reinforcement learning RL while often powerf... 18911 Motivation Epigenetic heterogeneity within a... 18912 Grangercausality in the frequency domain is ... 18913 Asymmetric segregation of key proteins at ce... 18914 We consider an exchange who wishes to set su... 18915 Spontaneous symmetry breaking SSB is an impo... 18916 Evolutionary algorithms have recently been u... 18917 In this paper we prove a sharp limit on the ... 18918 Nonlocal neural networks have been proposed ... 18919 The main aim of the present paper is to repr... 18920 The nature of aerosols in hot exoplanet atmo... 18921 We introduce a family of mathematical object... 18922 A considerable amount of machine learning al... 18923 We identify the organization of a human soci... 18924 We show that for any solvable Lie group of r... 18925 Recently it has become feasible to generate ... 18926 The Zap Qlearning algorithm introduced in th... 18927 In recent years the rapidly increasing amoun... 18928 In this work we address the problem of disen... 18929 In the paper Optimal control of a VlasovPois... 18930 We observe that a certain kind of algebraic ... 18931 In recent years a great deal of interest has... 18932 Discussions about the choice of a tree hash ... 18933 In this paper we present a neurally plausibl... 18934 Advances in artificial intelligence AI will ... 18935 Recurrent Neural Networks RNNs are a key tec... 18936 Mathematical modelling has shown that activi... 18937 Lederer and van de Geer introduced a new Or... 18938 Justification logics are modallike logics wi... 18939 In the Number On the Forehead NOF multiparty... 18940 A key challenge in online learning is that c... 18941 Let phi be a spherical HeckeMaass cusp form ... 18942 Newtons mechanical revolution unifies the mo... 18943 Datadriven predictive analytics are in use t... 18944 We give an new proof of the wellknown compet... 18945 Random Differential Equations provide a natu... 18946 Given a set of attributed subgraphs known to... 18947 We present a new technique to probe the cent... 18948 We propose the ambiguity problem for the for... 18949 Generalized polyhedral convex sets generaliz... 18950 Proteins are commonly used by biochemical in... 18951 In order to handle intense time pressure and... 18952 Recently a link between Lorentzian and Finsl... 18953 Recently Grynkiewicz et al it Israel J Math ... 18954 In order for robots to perform missioncritic... 18955 Based on the convex leastsquares estimator w... 18956 There is often a significant tradeoff betwee... 18957 This paper addresses the problem of selectin... 18958 We derive estimators of the density of the e... 18959 We propose a new approach to the Mirror Symm... 18960 Empirical researchers often trim observation... 18961 In this paper a realtime channel data acquis... 18962 Substitution of isovalent nonmagnetic defect... 18963 Higherorder logic programming is an interest... 18964 We describe an approach based on direct nume... 18965 While all organisms on Earth descend from a ... 18966 We introduce two models of taxation the late... 18967 We provide a novel approach to model spaceti... 18968 We study the stability of coupled impedance ... 18969 In this paper we consider the estimation of ... 18970 In this paper we consider a dense vehicular ... 18971 We relate the old and new cohomology monoids... 18972 Stateoftheart methods in convex and nonconve... 18973 We report the effects of Ce substitution on ... 18974 We propose Gaussian processes for signals ov... 18975 To derive recommendations on how to analyze ... 18976 We consider alternate formulations of recent... 18977 During the flyby in the OSIRIS camera onboa... 18978 We show that for a given compact or discrete... 18979 In identification of dynamical systems the p... 18980 Learning graphical models from data is an im... 18981 We consider restless multiarmed bandit RMAB ... 18982 We use GaugeGravity duality to write down an... 18983 We develop and analyze new protocols to veri... 18984 We focus on autonomously generating robot mo... 18985 The planar equilateral restricted fourbody p... 18986 The secular approximation of the hierarchica... 18987 For Calgebras A and B we generalize the noti... 18988 We study pattern formation in a D reactiondi... 18989 In modern biomedical research it is ubiquito... 18990 Improving distant speech recognition is a cr... 18991 This paper describes a preliminary study for... 18992 The combination of highcontrast imaging and ... 18993 Lowrank structures play important role in re... 18994 Many scenarios require a robot to be able to... 18995 In JPMorgan accumulated a USD billion loss ... 18996 We develop a topology data analysisbased met... 18997 One of the defining features of manybody loc... 18998 We study the action of the dihedral group on... 18999 As a living information and communications s... 19000 We present a new class of decentralized firs... 19001 Having the right assortment of shipping boxe... 19002 We present Flipper a natural language interf... 19003 This article presents a rigorous analysis fo... 19004 We report a methodology for measuring KrKr i... 19005 We address the problem of executing toolusin... 19006 Motivated by understanding Majorana zero mod... 19007 We have investigated the band structure of t... 19008 There is a great need to stock materials for... 19009 The autoencoder is an effective unsupervised... 19010 In this article we are interested in the non... 19011 It is common practice to decay the learning ... 19012 If QCD axions form a large fraction of the t... 19013 In the BestK identification problem BestKArm... 19014 In a recent paper Baker and Bowler introduce... 19015 We consider a binary branching process struc... 19016 Computer science would not be the same witho... 19017 Recently some Ecommerce sites launch a new i... 19018 Calibration of the Advanced LIGO detectors i... 19019 The probability of large deviations of the s... 19020 Largescale systems with arrays of solid stat... 19021 We provide justifications for two questions ... 19022 As a competitive alternative to least square... 19023 The understanding of epidemics on networks h... 19024 Hybrid graphene photoconductorphototransisto... 19025 This paper proposes a realtime embedded fall... 19026 In this paper we consider the problem of sol... 19027 We present the results of the investigation ... 19028 The stochastic block model SBM is a probabil... 19029 It is well known that an extreme order stati... 19030 Material recognition enables robots to incor... 19031 This paper presents a method for the optimiz... 19032 Thermal effects are already important in cur... 19033 We show some rigidity properties of divergen... 19034 The first goal of this note is to study the ... 19035 We consider the quantum complexity of comput... 19036 We define mixed states associated with subma... 19037 A precision measurement by AMS of the antipr... 19038 We derive analogues of the classical Rayleig... 19039 We propose a superconducting spintriplet val... 19040 Learning has propelled the cutting edge of p... 19041 We prove sharp upper and lower bounds for ge... 19042 Transition metal dichalcogenides TMDs are in... 19043 We give a formula for computing the characte... 19044 The process to certify highly Automated Vehi... 19045 The phase shifts influence of two strong pul... 19046 We present a novel mechanism for resolving t... 19047 We present a new kind of structural Markov p... 19048 We introduce Fisher consistency in the sense... 19049 The notion of disentangled autoencoders was ... 19050 Global hypothesis tests are a useful tool in... 19051 We prove that the ordinary leastsquares OLS ... 19052 Motivated by applications in protein functio... 19053 We study properties of quantim wires with sp... 19054 The paper presents a new state estimation al... 19055 The group affect or emotion in an image of p... 19056 D beamforming is a promising approach for in... 19057 We study sharp detection thresholds for degr... 19058 Driven by the visions of Internet of Things ... 19059 Neural networks offer highaccuracy solutions... 19060 Multirate digital signal processing and mode... 19061 Recent work has shown that stateoftheart cla... 19062 For nanotechnology the semiconductor device ... 19063 Locationbased social network data offers the... 19064 Representing largescale motions and topologi... 19065 A strong certification process is required t... 19066 Evolutionary game dynamics in structured pop... 19067 In this paper we study the robust consensus ... 19068 We analyze the higher rank gauge theories th... 19069 Let K be a local field whose residue field h... 19070 Galactic orbits have been constructed over l... 19071 Motion planning for underwater vehicles must... 19072 Hot DustObscured Galaxies or Hot DOGs are a ... 19073 Surface scattering is the key limiting facto... 19074 Systems Engineering SE is the set of process... 19075 We reduce the exponent in the error term of ... 19076 This paper introduces PriMaL a general PRIva... 19077 The online problem of computing the top eige... 19078 Using Maple we implement a SAT solver based ... 19079 We consider submanifolds into Riemannian man... 19080 Superconducting electronic devices have reem... 19081 These notes correspond to a minicourse given... 19082 Investigating Friedel oscillations in ultrac... 19083 While variational methods have been among th... 19084 Metric learning aims at learning a distance ... 19085 This paper introduces a fast algorithm for s... 19086 abridged We investigate the signatures left ... 19087 Data analytics such as association rule mini... 19088 Using the firstprinciples and Monte Carlo me... 19089 In this note we present a fast algorithm tha... 19090 We investigate the role of transition metal ... 19091 We introduce an algorithm to generate not so... 19092 The processes that led to the formation of t... 19093 Galaxy clusters are thought to grow by accre... 19094 A metamaterial made by stacked holearray lay... 19095 We develop a novel policy synthesis algorith... 19096 Reduced motor control is one of the most fre... 19097 Recent work of MD Johnston et al has produce... 19098 A persons weight status can have profound im... 19099 This paper proposes a new method which build... 19100 We study the correlators of irregular vertex... 19101 We introduce a new variant of the game of Co... 19102 We prove new pinching estimate for the inver... 19103 We present an easytouse Pythonbased framewor... 19104 An experiment conducted in the framework of ... 19105 Let Fn denote the nth Fibonacci number relat... 19106 Based on their formation mechanisms Dirac po... 19107 We consider a class of fractional stochastic... 19108 A finitedimensional algebra A over an algebr... 19109 This paper studies the nonparametric modal r... 19110 The ability to use a D map to navigate a com... 19111 Average radio pulse profile of a pulsar B in... 19112 Coreperiphery networks are structures that p... 19113 The last decade has seen a surge of interest... 19114 Regarding the analysis of Web communication ... 19115 In recent work redressed warped frames have ... 19116 For the multiterminal secret key agreement p... 19117 Constructing a smart wheelchair on a commerc... 19118 Kernel methods have produced stateoftheart r... 19119 When you see a person in a crowd occluded by... 19120 This article presents John an opensource sof... 19121 The real energy spectrum from the PTsymmetri... 19122 Virtually all realworld networks are dynamic... 19123 B cells develop high affinity receptors duri... 19124 Merging Mobile Edge Computing MEC which is a... 19125 In the realm of Delone sets in locally compa... 19126 In this paper we study biconservative surfac... 19127 In an effort to increase the versatility of ... 19128 We investigate the asymptotic behavior of so... 19129 For a point set of n elements in the ddimens... 19130 We have performed angleresolved photoemissio... 19131 In the hierarchical formation model galaxy c... 19132 Using a novel rewriting problem we show that... 19133 We construct two examples of invariant manif... 19134 We determine barycentric coordinates of tria... 19135 During active learning an effective stopping... 19136 In this paper a random clique network model ... 19137 The paucity of videos in current action clas... 19138 We introduce and study the game of Selfish C... 19139 The Snook Prize has been awarded to Diego T... 19140 We provide a new computationallyefficient cl... 19141 In biology there are several questions that ... 19142 Multipartite viruses replicate through a puz... 19143 Collective cell migration is a highly regula... 19144 We consider the problem of learning function... 19145 Steganography involves hiding a secret messa... 19146 Euler and NavierStokes have variant systems ... 19147 We define a holographic dual to the Donaldso... 19148 We systematically analyzed magnetodielectric... 19149 We develop a commuting vector field method f... 19150 We conducted a search for an exotic spin and... 19151 Deep learning models have lately shown great... 19152 Although block compressive sensing BCS makes... 19153 A consistent treatment of the coupling of su... 19154 We prove that recent breaking by Zahl of the... 19155 We establish existence of Stein kernels for ... 19156 Synchronizations of processing elements PEs ... 19157 For future application of automated vehicles... 19158 The Swift test was originally proposed as a ... 19159 Strong gravitational lensing by galaxy clust... 19160 E Opdam introduced the tool of spectral tran... 19161 We propose BatchExpansion Training BET a fra... 19162 Coordinate descent methods usually minimize ... 19163 The set of dimensional packing problems buil... 19164 A review of the replica symmetric solution o... 19165 To solve deep neural network DNNs huge train... 19166 Hierarchy is an efficient way for a group to... 19167 Bioinformatics tools have been developed to ... 19168 Given a nonconvex function that is an averag... 19169 We present a Bounded Model Checking techniqu... 19170 In this paper we study the cubic fractional ... 19171 Cryptovirological augmentations present an i... 19172 Various AlexandrovFenchel type inequalities ... 19173 In this paper we consider the role of nonmod... 19174 Face modeling has been paid much attention i... 19175 In this paper we consider timeinhomogeneous ... 19176 For a compact connected metric graphs with a... 19177 The MongeKantorovich problem for the infinit... 19178 We use a nonperturbative renormalization gro... 19179 Given a tournament T and a positive integer ... 19180 We prove SzegWidom asymptotics for the Cheby... 19181 Timings of human activities are marked by ci... 19182 In computational D geometric problems involv... 19183 Near infrared spectroscopy NIRS is an imagin... 19184 Generalization performance of classifiers in... 19185 Measurements of element abundances in galaxi... 19186 With the aim of getting closer to the perfor... 19187 Machine learning models benefit from large a... 19188 Starting from the integral representation of... 19189 We introduce the concept of requilateral mgo... 19190 According to Kearnes and Oman an ordered se... 19191 Drawing on some recent results that provide ... 19192 In the current article our primary objects o... 19193 A thirdorder threedimensional symmetric trac... 19194 Strang splitting is a well established tool ... 19195 In this paper we introduce a new class of no... 19196 We derive a CramrRao lower bound for the var... 19197 Lack of moderation in online communities ena... 19198 We develop numerical tools for Diagrammatic ... 19199 There is an increasing interest on accelerat... 19200 Zeroshot learning ZSL endows the computer vi... 19201 Grid cells in the medial entorhinal cortex m... 19202 Online social network OSN discussion groups ... 19203 Image stitching is challenging in consumerle... 19204 Probabilistic modeling provides the capabili... 19205 Semantic segmentation of D point clouds is a... 19206 Motivated by posted price auctions where buy... 19207 We analyse certain Haar systems associated t... 19208 Numerical and experimental data analysis oft... 19209 We propose a new active learning strategy de... 19210 Nowadays the Security Information and Event ... 19211 Adaptive methods such as Adam and RMSProp ar... 19212 Films of CuKInSe were coevaporated at varied... 19213 Over the course of last decade the Nice mode... 19214 Using the natural action of Sinfty we show t... 19215 The cost of attending college has been stead... 19216 Users of Virtual Reality VR systems often ex... 19217 In this paper we present a comprehensive vie... 19218 We examine the sensitivity of the Love and t... 19219 Let varphimathbbFqtomathbbFq be a rational m... 19220 We form realanalytic Eisenstein series twist... 19221 We study closed ndimensional manifolds of wh... 19222 Using quantum representations of mapping cla... 19223 In this work we propose an infinite restrict... 19224 We present the discovery of four lowmass M M... 19225 Perovskite solar cells with record power con... 19226 Giant radio galaxies GRGs are one of the lar... 19227 We propose a general yet simple theorem desc... 19228 We study an extreme scenario in multilabel l... 19229 To explore largescale population indoor inte... 19230 Highly robust and efficient estimators for t... 19231 We present lifestate rulesan approach for ab... 19232 Restricted Boltzmann Machines RBMs are a cla... 19233 It is becoming increasingly clear that compl... 19234 Principal component regression is a linear r... 19235 We propose an efficient metaalgorithm for Ba... 19236 We consider the boundary rigidity problem fo... 19237 We consider the spontaneous breaking of tran... 19238 The method of brackets is an efficient metho... 19239 The R package optimParallel provides a paral... 19240 Some key results obtained in joint research ... 19241 We show that Rashba spinorbit coupling at th... 19242 Fraud has severely detrimental impacts on th... 19243 Systems which can spontaneously reveal perio... 19244 The analysis of the demographic transition o... 19245 CyberPhysical Systems CPS revolutionize vari... 19246 This paper gives a selfcontained grouptheore... 19247 A measurable function mu on the unit disk ma... 19248 We give a detailed account of the socalled u... 19249 An asymmetric resonant cavity can be used to... 19250 The and micron characteristics of AGB vari... 19251 Effective teams are crucial for organisation... 19252 Given a semigroup S with zero which is leftc... 19253 A generalization of classical determinant in... 19254 We propose a new reinforcement learning algo... 19255 We introduce the notion of STpairs of triang... 19256 We introduce features for massive data strea... 19257 We study the problem of learning to rank fro... 19258 In order for a robot to be a generalist that... 19259 We give an explicit formula for the second v... 19260 The idea that black hole spin is instrumenta... 19261 The distance covariance of two random vector... 19262 We investigate nonparametric regression meth... 19263 A number of optimal decision problems with u... 19264 The iterated posterior linearization filter ... 19265 We consider a system where randomly generate... 19266 Most analyses of randomised trials with inco... 19267 Let R be a family of n axisparallel rectangl... 19268 We present a new method to derive oxygen and... 19269 We study the extent to which we can infer us... 19270 The ABALONE Photosensor Technology US Patent... 19271 In large scale coverage operations such as m... 19272 We study fairness in collaborativefiltering ... 19273 Graph inference methods have recently attrac... 19274 This paper presents a provably correct metho... 19275 The resolvent Krylov subspace method builds ... 19276 The best known manifestation of the FermiDir... 19277 This paper proves the approximate intermedia... 19278 The ultraviolet UV light from a host star in... 19279 We construct a doublewell potential for whic... 19280 Social ties are strongly related to wellbein... 19281 We analyze spectral properties of two mutual... 19282 Given a positive function uin Wn we define i... 19283 The recent literature on deep learning offer... 19284 Recent advances show that twodimensional lin... 19285 Distinct striation patterns are observed in ... 19286 This paper presents a motion planner for sys... 19287 Can we learn a binary classifier from only p... 19288 It is wellknown that kernel regression estim... 19289 To harness the complexity of their highdimen... 19290 We prove that tildeThetak d varepsilon samp... 19291 We present a heuristic based algorithm to in... 19292 Manipulation of deformable objects such as r... 19293 We derive upper and lower bounds for the pol... 19294 The dynamical characteristics of electromagn... 19295 In this paper we give three functors mathfra... 19296 We define the notion of a hierarchically coc... 19297 An explosion of highthroughput DNA sequencin... 19298 Quantum effects prevalent in the microscopic... 19299 This paper presents a deep learning framewor... 19300 The significant halogenation effects on the ... 19301 We propose an informationtheoretic framework... 19302 We present a theoretical assessment of the e... 19303 The normalized maximum likelihood NML is one... 19304 Existing memory management mechanisms used i... 19305 The regular icosahedron is connected to many... 19306 This paper demonstrates the feasibility of i... 19307 We develop gametheoretic semantics GTS for t... 19308 The wide usage of Machine Learning ML has le... 19309 We analyse a linear regression problem with ... 19310 The topological data analysis method concurr... 19311 As is known an elementary excitation of a ma... 19312 In a previous paper arXiv we described the... 19313 In this work we introduce malware detection ... 19314 In this paper we investigate the model check... 19315 We prove that the moduli space of complete R... 19316 We consider the problem of optimal dynamic i... 19317 The celebrated theorem of Robertson and Seym... 19318 In this paper we consider the problem of dis... 19319 The magnetic thermodynamic and dielectric pr... 19320 A classification algorithm called the Linear... 19321 In this paper we address the problem of spat... 19322 The formation and the interaction of multipl... 19323 Machinelearning potentials MLPs for atomisti... 19324 In this paper we consider a network of proce... 19325 The lowfrequency vibrational and lowtemperat... 19326 This paper deals with the initial value prob... 19327 The CEV model subsumes some of the previous ... 19328 Classical results of Chentsov and Campbell s... 19329 Smartphones have become the most pervasive d... 19330 Blockchain which is a technology for distrib... 19331 We propose a multinomial logistic regression... 19332 Traditionally kernel learning methods requir... 19333 Dense suspensions are nonNewtonian fluids wh... 19334 One of the open challenges in designing robo... 19335 We study rewriting for equational theories i... 19336 In this work we addressed the issue of apply... 19337 Wilcoxon Rankbased tests are distributionfre... 19338 We propose a method for simultaneously detec... 19339 In this paper we analyze the behavior of the... 19340 We describe the approximation of a continuou... 19341 The Wasserstein distance between two probabi... 19342 Several recent works have proposed and imple... 19343 A proof of concept for high speed nearfield ... 19344 We introduce the notion of stationary action... 19345 In supervised machine learning for author na... 19346 Recent successes in word embedding and docum... 19347 The present online social media platform is ... 19348 Designing adaptive classifiers for an evolvi... 19349 This paper aims to establish theoretical fou... 19350 A variety of complex systems exhibit differe... 19351 Controlling Chaos could be a big factor in g... 19352 We investigate relaxation in the recently di... 19353 A saliency guided hierarchical visual tracki... 19354 The present study shows that the performance... 19355 This article develops a novel operational se... 19356 We provide a compact and unified treatment o... 19357 The magnetic anisotropy MA of MoAuCoFeAuMgO ... 19358 Ionic solutions are often regarded as fully ... 19359 Network embedding methodologies which learn ... 19360 In this paper we continue to study pairwise ... 19361 Internship assignment is a complicated proce... 19362 Quantum mechanical calculations had been pre... 19363 This paper addresses the question Why do neu... 19364 In this paper we tackle the problem of visua... 19365 We present a new nonArchimedean model of evo... 19366 We present a new approach to the design of D... 19367 We propose a statistical model for weighted ... 19368 We report a Dynamical Cluster Approximation ... 19369 This paper formalises the problem of online ... 19370 We construct periodic solutions of nonlinear... 19371 Attributebased recognition models due to the... 19372 In this paper a scale mixture of Normal dist... 19373 We study the systematic numerical approximat... 19374 As a fundamental challenge in vast disciplin... 19375 In this paper we consider nonlinear equation... 19376 In recent works we have constructed axisymme... 19377 We implement the coupled cluster method to v... 19378 Clouds have a strong impact on the climate o... 19379 Magnetic resonance imaging MRI has been prop... 19380 In Crowdfunding platforms people turn their ... 19381 Learning to infer Bayesian posterior from a ... 19382 We discuss the distributed matching scheme i... 19383 We complement the characterization of the gr... 19384 MultiTask Learning MTL can enhance a classif... 19385 In this note we discuss the cobordism maps o... 19386 We give necessary and sufficient conditions ... 19387 This is the Proceedings of the ICML Worksho... 19388 We study the quantum phase transition betwee... 19389 A dimensional Riemannian manifold equipped w... 19390 Modern software systems provide many configu... 19391 We review Andr Luiz Barbosas paper P NP Pro... 19392 We consider the minimax setup for the twoarm... 19393 Traditional intelligent fault diagnosis of r... 19394 In one perspective the main theme of this re... 19395 In this paper we introduce an easily verifia... 19396 We study the problems of clustering locally ... 19397 The OSIRISREx Visible and Infrared Spectrome... 19398 We prove boundedness results for integral op... 19399 We consider a large portfolio limit where th... 19400 We introduce a spectrum of monotone coarse i... 19401 Coexistence of a newtype antiferromagnetic A... 19402 Grigni and HungciteGH conjectured that Hmino... 19403 Mexico City tracks groundlevel ozone levels ... 19404 The elastic scattering cross sections for a ... 19405 Predicting finegrained interests of users wi... 19406 Quantitative extraction of highdimensional m... 19407 Recently two new indicators Equalized Meanba... 19408 We show that Willwachers cyclic formality th... 19409 Process Control Systems PCSs are the operati... 19410 For the quantum kinetic system modelling the... 19411 Over the past few years the futures market h... 19412 Deep neural networks are playing an importan... 19413 The public transports provide an ideal means... 19414 Let mathcalPr denote an almostprime with at ... 19415 We use recent results by BainbridgeChenGendr... 19416 Interference arises when an individuals pote... 19417 We present a unifying framework to solve sev... 19418 Machine learning models are notoriously diff... 19419 Inferring interactions between processes pro... 19420 The AlvarezMacovski method Alvarez R E and M... 19421 Using our results about Lorentzian KacMoody ... 19422 We study the elementary characteristics of t... 19423 An extensive empirical literature documents ... 19424 Motivated by expansion in Cayley graphs we s... 19425 We introduce a class of normal complex space... 19426 With the rapid increase of compound database... 19427 We study the sample covariance matrix for re... 19428 Lung nodule classification is a class imbala... 19429 We introduce and examine a collection of unu... 19430 Skorobogatov constructed a bielliptic surfac... 19431 We define Locally Nameless Permutation Types... 19432 We study dimensionfree Lp inequalities for r... 19433 The oneparticle density matrix of the onedim... 19434 We propose a D generalization to the Mband c... 19435 We introduce the Nonlinear CauchyRiemann equ... 19436 Deep Neural Networks have been shown to succ... 19437 Participants enrolled into randomized contro... 19438 Effects of subgridscale gravity waves GWs on... 19439 Cricket is a game played between two teams w... 19440 We study basic geometric properties of some ... 19441 Isogeometric analysis IGA is used to simulat... 19442 In this paper we study behavior of bidders i... 19443 The internet has become a central medium thr... 19444 Representation learning is at the heart of w... 19445 Topological Data Analysis tda is a recent an... 19446 The resemblance between the methods used in ... 19447 We study how to effectively leverage expert ... 19448 We investigate the effects of social interac... 19449 A powerful data transformation method named ... 19450 Cascading failures are a critical vulnerabil... 19451 Despite its extremely weak intrinsic spinorb... 19452 We present a blind multiframe imagedeconvolu... 19453 We consider the framework of aggregative gam... 19454 Condensed matter systems that simultaneously... 19455 The paper presents the application of Variat... 19456 In this paper we propose a new algorithm for... 19457 The answer is Yes We indeed find that intera... 19458 Dual FabryPerot cavity based optical refract... 19459 We introduce the SelfAnnotated Reddit Corpus... 19460 We use a model of aerosol microphysics to in... 19461 Opinion formation in the population has attr... 19462 Given data over variables XXm Y we consider ... 19463 We study the evolution of the eccentricity a... 19464 We discuss various forms of definitions in m... 19465 Fix any field K of characteristic p such tha... 19466 We consider the minimax estimation problem o... 19467 The effect of the Coulomb repulsion of holes... 19468 Multiplayer Online Battle Arena MOBA games h... 19469 Tendondriven hand orthoses have advantages o... 19470 For years security machine learning research... 19471 Software reusability has become much interes... 19472 We consider classical Merton problem of term... 19473 The lack of efficiency in urban diffusion is... 19474 We derive a new Bayesian Information Criteri... 19475 Combinatorial interaction testing is an impo... 19476 We consider the habitability of Earthanalogs... 19477 Unsupervised learning is about capturing dep... 19478 Convolutional neural networks CNNs have show... 19479 In this paper we address the rigid body pose... 19480 In this paper we propose definitions and exa... 19481 We study the relationship between performanc... 19482 Beyond traditional security methods unmanned... 19483 In this paper we extend two classical result... 19484 In this paper we use replica analysis to det... 19485 We discuss the local properties of weak solu... 19486 The real vector space of nonoriented graphs ... 19487 In order to address the need for an affordab... 19488 Texture classification is a problem that has... 19489 Contingent Convertible bonds CoCos are debt ... 19490 Egeneralization computes common generalizati... 19491 We study quartic double fivefolds from the p... 19492 Thermal atmospheric tides can torque telluri... 19493 Obtaining enough labeled data to robustly tr... 19494 We provide an integral formula for the Maslo... 19495 As modern precision cosmological measurement... 19496 Morava Etheory E is an Einftyring with an ac... 19497 We consider numerical schemes for root findi... 19498 Inspired by the recent evolution of deep neu... 19499 The hyperbolic Pascal triangle cal HPTq qge ... 19500 We report on an empirical study of the main ... 19501 Much effort has been devoted to device and m... 19502 Motivation Proteinprotein interactions PPIs ... 19503 Componentbased development is a software eng... 19504 Sales forecast is an essential task in Ecomm... 19505 In this study we provide mathematical and pr... 19506 Let F be a padic fied E be a quadratic exten... 19507 A simple doubledecker molecule with magnetic... 19508 We consider nonlinear transport equations wi... 19509 Sampling from large networks represents a fu... 19510 Recent works have shown that social media pl... 19511 Can we make a famous rap singer like Eminem ... 19512 We present a robust deep learning based deg... 19513 We study a generalization of a crossdiffusio... 19514 In distributed storage systems locally repai... 19515 Syntaxguided synthesis aims to find a progra... 19516 In this paper we are concerned with the exis... 19517 We analyse spectral properties of a class of... 19518 There are tradeoffs between current sharing ... 19519 We prove a new offdiagonal asymptotic of the... 19520 Networks are powerful instruments to study c... 19521 We present the DAVIS Challenge on Video Obj... 19522 Context The success of Stack Overflow and ot... 19523 Massive multipleinput multipleoutput MIMO sy... 19524 Surface parameterizations have been widely a... 19525 In this paper we consider a distributed stoc... 19526 In a wide variety of applications including ... 19527 Let Delta be a simplicial complex of a matro... 19528 We propose a maxpooling based loss function ... 19529 In Packet Scheduling with Adversarial Jammin... 19530 Despite the progress in high performance com... 19531 In this paper we propose a deep learning bas... 19532 On the surface of icy dust grains in the den... 19533 We revisit the fundamental problem of liquid... 19534 We demonstrate the control of resonance char... 19535 A surrogate model approximates a computation... 19536 The most dataefficient algorithms for reinfo... 19537 This work explores the tradeoff between the ... 19538 The stability or instability of synchronizat... 19539 Vortices turbulence and unsteady nonlaminar ... 19540 Direct numerical simulation of liquidgassoli... 19541 This paper focuses on temporal localization ... 19542 We present here numerical modelling of granu... 19543 Like it or not attempts to evaluate and moni... 19544 Widespread usage of complex interconnected s... 19545 Recent developments have established the vul... 19546 We study loss functions that measure the acc... 19547 Performing diagnostics in IT systems is an i... 19548 We prove a generalization of the DavenportHe... 19549 Neural networks are known to be vulnerable t... 19550 We present a novel method for learning the w... 19551 We found analytically a first order quantum ... 19552 Combining Bayesian nonparametrics and a forw... 19553 Achieving superhuman playing level by AlphaG... 19554 We consider estimating the de facto or effec... 19555 Recent studies in social media spam and auto... 19556 We explore the power of spatial context as a... 19557 We present a statistical analysis of the var... 19558 The line spectral estimation problem consist... 19559 Monte Carlo methods approximate integrals by... 19560 Let f mathbbRd tomathbbR be a Lipschitz func... 19561 Despite the success of deep learning on repr... 19562 We study a frequencydependent damping model ... 19563 Geometric variations of objects which do not... 19564 We discuss in the context of energy flow in ... 19565 Floer theory was originally devised to estim... 19566 Bayesian inference for stochastic volatility... 19567 We study simple root flows and Liouville cur... 19568 This paper is a review of the evolutionary h... 19569 Imitation is widely observed in populations ... 19570 Complex Finsler vector bundles have been stu... 19571 Development and growth are complex and tumul... 19572 Generating structured input files to test pr... 19573 Using the setup of deformation categories of... 19574 We developed a simple physical and selfconsi... 19575 Fermi Large Area Telescope data reveal an ex... 19576 The European Xray Free Electron Laser XFELEU... 19577 In this paper for the first time we study la... 19578 Appearing on the stage quite recently the Lo... 19579 The impacts of climate change are felt by mo... 19580 Among asteroids there exist ambiguities in t... 19581 Learning preferences implicit in the choices... 19582 The use of Laplacian eigenfunctions is ubiqu... 19583 Significant parts of cultural heritage are p... 19584 We study a system consisting of a Luttinger ... 19585 Jittered Sampling is a refinement of the cla... 19586 Analysis and quantification of brain structu... 19587 This work proposes a visual odometry method ... 19588 Autoignition delay experiments for the isome... 19589 In this paper we prove that for every intege... 19590 We investigate an inverse problem in timefre... 19591 In this paper we present a system that assoc... 19592 In this paper the Kelvin wave and knot dynam... 19593 We develop the noncommutative polynomial ver... 19594 We introduce an integrated meshing and finit... 19595 In this note we show the class of finite epi... 19596 Motivated by the problem of domain formation... 19597 In this paper we investigate the reconstruct... 19598 Robotics enables a variety of unconventional... 19599 The present numerical study aims at shedding... 19600 For a positive parameter beta the betabounde... 19601 Pipelines are used in a huge range of indust... 19602 The quadratic unconstrained binary optimizat... 19603 In order to address the economical dispatch ... 19604 We develop an importance sampling IS type es... 19605 With a few hundred spacecraft launched to da... 19606 There exists various proposals to detect cos... 19607 Recent works on planetary migration show tha... 19608 The General AI Challenge is an initiative to... 19609 A key enabler for optimizing business proces... 19610 Lorenzens Algebraische und logistische Unter... 19611 Online interactive recommender systems striv... 19612 Lowrank matrix completion MC has achieved gr... 19613 We obtain results on mixing for a large clas... 19614 Many cognitive sensory and motor processes h... 19615 In this paper we sharpen earlier work of the... 19616 Bilevel optimization is defined as a mathema... 19617 This paper proposes a speaker recognition SR... 19618 Governing equations for twodimensional invis... 19619 We prove a global limiting absorption princi... 19620 In this paper we explore the role of duality... 19621 A looming question that must be solved befor... 19622 Autoignition experiments of stoichiometric m... 19623 Crowdsourced GPS probe data has become a maj... 19624 Generating and detection coherent highfreque... 19625 For classical manybody systems our recent st... 19626 We consider a generalized Dirac operator on ... 19627 The discovery of influential entities in all... 19628 We consider learning of submodular functions... 19629 An irreducible weight module of an affine Ka... 19630 We study the behavior of a real pdimensional... 19631 In this paper we propose an online learning ... 19632 We device a new method to calculate a large ... 19633 The escape mechanism of orbits in a star clu... 19634 We present Atacama Large Millimeter submilli... 19635 We have modelled the evolution of cometary H... 19636 This paper uses a classical approach to feat... 19637 We match analytic results to numerical calcu... 19638 We tackle the problem of template estimation... 19639 Bayesian inverse modeling is important for a... 19640 OneClass Classification OCC has been prime c... 19641 INTRODUCTION\nThis papers deals with partial... 19642 Machine Learning models have been shown to b... 19643 In cellular massive MachineType Communicatio... 19644 We report the first detection of sodium abso... 19645 Choreographies are widely used for the speci... 19646 The reproducibility crisis has been a highly... 19647 SciSports is a Dutch startup company special... 19648 We consider the problem of segmenting a larg... 19649 In this report it is shown that Cr doped int... 19650 We present a technique for automatically tra... 19651 Hierarchical neural architectures are often ... 19652 Research in analysis of microblogging platfo... 19653 Logicbased paradigms are nowadays widely use... 19654 Mixture models have been around for over ye... 19655 In this work we study the pointwise and ergo... 19656 Latent features learned by deep learning app... 19657 In the near future cosmology will enter the ... 19658 The crowdsourcing consists in the externalis... 19659 We study positive solutions to the heat equa... 19660 This paper considers an alternative method f... 19661 Virtual network services that span multiple ... 19662 Using the semiclassical WKB approximation an... 19663 Natural language and symbols are intimately ... 19664 Feature extraction and dimension reduction f... 19665 Let q be a prime power We estimate the numbe... 19666 In the present paper using a replica analysi... 19667 Researchers often summarize their work in th... 19668 Liquid metal LM is of current core interest ... 19669 The local model for differential privacy is ... 19670 A lowcost robust and simple mechanism to mea... 19671 In this paper we study the following classic... 19672 The newly emerging field of wave front shapi... 19673 In largescale agile projects product owners ... 19674 We analyse a simple extension of the SM with... 19675 Consider a Gaussian vector mathbfzmathbfxmat... 19676 We present a method for synthesizing a front... 19677 Scaling clustering algorithms to massive dat... 19678 In this paper we consider the existence of m... 19679 We study estimators with generalized lasso p... 19680 According to data from the United Nations mo... 19681 The currentvoltage IV conversion characteriz... 19682 We characterize the neutron output of a deut... 19683 We describe how turbulence distributes trace... 19684 In this paper we give a correspondence betwe... 19685 This paper reviews the checkered history of ... 19686 Algorithms working with linear algebraic gro... 19687 This article studies the monotonicity logcon... 19688 Epilepsy is a neurological disorder arising ... 19689 In this paper we study a classical construct... 19690 Parity and timereversal violating electric d... 19691 The increasing amount of information and the... 19692 Neutron diffraction and muon spin relaxation... 19693 A unified viewpoint on the van Vleck and Her... 19694 This paper presents an alternate form for th... 19695 We present a Las Vegas algorithm for dynamic... 19696 The rising popularity of intelligent mobile ... 19697 Fine particulate matter PM is one of the cri... 19698 A profile describes a set of properties eg a... 19699 We present a sample of sim emission line ga... 19700 Tensor factorization with hard andor soft co... 19701 In this paper we propose a replay attack spo... 19702 For linear inverse problem with Gaussian ran... 19703 Light carries momentum which induces on atom... 19704 For a contraction Csemigroup on a separable ... 19705 Traceroute is the main tools to explore Inte... 19706 We studied the thermodynamic behaviors of no... 19707 Many deep models have been recently proposed... 19708 Consider a terminal in which users arrive co... 19709 In this paper we extend the theory of two we... 19710 We show that a link in an open book can be r... 19711 The Deltaconvolution of real probability mea... 19712 When classifying point clouds a large amount... 19713 Some boundedness properties of function spac... 19714 In this paper we propose a novel approach to... 19715 Topic lifecycle analysis on Twitter a branch... 19716 Previous research on unstable footwear has s... 19717 In this paper we introduce a modified versio... 19718 Structured Peer Learning SPL is a form of pe... 19719 The monograph represents analysis of the pos... 19720 Recently researchers have discovered that th... 19721 Over the last decades the Internet and mobil... 19722 Unexpected clustering in the orbital element... 19723 We introduce two tactics to attack agents tr... 19724 One of the big challenges in machine learnin... 19725 In this paper we propose a Tensor Train Neig... 19726 Three dimensional D topology optimization pr... 19727 Let M be an irreducible Riemannian symmetric... 19728 Microscopy imaging plays a vital role in und... 19729 In this paper we study geometric properties ... 19730 The generation of anisotropic shapes occurs ... 19731 We extend the notion of localic completion o... 19732 According to magnetohydrodynamics MHD the en... 19733 In this paper we propose Squeezed Convolutio... 19734 Most stateoftheart graph kernels only take l... 19735 Quantitative nuclear magnetic resonance imag... 19736 We present an updated halodependent and halo... 19737 Current and upcoming radio interferometric e... 19738 Magnetic skyrmions are particlelike objects ... 19739 In this paper we introduce metallic maps bet... 19740 Hashing or learning binary embeddings of dat... 19741 A new exact solution of Einsteins field equa... 19742 Implicit discourse relation classification i... 19743 The idea of posing a command following or tr... 19744 Wireless communication plays a vital role in... 19745 This paper studies the synchronization of a ... 19746 We derive representation theorems for exchan... 19747 The replicator equation is one of the fundam... 19748 Go gaming is a struggle for territory contro... 19749 Laser writing with ultrashort pulses provide... 19750 Ensemble weather predictions require statist... 19751 In recent work Pomerance and Shparlinski hav... 19752 In this note we prove a conjecture by Li Qu ... 19753 Recently in speaker recognition performance ... 19754 Employers actively look for talents having n... 19755 We study a class of anomalies associated wit... 19756 We present a new model for the redshiftspace... 19757 It is proven that an infinite finitely gener... 19758 The spin Peltier effect SPE heatcurrent gene... 19759 We discuss the numbertheoretic properties of... 19760 In this paper we describe a phenomenon which... 19761 In this paper we perform the analysis that l... 19762 This work reports an electronic and microstr... 19763 We fabricated NiFetextrmOtextrmx thin films ... 19764 This paper proposes a new samplingbased nonl... 19765 We study the primary entanglement effect on ... 19766 Breast density classification is an essentia... 19767 Motivated by the recent progress in analog c... 19768 A crucial challenge in imagebased modeling o... 19769 We study an optimal control problem arising ... 19770 This paper describes our experience of train... 19771 The purpose of this article is to analyze th... 19772 Covalently linked acene dimers are of intere... 19773 We discuss an investigation of student diffi... 19774 In this paper we first design a time optimal... 19775 Knowledge about the graph structure of the W... 19776 We show that for any convex differentiable l... 19777 Research on automated vehicles has experienc... 19778 This paper deals with a nonhomogeneous scala... 19779 Phase changing materials PCM are widely used... 19780 Sortition ie random appointment for public d... 19781 We provide a particle picture representation... 19782 Generating adversarial examples is a critica... 19783 We consider the problem of designing efficie... 19784 We present a model that takes into account t... 19785 The quality of a Neural Machine Translation ... 19786 Closecontact melting refers to the process o... 19787 Complex networks or graphs are ubiquitous in... 19788 Accurate demand forecasts can help online re... 19789 In the covariate shift learning scenario the... 19790 Onedimensional systems obtained as lowenergy... 19791 Convolution as inner product has been the fo... 19792 This paper presents a robotic pickandplace s... 19793 We develop various aspects of classical enum... 19794 The spread of online reviews ratings and opi... 19795 A dual control problem is presented for the ... 19796 We propose Graph Priority Sampling GPS a new... 19797 This paper studies the optimal investment pr... 19798 The emergence and nature of amplitude mediat... 19799 Photons from distant astronomical sources ca... 19800 A major challenge in computational chemistry... 19801 Measurements of cosmic microwave background ... 19802 For over a decade scientists at NASAs Jet Pr... 19803 Proteins are only moderately stable It has l... 19804 We provide a proposal motivated by Separatio... 19805 A monotone drawing of a graph G is a straigh... 19806 Graph data models are widely used in many ar... 19807 We remark that sparse and Carleson coefficie... 19808 Discovering business rules from business pro... 19809 We combine features extracted from pretraine... 19810 Context Planet formation with pebbles has be... 19811 We show that NSOP theories are exactly the t... 19812 Heterogeneity has been studied as one of the... 19813 The magnetorotational instability MRI is tho... 19814 An individual has been subjected to some exp... 19815 It is well known that the Milgroms MOND modi... 19816 We present a framework for testing independe... 19817 This is a survey article based on the author... 19818 The surface of metal glass and plastic objec... 19819 The oscillatory behavior of the solutions to... 19820 In recent years Variational Autoencoders VAE... 19821 Boltzmann exploration is a classic strategy ... 19822 For sophisticated reinforcement learning RL ... 19823 We present a quantum algorithm to compute th... 19824 The Jiangmen Underground Neutrino Observator... 19825 Recent work has explored the problem of auto... 19826 State space models in which the system state... 19827 We study a number of graph exploration probl... 19828 The FourierWalsh expansion of a Boolean func... 19829 Oxygendeficient TiO in the rutile structure ... 19830 Auxetic materials are a novel class of mecha... 19831 Exploiting the powerful tool of strong gravi... 19832 Autonomous agents must often detect affordan... 19833 We revisit the question of whether and how t... 19834 Trapping molecular ions that have been sympa... 19835 The precise nature of complex structural rel... 19836 A regularized optimization problem over a la... 19837 We analyze the effect of intersiteinteractio... 19838 We consider tackling a singleagent RL proble... 19839 The dissipation of smallscale perturbations ... 19840 Multisubject fMRI data analysis is an intere... 19841 Knowledge transfer between tasks can improve... 19842 Because the grand unification theory of gaug... 19843 Richclub ordering refers to the tendency of ... 19844 In this work we propose to integrate predict... 19845 Inverse electromagnetic design has emerged a... 19846 This paper describes a general scalable endt... 19847 We show that maximal Sfree convex sets are p... 19848 The nearby ultraluminous infrared galaxy ULI... 19849 Motivated by recent experimental observation... 19850 The behavior of an interior test particle in... 19851 The KATRIN experiment aims to determine the ... 19852 The stabilization of lasers to absolute freq... 19853 In this paper a new type of D bin packing pr... 19854 The goal of this article is to clarify the m... 19855 The problem of the estimation of relevance t... 19856 In this paper we present a strategy for the ... 19857 This paper presents a method of reconstructi... 19858 We consider the problem of performing Spoken... 19859 We present a method to derive the density sc... 19860 Advertisements are unavoidable in modern soc... 19861 We study a deep linear network endowed with ... 19862 We apply our theory of partial flag spaces d... 19863 The robustness of dynamical properties of ne... 19864 Maximizing the area under the receiver opera... 19865 Motivated by problems in data clustering we ... 19866 We describe all rigid algebras and all irred... 19867 In this paper we compute the discrete fundam... 19868 We investigate the theoretical foundations o... 19869 We live in a D world performing activities a... 19870 Advances in astronomy are intimately linked ... 19871 Eliminating duplicate data in primary storag... 19872 Freeplay is a significant source of nonlinea... 19873 Understanding user preference is essential t... 19874 Lowdimensional embeddings of nodes in large ... 19875 Assume that fmathbbCn to mathbbC is an analy... 19876 We study the convergence properties of the G... 19877 We point out a unique mechanism to produce t... 19878 In this paper we propose a method using a th... 19879 A setting for global variational geometry on... 19880 In this paper we revisit some classic board ... 19881 In recent years citizen science has grown in... 19882 The SRv architecture Segment Routing based o... 19883 We apply a largescale computational techniqu... 19884 Pretrained word embeddings improve the perfo... 19885 We start with an overview of a class of subm... 19886 We consider the inverse problems of determin... 19887 A tragedy of the commons TOC occurs when ind... 19888 The linear growth of operators in local quan... 19889 Each Multiplicative Exponential Linear Logic... 19890 Multi robot systems have the potential to be... 19891 For a Riemannian covering Mto M of complete ... 19892 We extend the theory of ground states of cla... 19893 We present a framework for visionbased model... 19894 We give a Ktheoretic criterion for a quasipr... 19895 Modern surveys have provided the astronomica... 19896 We propose a novel approach towards adversar... 19897 We show how to answer spatial multipleset in... 19898 We present a framework to calculate the casc... 19899 MongeKantorovich distances otherwise known a... 19900 We construct an analog of the intrinsic norm... 19901 Most old globular clusters GCs in the Galaxy... 19902 While domain adaptation has been actively re... 19903 We report the discovery of the minor planet ... 19904 Using Lindblad dynamics we study quantum spi... 19905 We study the spatially homogeneous time depe... 19906 We consider the minimization of composite ob... 19907 Generative Adversarial Networks GANs are pow... 19908 We propose a statistical model for natural l... 19909 The low energy optical conductivity of conve... 19910 This work demonstrates nanoscale magnetic im... 19911 Superconducting detectors are now wellestabl... 19912 We prove that the Hilbert scheme of points ... 19913 We propose a novel type of tunable YagiUda n... 19914 Modified structures of SAPO were prepared us... 19915 Support Vector Machines SVMs with various ke... 19916 Voltage deviations occur frequently in power... 19917 Convolutional Neural Networks CNNs are a pop... 19918 Traditional neural network approaches for tr... 19919 The Tolman paradox is well known as a base f... 19920 For analysing text algorithms for computing ... 19921 Spinrelaxation is conventionally discussed u... 19922 In the information overloaded web personaliz... 19923 Scholarly communication has the scope to tra... 19924 Machine learning algorithms when applied to ... 19925 Recently the fabrication of CdSe nanoplatele... 19926 Advances in GNC particularly from miniaturiz... 19927 Unsupervised learning is of growing interest... 19928 We define monodromy maps for tropical Dolbea... 19929 In this paper we study the problems in the d... 19930 Word embeddings generated by neural network ... 19931 We will say that an Abelian group Gamma of o... 19932 Cosmologies including strongly Coupled SC Da... 19933 Proof schemata are a variant of LKproofs abl... 19934 This paper examines the task of detecting in... 19935 Using simulations with a wholeatmosphere che... 19936 A fundamental question in biology is how org... 19937 Conventional seismic techniques for detectin... 19938 We present a novel approach to achieve adapt... 19939 From medicines to materials small organic mo... 19940 Let hatL be the projective completion of an ... 19941 To ensure that a robot is able to accomplish... 19942 Over the last decade tremendous strides have... 19943 We develop polynomialtime heuristic methods ... 19944 It is well known that the F test is severly ... 19945 Feature representations from pretrained deep... 19946 Let p be a prime and k be a field of charact... 19947 Recently a general expression for Eckartfram... 19948 This paper studies an optimal trading proble... 19949 We explore the relationship between features... 19950 Estimating individualized treatment rules is... 19951 Finetuning in physics and cosmology is often... 19952 Experiments using nuclei to probe new physic... 19953 Machine Learning ML models are applied in a ... 19954 We introduce the fraud deanonymization probl... 19955 The types of instability in the interacting ... 19956 The interaction blockade phenomenon isolates... 19957 SPIDER is a balloonborne instrument designed... 19958 Wind shear measured by Doppler tracking of t... 19959 Relativistic protocols have been proposed to... 19960 We prove that all eigenstates of manybody lo... 19961 We study the formation of massive black hole... 19962 We study an optimizationbased approach to co... 19963 We show how thirdparty web trackers can dean... 19964 Virtualization technologies have evolved alo... 19965 We give an integral formula for the total Qp... 19966 The Internet of Things IoT is continuously g... 19967 Modelling information cascades over online s... 19968 Living cells exhibit multimode transport tha... 19969 We define various height functions for motiv... 19970 This paper studies the dimension effect of t... 19971 Fundamental questions on the nature of matte... 19972 The main aim of this paper is to prove Rtriv... 19973 We present nearinfrared interferometry of th... 19974 Long ShortTerm Memory LSTM has achieved stat... 19975 I welcome the contribution from Falessi et a... 19976 Recent advances in computer visionin the for... 19977 Recent research implies that training and in... 19978 The probability simplex is the set of all pr... 19979 We present a novel condition which we term t... 19980 Every linear system of partial differential ... 19981 Convolutional neural networks CNNs have been... 19982 Dominant approaches to action detection can ... 19983 This work introduces a novel estimation meth... 19984 We consider the Cauchy problem in Rn for som... 19985 Unconventional dwave superconductors with pa... 19986 Neuromorphic computing has come to refer to ... 19987 We study junctions of Wilson lines in refine... 19988 Stochastic gradient algorithms are more and ... 19989 The location of the terrestrial magnetopause... 19990 Using a membranedriven diamond anvil cell an... 19991 Everyday robotics are challenged to deal wit... 19992 Malware is constantly adapting in order to a... 19993 We construct examples of finite covers of pu... 19994 Training convolutional networks CNNs that fi... 19995 Identifying transport pathways in fractured ... 19996 We analyse archival CGROBATSE Xray flux and ... 19997 We investigate some basic applications of Fr... 19998 We present resolution images of CO and asso... 19999 We investigate equilibrium properties includ... 20000 The influence of the DzyaloshinskiiMoriya in... 20001 I analyze Osaka factory worker households in... 20002 On the March NOAA active region AR produc... 20003 We prove that every connected affine scheme ... 20004 Deep neural network models have been proven ... 20005 Arabic word segmentation is essential for a ... 20006 This paper studies an electricity market con... 20007 To investigate the existence of sterile neut... 20008 Protein crystal production is a major bottle... 20009 We present the Kepler Object of Interest KOI... 20010 The dark sector may contain a dark photon th... 20011 A network epidemics model based on the class... 20012 We describe a general framework compressive ... 20013 Bandit structured prediction describes a sto... 20014 The ability to learn from a small number of ... 20015 Faster RCNN is one of the most representativ... 20016 Datatarget pairing is an important step towa... 20017 We present Calipso an interactive method for... 20018 The resolutions and maximal sets of compatib... 20019 Spectrum of a first order sentence is the se... 20020 Within the past few decades we have witnesse... 20021 We introduce a refinement of the classical L... 20022 In the presence of a certain class of functi... 20023 Conditional specification of distributions i... 20024 Let mathcalB denote a set of bicolorings of ... 20025 In part I we considered the problem of conve... 20026 JavaScript systems are becoming increasingly... 20027 Phononic bandgaps of ParyleneC microfibrous ... 20028 Though the deep learning is pushing the mach... 20029 We present semiparametric spectral modeling ... 20030 We present a term rewrite system that formal... 20031 Most complex networks are not static but evo... 20032 Potential critical risks of cascading failur... 20033 We present a comprehensive account of the pr... 20034 We consider the onedimensional model of a sp... 20035 In this paper we deform the thermodynamics o... 20036 In this paper we study rotationally symmetri... 20037 The rank of a hierarchically hyperbolic spac... 20038 Recurrent Neural Networks are showing much p... 20039 Statistical analysis SA is a complex process... 20040 We firstly suggest new cache policy applying... 20041 Shapeconstrained density estimation is an im... 20042 The aim of this paper is to analyze the arra... 20043 In this study the gravitational octree code ... 20044 Instanton bundles on mathbbP have been at th... 20045 Learning weights in a spiking neural network... 20046 In this work we propose to train a deep neur... 20047 An analytical expression is received for the... 20048 Online Social Networks OSN are increasingly ... 20049 We characterize operatortheoretic properties... 20050 We present results from the first observatio... 20051 We derive the gaugeon formalism of the KalbR... 20052 In this work the authors give a new method f... 20053 Complex distribution networks are pervasive ... 20054 Deep learning methods employ multiple proces... 20055 The increasing impact of robotics on industr... 20056 Remote Attestation RA allows a trusted entit... 20057 Social robots also known as service or assis... 20058 In this paper we solve the inverse problem f... 20059 Building a complete inertial navigation syst... 20060 We demonstrate that photonic and phononic cr... 20061 The experimental efforts to detect the redsh... 20062 We unify the feeding and feedback of superma... 20063 The inherent noise in the observed eg scanne... 20064 Online advertisers and analytics services or... 20065 We consider the Toda system fracDelta\nqne... 20066 We prove that a meromorphic mapping which se... 20067 Cameras are the most widely exploited sensor... 20068 The time evolution of the energy transport t... 20069 This chapter of the forthcoming Handbook of ... 20070 This paper presents a survey of some new app... 20071 HD is an excellent target to investigate sig... 20072 The mechanism of ion bombardment induced mag... 20073 We implement two algorithms in MATHEMATICA f... 20074 We show that model compression can improve t... 20075 This paper presents a procedure to retrieve ... 20076 Space photometric missions have been steadil... 20077 We present an explicitly correlated formalis... 20078 We study algebrogeometric consequences of th... 20079 Companies and academic researchers may colle... 20080 A fundamental problem in neuroscience is to ... 20081 Deep reinforcement learning enables algorith... 20082 This article deals with the first detection ... 20083 The remarkably strong chemical adsorption be... 20084 In this work we propose approaches to effect... 20085 We derive a priori estimates for the incompr... 20086 Let M be a Liouville manifold which is the s... 20087 We construct an iterated function system con... 20088 Recent years have seen tremendous growth of ... 20089 A model for the development of turbulent she... 20090 This paper gives a thorough overview of Sola... 20091 The present study investigates a way to desi... 20092 A fraction of earlytype dwarf galaxies in th... 20093 This paper reports the first results of a di... 20094 We address the problem of epipolar geometry ... 20095 This paper describes a new modelling languag... 20096 The new wave of successful generative models... 20097 We consider the RANSAC algorithm in the cont... 20098 Though there is a growing body of literature... 20099 In the research of the impact of gestures us... 20100 We define an infinite measurepreserving tran... 20101 An exciting branch of machine learning resea... 20102 We consider a system of nonlinear partial di... 20103 We report the development of indium oxide In... 20104 In this paper changepoint problems for long ... 20105 Gravity assist manoeuvres are one of the mos... 20106 In the last years model checking with interv... 20107 Next investigations in our program of transi... 20108 An important and emerging component of plane... 20109 We consider the motion of incompressible vis... 20110 We study the fundamental group of the comple... 20111 Spectral Clustering SC is a widely used data... 20112 A hyperbolic space has been shown to be more... 20113 We present a parameterized approach to produ... 20114 Recent studies have revealed the vulnerabili... 20115 The detection of intermediate mass black hol... 20116 We examine the possibility of a dark matter ... 20117 Modeling inverse dynamics is crucial for acc... 20118 New ternary MgNiMn intermetallics have been ... 20119 Recent advances in the field of network embe... 20120 This paper describes some applications of an... 20121 The question in this paper is whether RD eff... 20122 The global dynamics of event cascades are of... 20123 We revisit a classical scenario in communica... 20124 Motivated by contemporary and rich applicati... 20125 The main limitation that constrains the fast... 20126 We consider the Cauchy problem for the repul... 20127 The growing pressure on cloud application sc... 20128 level polytopes naturally appear in several ... 20129 Learning to learn has emerged as an importan... 20130 This paper aims at oneshot learning of deep ... 20131 The inverse problem of determining the unkno... 20132 Many engineering processes exist in the indu... 20133 We introduce a framework using Generative Ad... 20134 We propose and demonstrate a novel laser coo... 20135 We report on close stellar companions dete... 20136 We exploit a recently derived inversion sche... 20137 The effectiveness of a statistical machine t... 20138 In this short note we prove that if F is a w... 20139 Monte Carlo Tree Search MCTS has been extend... 20140 We propose a search of galactic axions with ... 20141 Datasets with significant proportions of noi... 20142 Adversarial examples have been shown to exis... 20143 We investigate two arithmetic functions natu... 20144 Lurking variables represent hidden informati... 20145 Fourier ptychographic microscopy FPM is a re... 20146 The primary goal of this paper is to recast ... 20147 Robotic assistants in a home environment are... 20148 Let n and k be natural numbers such that k ... 20149 We present a neural architecture that takes ... 20150 We classify the band degeneracies in D cryst... 20151 Deep Neural Networks DNNs are very popular t... 20152 We propose a new approach based on a local H... 20153 This paper is the second chapter of three of... 20154 The wellknown AxlerZheng theorem characteriz... 20155 This paper presents a simple approach to inc... 20156 We introduce a new method of statistical ana... 20157 We derive a closed formula for the determina... 20158 In this technical report we consider an appr... 20159 The maximal density of a measurable subset o... 20160 Mass segmentation provides effective morphol... 20161 A transitive model M of ZFC is called a grou... 20162 Wildland fire fighting is a hazardous job A ... 20163 High signaltonoise and highresolution light ... 20164 The SachdevYeKitaev SYK model is a concrete ... 20165 The Ward identities associated with spontane... 20166 We report on the growth of epitaxial SrRuO f... 20167 The antiprotontoproton ratio in the cosmicra... 20168 The precise localization of the repeating fa... 20169 Thicket density is a new measure of the comp... 20170 A gammangonal pair is a pair Sf where S is a... 20171 Online advertising is progressively moving t... 20172 The quantum nature of lightmatter interactio... 20173 The critical properties of the singlecrystal... 20174 We implement a scalefree version of the pivo... 20175 Mconvex functions which are a generalization... 20176 Bayesian matrix factorization BMF is a power... 20177 The successful deployment of safe and trustw... 20178 The XENONT experiment is the most recent sta... 20179 We argue that the standard graph Laplacian i... 20180 Public space utilization is crucial for urba... 20181 Two families of symplectic methods specially... 20182 The recent breakthroughs of deep reinforceme... 20183 In a Dirac nodal line semimetal the bulk con... 20184 Let n be a positive multiple of We establis... 20185 The process of designing neural architecture... 20186 Traditionally most complex intelligence arch... 20187 A central challenge in modern condensed matt... 20188 We consider the path planning problem for a ... 20189 Heterogeneous information networks HINs are ... 20190 Dynamical phase transitions are crucial feat... 20191 Due to their capability to reduce turbulent ... 20192 We predict a geometric quantum phase shift o... 20193 For wellgenerated complex reflection groups ... 20194 The magnetic properties of BaFeAs surface ha... 20195 We obtain an explicit error expansion for th... 20196 We combine Spitzer and groundbased KMTNet mi... 20197 This paper presents a class of new algorithm... 20198 The Atacama Large Millimetersubmilimeter Arr... 20199 Endowing robots with the capability of asses... 20200 Good parameter settings are crucial to achie... 20201 We study the critical behavior of a general ... 20202 An appearancebased robot selflocalization pr... 20203 We currently witness the emergence of intere... 20204 We propose a method to infer domainspecific ... 20205 Genomewide chromosome conformation capture t... 20206 It is proposed and substantiated that an ext... 20207 We show how to reverse a while language exte... 20208 Hubble Space Telescope photometry from the A... 20209 Phylogenetic networks are a generalization o... 20210 Gdeformability of maps into projective space... 20211 Atmospheric modeling of lowgravity VLG young... 20212 Ongoing innovations in recurrent neural netw... 20213 Separating audio mixtures into individual in... 20214 Let d be a positive integer and x a real num... 20215 Triggered star formation around HII regions ... 20216 The methodology of SoftwareDefined Robotics ... 20217 We consider a curved Sitnikov problem in whi... 20218 We define Hardy spaces HpOmegapm on halfstri... 20219 In recent years numerous vision and learning... 20220 The control task of tracking a reference poi... 20221 Computer programs do not always work as expe... 20222 A vector composition of a vector mathbfell i... 20223 This paper shows that a simple baseline base... 20224 Deep learning is having a profound impact in... 20225 We use publicly available data for the Mille... 20226 Support vector machines SVM and other kernel... 20227 This paper considers the problem of approxim... 20228 In this study we follow Grossmann and Lohse ... 20229 The renormalization method based on the Tayl... 20230 The numerical approximation of D elasticity ... 20231 In this paper we consider the problem of est... 20232 A polymer model given in terms of beads inte... 20233 Distributed learning is an effective way to ... 20234 Kriging or Gaussian Process Regression is ap... 20235 Over the past three years it has become evid... 20236 Deep learning is the stateoftheart in fields... 20237 The Alzheimers Disease Prediction Of Longitu... 20238 The acquisition of Magnetic Resonance Imagin... 20239 We present a stateoftheart endtoend Automati... 20240 This study focuses on the social structure a... 20241 It is wellknown that the HarishChandra trans... 20242 We consider the estimation of a signal from ... 20243 Memristors have recently received significan... 20244 We introduce a directed weighted random grap... 20245 In this letter we investigate the performanc... 20246 Migration the main process shaping patterns ... 20247 We establish the GrbnerShirshov bases theory... 20248 Conversion optimization means designing a we... 20249 This paper investigates the phenomenon of em... 20250 In many biological agricultural military act... 20251 We consider minimization problems in the cal... 20252 In this paper we extend the HermiteHadamard ... 20253 This paper provides several statistical esti... 20254 In this paper we compute the Epolynomials of... 20255 Modern computer architectures share physical... 20256 We show various supercongruences for truncat... 20257 Layer normalization is a recently introduced... 20258 Translating formulas of Linear Temporal Logi... 20259 This short note describes the benefit one ob... 20260 In this paper we introduce a new concept of ... 20261 The convolution properties are discussed for... 20262 Network densification and heterogenisation t... 20263 We investigate the integration of a planning... 20264 In this paper we propose a novel recurrent n... 20265 Our start point is a D piecewise smooth vect... 20266 Why is it difficult to refold a previously f... 20267 We discuss a general procedure to construct ... 20268 The Hawkes process is a class of point proce... 20269 Rapid deployment and operation are key requi... 20270 We present an analytical treatment of a thre... 20271 This document describes our submission to th... 20272 The number of component classifiers chosen f... 20273 Lowrank modeling has many important applicat... 20274 Inspired by the importance of diversity in b... 20275 Community detection is a commonly used techn... 20276 Electronic friction and the ensuing nonadiab... 20277 We explore the notion of the quantum auxilia... 20278 Recurrent neural networks with various types... 20279 Hydrogen bonding between nucleobases produce... 20280 This paper derives an upper limit on the den... 20281 Mobile edge caching enables content delivery... 20282 We develop an online learning method for pre... 20283 We study the mass imbalanced FermiFermi mixt... 20284 We establish concrete criteria for fully sup... 20285 While in standard photoacoustic imaging the ... 20286 Deep convolutional neural network CNN based ... 20287 In this paper we investigate the fundamental... 20288 We identify graphene layer on a disordered s... 20289 Many approaches for testing configurable sof... 20290 We propose a reinforcement learning RL based... 20291 We consider the parabolic AllenCahn equation... 20292 The longtail phenomenon tells us that there ... 20293 A realworld dataset is provided from a pulpa... 20294 An experimental setup for consecutive measur... 20295 In their recent book Merchants of Doubt New ... 20296 In this paper we deal with the wellknown non... 20297 In preprint we consider and compare differen... 20298 This paper investigates the computational co... 20299 The Hard Problem of consciousness has been d... 20300 We study the interplay between Steinberg alg... 20301 The Dirac equation for relativistic electron... 20302 Though Convolutional Neural Networks CNNs ha... 20303 We study the crossover between the sudden qu... 20304 We report strong interfacial exchange coupli... 20305 Softwaredriven cloud networking is a new par... 20306 PID control architectures are widely used in... 20307 The MinHashing approach to sketching has bec... 20308 Among other macroeconomic indicators the mon... 20309 Understanding the origin of unintentional do... 20310 Optic flow is two dimensional but no special... 20311 Neurons process information by transforming ... 20312 Cyclic data structures such as cyclic lists ... 20313 Highorder harmonic generation HHG from align... 20314 Here we report on a set of programs develope... 20315 Many computationallyefficient methods for Ba... 20316 The optical properties of a multilayer syste... 20317 Quadratic systems of equations appear in sev... 20318 In most illiquid markets there is no obvious... 20319 We propose a novel method for D object pose ... 20320 In human microbiome studies sequencing reads... 20321 Transition points mark qualitative changes i... 20322 We provide a hybrid method that captures the... 20323 Primarily motivated by the drug development ... 20324 In this paper we present the cosimulation of... 20325 Here in this paper it has been considered a ... 20326 This paper revisits the problem of optimal c... 20327 Schumann resonance transients which propagat... 20328 How do you learn to navigate an Unmanned Aer... 20329 Exploratory analysis over network data is of... 20330 As algorithms increasingly inform and influe... 20331 abridged In this paper we revisit the proble... 20332 In this paper we discuss some general proper... 20333 Quasiparticle excitations in FeSe were studi... 20334 This paper presents a model based on Deep Le... 20335 Janus type WaterSplitting Catalysts have att... 20336 A prevailing challenge in the biomedical and... 20337 This paper argues that a class of Riemannian... 20338 This work develops techniques for the sequen... 20339 We propose the klUCB algorithm for regret m... 20340 Ordinary differential operators with periodi... 20341 The set of all possible configurations of th... 20342 We study the cooperative optical coupling be... 20343 Measures of neuroelectric activity from each... 20344 We present accurate electrical resistivity m... 20345 One of the goals in scaling sequential machi... 20346 A triple array is a rectangular array contai... 20347 Learning algorithms for natural language pro... 20348 In axisymmetric fusion reactors the equilibr... 20349 We introduce a new sublinear space sketchthe... 20350 Weiyi Zhang noticed recently a gap in the pr... 20351 In this article we discuss the Mass Transfer... 20352 By twocolor photoassociation of Ca four weak... 20353 We provide criteria for the cyclotomic quive... 20354 We compare electronic structures of single F... 20355 Regularization techniques are widely employe... 20356 Network models are applied in numerous domai... 20357 Extrapolation methods use the last few itera... 20358 The motion of a massive particle in Rindler ... 20359 Approximate Markov chain Monte Carlo MCMC of... 20360 In search engines online marketplaces and ot... 20361 In the real world many complex systems inter... 20362 Previously the controllability problem of a ... 20363 We relate the counting of honeycomb dimer co... 20364 Programming by demonstration has recently ga... 20365 Aiming at financial applications we study th... 20366 Supervised learning based methods for source... 20367 A revolution in galaxy cluster science is on... 20368 Previous studies have shown that intermediat... 20369 Generative adversarial networks GANs are hig... 20370 We present and implement a nondestructive de... 20371 The only open case of Vizings conjecture tha... 20372 We present a study of the lowfrequency radio... 20373 It is known that the initialboundary value p... 20374 Wheeled ground robots are limited from explo... 20375 When studying flockingswarming behaviors in ... 20376 We are developing a system for humanrobot co... 20377 The recent turn towards quantitative textasd... 20378 We introduce a lattice gas implementation th... 20379 In the present paper we investigate the infl... 20380 Unconventional superconductivity or superflu... 20381 The problem of controlling the mean and the ... 20382 Big finegrained enterprise registration data... 20383 This paper presents a novel technique that a... 20384 Recurrent neural networks RNNs have been dra... 20385 We propose a visionbased method that localiz... 20386 We consider geometrical optimization problem... 20387 Time delay neural networks TDNNs are an effe... 20388 This paper proposes a new model for extracti... 20389 We view a neural network as a distributed sy... 20390 We consider a twonode tandem queueing networ... 20391 In this letter we present a new robotic harv... 20392 AMI observations towards CIZA J in compariso... 20393 In the orthognathic surgery dental splints a... 20394 Energytransport equations for the transport ... 20395 We report ab initio density functional calcu... 20396 Making sense of Wasserstein distances betwee... 20397 Xray emission associated to accretion onto c... 20398 We develop Riemannian Stein Variational Grad... 20399 Springantispring systems have been investiga... 20400 In the study of extensions of polytopes of c... 20401 Given a finite honest time we derive represe... 20402 In this paper we study the implications for ... 20403 Realworld networks are difficult to characte... 20404 Topological superfluid is an exotic state of... 20405 The process of liquidity provision in financ... 20406 This paper describes the design and implemen... 20407 The variational autoencoder VAE is a popular... 20408 Consider a sequence of real data points Xldo... 20409 The concept of stochastic configuration netw... 20410 Many database columns contain string or nume... 20411 We address the problem of multiclass classif... 20412 Travel time on a route varies substantially ... 20413 We study planted problemsfinding hidden stru... 20414 Polynomial chaos expansions PCE have seen wi... 20415 We currently harness technologies that could... 20416 We prove that the GromovWitten theory GWT of... 20417 We introduce the concept of numerical Gaussi... 20418 The quality of experience QoE is known to be... 20419 Deep learning is still not a very common too... 20420 Consider a stochastic process being controll... 20421 Discrminative trackers employ a classificati... 20422 Most of the JavaScript code deployed in the ... 20423 In the theory of the NavierStokes equations ... 20424 In this paper we make an important step towa... 20425 Why do large neural network generalize so we... 20426 We would like to learn latent representation... 20427 Deep convolutional neural networks CNNs can ... 20428 Mechanical oscillators are at the heart of m... 20429 IP networks became the most dominant type of... 20430 The dynamical systems found in Nature are ra... 20431 Uncertainty quantification is a critical mis... 20432 The emphOrbit Problem consists of determinin... 20433 The LargeAperture Experiment to Detect the D... 20434 Making sense of a dataset in an automatic an... 20435 With the widespread use of machine learning ... 20436 The balance held by Brownian motion between ... 20437 Working in the context of muabstract element... 20438 The Yangtze River has been subject to heavy ... 20439 Classical causal inference assumes a treatme... 20440 A reliable accurate and affordable positioni... 20441 We present several upper bounds for the heig... 20442 Shale gas plays an important role in reducin... 20443 This paper develops a novel methodology for ... 20444 By tracking the divergence of two initially ... 20445 As one of the most important semiconductors ... 20446 Humans are the ultimate ecosystem engineers ... 20447 This paper describes a simple yet novel syst... 20448 In this paper we give a closetosharp answer ... 20449 We study the interplay of spin and charge co... 20450 This paper is an introduction to the membran... 20451 We present a compilation of LEGO Technic par... 20452 The conjecture is formulated in an affine st... 20453 Recent experiments show no statistical impac... 20454 Let G be a reductive algebraic group over a ... 20455 We give a general method of extending unital... 20456 Convolution with Greens function of a differ... 20457 Manybody phenomena were always an integral p... 20458 When performing Bayesian data analysis using... 20459 With the increasing of electric vehicle EV a... 20460 Vulnerabilities in password managers are unr... 20461 This text is a survey on crossvalidation We ... 20462 Objective Using traditional approaches a Bra... 20463 The index coding problem has been generalize... 20464 We are concerned with the inverse scattering... 20465 Thermoelectric energy conversion the exploi... 20466 In this work we study the excitatory AMPA an... 20467 We use a coarse version of the fundamental g... 20468 We study the growth of degrees in many auton... 20469 A laser heterodyne polarimeter LHP designed ... 20470 The availability of big data recorded from m... 20471 The aim of this paper is to give an explicit... 20472 An algorithm for irreducible decomposition o... 20473 This note is a commentary on the modeltheore... 20474 In this work we ask the following question C... 20475 In the classical secretary problem one attem... 20476 This paper addresses challenges in flexibly ... 20477 By analyzing spinspin correlation functions ... 20478 The CUORE experiment a tonscale cryogenic bo... 20479 Recently the CauchyCarlitz number was define... 20480 Networks provide an informative yet nonredun... 20481 We present Synkhronos an extension to Theano... 20482 Cell division site positioning is precisely ... 20483 We consider a system of polynomials fldots f... 20484 Let G GLN over an algebraically closed fiel... 20485 Our work focuses on the problem of predictin... 20486 We propose a minority route choice game to i... 20487 Massive content about users social personal ... 20488 Networked system often relies on distributed... 20489 Catalytic swimmers have attracted much atten... 20490 We consider the Bogolubovde Gennes equations... 20491 Penalized likelihood methods are widely used... 20492 Machine learning is a field of computer scie... 20493 We use a deep learning model trained only on... 20494 We investigate the possibility of extending ... 20495 We propose a new variational Bayes estimator... 20496 Scene modeling is very crucial for robots th... 20497 In order to perform complex actions in human... 20498 We study numerically the entanglement entrop... 20499 Strongly interacting manybody systems consis... 20500 Casimir forces between material surfaces at ... 20501 Driven by the interest of reasoning about pr... 20502 In this paper we consider the development of... 20503 Localizationbased imaging has revolutionized... 20504 Within the standard model of manybody locali... 20505 Spectroscopic properties useful for plasma d... 20506 This paper presents the submissions by the U... 20507 We consider generalizations of the Sylvester... 20508 Viscoelasticity has been described since the... 20509 Adaptive optic AO systems delivering high le... 20510 The progress made in understanding spontaneo... 20511 Wireless engineers and business planners com... 20512 The scripting language described in this doc... 20513 We consider abstract evolution equations wit... 20514 Spectral properties of the turbulent cascade... 20515 The blind source separation model for multiv... 20516 We introduce the notion of a z r gmixed cage... 20517 A technique to levitate and measure the thre... 20518 Monero is a privacycentric cryptocurrency th... 20519 Face image quality can be defined as a measu... 20520 Networks which represent agents and interact... 20521 The pairing symmetry of the newly proposed c... 20522 The search for flatband solidstate realizati... 20523 A deep neural network is a hierarchical nonl... 20524 We identify and describe the main dynamic re... 20525 We survey different classification results f... 20526 Since introduction A Knyazev Toward the opti... 20527 We compare a large suite of theoretical cosm... 20528 The work is devoted to the variety of dimens... 20529 We present a Bayesian object observation mod... 20530 We investigate the generation of optical fre... 20531 Physical media like surveillance cameras and... 20532 A physical model of a threedimensional flow ... 20533 Localization of anatomical structures is a p... 20534 Let Xdmu be a doubling metric measure space ... 20535 The last decade was remarkable for neutrino ... 20536 We study several variants of qGarnier system... 20537 We investigate in the Luttinger model with f... 20538 The cosmological relaxation of the electrowe... 20539 In solving hard computational problems semid... 20540 Magnetically tunable Feshbach resonances in ... 20541 In Compressed Sensing a realvalued sparse ve... 20542 Momentum methods such as Polyaks heavy ball ... 20543 The recovery of approximately sparse or comp... 20544 Despite recent advances memoryaugmented deep... 20545 The crystallographic stacking order in multi... 20546 We study a variational GinzburgLandau type m... 20547 We present a multimodal nonlinear optical NL... 20548 In the discovery of a new type of uniform r... 20549 Leibniz algebras are certain generalization ... 20550 Reconstruction of skilled humans sensation a... 20551 Let X TX be a compact connected orientable C... 20552 In the present work we explore resistive cir... 20553 We have developed a computational code DynaP... 20554 The change detection problem is to determine... 20555 Context Poor usability of cryptographic APIs... 20556 Building dialog agents that can converse nat... 20557 We propose an alternative framework to exist... 20558 This paper presents a statistical method of ... 20559 Understanding the global optimality in deep ... 20560 Concepts and tools from network theory the s... 20561 In this paper by maximum principle and cutof... 20562 In this paper we extend the improved pointwi... 20563 This paper presents a novel deep learningbas... 20564 We study the following nonlocal diffusion eq... 20565 Fast and efficient motion planning algorithm... 20566 With the ever increasing size of web relevan... 20567 This paper fills a gap in aspectbased sentim... 20568 Let X mathscrL lambda and Y mathscrM mu be f... 20569 Partial differential equations with random i... 20570 Music relies heavily on repetition to build ... 20571 Massive multipleinput multipleoutput MMIMO t... 20572 A split feasibility formulation for the inve... 20573 In this paper we study the superalgebra An i... 20574 We investigate preference profiles for a set... 20575 This review is based on lectures given at th... 20576 Using the representation theory of Cherednik... 20577 We show that the Khovanov complex of a ratio... 20578 We study how shocks to the forwardlooking ex... 20579 This work presents a novel framework based o... 20580 Slimness of a graph measures the local devia... 20581 Despite their immense popularity deep learni... 20582 We present an Olog kcompetitive randomized a... 20583 We present a general framework for studying ... 20584 Sharing of statistical strength is a phrase ... 20585 This paper uses model symmetries in the inst... 20586 In this paper we use the classical electrody... 20587 Assume that we observe a sample of size n co... 20588 Pulsedlaser dry printing of noblemetal micro... 20589 Increasing amounts of data from varied sourc... 20590 This paper proposes a distributed consensus ... 20591 A secure and private framework for interagen... 20592 Under covariate shift training source data a... 20593 While enormous progress has been made to Var... 20594 We demonsrtate electrical spin injection and... 20595 We present an algorithm for rapidly learning... 20596 SCADA protocols for Industrial Control Syste... 20597 Despite their significant functional roles b... 20598 We propose a natural relaxation of different... 20599 In this paper we propose a quality enhanceme... 20600 The main result of this paper is a discrete ... 20601 Networks are fundamental models for data use... 20602 By combining analytic and geometric viewpoin... 20603 Realization of a short bunch beam by manipul... 20604 We create fermionic dipolar NaLi molecules i... 20605 Let sigma be arclength measure on Ssubset ma... 20606 We consider the diffusion of new products in... 20607 While there has been substantial progress in... 20608 A quantum computer QC can solve many computa... 20609 Recurrence networks are powerful tools used ... 20610 As Ocean General Circulation Models OGCMs mo... 20611 While accelerators such as GPUs have limited... 20612 Understanding the relationship between the s... 20613 We study stochastic multiarmed bandits with ... 20614 Highresolution noninvasive D study of intact... 20615 There are a number of articles which deal wi... 20616 We present a class of simple algorithms that... 20617 In an increasingly polarized world demagogue... 20618 We study the semidiscrete directed polymer m... 20619 In this paper we introduce the use of a pers... 20620 The paper provides results for a nonstandard... 20621 Unsupervised learning techniques in computer... 20622 In this work we explore the problems of dete... 20623 The latent feature relational model LFRM is ... 20624 The ancient mindbody problem continues to be... 20625 We investigate the dependence of transmissio... 20626 Standard interpolation techniques are implic... 20627 This is an elementary introduction to infini... 20628 Repair mechanisms are important within resil... 20629 Every real is computable from a MartinLoef r... 20630 This paper proposes the use of subspace trac... 20631 We consider a particle dressed with boundary... 20632 We study the behavior of exponential random ... 20633 Proofcarryingcode was proposed as a solution... 20634 Until now little was known about properties ... 20635 We investigate the problem of guessing a dis... 20636 In this paper the methods of forming a trave... 20637 In this paper we consider two rainfallrunoff... 20638 Classification of imbalanced datasets is a c... 20639 We consider the problems of liveness verific... 20640 Inference over tails is performed by applyin... 20641 The Soil Moisture Active Passive SMAP missio... 20642 It has been discovered previously that the t... 20643 We propose a new model for unsupervised docu... 20644 The purpose of this work is to construct a m... 20645 We consider the inverse problem of parameter... 20646 Hyperuniform disordered photonic materials H... 20647 Scientific explanation often requires inferr... 20648 Crosslingual representations of words enable... 20649 A lattice is the integer span of some linear... 20650 This research was to design a GHz class E P... 20651 The study of DenseSubhypergraph problem was ... 20652 A literature survey on ontologies concerning... 20653 Logicbased event recognition systems infer o... 20654 Graph isomorphism is an important computer s... 20655 Effect modification occurs when the effect o... 20656 A growing body of research focuses on comput... 20657 Recent work has shown that stateoftheart mod... 20658 Exploiting the wealth of imaging and nonimag... 20659 An independence system with respect to the u... 20660 We consider theoretically ultracold interact... 20661 An overview of research on laserplasma based... 20662 In this paper we consider estimators for an ... 20663 The van der Waals heterostructures of allotr... 20664 We provide a surprising answer to a question... 20665 Scattering of obliquely incident electromagn... 20666 This paper describes two supervised baseline... 20667 This paper is concerned with a linear quadra... 20668 Let XxiiinmathbbZ dotsxixixidots be a\nsampl... 20669 The mean objective cost of uncertainty MOCU ... 20670 Artificial neural networks are a popular and... 20671 Curating labeled training data has become th... 20672 In many applications of classifier learning ... 20673 Today we have to deal with many data Big dat... 20674 We consider a repeated newsvendor problem wh... 20675 Social networking sites such as Twitter have... 20676 We study the class of rings R with the prope... 20677 Effective riverine flood forecasting at scal... 20678 We consider the frequency domain form of pro... 20679 When stochastic dominance FleqstG does not h... 20680 An electron lens can serve as an effective m... 20681 We search for sterile neutrinos in the holog... 20682 In this work we present a parallel fullydist... 20683 To improve system performance modern operati... 20684 The interaction between proteins and DNA is ... 20685 This paper presents KeypointNet an endtoend ... 20686 A general theoretical framework is derived f... 20687 This paper presents a systematic approach fo... 20688 Atomically thin PtSe films have attracted ex... 20689 We present NAVRENRL an approach to NAVigate ... 20690 Digital image correlation DIC is a widely us... 20691 The classical idea of evolutionarily stable ... 20692 Measurements of the highfrequency complex re... 20693 This paper presents an empirical study on ap... 20694 In this letter we present a measurement of t... 20695 The E root lattice can be constructed from t... 20696 We present convergence rate analysis for the... 20697 We give a description of complex geodesics a... 20698 Recent advances in bioinformatics have made ... 20699 This article illustrates how to measure the ... 20700 Planetesimals may form from the gravitationa... 20701 A covering system of the integers is a finit... 20702 Asymptotic Safety based on a nonGaussian fix... 20703 Future predictions on sequence data eg video... 20704 This paper presents a modular inpipeline cli... 20705 This paper presents a learningbased approach... 20706 In this work decay estimates are derived for... 20707 A simple and selfconsistent approach has bee... 20708 Superconducting linacs are capable of produc... 20709 This paper introduces the concept of sizeawa... 20710 To explain the unusual richness and compactn... 20711 The current work is done to see which artery... 20712 The last decade has witnessed an increase of... 20713 In order to understand the physical hysteres... 20714 Finding the reduceddimensional structure is ... 20715 Twosample summarydata Mendelian randomizatio... 20716 This paper contains two parts the descriptio... 20717 Recently Riemannian Gaussian distributions w... 20718 Power flow in a low voltage direct current g... 20719 We prove adjoint bilinear restriction estima... 20720 This note presents an algebraic theory of in... 20721 How can we find patterns and anomalies in a ... 20722 Planning problems in partially observable en... 20723 A message passing algorithm is derived for r... 20724 We explore the Borel complexity of some basi... 20725 Capable of significantly reducing cell size ... 20726 The information carrier of modern technologi... 20727 In the typical framework for boolean games B... 20728 Let X be a connected open Riemann surface Le... 20729 Unidirectional control of optically induced ... 20730 This paper proposes a novel deep reinforceme... 20731 Generalized Linear Bandits GLBs a natural ex... 20732 The pressure dependence of the structural ma... 20733 This paper describes Luminosos participation... 20734 We determine the symmetrized topological com... 20735 We introduce intertwining operators among tw... 20736 The everincreasing architectural complexity ... 20737 Cooperative behavior in real social dilemmas... 20738 Binary random compacts with different propor... 20739 Many realworld networks known as attributed ... 20740 We compute the maximal halfspace depth for a... 20741 This letter is about a principal weakness of... 20742 Many of the current scientific advances in t... 20743 Capabilities of detecting temporal relations... 20744 We study the central problem in data privacy... 20745 We point out that there is a simple variant ... 20746 We derive integrable equations starting from... 20747 Molecular dynamics is based on solving Newto... 20748 Contamination of covariates by measurement e... 20749 We consider the process widehatLambdanLambda... 20750 This paper studies the approximate and null ... 20751 In this work we study two families of codes ... 20752 We present a CO mosaic map of the spiral gal... 20753 We have obtained lowresolution optical micr... 20754 The Blackbird unmanned aerial vehicle UAV da... 20755 Motivation Cellular Electron CryoTomography ... 20756 This article focuses on a quasilinear wave e... 20757 Given a discrete group GammagldotsgM and a n... 20758 We consider the task of collaborative prefer... 20759 For the emerging Internet of Things IoT one ... 20760 We study the multiarmed bandit problem where... 20761 The physical properties of an intermetallic ... 20762 Based on the results of the second author we... 20763 Spectral clustering and Singular Value Decom... 20764 Solving linear programs by using entropic pe... 20765 Network latencies have become increasingly i... 20766 Accurate diagnosis of psychiatric disorders ... 20767 An accurate model of patientspecific kidney ... 20768 We introduce a framework for the modeling of... 20769 We develop efficient algorithms for estimati... 20770 We present data streaming algorithms for the... 20771 We consider capillary condensation transitio... 20772 The Melan equation for suspension bridges is... 20773 Optimal path planning problems for rigid and... 20774 We give a sufficient condition for a Verdier... 20775 A sum where each of the N summands can be in... 20776 Detecting activities in untrimmed videos is ... 20777 Principal component analysis continues to be... 20778 Nonlinear systems whose outputs are not dire... 20779 In this work we present a novel strategy for... 20780 This paper studies effective separability fo... 20781 Most of existing image denoising methods lea... 20782 MAC address randomization is a privacy techn... 20783 In this paper we proposed an procedure to co... 20784 In this note we investigate the representati... 20785 Fitting linear regression models can be comp... 20786 We consider linear groups which do not conta... 20787 The discrete Laplace operator is ubiquitous ... 20788 In this paper we develop a class of decentra... 20789 Today digital sources supply an unprecedente... 20790 Gaussian processes GPs are important models ... 20791 Most stateoftheart text detection methods ar... 20792 The aim of this paper is to introduce and st... 20793 Robot awareness of human actions is an essen... 20794 We obtain some necessary and sufficient cond... 20795 Many methods for automated software test gen... 20796 It is expected that progress toward true art... 20797 Recently it has been claimed that inflationa... 20798 Regularization for matrix factorization MF a... 20799 A temporal graph is a data structure consist... 20800 Orbifold equivalence is a notion of symmetry... 20801 The standard contentbased attention mechanis... 20802 The local multiplicities of the Maxwell sets... 20803 The growing field of largescale time domain ... 20804 Motivations Shortread accuracy is important ... 20805 Patient pain can be detected highly reliably... 20806 Tracking humans that are interacting with th... 20807 We introduce an affine generalization of cou... 20808 In this paper we characterize several lower ... 20809 We consider row sequences of vector valued P... 20810 In this work we present a novel background s... 20811 In this paper we establish a second main the... 20812 We prove that for any partially hyperbolic d... 20813 Speech enhancement SE aims to reduce noise i... 20814 We reexamine interactions between the dark s... 20815 Existing zeroshot learning ZSL models typica... 20816 We methodologically address the problem of Q... 20817 With the analysis of noiseinduced synchroniz... 20818 We establish that matterwave interference at... 20819 Recent works have shown that synthetic paral... 20820 We propose an automatic method to infer high... 20821 We prove that the negative infinitesimal gen... 20822 We present a three player Bayesian game for ... 20823 Most recent work on interpretability of comp... 20824 Deep learning DL creates impactful advances ... 20825 We derive macroscopic dynamics for selfprope... 20826 The spin Hall effect SHE is found to be stro... 20827 By considering nests on a given space we exp... 20828 We introduce differential characters of Drin... 20829 A strong submeasure on a compact metric spac... 20830 Professional baseball players are increasing... 20831 When deriving a master equation for a multip... 20832 This work presents a method for contact stat... 20833 Recent literature in the robotics community ... 20834 Evaluation complexity for convexly constrain... 20835 In this paper we prove some one level densit... 20836 Existing approaches to online convex optimiz... 20837 Causal discovery from empirical data is a fu... 20838 We investigate the Fredholm alternative for ... 20839 Precipitation hardening which relies on a hi... 20840 Multiband phase variations in principle allo... 20841 We introduce a new algorithm called CDER for... 20842 Integrable optics is an innovation in partic... 20843 We propose an empirical estimator of the pre... 20844 Learned boundary maps are known to outperfor... 20845 MAGIC Major Atmospheric Gamma Imaging Cheren... 20846 Predicate encryption is a new paradigm of pu... 20847 Galaxy clustering on small scales is signifi... 20848 We consider the hypothesis that dark matter ... 20849 The demand on mobile electronics to continue... 20850 We simplify the construction of projection c... 20851 Designing software systems for Geometric Com... 20852 In the planted partition problem the n verti... 20853 Business Architecture BA plays a significant... 20854 The lack of interpretability remains a key b... 20855 Probability modelling for DNA sequence evolu... 20856 We consider the problem of robust inference ... 20857 Convolutional Neural Networks CNN and the lo... 20858 This paper presents new results on predictio... 20859 Population control policies are proposed and... 20860 The Neutralized Drift Compression Experiment... 20861 Many structured prediction problems particul... 20862 Quantitative methods are more familiar to mo... 20863 We define a right CartanEilenberg structure ... 20864 Quantum computing for machine learning attra... 20865 This paper provides a new similarity detecti... 20866 These are reminiscences of my interactions w... 20867 We demonstrate siteresolved imaging of a str... 20868 We develop a unified continuum modeling fram... 20869 Fast timing capability in Xray observation o... 20870 In this article we use lambdasequences to de... 20871 Nested weighted automata NWA present a robus... 20872 We study the regularity of the solutions of ... 20873 A FourierChebyshev spectral method is propos... 20874 Many biological and cognitive systems do not... 20875 The present paper is a companion to the pape... 20876 We propose a dynamic edge exchangeable netwo... 20877 Motivated by advantages of currentmode desig... 20878 We obtain a new bound for incomplete Gauss s... 20879 Functional Magnetic Resonance Imaging is a n... 20880 The layered cuprate BiCuO is investigated us... 20881 In this paper we study Landau damping in the... 20882 Deep learning has revolutionised many fields... 20883 We prove that the generating function of ove... 20884 We study the decentralized machine learning ... 20885 We prove existence and uniqueness of strong ... 20886 We propose and evaluate new techniques for c... 20887 Sparse subspace clustering SSC is one of the... 20888 Health related social media mining is a valu... 20889 Recently efforts have been made to improve p... 20890 A fundamental question in language learning ... 20891 We present a form of Schwarzs lemma for holo... 20892 In this paper we focus on the COMtype negati... 20893 Most contextual bandit algorithms minimize r... 20894 The search engine is tightly coupled with so... 20895 We consider the task of semantic robotic gra... 20896 For any group G and any set A a cellular aut... 20897 We present a simplified treatment of stabili... 20898 Existing shape estimation methods for deform... 20899 In recent years reinforcement learning RL me... 20900 In this paper we demonstrate how genetic alg... 20901 We derive a lower bound on the location of g... 20902 This paper presents the InScript corpus Narr... 20903 alphaBEDTTTFI is a prominent example of char... 20904 Photometric stereo is a method for estimatin... 20905 We present a micro aerial vehicle MAV system... 20906 The high efficiency of charge generation wit... 20907 We construct a oneparameter family of Laplac... 20908 Learning the model parameters of a multiobje... 20909 Given an elliptic curve E over a finite fiel... 20910 Missing data recovery is an important and ye... 20911 Microscopic artificial swimmers have recentl... 20912 We show that on bounded Lipschitz pseudoconv... 20913 Purpose To provide a fast computational meth... 20914 This work details the development of a three... 20915 This paper studies optimal communication and... 20916 We study a quadruple of interrelated subexpo... 20917 Nowadays modern earth observation programs p... 20918 We define and address the problem of unsuper... 20919 In the light of the recently proposed scenar... 20920 As part of autonomous car driving systems se... 20921 We provide a pair of dual results each stati... 20922 We prove the existence of a solution to the ... 20923 Unification and generalization are operation... 20924 This paper addresses the question of how a p... 20925 Risk diversification is one of the dominant ... 20926 Todays telecommunication networks have becom... 20927 The management of longlived radionuclides in... 20928 There are two natural simplicial complexes a... 20929 Due to their simplicity and excellent perfor... 20930 We consider the inverse problem of recoverin... 20931 Our ability to model the shapes and strength... 20932 Background Several studies have used phyloge... 20933 The aim of this paper is to generalize the n... 20934 This paper shows a statistical analysis of ... 20935 This work investigates the macroscopic therm... 20936 We analyze the definitions of generalized qu... 20937 In this paper we consider the problem of pre... 20938 Can textual data be compressed intelligently... 20939 Detection of proteinprotein interactions PPI... 20940 The Coupon Collectors Problem is one of the ... 20941 We study accretion driven turbulence for dif... 20942 Outlier detection plays an essential role in... 20943 A citys critical infrastructure such as gas ... 20944 Over the years Twitter has become one of the... 20945 A finitely presented ended group G has it se... 20946 This paper addresses the problem of output v... 20947 In this paper we study quantum query complex... 20948 Overset methods are commonly employed to ena... 20949 In this paper we survey the various implemen... 20950 Playing a Parrondos game with a qutrit is th... 20951 We analyse multimodal timeseries data corres... 20952 The key idea of variational autoencoders VAE... 20953 In Jackson and Martin proved that a strong ... 20954 The performance of deep learning in natural ... 20955 This article presents the novel breakthrough... 20956 Ambiguities in the definition of stored ener... 20957 We construct Hall algebra of elliptic curve ... 20958 Queueing networks are systems of theoretical... 20959 Using a largescale Deep Learning approach ap... 20960 In this paper we propose a new algorithm bas... 20961 We present numerical evidence that most twod... 20962 Features and applications of quasispherical ... 20963 Inference amortization methods share informa... 20964 We study the US Operations ResearchIndustria... 20965 An aggregate data metaanalysis is a statisti... 20966 Large interdatacenter transfers are crucial ... 20967 Machine learning is finding increasingly bro... 20968 Polycrystalline diamond coatings have been g... 20969 We present a new approach for identifying si... 20970 The sum of Lognormal variates is encountered... 20971 Recently optional stopping has been a subjec... Name: ABSTRACT, dtype: object
Apply function to convert to lower case¶
data['ABSTRACT'] = data['ABSTRACT'].apply(to_lowercase)
data['ABSTRACT']
0 predictive models allow subjectspecific infe... 1 rotation invariance and translation invarian... 2 we introduce and develop the notion of spher... 3 the stochastic landaulifshitzgilbert llg equ... 4 fouriertransform infrared ftir spectra of sa... 5 let omega subset mathbbrn be a bounded domai... 6 we observed the newly discovered hyperbolic ... 7 the ability of metallic nanoparticles to sup... 8 we model largescale approxkm impacts on a ma... 9 time varying susceptibility of host at indiv... 10 we present a systematic global sensitivity a... 11 three is a crowd is an old proverb that appl... 12 we study the exciton magnetic polaron emp fo... 13 the classical eilenberg correspondence based... 14 using lowtemperature magnetic force microsco... 15 the recent discovery that the exponent of ma... 16 the process that leads to the formation of t... 17 we describe a variant construction of the un... 18 when investigators seek to estimate causal e... 19 assigning homogeneous boundary conditions su... 20 the impact of random fluctuations on the dyn... 21 rare regions with weak disorder griffiths re... 22 the fault detection and isolation tools fdit... 23 detectability of discrete event systems dess... 24 let x be a partially ordered set with the pr... 25 efficient methods are proposed for computing... 26 we present a novel sound localization algori... 27 in this paper we introduce the notion of zet... 28 we consider the problem of estimating the l ... 29 we investigate the density large deviation f... 30 large deep neural networks are powerful but ... 31 in brakke introduced the mean curvature flo... 32 with recent advancements in drone technology... 33 electronic health records ehr contain a larg... 34 artificial neural network computation relies... 35 in this work we establish a full singlelette... 36 this work discusses the numerical approximat... 37 there are many webbased visualization system... 38 we present an investigation of the supernova... 39 previous approaches to training syntaxbased ... 40 meanfield variational bayes mfvb is an appro... 41 in this paper we empirically study models fo... 42 ballistic point contact bpc with zigzag edge... 43 sparse superposition ss codes were originall... 44 when developing general purpose robots the o... 45 we propose an approach to estimate d human p... 46 we extend the work of fouvry kowalski and mi... 47 nonclassical states of a quantized light are... 48 following the recent progress in image class... 49 real time large scale streaming data pose ma... 50 machine learning algorithms such as linear r... 51 we consider multitime correlators for output... 52 constraint handling rules is an effective co... 53 many people are suffering from voice disorde... 54 computing a basis for the exponent lattice o... 55 investigating the emergence of a particular ... 56 stimuliresponsive materials that modify thei... 57 todays landscape of robotics is dominated by... 58 machine learning models especially based on ... 59 we study the query complexity of cake cuttin... 60 this paper studies the emotion recognition f... 61 we consider previous models of timed probabi... 62 we present muon spin rotation measurements o... 63 here we reveal details of the interaction be... 64 we report on experimentally measured light s... 65 we describe a novel weakly supervised deep l... 66 we establish the c regularity of quasipsh en... 67 let m be a complex manifold of dimension n w... 68 reinforcement learning methods require caref... 69 in this paper we are interested in the class... 70 we propose a new multivariate dependency mea... 71 the pyrochlore metal cdreo has been recently... 72 in evolutionary biology the speciation histo... 73 subject of research is complex networks and ... 74 we study the effect of domain growth on the ... 75 this paper discusses minimum distance estima... 76 mobile edge clouds mecs bring the benefits o... 77 analog blackwhite hole pairs consisting of a... 78 let k be a function field over a finite fiel... 79 we study the evolution of spinorbital correl... 80 for autonomous agents to successfully operat... 81 endtoend approaches have drawn much attentio... 82 elasticity is a cloud property that enables ... 83 this is an exposition of homotopical results... 84 answer set programming asp is a wellestablis... 85 the advances in geometric approaches to opti... 86 we investigate crack propagation in a simple... 87 the fundamental group pi of a kodaira fibrat... 88 transistors incorporating singlewall carbon ... 89 this paper derives two new optimizationdrive... 90 yes but only for a parameter value that make... 91 the interest in the extracellular vesicles e... 92 the processes of the averaged regression qua... 93 we study primordial perturbations from hyper... 94 vanadium pentoxide vo the most stable member... 95 in this paper we presented a novel convoluti... 96 a variety of representation learning approac... 97 motivated by perelmans pseudo locality theor... 98 we bound an exponential sum that appears in ... 99 we investigate the effect of dimensional cro... 100 humans can learn in a continuous manner old ... 101 in this paper we study the generalized polyn... 102 over the last decade wireless networks have ... 103 we report on a combined study of the de haas... 104 atar chowdhary and dupuis have recently exhi... 105 bilayer van der waals vdw heterostructures s... 106 we construct the algebraic cobordism theory ... 107 people with profound motor deficits could pe... 108 object detection in wide area motion imagery... 109 monte carlo tree search mcts most famously u... 110 we study the fermiedge singularity describin... 111 retrosynthesis is a technique to plan the ch... 112 the class of stochastically selfsimilar sets... 113 we report on the influence of spinorbit coup... 114 in this work we examine how the updates addr... 115 gene regulatory networks are powerful abstra... 116 glaucoma is the second leading cause of blin... 117 the life of the modern world essentially dep... 118 this paper considers the actorcritic context... 119 in kolmogorov constructed a general theory ... 120 recently a new fault tolerant and simple mec... 121 this work presents a new method to quantify ... 122 the first transiting planetesimal orbiting a... 123 in this review article we discuss recent stu... 124 stackingbased deep neural network sdnn in ge... 125 in spite of andersons theorem disorder is kn... 126 we investigate beam loading and emittance pr... 127 in this paper we propose a practical receive... 128 according to astrophysical observations valu... 129 dynamic languages often employ reflection pr... 130 reductions for transition systems have been ... 131 poyntings theorem is used to obtain an expre... 132 let m be a compact riemannian manifold and l... 133 we examine the representation of numbers as ... 134 regression for spatially dependent outcomes ... 135 one of the most important parameters in iono... 136 for the particles undergoing the anomalous d... 137 stabilizing the magnetic signal of single ad... 138 we study a minimal model for the growth of a... 139 electronic health records ehr are data gener... 140 mission critical data dissemination in massi... 141 we develope a twospecies exclusion process w... 142 we introduce a large class of random young d... 143 we explicitly compute the critical exponents... 144 we obtain a bernsteintype inequality for sum... 145 the temperaturedependent evolution of the ko... 146 hegarty conjectured for nneq that mathbb... 147 an immersion f mathcal d rightarrow mathcal... 148 resolving the relationship between biodivers... 149 the principle of democracy is that the peopl... 150 with the increasing commoditization of compu... 151 we rework and generalize equivariant infinit... 152 we prove that any open subset u of a semisim... 153 we show that nonlocal minimal cones which ar... 154 let fldotsfk mathbbn rightarrow mathbbc be ... 155 the apparent gas permeability of the porous ... 156 in previous papers threshold probabilities f... 157 runtime enforcement can be effectively used ... 158 the atomic norm provides a generalization of... 159 we study the problem of causal structure lea... 160 we present a novel datadriven nested optimiz... 161 we explore the topological properties of qua... 162 most of the codes that have an algebraic dec... 163 motivated by the study of nishinounoharaueda... 164 ensemble data assimilation methods such as t... 165 in this paper we consider the tensor robust ... 166 galaxies in the local universe are known to ... 167 we introduce a minimal model for the evoluti... 168 the handwritten string recognition is still ... 169 we note that the necessary and sufficient co... 170 these lectures notes were written for a summ... 171 it has been shown recently that changing the... 172 to identify the estimand in missing data pro... 173 in this paper we provide an analysis of self... 174 understanding smart grid cyber attacks is ke... 175 we propose a family of nearmetrics based on ... 176 recommender system is an important component... 177 this paper describes the stockholm universit... 178 neuroscientists classify neurons into differ... 179 the extremely low efficiency is regarded as ... 180 a numerical method for particleladen fluids ... 181 we construct a schwingerkeldysh effective fi... 182 observables have a dual nature in both class... 183 let mg be a smooth compact riemannian manifo... 184 random feature maps are ubiquitous in modern... 185 the calculation of minimum energy paths for ... 186 social media has changed the ways of communi... 187 let enfalphabetagamma denote the error of be... 188 due to the increasing dependency of critical... 189 we implement an efficient numerical method t... 190 bulk and surface electronic structures calcu... 191 it is often recommended that identifiers for... 192 deep learning methods have achieved high per... 193 we propose a lineartime singlepass topdown a... 194 in this paper we consider a hamiltonian syst... 195 we relate the concepts used in decentralized... 196 timevarying network topologies can deeply in... 197 a longstanding obstacle to progress in deep ... 198 we study the band structure topology and eng... 199 boundary value problems for sturmliouville o... 200 the topological morphologyorder of zeros at ... 201 the purpose of this paper is to formulate an... 202 this paper considers the problem of autonomo... 203 this study explores the validity of chain ef... 204 developing neural network image classificati... 205 we propose a new multiframe method for effic... 206 let k be an algebraically closed field of po... 207 we present the mixed galerkin discretization... 208 the regularity of earthquakes their destruct... 209 in this paper we prove some difference analo... 210 largescale datasets have played a significan... 211 observational data collected during experime... 212 for a knot k in a homology sphere sigma let ... 213 sparse feature selection is necessary when w... 214 in this letter we consider the joint power a... 215 a rosat survey of the alpha per open cluster... 216 realistic music generation is a challenging ... 217 young asteroid families are unique sources o... 218 we provide a graph formula which describes a... 219 tomography has made a radical impact on dive... 220 generative adversarial networks gans excel a... 221 based on optical highresolution spectra obta... 222 inferring directional connectivity from poin... 223 support vector machines svms are an importan... 224 estimating vaccination uptake is an integral... 225 we show that every invertible strong mixing ... 226 development of a mesoscale neural circuitry ... 227 the system that we study in this paper conta... 228 in this paper we present a novel methodology... 229 as a measure for the centrality of a point i... 230 when a twodimensional electron gas is expose... 231 in many applications involving large dataset... 232 in the work of peng et al in a new measure ... 233 categories of polymorphic lenses in computer... 234 we present an efficient algorithm to compute... 235 we give a new example of an automata group o... 236 the crossover from bardeencooperschrieffer b... 237 model compression is essential for serving l... 238 nm thick sio layers grown on si substrates ... 239 corrosion of indian rafms reduced activation... 240 this paper presents an overview and discussi... 241 for the problem of nonparametric detection o... 242 metabolic flux balance analyses are a standa... 243 we introduce a robust estimator of the locat... 244 in glass forming liquids close to the glass ... 245 we propose a new pareto local search algorit... 246 we identify the components of bioinspired ar... 247 in the present work we study bayesian nonpar... 248 we will show that qqdots qm is a polynomial ... 249 in this paper we develop a position estimati... 250 we study the decomposition of a multivariate... 251 linear timeperiodic ltp dynamical systems fr... 252 broad efforts are underway to capture metada... 253 recently digital music libraries have been d... 254 one key requirement for effective supply cha... 255 we propose a deformable generator model to d... 256 the gaussian kernel is a very popular kernel... 257 security privacy and fairness have become cr... 258 the difficulty of modeling energy consumptio... 259 this paper studies a recently proposed conti... 260 when the brain receives input from multiple ... 261 a common problem in largescale data analysis... 262 the unusually high surface tension of room t... 263 hamiltonian monte carlo hmc is a powerful ma... 264 we present a new method for the automated sy... 265 in the present paper we consider numerical m... 266 this paper reinvestigates the estimation of ... 267 we experimentally confirmed the threshold be... 268 the paper proposes an expanded version of th... 269 in processing human produced text using natu... 270 the asymptotic variance of the maximum likel... 271 fully automating machine learning pipelines ... 272 we provide a comprehensive study of the conv... 273 magnetic particle imaging mpi is a novel ima... 274 draft of textbook chapter on neural machine ... 275 let d be a bounded domain d in mathbb rn wi... 276 the novel unseen classes can be formulated a... 277 in this paper we study the performance of tw... 278 in recent years the proliferation of online ... 279 deep convolutional neural networks cnns have... 280 the task of calibration is to retrospectivel... 281 cyclotron resonant scattering features crsfs... 282 this paper is devoted to the study of the co... 283 we present a unified categorical treatment o... 284 recent advances in stochastic gradient techn... 285 we study the problems related to the estimat... 286 training a neural network using backpropagat... 287 we study a diagrammatic categorification the... 288 recently we have predicted that the modulati... 289 a threedimensional spin current solver based... 290 this paper aims to explore models based on t... 291 immiscible fluids flowing at high capillary ... 292 quantum charge pumping phenomenon connects b... 293 heart disease is the leading cause of death ... 294 the theory of integral quadratic constraints... 295 foreshock transients upstream of earths bow ... 296 the quantum speed limit qsl or the energytim... 297 this paper mainly discusses the diffusion on... 298 this paper proposes a nonparallel manytomany... 299 informed by les data and resolvent analysis ... 300 one of the popular approaches for lowrank te... 301 nous tentons dans cet article de proposer un... 302 xray computed tomography ct using sparse pro... 303 a singular or hermann foliation on a smooth ... 304 the weyl semimetal phase is a recently disco... 305 a sequence of pathological changes takes pla... 306 this work bridges the technical concepts und... 307 fragility curves are commonly used in civil ... 308 we consider continuoustime markov chains whi... 309 we construct embedded minimal surfaces which... 310 we report the discovery of three small trans... 311 we define a family of quantum invariants of ... 312 we propose sparse neural network architectur... 313 computer vision has made remarkable progress... 314 a numerical analysis of heat conduction thro... 315 this paper provides short proofs of two fund... 316 nefarious actors on social media and other p... 317 recent advances in adversarial deep learning... 318 users form information trails as they browse... 319 we analyze two novel randomized variants of ... 320 in this paper we prove a mean value formula ... 321 in this work we investigate the value of unc... 322 superconductorferromagnet sf heterostructure... 323 we present the first general purpose framewo... 324 longterm load forecasting plays a vital role... 325 many empirical studies document power law be... 326 in topological quantum computing information... 327 defveccboldsymbol we design a polynomial ti... 328 selfsupervised learning ssl is a reliable le... 329 deep reinforcement learning on atari games m... 330 we consider the problem of isotonic regressi... 331 heating ventilation and cooling hvac systems... 332 in this paper we consider the problem of ide... 333 identification of patients at high risk for ... 334 tropical recurrent sequences are introduced ... 335 an interesting approach to analyzing neural ... 336 we explore whether useful temporal neural ge... 337 kitaev quantum spin liquid is a topological ... 338 identifying the mechanism by which high ener... 339 dependently typed languages such as coq are ... 340 any generic closed curve in the plane can be... 341 consider a channel with a given input distri... 342 let l and l be two distinct rays emanating f... 343 a habitable exoplanet is a world that can ma... 344 in this paper we evaluate the accuracy of de... 345 the distance standard deviation which arises... 346 one of the most basic skills a robot should ... 347 in this paper we give a complete characteriz... 348 we derive the mean squared error convergence... 349 widespread use of social media has led to th... 350 the vortex method is a common numerical and ... 351 let r be an associative ring with unit and d... 352 for an arbitrary finite family of semialgebr... 353 riemannian geometry is a particular case of ... 354 we investigate how a neural network can lear... 355 in this paper we present a combinatorial app... 356 many giant exoplanets are found near their r... 357 a new shortorbit spectrometer sos has been c... 358 capacitive deionization cdi is a fastemergin... 359 we present bilateral teleoperation system fo... 360 we propose two multimodal deep learning arch... 361 educational research has shown that narrativ... 362 hospital acquired infections hai are infecti... 363 we advocate the use of curated comprehensive... 364 in this article we study orbifold constructi... 365 deconstruction of the theme of the fqxi ess... 366 the atacama large millimetresubmillimetre ar... 367 in this paper we study the muordinary locus ... 368 charts are an excellent way to convey patter... 369 we consider a modification to the standard c... 370 we describe the configuration space mathbfs ... 371 this paper discusses a metropolishastings al... 372 luke p lee is a tan chin tuan centennial pro... 373 topology has appeared in different physical ... 374 we study the scale and tidy subgroups of an ... 375 the coupled excitonvibrational dynamics of a... 376 in the first part of this work we show the c... 377 we study the nonparametric maximum likelihoo... 378 parametric resonance is among the most effic... 379 the rempi spectrum of sio in the nm range ... 380 robots and automated systems are increasingl... 381 with the use of ontologies in several domain... 382 in this short note we present a novel method... 383 visualizing a complex network is computation... 384 we prove that every trianglefree graph with ... 385 we study the twodimensional topology of the ... 386 the new index of the authors popularity esti... 387 we compute the genus belyi map for the spor... 388 our goal is to find classes of convolution s... 389 cmo council reports that of internet users ... 390 we prove the lefschetz duality for intersect... 391 all possible removals of n nodes from networ... 392 in this paper we study stochastic nonconvex ... 393 lower bounds on the smallest eigenvalue of a... 394 this paper describes the development of a ma... 395 one advantage of decision tree based methods... 396 for decades conventional computers based on ... 397 we generalise some wellknown graph parameter... 398 during the ionization of atoms irradiated by... 399 we are interested in extending operators def... 400 convolutional neural networks cnns can learn... 401 we present an efficient secondorder algorith... 402 swarm systems constitute a challenging probl... 403 we describe the design and implementation of... 404 controlling embodied agents with many actuat... 405 let n and k fracn be integers in this p... 406 recently software development companies star... 407 generative adversarial networks gans produce... 408 we study the phase space dynamics of cosmolo... 409 in this work we propose an endtoend deep arc... 410 in this paper we prove that there exists a d... 411 to probe the starformation sf processes we p... 412 we present novel oblivious routing algorithm... 413 we study functional graphs generated by quad... 414 helmholtz decomposition theorem for vector f... 415 we use richters primary proof of grays conje... 416 we show that certain orderable groups admit ... 417 machine learning classifiers are known to be... 418 tidal streams of disrupting dwarf galaxies o... 419 the response of an electron system to electr... 420 a new generation of solar instruments provid... 421 in the past decade the information security ... 422 permutation polynomials over finite fields h... 423 bendavid and shelah proved that if lambda is... 424 the real scarf ii potential is discussed as ... 425 this paper presents a novel model for multim... 426 in a single winner election with several can... 427 in the framework of the einsteinmaxwellaethe... 428 the pset which is in a simple analytic form ... 429 this paper presents the design and implement... 430 this work proposes a new algorithm for train... 431 learningbased approaches to robotic manipula... 432 a ended finitely presented group has semista... 433 developing and testing algorithms for autono... 434 let g be a finitely generated prop group equ... 435 brainmachine interaction bmi system motivate... 436 road networks in cities are massive and is a... 437 in this letter we study the motion and wakep... 438 theory of mind is the ability to attribute m... 439 we study families of varieties endowed with ... 440 largescale extragalactic magnetic fields may... 441 predicting the future state of a system has ... 442 we show that for an elliptic curve e defined... 443 wireless backhaul communication has been rec... 444 feature engineering has been the key to the ... 445 we investigate the spin structure of a uniax... 446 several natural satellites of the giant plan... 447 a number of fundamental quantities in statis... 448 let emathbbq be an elliptic curve of level n... 449 the tudeng conjecture is concerned with the ... 450 in this paper we made an extension to the co... 451 we further progress along the line of ref ph... 452 markerbased and markerless optical skeletal ... 453 diffusion maps are an emerging datadriven te... 454 we present a set of effective outflowopen bo... 455 the recent detection of two faint and extend... 456 fundamental relations between information an... 457 galaxy cluster centring is a key issue for p... 458 the goal of this article is to provide an us... 459 the ongoing progress in quantum theory empha... 460 nonconding rnas play a key role in the postt... 461 we show that in graysons model of higher alg... 462 we study the mincost seed selection problem ... 463 we propose a new splitting criterion for a m... 464 variational approaches for the calculation o... 465 in this work we present a methodology that e... 466 recent studies on diffusionbased sampling me... 467 we use automatic speech recognition to asses... 468 we consider bilinear optimal control problem... 469 we carry out a comprehensive analysis of let... 470 a hybrid mobilefixed device cloud that harne... 471 despite numerous studies the exact nature of... 472 we study sun quantum chromodynamics qcd in ... 473 investigation of the autoignition delay of t... 474 choi et al introduced a minimum spanning tr... 475 variational bayesian neural nets combine the... 476 we define rules for cellular automata played... 477 in the present work we explore the existence... 478 for a class of partially observed diffusions... 479 we study the motion of an electron bubble in... 480 we present new jvla multifrequency measureme... 481 we develop an online monitoring procedure to... 482 a susceptibility propagation that is constru... 483 this paper analyzes the downlink performance... 484 we demonstrate the first application of deep... 485 strongcoupling of monolayer metal dichalcoge... 486 positioning data offer a remarkable source o... 487 bihomlie colour algebra is a generalized hom... 488 we consider the problem related to clusterin... 489 baker harman and pintz showed that a weak fo... 490 improved phantom cell is a new scenario whic... 491 we address the problem of localisation of ob... 492 all people have to make risky decisions in e... 493 modeling the interior of exoplanets is essen... 494 in this paper we discuss the characteristics... 495 schoofs classic algorithm allows pointcounti... 496 let lk be a tame and galois extension of num... 497 transformative ai technologies have the pote... 498 let gh be groups phi g rightarrow h a group ... 499 a matrix is said to possess the restricted i... 500 we present a compact design for a velocityma... 501 batch codes first introduced by ishai kushil... 502 the energy efficiency and power of a threete... 503 in recent years a number of methods for veri... 504 during exploratory testing sessions the test... 505 we demonstrate the parallel and nondestructi... 506 in this work we apply amplitude modulation s... 507 we propose a novel class of dynamic shrinkag... 508 the monitoring of the lifestyles may be perf... 509 the extreme value index is a fundamental par... 510 the spread of opinions memes diseases and al... 511 we study the problem of testing identity aga... 512 componentbased design is a different way of ... 513 dust devils are likely the dominant source o... 514 with the help of first principles calculatio... 515 lowpass envelope approximation of smooth con... 516 we study the spectral properties of curl a l... 517 this paper presents a topology optimization ... 518 it is pointed out that the generalized lambe... 519 motivated by applications in cancer genomics... 520 smart cities are a growing trend in many cit... 521 bayesian estimation is increasingly popular ... 522 reactiondiffusion equations appear in biolog... 523 drivable free space information is vital for... 524 in this paper the fundamental problem of dis... 525 highmass stars are expected to form from den... 526 the lennardjones lj potential is a cornersto... 527 thompson sampling has emerged as an effectiv... 528 in recent years deep learning has become the... 529 proxima centauri is known as the closest sta... 530 in this paper we propose an optimizationbase... 531 using densityfunctional theory calculations ... 532 micrornas play important roles in many biolo... 533 we present a simultaneous localization and m... 534 this survey is about old and new results abo... 535 a high redundant nonholonomic humanoid mobil... 536 this article discusses a framework to suppor... 537 the amount of ultraviolet irradiation and ab... 538 online video services messaging systems game... 539 we prove that the homotopy algebraic ktheory... 540 screened modified gravity smg is a kind of s... 541 selective weed treatment is a critical step ... 542 let gwidehatsl denote the affine kacmoody gr... 543 the existing measurement theory interprets t... 544 researchers are often interested in analyzin... 545 this paper deals with some simple results ab... 546 in this study we determine all modular curve... 547 in the framework of multibody dynamics succe... 548 capsule networks envision an innovative poin... 549 the effects of mhd boundary layer flow of no... 550 restingstate functional arterial spin labeli... 551 we propose a novel endtoend neural network a... 552 the collective magnetic excitations in the s... 553 we report the proximity induced anomalous tr... 554 networked control systems ncs have attracted... 555 given a property of representations satisfyi... 556 a novel adaptive local surface refinement te... 557 this paper introduces a general method to ap... 558 largescale computational experiments often r... 559 we provide an overview of several nonlinear ... 560 advancements in deep learning over the years... 561 our desire and fascination with intelligent ... 562 conventional crystalline magnets are charact... 563 we introduce the new version of simprop a mo... 564 given a collection of data points nonnegativ... 565 muon reconstruction in the daya bay water po... 566 we present a method to improve the accuracy ... 567 the primary function of memory allocators is... 568 we extend a databased modelfree multifractal... 569 we formulate and analyze a novel hypothesis ... 570 this work is motivated by a particular probl... 571 telescopes based on the imaging atmospheric ... 572 transition metal dichalcogenides tmds are em... 573 in a classical regression model it is usuall... 574 we present a clusteringbased language model ... 575 we study special circle bundles over two ele... 576 we report a method to control the positions ... 577 let f be a primitive cusp form of weight k a... 578 hierarchical graph clustering is a common te... 579 a twodimensional bidisperse granular fluid i... 580 we study the emphproximal alternating predic... 581 chemical or enzymatic crosslinking of casein... 582 we investigate a construction of an integral... 583 nowadays online video platforms mostly recom... 584 exploration of asteroids and smallbodies can... 585 in automatic speech processing systems speak... 586 predicting when rupture occurs or cracks pro... 587 this paper investigates the multiplicative s... 588 we present a representation learning algorit... 589 consider a social network where only a few n... 590 in this paper we present a novel structure s... 591 we show how a characteristic length scale im... 592 starting from isentropic compressible navier... 593 we study a stochastic primaldual method for ... 594 we investigate a new sampling scheme aimed a... 595 we report the measurements of de haasvan alp... 596 statistical inference can be computationally... 597 mitochondrial oxidative phosphorylation moxp... 598 using a representation theorem of erik alfse... 599 highpressure neutron powder diffraction muon... 600 this paper presents a fixturing strategy for... 601 labeled latent dirichlet allocation llda is ... 602 multimedia forensics allows to determine whe... 603 we present an informal review of recent work... 604 we consider the problem of learning sparse p... 605 the kdv equation can be derived in the shall... 606 this paper proposes a new actorcriticstyle a... 607 counting dominating sets in a graph g is clo... 608 high signal to noise ratio snr consistency o... 609 reduction of communication and efficient par... 610 in this paper we focus on fully automatic tr... 611 the success of autonomous systems will depen... 612 this paper presents a distancebased discrimi... 613 molecular reflections on usual wall surfaces... 614 let fabcdsqrtabsqrtcdsqrtacbd let\nabcd stan... 615 we consider the task of generating draws fro... 616 using holography we model experiments in whi... 617 in this paper we study random subsampling of... 618 both hybrid automata and action languages ar... 619 in this paper an enthalpybased multiplerelax... 620 barchan dunes are crescentic shape dunes wit... 621 isotonic regression is a standard problem in... 622 this paper considers a timeinconsistent stop... 623 the internet of things iot demands authentic... 624 the increasing number of proteinbased metama... 625 recent advances in the field of network repr... 626 numerous studies have been carried out to me... 627 we study the problem of constructing a near ... 628 we begin by introducing the main ideas of th... 629 time series shapelets are discriminative sub... 630 in this work we present an experimental stud... 631 recent work on the representation of functio... 632 measurement error in observational datasets ... 633 an extremely simple description of karmarkar... 634 we consider a wireless sensor network that u... 635 transfer operators such as the perronfrobeni... 636 in this paper we consider the threedimension... 637 in this paper a comparative study was conduc... 638 tensionnetwork tensegrity robots encounter m... 639 the statistical behaviour of the smallest ei... 640 dam breach models are commonly used to predi... 641 we study the nearinfrared properties of mir... 642 there is an inherent need for autonomous car... 643 we consider the problem of dynamic spectrum ... 644 we design a new myopic strategy for a wide c... 645 deep convolutional neural networks have libe... 646 numerical simulations of the go roberts dyna... 647 using a projectionbased decoupling of the fo... 648 we offer a generalization of a formula of po... 649 in this paper we show that any compact manif... 650 given the importance of crystal symmetry for... 651 several social medical engineering and biolo... 652 this paper is concerned with the online esti... 653 computed tomography ct examinations are comm... 654 the turbulent rayleightaylor system in a rot... 655 in the animal world the competition between ... 656 with approximately half of the worlds popula... 657 the best summary of a long video differs amo... 658 recently heavily doped semiconductors are em... 659 it is shown that using beam splitters with n... 660 in this paper we consider a partial informat... 661 in recent years research has been done on ap... 662 shock wave interactions with defects such as... 663 we propose factor models for the crosssectio... 664 many signals on cartesian product graphs app... 665 the double exponential formula was introduce... 666 strain engineering has attracted great atten... 667 a complex system can be represented and anal... 668 neural network based generative models with ... 669 detection of interactions between treatment ... 670 the limitations in performance of the presen... 671 given a klt singularity xin x d we show that... 672 condensedmatter analogs of the higgs boson i... 673 wellknown for its simplicity and effectivene... 674 we study the problem of sparsity constrained... 675 we present a communication and datasensitive... 676 this paper outlines a methodology for bayesi... 677 failing to distinguish between a sheepdog an... 678 achieving the goals in the title and others ... 679 we present a scalable black box perceptionin... 680 this paper presents a novel generative model... 681 the twostage leastsquares sls estimator is k... 682 an unsupervised learning classification mode... 683 we investigate the predictability of several... 684 correlated random walks crw have been used f... 685 this paper presents a novel contextbased app... 686 we present e nergy n et a new framework for... 687 finding the dense regions of a graph and rel... 688 we propose a robust gesturebased communicati... 689 unique among alkalidoped textit ac fullerene... 690 improving the performance of superconducting... 691 this paper will detail changes in the operat... 692 we consider the withdrawal of a ball from a ... 693 we disentangle all the individual degrees of... 694 motivated by the recently proposed parallel ... 695 the particular type of fourkink multisoliton... 696 estimates of the hubble constant h from the ... 697 a multiuser multiarmed bandit mab framework ... 698 in this paper we analyze the effects of cont... 699 the challenge of assigning importance to ind... 700 an elementary rheory of concatenation is int... 701 javabip allows the coordination of software ... 702 in rapid release development processes patch... 703 examining games from a fresh perspective we ... 704 we establish the convergence rates and asymp... 705 the study of relays with the scope of energy... 706 generative adversarial networks gans were in... 707 this paper is concerned with the computation... 708 we present possible explanations of pulsatio... 709 recently introduced composition operator for... 710 internetofthings endnodes demand low power p... 711 during the last two decades genetic programm... 712 the control of dynamical networked systems c... 713 we construct constant mean curvature surface... 714 we discuss various universality aspects of n... 715 the relativistic jets created by some active... 716 a new synthesis scheme is proposed to effect... 717 we present a machine learning based informat... 718 in todays databases previous query answers r... 719 beam search is a desirable choice of testtim... 720 in b weiss introduced the notion of measura... 721 in this paper we show how to construct graph... 722 let fxyaxbxycy be a binary quadratic form wi... 723 the numerical availability of statistical in... 724 phaseless superresolution is the problem of ... 725 this paper is the first chapter of three of ... 726 photoelectron yields of extruded scintillati... 727 we report a precise measurement of hyperfine... 728 we study a dynamical system induced by the a... 729 we introduce a new invariant the real logari... 730 effective communication is required for team... 731 the discovery of i u oumuamua has provided t... 732 in the context of orientable circuits and su... 733 purpose basic surgical skills of suturing an... 734 many complex systems share two characteristi... 735 even and oddfrequency superconductivity coex... 736 let x be an irreducible smooth projective cu... 737 with fq the finite field of q elements we in... 738 in this paper we exhibit morse geodesics oft... 739 we study the ultimate bounds on the estimati... 740 we show that publishing results using the st... 741 the centerofmass motion of a single opticall... 742 we introduce new techniques to the analysis ... 743 we describe a year survey carried out by the... 744 artificial intelligence methods have often b... 745 let a and b be algebraic numbers such that e... 746 this note establishes the inputtostate stabi... 747 the problem of reliable communication over t... 748 we present a new paradigm for understanding ... 749 we propose a probabilistic model for interpr... 750 macronovae kilonovae that arise in binary ne... 751 the calculation of caloric properties such a... 752 we study wellposedness of a velocityvorticit... 753 generative adversarial networks gans represe... 754 a database of minima and transition states c... 755 asynchronous distributed machine learning so... 756 this paper describes an english audio and te... 757 deep learning has been demonstrated to achie... 758 we develop the theoretical foundations of a ... 759 using the panama papers we show that the beg... 760 mammography screening for early detection of... 761 small depth networks arise in a variety of n... 762 knowledgeintensive companies that adopt agil... 763 recent fe results have suggested that the es... 764 the surface tension of flowing soap films is... 765 indoor localization based on visible light c... 766 we show that the output of a residual convol... 767 detecting attacks in control systems is an i... 768 for people with visual impairments tactile g... 769 very often features come with their own vect... 770 we give a short proof of the l criterion for... 771 social media users often make explicit predi... 772 applications involving autonomous navigation... 773 we apply a method that combines the tightbin... 774 in this lecture note we describe high dynami... 775 we classify prop poincar duality pairs in di... 776 sports data analysis is becoming increasingl... 777 in kernel methods temporal information on th... 778 we consider the problem of sequential learni... 779 we develop a new approach to learn the param... 780 the intricate interplay between optically da... 781 in this article we develop a notion of quill... 782 in this paper we define canonical sine and c... 783 compressed sensing cs is a sampling theory t... 784 predictive models for music are studied by r... 785 many realworld data sets especially in biolo... 786 in this research we propose a deep learning ... 787 we present and evaluate a technique for comp... 788 the next generation of cosmological surveys ... 789 playing the game of heads or tails in zero g... 790 the variational autoencoder vae is a popular... 791 synchronization on multiplex networks have a... 792 we continue to investigate binary sequence f... 793 a central question in science of science con... 794 excited states of a single donor in bulk sil... 795 we present a statistical study on the c i rm... 796 we study largescale kernel methods for acous... 797 we determine the composition factors of the ... 798 current understanding of how contractility e... 799 this work encompasses ratesplitting rs provi... 800 we prove a general width duality theorem for... 801 network pruning is aimed at imposing sparsit... 802 graph models are widely used to analyse diff... 803 training neural networks involves finding mi... 804 we study the homogenization process for fami... 805 a polynomial pinmathbbrzdotszn is real stabl... 806 this volume contains the proceedings of the ... 807 this chapter presents an hinfinity filtering... 808 in this work we introduce a time and memorye... 809 this paper introduces a new approach to larg... 810 we consider the problem of inference in a ca... 811 the weighted maximum satisfiability problem ... 812 we show that in the presence of magnetic fie... 813 we have recently established some integral i... 814 the support vector machine svm is a powerful... 815 data analytics and data science play a signi... 816 in this paper we present a new task that inv... 817 recent progress in applying complex network ... 818 under suitable conditions a substitution til... 819 we prove that the tutte embeddings aka harmo... 820 muroga m showed how to express the shannon c... 821 let r be a twosided noetherian ring and m be... 822 regression based methods are not performing ... 823 we consider systems with memory represented ... 824 we discuss the concept of inner function in ... 825 data center networks are an important infras... 826 in the setting of highdimensional linear reg... 827 finding patterns in data and being able to r... 828 as a natural extension of compressive sensin... 829 we present an exhaustive census of lyman alp... 830 building on insights of jovanovic and subse... 831 osirisrex will return pristine samples of ca... 832 we consider ddimensional linear stochastic a... 833 we study the fundamental tradeoffs between s... 834 audiovisual speech recognition avsr system i... 835 the goal of this survey article is to explai... 836 white dwarf stars have been used as flux sta... 837 most existing approaches address multiview s... 838 the p eventrelated potential erp evoked in s... 839 the purpose of this paper is to study stable... 840 segmentation in dynamic outdoor environments... 841 stochastic bandit algorithms can be used for... 842 dynamic security analysis is an important pr... 843 second order conic programming socp has been... 844 we present the multihop extensions of the re... 845 instructional labs are widely seen as a uniq... 846 the formation of pattern in biological syste... 847 namedentity recognition ner aims at identify... 848 blocking objects blockages between a transmi... 849 we present an introduction to a novel model ... 850 convolutional neural networks cnns are commo... 851 in this paper we obtain some formulae for ha... 852 in this paper we develop cyclic proof system... 853 in this paper we introduce a new model for l... 854 we describe a neural network model that join... 855 for nge it is well known that the moduli spa... 856 the radio interferometric positioning system... 857 we present an affine analog of the evaluatio... 858 in this paper we present a framework for ris... 859 groundbased astronomical observations may be... 860 gossip protocols aim at arriving by means of... 861 we examine discrete vortex dynamics in twodi... 862 in this paper we study a nonlinear partial d... 863 an important yet largely unstudied problem i... 864 a schottky structure on a handlebody m of ge... 865 in this paper we propose a new method of spe... 866 this paper describes an implementation of th... 867 networks of vertically coriented prism shape... 868 machine learning focuses on the construction... 869 this paper presents a simple agentbased mode... 870 the variability response function vrf is gen... 871 we show that training a deep network using b... 872 in this paper we consider a singlecell downl... 873 the block bootstrap approximates sampling di... 874 given a polynomial system f associated with ... 875 it can be difficult to tell whether a traine... 876 refraction represents one of the most fundam... 877 we reconsider the classic problem of estimat... 878 the landau collision integral is an accurate... 879 in this paper we combine a survey of the mos... 880 the butlerportugal algorithm for obtaining t... 881 the masspreconditioning mp technique has bec... 882 a model in which a threedimensional elastic ... 883 we analyze the response of a type ii superco... 884 classical principal component analysis pca i... 885 in antiferromagnets the dzyaloshinskiimoriya... 886 in disordered elastic systems driven by disp... 887 the search for a superconductor with nonswav... 888 the extension complexity mathsfxcp of a poly... 889 this work provides a comprehensive scaling l... 890 in view of a resurgence of concern about the... 891 we explore the response of ir d orbitals to ... 892 an infinite convergent sum of independent an... 893 we consider the problem of estimating from s... 894 the stateoftheart sota for mixed precision t... 895 the foreseen implementations of the small si... 896 we obtain bounded for all t solutions of ord... 897 waveforms of gravitational waves provide inf... 898 a simple dnabased data storage scheme is dem... 899 this paper presents vecnbt a variation on th... 900 we have used soft xray photoemission electro... 901 a set function f on a finite set v is submod... 902 quick shift is a popular modeseeking and clu... 903 in recent years deep neural networks dnns ha... 904 convolutional neural networks cnns have been... 905 we present a terahertz spectroscopic study o... 906 we compare the social character networks of ... 907 motivated by the recent experimental realiza... 908 exoplanet host star activity in the form of ... 909 developers of molecular dynamics md codes fa... 910 we obtain the nonlinear generalization of th... 911 we prove sharp decoupling inequalities for a... 912 in this paper we introduce a simple yet powe... 913 our purpose is to focus attention on a new c... 914 stochastic variance reduction algorithms hav... 915 the algorithmic markov condition states that... 916 the recently proposed temporal ensembling ha... 917 we present a new code for astrophysical magn... 918 virtual network functions as a service vnfaa... 919 the zika virus has been found in individual ... 920 this paper considers the problem of decentra... 921 recent studies have demonstrated that nearda... 922 historically machine learning in computer se... 923 deep learning has demonstrated tremendous po... 924 this paper introduces a method based on deep... 925 one of the most challenging problems in corr... 926 cosmological parameter constraints from obse... 927 we characterize the response of the quiet ti... 928 let r be a local ring of dimension d buchwei... 929 learning to make decisions from observed dat... 930 based on the kp hierarchy reduction method t... 931 deep learning has been successfully applied ... 932 the modular gromovhausdorff propinquity is a... 933 we present a prototype of a software tool fo... 934 word sense disambiguation wsd improves many ... 935 we develop a theory for nondegenerate parame... 936 generic generation and manipulation of text ... 937 our eyes sample a disproportionately large a... 938 molecular dynamics simulates themovements of... 939 developers increasingly rely on text matchin... 940 we prove the existence of an optimal feedbac... 941 how can we enable novice users to create eff... 942 the torsion complexity of a finite edgeweigh... 943 neutronic performance is investigated for a ... 944 we prove that the only entrywise transforms ... 945 the most popular and widely used subtractwit... 946 we consider the refined topological vertex o... 947 we investigate bias voltage effects on the s... 948 extensive efforts have been devoted to recog... 949 we found an easy and quick postlearning meth... 950 as traditional neural network consumes a sig... 951 mobile robots are increasingly being used to... 952 mixed effects models are widely used to desc... 953 we show that a positive borel measure of pos... 954 the large european array for pulsars combine... 955 in this paper we discuss how a suitable fami... 956 deep learning models are vulnerable to adver... 957 the recent discovery of the planetary system... 958 we show that mathbbqfano varieties of fixed ... 959 we consider quantum nondterministic and prob... 960 we study the relation between the microscopi... 961 we study a generic onedimensional model for ... 962 we report experiments on an agarose gel tabl... 963 artificial intelligence is revolutionizing o... 964 in this letter we define the homodyne qdefor... 965 graph edit distance ged is an important simi... 966 we introduce canonical measures on a locally... 967 reusing passwords across multiple websites i... 968 as affordability pressures and tight rental ... 969 interbank markets are often characterised in... 970 we present a novel algorithm that uses exact... 971 everything in the world is being connected a... 972 recently an atacama large millimetersubmilli... 973 the existence of weak solutions to the stati... 974 new results on the baire product problem are... 975 in the ultimatum game ug one player named pr... 976 in this work we study the tradeoffs between ... 977 constructing tests or confidence regions tha... 978 generalized bcklunddarboux transformations g... 979 we describe a procedure called panel collaps... 980 the recently proposed selfensembling methods... 981 efficient algorithms and techniques to detec... 982 with the tremendous increase of the internet... 983 we consider a fundamental integer programmin... 984 in wireless communication heterogeneous tech... 985 we have derived background corrected intensi... 986 the beta is one of the key quantities in the... 987 in partially observed environments it can be... 988 open problems abound in the theory of comple... 989 the highenergy nonthermal universe is domina... 990 we develop estimates for the solutions and d... 991 in modern election campaigns political parti... 992 in jacob steiner on christian rudolfs reque... 993 anomaly detecting as an important technical ... 994 we survey the dimension theory of selfaffine... 995 buoyancythermocapillary convection in a laye... 996 in the paper we consider a graph model of me... 997 in this article we derive a bayesian model t... 998 we introduce a new family of thermostat flow... 999 we introduce the shifted quantum affine alge... 1000 the analysis of mixed data has been raising ... 1001 the development of spintronic technology wit... 1002 motivation p values derived from the null hy... 1003 we develop high temperature series expansion... 1004 the baran metric deltae is a finsler metric ... 1005 we consider a condensate of excitonpolariton... 1006 we consider the statistical problem of recov... 1007 we consider the problem of estimating an exp... 1008 generalized cross validation gcv is one of t... 1009 biochemical oscillations are prevalent in li... 1010 algorithms are often used to produce decisio... 1011 in this work we present a technique to use n... 1012 in light of the classic impossibility result... 1013 in this paper we investigate a coverage exte... 1014 we introduce a new paradigm that is importan... 1015 we reevaluate the zemach recoil and polariza... 1016 ising models describe the joint probability ... 1017 direct experimental investigations of the lo... 1018 we establish a fundamental property of bivar... 1019 this work compares several node and network ... 1020 we consider a programming language based on ... 1021 we propose an extended variant of the reform... 1022 continuing the study of preduals of spaces m... 1023 epg graphs introduced by golumbic et al in ... 1024 the web is an important resource for underst... 1025 for an effect algebra a we examine the categ... 1026 in a previous work we have detailed the requ... 1027 we study magnetic taylorcouette flow in a sy... 1028 compared with the twocomponent camassaholm s... 1029 the two dimensional incompressible naviersto... 1030 training model to generate data has increasi... 1031 we introduce a pliable lasso method for esti... 1032 we report on the experimental realization of... 1033 we prove versions of khintchines theorem fo... 1034 neural networks with random hidden nodes hav... 1035 artificial neural networks have been success... 1036 suppose the data consist of a set s of point... 1037 let k be a fixed integer we determine the co... 1038 these notes are intended to provide a brief ... 1039 in this paper we extend the atiyahguillemins... 1040 this paper is concerned with learning of mix... 1041 by the certain macroscopic perturbations in ... 1042 light traveling through the vacuum interacts... 1043 many asteroid databases with lightcurve brig... 1044 we present the calibratedprojection matlab p... 1045 we use an atomic fountain clock to measure q... 1046 a quantitative understanding of how sensory ... 1047 it has been argued in epl bf entitled it ... 1048 we estimate the spin distribution of primord... 1049 deep convolutional neural networks cnn based... 1050 objective to establish an algorithmic framew... 1051 convolutional neural networks have recently ... 1052 compute the coarsest simulation preorder inc... 1053 a principle on the macroscopic motion of sys... 1054 cafeas exhibits collapsed tetragonal ct stru... 1055 we study a mathematical model of cell popula... 1056 the extraction system of csns mainly consist... 1057 many realworld analytics problems involve tw... 1058 novel data acquisition schemes have been an ... 1059 we consider a registrationbased approach for... 1060 how might a smooth probability distribution ... 1061 in the context of commutative differential g... 1062 both the human brain and artificial learning... 1063 fifth generation g telecommunication system ... 1064 consider reconstructing a signal x by minimi... 1065 this document is a response to a report from... 1066 the stochastic grosspitaevskii equation is u... 1067 let theta theta be irrational numbers and a ... 1068 this paper proposes a new convex model predi... 1069 we unveil the geometric nature of the multip... 1070 we present a selective review of statistical... 1071 pipelines combining sqlstyle business intell... 1072 in this paper we propose a simple but effect... 1073 in this paper we investigate the umbral repr... 1074 in this paper a brief review of delay popula... 1075 i show that propositional intuitionistic log... 1076 we present a newly discovered correlation be... 1077 plumbene similar to silicene has a buckled h... 1078 providing a background discrimination tool i... 1079 we obtain upper bounds on the composition le... 1080 in this article we present a bernstein inequ... 1081 we explore different approaches to integrati... 1082 we study two dispersive regimes in the dynam... 1083 we design and implement the first private an... 1084 in this paper we will show an unprecedented ... 1085 background as most of the software developme... 1086 in this paper our aim is to present the comp... 1087 despite the effectiveness of convolutional n... 1088 real and complex clifford bundles and dirac ... 1089 the next generation transit survey ngts oper... 1090 we present the evolution of the cosmic spect... 1091 let f be a hecke cusp form of weight k for t... 1092 recent studies have highlighted the vulnerab... 1093 maximizing product use is a central goal of ... 1094 in this paper we enumerate newton polygons a... 1095 by applying invariantbased inverse engineeri... 1096 in this paper the authors consider leaf spac... 1097 we discuss a backward montecarlo technique f... 1098 noise is an inherent part of neuronal dynami... 1099 policy evaluation is a crucial step in many ... 1100 we develope a selfconsistent description of ... 1101 when internal states of atoms are manipulate... 1102 modern processors are highly optimized syste... 1103 semantic segmentation and object detection r... 1104 matrix factorization is a key tool in data a... 1105 mild cognitive impairment mci is a mental di... 1106 slaters condition existence of a strictly f... 1107 we extend the homotopy theories based on poi... 1108 for characterizing the brownian motion in a ... 1109 since its inception bohmian mechanics has be... 1110 while conventional lasers are based on gain ... 1111 the evaluation of possible climate change co... 1112 we study the problem of finding the cycle of... 1113 polarized extinction and emission from dust ... 1114 gaussian processes gps are powerful nonparam... 1115 bandit based optimisation has a remarkable a... 1116 intel software guard extension sgx offers so... 1117 sensor setups consisting of a combination of... 1118 in paper we study the representation theory ... 1119 software developers frequently issue generic... 1120 the ethereum blockchain network is a decentr... 1121 conjunctivochalasis is a common cause of tea... 1122 here we report the preparation and supercond... 1123 a numerical method for free boundary problem... 1124 neuralnetwork quantum states have been recen... 1125 we reported the usage of gratingbased xray p... 1126 most stateoftheart information extraction ap... 1127 we prove lipschitz continuity of viscosity s... 1128 hardware acceleration is an enabler for ubiq... 1129 we propose a new localized inference algorit... 1130 we study simultaneous collisions of two thre... 1131 we introduce inversefacenet a deep convoluti... 1132 the partial information decomposition pid ar... 1133 we present convolutional neural network cnn ... 1134 for fluctuating currents in nonequilibrium s... 1135 with the proliferation of mobile devices and... 1136 understanding the origin nature and function... 1137 the main challenge of online multiobject tra... 1138 classical plasma with arbitrary degree of de... 1139 the paper studies a pde model for the growth... 1140 the discovery of multiple stellar population... 1141 we establish a large deviation theorem for t... 1142 a reinforcement learning agent that needs to... 1143 photoionized nebulae comprising hii regions ... 1144 the prediction of cancer prognosis and metas... 1145 we propose a novel estimation procedure for ... 1146 we consider a general branching population w... 1147 as the distribution grid moves toward a tigh... 1148 investigation of the electronphonon interact... 1149 the magnetic phases of a triangularlattice a... 1150 the remarkable development of deep learning ... 1151 we show that a sufficient condition for the ... 1152 consider the classical erdosrenyi random gra... 1153 the least significant bit lsb substitution i... 1154 in this work we outline the mechanisms contr... 1155 machine learning has shown much promise in h... 1156 lenses are crucial to lightenabled technolog... 1157 we present the extension of variational mont... 1158 this paper studies power allocation for dist... 1159 using algebraic methods and motivated by the... 1160 motivated by recent experiments on alpharucl... 1161 the aim of this study is to investigate the ... 1162 in the new approach to study the optical res... 1163 overfitting which happens when the number of... 1164 russell is a logical framework for the speci... 1165 let us call the novel quantities which in ad... 1166 distances between sequences based on their k... 1167 in the excitonpolariton system a linear disp... 1168 we present the results of our search for the... 1169 a recent paper x guo a mandelis j tolev and ... 1170 a fundamental question in systems biology is... 1171 we address the problem of temporal action lo... 1172 cassava is the third largest source of carbo... 1173 ability to continuously learn and adapt from... 1174 we investigate the use of alternative diverg... 1175 the curvature properties of robinsontrautman... 1176 we prove that the dehn invariant of any flex... 1177 skillful mobile operation in threedimensiona... 1178 we utilize variational method to investigate... 1179 human action recognition in videos is one of... 1180 reconstruction of population histories is a ... 1181 source localization in ocean acoustics is po... 1182 illegal insider trading of stocks is based o... 1183 using deep multiwavelength photometry of gal... 1184 boron subphthalocyanine chloride is an elect... 1185 recent machine learning models have shown th... 1186 in the present paper we consider the problem... 1187 for a given manyelectron molecule it is poss... 1188 using the formalism of the classical nucleat... 1189 most machine learning classifiers give predi... 1190 deep reinforcement learning for multiagent c... 1191 we study the data reliability problem for a ... 1192 this paper studies a meanvariance portfolio ... 1193 we obtain estimation error rates for estimat... 1194 in this paper we are interested in a neumann... 1195 in this paper we investigate the integral of... 1196 for the past three years we have been conduc... 1197 we propose a new mathematical model for the ... 1198 in a given problem the bayesian statistical ... 1199 the network of noisy leaky integrate and fir... 1200 the distinguishing index of a simple graph g... 1201 pseudo healthy synthesis ie the creation of ... 1202 given a poset p and a standard closure opera... 1203 the work is devoted to constructing a wide c... 1204 modeling agent behavior is central to unders... 1205 we design a jammingresistant receiver scheme... 1206 the behavior of many complex systems is dete... 1207 clause learning is one of the most important... 1208 we consider the squared singular values of t... 1209 in this paper we consider the d primitive eq... 1210 the eisenhart geometric formalism which tran... 1211 this paper formulates a timevarying socialwe... 1212 the object of the present paper is to study ... 1213 this paper gives drastically faster gossip a... 1214 magnesium and its alloys are ideal for biode... 1215 publishing reproducible analyses is a longst... 1216 google uses continuous streams of data from ... 1217 to obtain a better understanding of the trad... 1218 the adaptive zeroerror capacity of discrete ... 1219 with increasing complexity and heterogeneity... 1220 we focus on nonconvex and nonsmooth minimiza... 1221 in online discussion communities users can i... 1222 bayesian optimization has recently attracted... 1223 we propose a mapaided vehicle localization m... 1224 we present an adaptive grasping method that ... 1225 algorithmdependent generalization error boun... 1226 the deep impact spacecraft flyby of comet ph... 1227 in this paper we suggest a macroscopic toy s... 1228 we consider the class of measurable function... 1229 we carried out a bayesian homogeneous determ... 1230 this paper is the first one in a series of t... 1231 eigenvector centrality is a standard network... 1232 neural networks allow qlearning reinforcemen... 1233 we perform a detailed analytical study of th... 1234 we study the heavy path decomposition of con... 1235 we consider a firm that sells a large number... 1236 we present a new algorithm which detects the... 1237 we perform a detailed comparison of the dira... 1238 the ability to recognize objects is an essen... 1239 to convert standard brownian motion z into a... 1240 general relativitys nohair theorem states th... 1241 by drawing an analogy with superfluid he vor... 1242 clouds play a significant role in the fluctu... 1243 predicting the response of a system to pertu... 1244 an electronic health record ehr is designed ... 1245 the leastsquares support vector machine is a... 1246 we propose a simple subsampling scheme for f... 1247 a bernoulli mixture model bmm is a finite mi... 1248 in this paper we prove pointwise convergence... 1249 in many societies alcohol is a legal and com... 1250 the motion of a viscous deformable droplet s... 1251 we study principal component analysis pca in... 1252 the spot pricing scheme has been considered ... 1253 we consider free rotation of a body whose pa... 1254 recent progress in deep learning for audio s... 1255 we prove a pathbypath regularization by nois... 1256 we present a novel endtoend trainable neural... 1257 recently neural models for information retri... 1258 diamond light source is the uks national syn... 1259 let bf mmldots mk be a tuple of real dtimes ... 1260 the main goal of the paper is the full proof... 1261 by analyzing energyefficient management of d... 1262 we analyze a rich dataset including subarusu... 1263 adaptive designs for multiarmed clinical tri... 1264 mixedinteger secondorder cone programs misoc... 1265 a discriminative deep forest disdf as a metr... 1266 a simple robust genuinely multidimensional c... 1267 we prove the optimal strong convergence rate... 1268 a boolean network is a finite state discrete... 1269 gammaray and fastneutron imaging was perform... 1270 the task board is an essential artifact in m... 1271 hydrogeologic models are commonly oversmooth... 1272 suszkos problem is the problem of finding th... 1273 in this paper we introduce a new classificat... 1274 we study the galois descent of semiaffinoid ... 1275 we have synthesized a new layered oxychalcog... 1276 is perfect matching in nc that is is there a... 1277 in this paper we investigate the common scen... 1278 using deep reinforcement learning we train c... 1279 we study the following generalization of sin... 1280 it is undeniable that the worldwide computer... 1281 using contiguous relations we construct an i... 1282 this paper gives upper and lower bounds on t... 1283 with bells inequalities one has a formal exp... 1284 improving endurance is crucial for extending... 1285 the surjective hcolouring problem is to test... 1286 this paper proposes a modal typing system th... 1287 recommender system research suffers currentl... 1288 this paper considers the problem of implemen... 1289 stacking is a general approach for combining... 1290 the twodimensional discrete wavelet transfor... 1291 we apply the minsum messagepassing protocol ... 1292 in the last few years we have seen the trans... 1293 the aim of galactic archaeology is to recove... 1294 we propose a general framework for entropyre... 1295 we present some basic integer arithmetic qua... 1296 we analyzed the longitudinal activity of nea... 1297 the beyond worstcase synthesis problem was i... 1298 vaes variational autoencoders have proved to... 1299 rotating radio transients rrats loosely defi... 1300 lowdimensional plasmonic materials can funct... 1301 in this paper we analyse the interaction bet... 1302 the first author introduced a relative sympl... 1303 we report on the design and sensitivity of a... 1304 invoking maxwells classical equations in con... 1305 in this work we perform outlier detection us... 1306 the local electronic and magnetic properties... 1307 we prove the unique assembly and unique shap... 1308 one of the defining characteristics of human... 1309 this paper addresses the problem of large sc... 1310 scientific collaborations shape ideas as wel... 1311 complex interactions between entities are of... 1312 drone racing is becoming a popular sport whe... 1313 the combustion characteristics of ethanoljet... 1314 the graph laplacian plays key roles in infor... 1315 manipulating topological disclination networ... 1316 generative adversarial networks gan have rec... 1317 we revisit the classification problem and fo... 1318 the development of chemical reaction models ... 1319 we consider the cauchy problem for the incom... 1320 inspired by the success of deep learning tec... 1321 we introduce a twoparameter family of birati... 1322 the integrable nonlocal nonlinear schrodinge... 1323 while bigger and deeper neural network archi... 1324 a novel approach towards the spectral analys... 1325 we propose a method ttgp for approximate inf... 1326 in the second edition of the congruence latt... 1327 vasculature is known to be of key biological... 1328 we report the results of a sensitive search ... 1329 in this paper we propose a probabilistic par... 1330 modularity is designed to measure the streng... 1331 vision science particularly machine vision h... 1332 next generation radio telescopes namely the ... 1333 in this letter we propose a new identificati... 1334 supervisory control synthesis encounters wit... 1335 agents vote to choose a fair mixture of publ... 1336 we give criteria on an inverse system of fin... 1337 recent advances in learning deep neural netw... 1338 in this article the issues are discussed wit... 1339 in spite of decades of research much remains... 1340 we consider generalizations of the familiar ... 1341 we establish the iwasawa main conjecture for... 1342 we consider induced emission of ultrarelativ... 1343 measuring gases for air quality monitoring i... 1344 in this paper the problem of maximizing a bl... 1345 we present a method for conditional time ser... 1346 bias is a common problem in todays media app... 1347 many astronomical sources produce transient ... 1348 a method is developed for generating pseudop... 1349 we offer a general bayes theoretic framework... 1350 following the presentation and proof of the ... 1351 detecting and evaluating regions of brain un... 1352 the global sensitivity analysis of a numeric... 1353 ridesourcing platforms like uber and didi ar... 1354 managing dynamic information in large multis... 1355 we describe a fully data driven model that l... 1356 we present the results of the spectroscopic ... 1357 given a projective hyperkahler manifold with... 1358 calcium imaging permits optical measurement ... 1359 we investigate multiparticle excitation effe... 1360 in the present article we describe how one c... 1361 the popular alternating least squares als al... 1362 domain generalization is the problem of assi... 1363 we study two colored operads of configuratio... 1364 this paper proposes a datadriven approach by... 1365 tunneling of electrons into a twodimensional... 1366 we consider the problem of diagnosis where a... 1367 this work explores the feasibility of steeri... 1368 localitysensitive hashing lsh is a fundament... 1369 a commonly cited inefficiency of neural netw... 1370 we establish a pontryagin maximum principle ... 1371 a system of n particles in a chemical medium... 1372 it is well established that neural networks ... 1373 for any stream of timestamped edges that for... 1374 we revisit the generation of balanced octree... 1375 with the advent of the era of artificial int... 1376 in the artificial intelligence field learnin... 1377 the involution stanley symmetric functions h... 1378 in this paper we focus on subspace learning ... 1379 topologists are sometimes interested in spac... 1380 an ancient repertoire of uv absorbing pigmen... 1381 output impedances are inherent elements of p... 1382 the quest to observe gravitational waves cha... 1383 finite gaussian mixture models are widely us... 1384 we document the data transfer workflow data ... 1385 datasets are often reused to perform multipl... 1386 regression or classification this is perhaps... 1387 anthropogenic climate change increased the p... 1388 in this paper boundary regularity for pharmo... 1389 in this paper we propose to construct confid... 1390 finding actions that satisfy the constraints... 1391 a major challenge in brain tumor treatment p... 1392 in a localization network the lineofsight be... 1393 we investigate the relation between kinemati... 1394 in this paper we introduce the bmt distribut... 1395 while learning visuomotor skills in an endto... 1396 we searched high resolution spectra of near... 1397 learning large scale nonlinear ordinary diff... 1398 clustering mixtures of gaussian distribution... 1399 in this study we developed a method to estim... 1400 detect facial keypoints is a critical elemen... 1401 one initial and essential question of magnet... 1402 in this paper we exhibit the tradeoffs betwe... 1403 estimates of population size for hidden and ... 1404 single ion solvation free energies are one o... 1405 we consider estimation of worker skills from... 1406 recent deep learning based denoisers often o... 1407 here we consider some wellknown facts in syn... 1408 we study the moduli space of stable sheaves ... 1409 the development of efficient heuristic algor... 1410 we study a demand response problem from util... 1411 this paper presents a triangular lattice pho... 1412 the epicurean philosophy is commonly thought... 1413 the use of lowprecision fixedpoint arithmeti... 1414 person reidentification task has been greatl... 1415 we consider the task of unsupervised extract... 1416 the manybody localization mbl is commonly re... 1417 verifying that a statistically significant r... 1418 in this paper we adopt a new noisy wireless ... 1419 we study the problem of constructing synthet... 1420 recognition of handwritten mathematical expr... 1421 this is an expository article on properties ... 1422 in this paper we theoretically study xray mu... 1423 magnetic materials hosting correlated electr... 1424 large amount of image denoising literature f... 1425 in this paper we analyze in depth a simplici... 1426 blockchains are distributed data structures ... 1427 we prove in a mathematically rigorous way th... 1428 we give a simple optimistic algorithm for wh... 1429 we study the superradiant evolution of a set... 1430 we introduce a selfconsistent multispecies k... 1431 in a recent paper it was claimed that any ho... 1432 observational and theoretical arguments supp... 1433 we provide lpversus linftybounds for eigenfu... 1434 we consider a strongly interacting quantum d... 1435 the cherenkov telescope array cta is the nex... 1436 the increase in customer expectation in term... 1437 although the cuspcore controversy for dwarf ... 1438 a is a bestfirst search algorithm for findin... 1439 integrated waveguides exhibiting efficient s... 1440 in this paper we revisit the largescale cons... 1441 we study the key domain wall properties in s... 1442 this article improves the existing proven ra... 1443 we investigate the magnetic properties of th... 1444 the friendship paradox states that in a soci... 1445 many stochastic optimization algorithms work... 1446 robust reinforcement learning aims to produc... 1447 the central theme of this work is that a sta... 1448 we present nmr spectra of remotemagnetized d... 1449 large datasets often have unreliable labelss... 1450 modern networks are of huge sizes as well as... 1451 continuous latent time series models are pre... 1452 we prove upper bounds on the lp norms of eig... 1453 a key resource for distributed quantumenhanc... 1454 most end devices are now equipped with multi... 1455 in this paper we show how the defense relati... 1456 while optimizing convex objective loss funct... 1457 a photodetector may be characterized by vari... 1458 all living systems can function only far awa... 1459 we numerically study jamming transitions in ... 1460 survival analysis has been developed and app... 1461 the study of timevarying dynamic networks gr... 1462 we consider the multilabel ranking approach ... 1463 waveparticle duality in quantum mechanics al... 1464 we prove a quantitative fourth moment theore... 1465 generative adversarial networks gans have be... 1466 we show that the ladic realization functor i... 1467 software startups face with multiple technic... 1468 we show that a generalized dirac structure s... 1469 a generative model based on training deep ar... 1470 single magnetic skyrmions are localized whir... 1471 we complement the theory developed in preine... 1472 effect modification means the magnitude or s... 1473 many internet ventures rely on advertising f... 1474 calculating the value of ckininfty class of ... 1475 let p and q be two convex polytopes both con... 1476 existence of steady states in elastic media ... 1477 the field of plasmabased particle accelerato... 1478 in this paper we propose a novel application... 1479 a clustering algorithm is applied to cassini... 1480 we reexamine the notion of stress in peridyn... 1481 successful humanrobot cooperation hinges on ... 1482 we present a prototype for a news search eng... 1483 models of complex systems are widely used in... 1484 color names based image representation is su... 1485 this phd thesis is devoted to the lowenergy ... 1486 phase transitions in isotropic quantum antif... 1487 from philosophers of ancient times to modern... 1488 deep neural networks are increasingly being ... 1489 in this paper we develop new firstorder meth... 1490 recent progress in variational inference has... 1491 the adr algebra ra of a finitedimensional al... 1492 we study the structure of the mathfrakgkmodu... 1493 we study theoretically and experimentally th... 1494 it is shown that the nonrelativistic ground ... 1495 traditional data cleaning identifies dirty d... 1496 three complementary methods have been implem... 1497 the thermoregulation system in animals remov... 1498 we introduce a notion of koszul ainfinity al... 1499 by exploiting the property that the rbm logl... 1500 we consider a theory of a twocomponent dirac... 1501 pair hidden markov models phmms are probabil... 1502 this study focuses on the formation of two m... 1503 in this paper prediction for linear systems ... 1504 we study ionic liquids composed alkylmethyli... 1505 tick is a statistical learning library for p... 1506 we present a wellposedness and stability res... 1507 in this paper we consider the graphical lass... 1508 we prove that the orthogonal free quantum gr... 1509 we studied the temperature dependence of the... 1510 in this paper we will use the interior funct... 1511 imagine that a malicious hacker is trying to... 1512 we consider the global consensus problem for... 1513 let h subseteq k be two subgroups of a finit... 1514 this work proposes the variable exponent leb... 1515 we present radio observations at ghz of lo... 1516 deep neural networks dnns have emerged as ke... 1517 in r gompf defined a homotopy invariant the... 1518 we enumerate all circulant good matrices wit... 1519 spectral mapping uses a deep neural network ... 1520 gravitational wave astronomy has set in moti... 1521 we present a stochastic ca modelling approac... 1522 we give a bordered extension of involutive h... 1523 this comprehensive study of comet c o focuse... 1524 in this paper we investigate property testin... 1525 the cauchyrayleigh cr distribution has been ... 1526 in paris basin we evaluate how htem data com... 1527 the methods to access large relational datab... 1528 this paper proposes a novel adaptive algorit... 1529 the multiindexed orthogonal polynomials the ... 1530 we describe an approach to understand the pe... 1531 locationbased augmented reality games have e... 1532 most interesting proofs in mathematics conta... 1533 a near pristine atomic cooling halo close to... 1534 graphs are commonly used to encode relations... 1535 due to economic globalization each countrys ... 1536 in this work we compare different batch cons... 1537 in the druryarveson space we consider the su... 1538 in this paper we present the results of a si... 1539 a new search strategy for the detection of t... 1540 we present an algorithm that computes the pr... 1541 we study the stochastic multiarmed bandit ma... 1542 the goal of unbounded program verification i... 1543 we present a simple proof of the fact that t... 1544 modern multiscale type segmentation methods ... 1545 for the architecture community reasonable si... 1546 neighborhood regression has been a successfu... 1547 pseudorandom sequences with good statistical... 1548 a bilevel hierarchical clustering model is c... 1549 generalized lambdasemiflows are an abstracti... 1550 we consider variants of trustregion and cubi... 1551 we analyze the space of differentiable funct... 1552 bangla handwriting recognition is becoming a... 1553 in this article we continue the study of the... 1554 in recent years mems inertial sensors d acce... 1555 in classical mechanics a nonrelativistic par... 1556 a new bayesian framework is presented that c... 1557 molecular interactions have widely been mode... 1558 if accreting white dwarfs wd in binary syste... 1559 if the facecycles at all the vertices in a m... 1560 we consider the dynamics of porous icy dust ... 1561 urbach tails in semiconductors are often ass... 1562 recent work has provided ample evidence that... 1563 shrinkage estimation usually reduces varianc... 1564 continuous integration ci tools integrate co... 1565 amyloid precursor with amino acids dimerize... 1566 an everimportant issue is protecting infrast... 1567 in this paper we introduce a method for adap... 1568 the over threshold carbonloadings at of ini... 1569 several theorems on the volume computing of ... 1570 organic material in anoxic sediment represen... 1571 with the recent development of highend lidar... 1572 motivated by the proposal of topological qua... 1573 a graph is said to be welldominated if all i... 1574 we describe here the latest results of calcu... 1575 affiliation network is one kind of twomode s... 1576 we analyze the running time of the saukasson... 1577 agentbased internet of things iot applicatio... 1578 in this study we introduce a new approach to... 1579 the paper is concerned with an inbody system... 1580 we present flash textbffast textbflsh textbf... 1581 we propose a new neural sequence model train... 1582 deep neural networks nn are extensively used... 1583 projection theorems of divergences enable us... 1584 advanced persistent threats apts are stealth... 1585 in an influential recent paper harvey et al ... 1586 analyzing available fao data from countries... 1587 debate and deliberation play essential roles... 1588 modelling gene regulatory networks not only ... 1589 as david berlinski writes the existence and... 1590 technology is an extremely potent tool that ... 1591 the central aim in this paper is to address ... 1592 assessment of the motor activity of grouphou... 1593 the origin of ultrahighenergy cosmic rays uh... 1594 it is widely recognized that citation counts... 1595 since their inception in the s regression tr... 1596 oral disintegrating tablets odts is a novel ... 1597 calcium imaging has emerged as a workhorse m... 1598 fieldaligned currents in the earths magnetot... 1599 theoretical predictions of pressureinduced p... 1600 we derive the uniqueness of weak solutions t... 1601 the main task in oil and gas exploration is ... 1602 we tackle the problem of template estimation... 1603 highindex dielectric nanoparticles have beco... 1604 we propose a bioinspired agentbased approach... 1605 consider the linear congruence equation xldo... 1606 bismuth substituted lutetium iron garnet bli... 1607 we present a new variable selection method b... 1608 a semicalssical method based on surfacehoppi... 1609 random tensor networks provide useful models... 1610 persistent spread measurement is to count th... 1611 in the last few years an extensive literatur... 1612 the optical emission of ingan quantum dots e... 1613 we propose a novel computational method to e... 1614 membership inference attack mia determines t... 1615 we identify se iii micron in the planetary ... 1616 in this paper locally lipschitz regular func... 1617 this thesis investigates unsupervised time s... 1618 in this work we aim at building a bridge fro... 1619 the purpose this article is to try to unders... 1620 this article concerns a class of elliptic eq... 1621 in this paper we represent raptor codes as m... 1622 the package cleannlp provides a set of fast ... 1623 we propose a modified expectationmaximizatio... 1624 we report point contact andreev reflection p... 1625 doubly occupied configuration interaction do... 1626 we first investigate the evolution of openin... 1627 we present measurements of the hyperfine spl... 1628 we address the issue of limit cycling behavi... 1629 in the field of cold atom inertial sensors w... 1630 we study statistical models for onedimension... 1631 meaningful topological invariants for mixed ... 1632 deep learning dl advances stateoftheart rein... 1633 a space gm varphi of infinitely differentiab... 1634 an accurate description of spatial variation... 1635 we study the influence of degree correlation... 1636 multisource transfer learning has been prove... 1637 we show that blackhole highmass xray binarie... 1638 we study syzygies of maximal cohenmacaulay m... 1639 chirality in shape and motility can evolve r... 1640 we propose a simple algorithm to train stoch... 1641 this note proposes a simple and general fram... 1642 we investigate the emergence of cal n supers... 1643 adaptive gradient methods have become recent... 1644 we study connections between dykstras algori... 1645 techniques from higher categories and higher... 1646 we introduce dynamic nested sampling a gener... 1647 multistage design has been used in a wide ra... 1648 we investigate powerspace constructions on t... 1649 a numerical method is presented which conven... 1650 we prove neartight concentration of measure ... 1651 this paper proposes an exploration method fo... 1652 in this paper based on the framework of trad... 1653 we propose a method to solve the initial val... 1654 quantum confinement and interference often g... 1655 the gamma distribution arises frequently in ... 1656 in this paper we present two algorithms base... 1657 we address the problem of a lightly doped sp... 1658 nonconvex optimization problems arise in dif... 1659 this paper considers the problem of phase re... 1660 inverse problems in statistical physics are ... 1661 we propose a novel mechanism which explains ... 1662 recommender systems have been successfully a... 1663 we prove a lower bound of omeganlog n on the... 1664 we introduce the concept of saturated absorp... 1665 in this work we investigate the combined inf... 1666 we report the observation of magnetic domain... 1667 phylogenetic networks are becoming of increa... 1668 in this paper we prove the shorttime existen... 1669 we identify a tradeoff between robustness an... 1670 the dark matter particle explorer dampe is o... 1671 representation learning is a fundamental but... 1672 we address in this paper the problem of modi... 1673 marginbased classifiers have been popular in... 1674 let k be a nonperfect separably closed field... 1675 in a general linear model this paper derives... 1676 in this article we construct three explicit ... 1677 we demonstrate the use of semantic object de... 1678 there have been numerous breakthroughs with ... 1679 one of the primary questions when characteri... 1680 with everincreasing productivity targets in ... 1681 laman graphs model planar frameworks that ar... 1682 we demonstrate an inalnganonsi hemt based uv... 1683 this paper is the first attempt to learn the... 1684 the problem of times arrow is rigorously sol... 1685 phone sensors could be useful in assessing c... 1686 in view of recent intense experimental and t... 1687 when measuring quadratic values representati... 1688 how does our motor system solve the problem ... 1689 oeljeklaustoma ot manifolds are complex nonk... 1690 we investigate different strategies for acti... 1691 we study a possible connection between diffe... 1692 we show that the partial transposes of compl... 1693 the technique for constructing conformally i... 1694 a wellknown result says that the euclidean u... 1695 multiple imputation mi inference handles mis... 1696 given samples from a distribution how many n... 1697 we construct new continued fraction expansio... 1698 the convolution of galaxy images by the poin... 1699 given a traveling salesman problem tsp tour ... 1700 in many modern machine learning applications... 1701 kuniba okado takagi and yamada have found th... 1702 scientists and engineers commonly use simula... 1703 reinforcement learning is gaining attention ... 1704 nonreversible markov chain monte carlo schem... 1705 these are lecture notes for the course mats ... 1706 recent studies show that widely used deep ne... 1707 we prove that the arrow category of a monoid... 1708 given a suitable ordering of the positive ro... 1709 this paper consists of two parts the first p... 1710 as online fraudsters invest more resources i... 1711 we provide new approximation guarantees for ... 1712 the topology of a power grid affects its dyn... 1713 we present wasserstein introspective neural ... 1714 let omega be an unbounded domain in mathbbrt... 1715 we introduce new skein invariants of links b... 1716 big data streaming applications require util... 1717 the interest in higher derivatives field the... 1718 in this work we study the spin hall effect a... 1719 this paper explores the application of koopm... 1720 turbulence is a challenging feature common t... 1721 in the setting of nonparametric regression w... 1722 in this work we present theoretical results ... 1723 certain sufficient homological and ringtheor... 1724 let g be an undirected graph an edge of g do... 1725 heckehopf algebras were defined by a berenst... 1726 lengthmatching is an important technique to ... 1727 the yeast saccharomyces cerevisiae is one of... 1728 advances in deep generative networks have le... 1729 a number of recent papers have provided evid... 1730 we examine the nature possible orbits and ph... 1731 in the present note we study certain arrange... 1732 we investigate the problem of inferring the ... 1733 in state space models smoothing refers to th... 1734 nonlinear dynamics of the free surface of an... 1735 given n vectors mathbfxiin mathbbrd we want ... 1736 while being of persistent interest for the i... 1737 we define outliers as a set of observations ... 1738 we propose a dc proximal newton algorithm fo... 1739 in reinforcement learning agents learn by pe... 1740 network integration studies try to assess th... 1741 we report alma cycle observations of ghz ... 1742 the astonishing success of alphago zerocites... 1743 electrondoped euferhas has been systematical... 1744 chapter in highluminosity large hadron coll... 1745 it is shown that the relativistic quantum me... 1746 a new type of absorbing boundary conditions ... 1747 this paper deals with the homotopy theory of... 1748 we consider the nonlinear kalman filtering p... 1749 we prove that if x x is a threefold terminal... 1750 the helioseismic and magnetic imager hmi pro... 1751 in contact with a superconductor a normal me... 1752 functional data analysis is typically conduc... 1753 in this work we explore a straightforward va... 1754 galaxy crosscorrelations with highfidelity r... 1755 we initiate the study of the completely boun... 1756 blackbox risk scoring models permeate our li... 1757 to improve the efficiency of elderly assessm... 1758 we present a gpuaccelerated version of a hig... 1759 the auger engineering radio array aera aims ... 1760 painting is an art form that has long functi... 1761 glassy dynamics is intermittent as particles... 1762 hidden markov model based various phoneme re... 1763 in this paper we prove that the arithmetic a... 1764 in this chapter we analyze the multiple ioni... 1765 in this paper we reconsider a circular cylin... 1766 this paper considers the problem of switchin... 1767 as more aspects of social interaction are di... 1768 we report the application of femtosecond fou... 1769 we introduce computable actions of computabl... 1770 programming is a valuable skill in the labor... 1771 we express two cr invariant surface area ele... 1772 in this article we address the general appro... 1773 we show that every hminorfree graph has a li... 1774 generative adversarial networks gans have ga... 1775 we present the first good evidence for exoco... 1776 we analyze the charge and spin response func... 1777 we introduce and study a notion of canonical... 1778 as the number of internet of things iot devi... 1779 parafac has demonstrated success in modeling... 1780 we model the intracluster medium as a weakly... 1781 an event structure is a mathematical abstrac... 1782 many realworld networks are known to exhibit... 1783 we study interacting majorana fermions in tw... 1784 we present a new class of polynomialtime alg... 1785 ptsymmetry in optics is a condition whereby ... 1786 single phase uniform size nm cobalt ferrite... 1787 the midinfrared instrument miri for the em j... 1788 this paper describes an open source software... 1789 this paper is concerned with qualitative pro... 1790 we have developed an electron tracking compt... 1791 using largescale simulations based on matrix... 1792 it ellsberg thought experiments and empirica... 1793 event learning is one of the most important ... 1794 review of the third edition of interferometr... 1795 data augmentation a technique in which a tra... 1796 transition metal oxides are well known for t... 1797 an important problem in training deep networ... 1798 recent large cancer studies have measured so... 1799 the paper introduces laplacetype operators f... 1800 private record linkage prl is the problem of... 1801 despite the recent popularity of deep genera... 1802 we consider the optimal coverage problem whe... 1803 a novel and scalable geometric multilevel al... 1804 recently the kinduction algorithm has proven... 1805 gaussian process gp regression has been wide... 1806 using movement primitive libraries is an eff... 1807 radio astronomy observational facilities are... 1808 data quality of phasor measurement unit pmu ... 1809 we provide a detailed and fully rigorous der... 1810 we address the controversy over the proximit... 1811 this paper presents a novel method for struc... 1812 we propose to introduce the concept of excep... 1813 in this paper we consider a location model o... 1814 we show that the poisson centre of truncated... 1815 motivated by the question of whether the rec... 1816 recent years have seen growing interest in t... 1817 the metaltometal clearances of a steam turbi... 1818 summary statistics of genomewide association... 1819 biological networks are a very convenient mo... 1820 bytewise approximate matching algorithms hav... 1821 gandalf is a new hydrodynamics and nbody dyn... 1822 we consider boltzmanngibbs measures associat... 1823 the design of good heuristics or approximati... 1824 this paper studies the optimal extraction po... 1825 scattering for the masscritical fractional s... 1826 developer preferences language capabilities ... 1827 the demand for single photon sources at lamb... 1828 as enjoying the closed form solution least s... 1829 we consider the networked multiagent reinfor... 1830 noninteractive local differential privacy ld... 1831 statistical learning relies upon data sample... 1832 this work is a technical approach to modelin... 1833 despite intense interest in realizing topolo... 1834 we examine topological solitons in a minimal... 1835 plasma wakefield acceleration is one of the ... 1836 we obtain a rigorous upper bound on the resi... 1837 this paper introduces and addresses a wide c... 1838 while modern day web applications aim to cre... 1839 we discuss the relative merits of optimistic... 1840 size weight and power constrained platforms ... 1841 we consider fourdimensional gravity coupled ... 1842 we show the hardness of the geodetic hull nu... 1843 using etale cohomology we define a birationa... 1844 we propose novel semisupervised and active l... 1845 we consider the problem of recovering a func... 1846 automatic conflict detection has grown in re... 1847 assuming a conjecture about factorization ho... 1848 we discover a population of shortperiod nept... 1849 describing the dimension reduction dr techni... 1850 many practical problems are characterized by... 1851 summarization of long sequences into a conci... 1852 a first order theory t is said to be tight i... 1853 we investigate the accuracy and robustness o... 1854 during software maintenance developers usual... 1855 the use of computers in statistical physics ... 1856 we consider a helical system of fermions wit... 1857 we study correlations in fermionic lattice s... 1858 we present an integrated microsimulation fra... 1859 stochastic optimization naturally arises in ... 1860 we consider a variation on the problem of pr... 1861 subsequence clustering of multivariate time ... 1862 in this paper we consider a nonlocal energy ... 1863 recently the advancement in industrial autom... 1864 we present an approach to testing the gravit... 1865 we present a novel approach to fast onthefly... 1866 we consider the potential for positioning wi... 1867 in this expository work we discuss the asymp... 1868 artificial spin ice asi consisting of a two ... 1869 since the events of the arab spring there ha... 1870 we initiate the algorithmic study of the fol... 1871 we derive a semianalytic formula for the tra... 1872 recurrent neural networks rnns are used in s... 1873 with any not necessarily proper edge kcolour... 1874 the celebrated nadarayawatson kernel estimat... 1875 we consider the problem of bandit optimizati... 1876 we theoretically study a scheme to develop a... 1877 the kalman filter has been called one of the... 1878 we present a new method for the separation o... 1879 gc and gc are two globular clusters gcs in t... 1880 we present a method to generate renewable sc... 1881 many social and economic systems are natural... 1882 in this article hopf parametric adjunctions ... 1883 solving symmetric positive definite linear p... 1884 despite remarkable achievements in its pract... 1885 these notes aim at presenting an overview of... 1886 extracting useful entities and attribute val... 1887 this tutorial provides a gentle introduction... 1888 statelevel minimum bayes risk smbr training ... 1889 the increasing illegal parking has become mo... 1890 we discuss some extensions of results from t... 1891 we tightly analyze the sample complexity of ... 1892 we propose a novel approach to address the s... 1893 this paper introduces the combinatorial bool... 1894 on september hurricane irma made landfall ... 1895 human behavioural patterns exhibit selfish o... 1896 we study the special central configurations ... 1897 following the selection of the gravitational... 1898 empirical bayes is a versatile approach to l... 1899 techniques for reducing the variance of grad... 1900 binary mixtures of dry grains avalanching do... 1901 given a set of n points p in the plane the f... 1902 this paper mainly focus on the frontlike ent... 1903 in this paper we classify the fundamental so... 1904 to predict the final result of an athlete in... 1905 nowadays multiprocessing is mainstream with ... 1906 we study the dynamics of an isotropic spin h... 1907 erasure codes play an important role in stor... 1908 machine learning libraries such as tensorflo... 1909 we devise a new high order local absorbing b... 1910 we describe some necessary conditions for th... 1911 we introduce two new bootstraps for exchange... 1912 in this paper we shall prove that any subset... 1913 we present textttbhm a tool for restoring a ... 1914 we develop a general polynomial chaos gpc ba... 1915 we study the seasonal evolution of titans lo... 1916 multiagent approach has become popular in co... 1917 we present an introductory survey to first o... 1918 the percusyevick theory for monodisperse har... 1919 we test the mathbbcpn sigma models for the p... 1920 in the framework of matrix valued observable... 1921 evaluating generative adversarial networks g... 1922 the intersecting pedestrian flow on the d la... 1923 lioso is the first example of a new class of... 1924 convolutional neural networks cnns are the c... 1925 retrieving the most similar objects in a lar... 1926 let a be a finite dimensional real algebra w... 1927 in this paper we first discuss the relation ... 1928 we consider a josephson junction consisting ... 1929 rashba spin orbit coupling in topological in... 1930 a floquet systems is a periodically driven q... 1931 this paper maps out the relation between dif... 1932 in this work we consider diffusionbased mole... 1933 we define variable parameter analogues of th... 1934 we study the problem of estimating finite sa... 1935 extremescale computational science increasin... 1936 uranium beryllium is a heavy fermion system ... 1937 in this article we study the behavior as p n... 1938 we show that a finite unitary group which ha... 1939 multivariate time series mts have become inc... 1940 for parabolic equations of the form fracpar... 1941 many radiological studies can reveal the pre... 1942 we provide a complete classification of all ... 1943 we revisit the study of the phenomenology as... 1944 consider the following asynchronous opportun... 1945 we give a fully polynomialtime randomized ap... 1946 sparse coding is a crucial subroutine in alg... 1947 reducedrank regression is a dimensionality r... 1948 we find asymptotic formulas for error probab... 1949 the visual focus of attention vfoa has been ... 1950 we introduce the fullydynamic conflictfree c... 1951 a systematic experimental study of gilbert d... 1952 learning to detect fraud in largescale accou... 1953 we consider a problem of learning a binary c... 1954 we show in the case of a special dipolar sou... 1955 we propose a novel randomized linear program... 1956 this report summarizes the discussions open ... 1957 statisticians increasingly face the problem ... 1958 a locally repairable code with availability ... 1959 we present a general form of renormalization... 1960 we study duality spectral sequences for weie... 1961 in this short communication we study a fluid... 1962 we introduce the class of affine forward var... 1963 the free loops space lambda x of a space x h... 1964 cosmic ray muons with the average energy of ... 1965 a number of microorganisms leave persistent ... 1966 in the present paper we study the existence ... 1967 we show that there exist complete and minima... 1968 in this paper we describe a new las vegas al... 1969 these are lecture notes for a short course a... 1970 when two identical coherent beams are inject... 1971 we prove a structure identity principle for ... 1972 in recent years constrained optimization has... 1973 we study how small a local set of the contin... 1974 in a prediction market individuals can seque... 1975 several dihedral angles prediction methods w... 1976 a simple recurrence relation for the even or... 1977 a long range corrected range separated hybri... 1978 deep networks often perform well on the data... 1979 in spite of the close connection between the... 1980 the sagnac effect has been shown in inertial... 1981 anisotropic displacement parameters adps are... 1982 robotic motion planning problems are typical... 1983 in this article we consider hook removal ope... 1984 in the present paper we consider modal propo... 1985 neural network nn model chemistries mcs prom... 1986 automated service classification plays a cru... 1987 we study the photoinduced breakdown of a two... 1988 we draw a formal connection between using sy... 1989 learning and memory are intertwined in our b... 1990 the nonlinear response of entangled polymers... 1991 we demonstrate the generation of higherorder... 1992 magnetic trilayers having large perpendicula... 1993 grain boundary diffusion in severely deforme... 1994 the quantum schrodingernewton equation is so... 1995 we consider learning a predictor which is no... 1996 many brown dwarfs exhibit photometric variab... 1997 traveling fronts describe the transition bet... 1998 we propose an original concept of compressiv... 1999 advantages of electric vehicles ev include r... 2000 interactive music systems ims have introduce... 2001 we study the relationship between informatio... 2002 how do regions acquire the knowledge they ne... 2003 we analyze the problem of learning a single ... 2004 it is widely observed that deep learning mod... 2005 artifical neural networks are a particular c... 2006 macquarie universitys contribution to the bi... 2007 internetofthings iot architectures connectin... 2008 we report t diffusion monte carlo results fo... 2009 we prove that that the number p of positive ... 2010 motivated by the study of collapsing calabiy... 2011 when it comes to searches for extensions to ... 2012 this paper presents the design of a nonlinea... 2013 probabilistic representations of movement pr... 2014 access to the transverse spin of light has u... 2015 in survival studies classical inferences for... 2016 we present a strongly interacting quadruple ... 2017 we develop the notion of higher cheeger cons... 2018 petri nets are an established graphical form... 2019 we consider the problem of low canonical pol... 2020 we introduce a statistical method to investi... 2021 we study a new model of interactive particle... 2022 we present pricing mechanisms for several on... 2023 casebased reasoning cbr has been widely used... 2024 in this paper we present a new method for de... 2025 the calice collaboration is developing highl... 2026 hamiltonian monte carlo has emerged as a sta... 2027 in this paper we derive the pointwise upper ... 2028 for simulating large networks of neurons hin... 2029 this paper describes our submission to the ... 2030 recently decentralised onblockchain platform... 2031 we demonstrate electromechanical control of ... 2032 people speak at different levels of specific... 2033 we prove that the meet level m of the trotte... 2034 aboria is a powerful and flexible c library ... 2035 in classical mechanics wellknown cryptograph... 2036 autoencoders have been successful in learnin... 2037 we consider a large market model of defaulta... 2038 lifeexpectancy is a complex outcome driven b... 2039 recent several years have witnessed the surg... 2040 we define some new invariants for manifolds ... 2041 in this paper we propose an image encryption... 2042 the recently developed bagofpaths framework ... 2043 recent advances in analysis of subband ampli... 2044 we study the vladimirov fractional different... 2045 we propose positionvelocity encoders pves wh... 2046 convolutional neural networks cnns are one o... 2047 linear regression models contaminated by gau... 2048 this paper addresses the problem of depth es... 2049 one of the fundamental results in computabil... 2050 research on mobile collocated interactions h... 2051 instrumental variable iv methods are widely ... 2052 we prove that the length function for perver... 2053 deep neural networks are commonly developed ... 2054 we show that the expected size of the maximu... 2055 a systematic firstprinciples study has been ... 2056 answering a question of the second listed au... 2057 statistical relational ai starai aims at rea... 2058 gravitinos are a fundamental prediction of s... 2059 we study networks of human decisionmakers wh... 2060 membrane proteins constitute a large portion... 2061 we present spectroscopic redshifts of smjy s... 2062 the paper treats several aspects of the trun... 2063 let omega be a pseudoconvex domain in mathbb... 2064 in observational studies and sample surveys ... 2065 recent studies have shown that framelevel de... 2066 collective urban mobility embodies the resid... 2067 we investigate the macroeconomic consequence... 2068 convolutional neural networks cnns are widel... 2069 neurofeedback is a form of brain training in... 2070 image and video analysis is often a crucial ... 2071 we give a survey of recent results on weakst... 2072 accurate diagnosis of alzheimers disease ad ... 2073 we introduce a novel approach for training a... 2074 the potential for machine learning ml system... 2075 the prospect of pileup induced backgrounds a... 2076 we report the first result on ge neutrinoles... 2077 keywords are important for information retri... 2078 free space optical communication techniques ... 2079 this work focuses on the question of how ide... 2080 we develop theory for nonlinear dimensionali... 2081 hashing has been widely used for largescale ... 2082 based upon the idea that network functionali... 2083 in this paper we use gaussian process gp reg... 2084 we propose a new method to evaluate gans nam... 2085 we use superconducting rings with asymmetric... 2086 human societies around the world interact wi... 2087 this paper presents a proposal story of how ... 2088 we define a symmetric monoidal category with... 2089 permutation codes in the form of rank modula... 2090 dembowska a large bright mainbelt asteroid ... 2091 we propose cm a new deep reinforcement learn... 2092 this work addresses the problem of robust at... 2093 with its origin in sociology social network ... 2094 accounting fraud is a global concern represe... 2095 gaussian processes gps are a good choice for... 2096 the complex electric modulus and the ac cond... 2097 uniform convergence rates are provided for a... 2098 predicting arctic sea ice extent is a notori... 2099 plasmids are autonomously replicating geneti... 2100 distributional approximations of bi linear f... 2101 we introduce a criterion resilience which al... 2102 space out of a topological defect of the abr... 2103 an accurate assessment of the risk of extrem... 2104 we answer the question to what extent homoto... 2105 we formulate part i of a rigorous theory of ... 2106 a promising research area that has recently ... 2107 we use monte carlo simulations to explore th... 2108 with recent developments in remote sensing t... 2109 we consider the reproducing kernel function ... 2110 in this paper we consider a concentration of... 2111 jpeg is one of the most widely used image fo... 2112 we study the problems of clustering with out... 2113 realvalued word representations have transfo... 2114 contemporary software documentation is as co... 2115 in an mathsflembedding of a graph each verte... 2116 we develop a novel family of algorithms for ... 2117 objective we investigate whether deep learni... 2118 this paper is concerned with finite sample a... 2119 all previous experiments in open turbulent f... 2120 we propose a method inspired from discrete l... 2121 phylogenetic networks generalise phylogeneti... 2122 bibliometric indicators citation counts ando... 2123 unprecedented human mobility has driven the ... 2124 flexibility in shape and scale of burr xii d... 2125 argo floats measure seawater temperature and... 2126 theories of knowledge reuse posit two distin... 2127 we consider the problem of matching applican... 2128 one of the most challenging problems in tech... 2129 in this paper we study the ideal variable ba... 2130 the increase of vehicle in highways may caus... 2131 for vslam visual simultaneous localization a... 2132 dielectronic recombination dr is the dominan... 2133 structural nested mean models snmms are amon... 2134 we develop a reinforcement learning based se... 2135 a nonparametric fuel consumption model is de... 2136 a vast majority of computation in the brain ... 2137 winds from the northwest quadrant and lack o... 2138 we study randomly initialized residual netwo... 2139 we obtain a structure theorem for the group ... 2140 the vision systems of the eagle and the snak... 2141 i present a web service for querying an embe... 2142 we describe melee a metalearning algorithm f... 2143 we present a manybody theory that explains a... 2144 the potential of an efficient ridesharing sc... 2145 pillared graphene frameworks are a novel cla... 2146 recent progress in computer vision has been ... 2147 we prove that for every n in mathbbn and del... 2148 we theoretically address spin chain analogs ... 2149 motivated by applications in biological scie... 2150 motivated by applications that arise in onli... 2151 pbw degenerations are a particularly nice fa... 2152 this paper is concerned with the problem of ... 2153 weyl semimetals wsms have recently attracted... 2154 we analyze performance of a class of timedel... 2155 we explore the problem of intersection class... 2156 we study the liouville heat kernel in the l ... 2157 isoperimetric inequalities form a very intui... 2158 this chapter revisits the concept of excitab... 2159 we give the first examples of closed laplaci... 2160 the markoff group of transformations is a gr... 2161 consider a spin manifold m equipped with a l... 2162 participatory budgeting is one of the exciti... 2163 this paper presents the first estimate of th... 2164 we give a simple proof of a standard zerofre... 2165 binary stars can interact via mass transfer ... 2166 this paper deals with skew ruled surfaces in... 2167 ultrafast xray imaging provides high resolut... 2168 we decompose returns for portfolios of botto... 2169 nearly all autonomous robotic systems use so... 2170 for years recursive neural networks rvnns ha... 2171 consider the navierstokes flow in dimensiona... 2172 metabolic fluxes in cells are governed by ph... 2173 archetypal analysis is a type of factor anal... 2174 a function from baire space to the natural n... 2175 we consider the problem of universal joint c... 2176 we consider a general relation between fixed... 2177 the redundancy for universal lossless compre... 2178 in deep learning performance is strongly aff... 2179 we propose ultranarrow dynamical control of ... 2180 bryant horsley maenhaut and smith recently g... 2181 modern statistical inference tasks often req... 2182 passive kerr cavities driven by coherent las... 2183 we present a framework that connects three i... 2184 previous studies have demonstrated the empir... 2185 the bound to factor large integers is domina... 2186 the increasing uptake of residential batteri... 2187 the evolution of cellular technologies towar... 2188 training deep neural networks with stochasti... 2189 we report the design fabrication and charact... 2190 we investigate spatial evolutionary games wi... 2191 we provide the first analysis of a nontrivia... 2192 this paper proposes a detailed optimal sched... 2193 justification awareness models jams were pro... 2194 the splendid success of convolutional neural... 2195 thomassen conjectured that trianglefree plan... 2196 this paper presents a continuoustime equilib... 2197 the brain can display selfsustained activity... 2198 several important applications such as strea... 2199 heavytailed errors impair the accuracy of th... 2200 in this paper we analyse the benefits of inc... 2201 neutron beam monitors with high efficiency l... 2202 previous studies have shown the filamentary ... 2203 pandeia is the exposure time calculator etc ... 2204 a basic combinatorial invariant of a convex ... 2205 recently the integration of geographical coo... 2206 fitchstyle modal deduction in which modaliti... 2207 recently the first installment of data from ... 2208 we consider randomly distributed mixtures of... 2209 in this paper we propose a general framework... 2210 this paper will cover several studies and de... 2211 we consider multidimensional optimization pr... 2212 a graph is a powerful concept for representa... 2213 this paper considers the assignment of multi... 2214 cyclic codes have efficient encoding and dec... 2215 we prove that indecomposable sigmapureinject... 2216 we present a novel continuous optimization m... 2217 we provide a microeconomic framework for dec... 2218 in recent years deep reinforcement learning ... 2219 we consider the problem of identifying any k... 2220 recommender systems rs help users navigate l... 2221 we develop a new technique based on steins m... 2222 in this paper we propose a novel and elegant... 2223 the literature on inverse reinforcement lear... 2224 in recent work it was shown how recursive fa... 2225 this paper seeks to combine differential gam... 2226 we introduce the notion of the depth of a fi... 2227 cosmic rays originating from extraterrestria... 2228 our aim in this paper is to establish some s... 2229 this paper develops theory for feasible esti... 2230 generating realistic artificial preference d... 2231 let momega be a closed dimensional manifold ... 2232 deep learning methods have recently achieved... 2233 point clouds provide a flexible and natural ... 2234 a new challenge for learning algorithms in c... 2235 the study of the restricted isometry propert... 2236 we propose new positive definite kernels for... 2237 we study a connection between synchronizing ... 2238 the quest for performant networks has been a... 2239 we analyze the loss landscape and expressive... 2240 we formulated and implemented a procedure to... 2241 let g be a quasisimple algebraic group defin... 2242 let fn rightarrow be a boolean function the... 2243 oshimas lemma describes the orbits of parabo... 2244 in humanintheloop machine learning the user ... 2245 we employ the exponentially improved asympto... 2246 in data summarization we want to choose k pr... 2247 the brms package allows r users to easily sp... 2248 in this paper we prove the characterization ... 2249 anomalies in the abundance measurements of s... 2250 we establish a geometric condition guarantee... 2251 this paper proposes a family of weighted bat... 2252 gradientbased optimization is the foundation... 2253 dirichlet process mixture models dpmm are a ... 2254 we study the existence and uniqueness of min... 2255 we study the stationary photon output and st... 2256 many applied settings in empirical economics... 2257 periodograms are used as a key significance ... 2258 in this work we consider the problem of pred... 2259 in this paper we present the state of the ar... 2260 link discovery is an active field of researc... 2261 the minimum kenclosing ball problem seeks th... 2262 dependency parses are an effective way to in... 2263 the motion of a mechanical system can be def... 2264 we give a polynomialtime algorithm for learn... 2265 machine learning techniques have been used i... 2266 the main properties of the climate of waves ... 2267 estimating covariances between financial ass... 2268 we present a thorough analysis of the interp... 2269 android has been the most popular smartphone... 2270 this paper presents a framework for the impl... 2271 motivated by the intriguing behavior display... 2272 we present a software tool that employs stat... 2273 knowledge graph embedding aims at translatin... 2274 i present a simple phenomenological model fo... 2275 convolutional neural networks cnns have beco... 2276 the positive impacts of platooning on travel... 2277 this paper studies the role of dglie algebro... 2278 this paper presents a novel method to reduce... 2279 artificial ice systems have unique physical ... 2280 nodeperturbation learning is a type of stati... 2281 recently sbmetric spaces have been introduce... 2282 designing decentralized policies for wireles... 2283 in this paper we propose and analyze a finit... 2284 this paper investigates power control and re... 2285 we introduce and study ternary fdistributive... 2286 the important unsolved problem in theory of ... 2287 in this work we study the impact of chromati... 2288 anisotropy describes the directional depende... 2289 logistic linear mixed model is widely used i... 2290 we prove that any nonadaptive algorithm that... 2291 language understanding is a key component in... 2292 a novel delaybased spacing policy for the co... 2293 the reidemeister number of an endomorphism o... 2294 in this paper we propose a framework for cro... 2295 many important problems can be modeled as a ... 2296 a functional version of the kato oneparametr... 2297 recent breakthroughs in computer vision and ... 2298 objective to evaluate unsupervised clusterin... 2299 we report structural optical temperature and... 2300 let xrightarrow mathbb p be an elliptically ... 2301 in this paper we propose the use of quantum ... 2302 we present a visiononly model for gaming ai ... 2303 several kinds of differential relations for ... 2304 this paper studies holomorphic semicocycles ... 2305 in this work we plan to develop a system to ... 2306 the emergence of intellectual property as an... 2307 in this paper we consider the cubic fourthor... 2308 in this thesis we study the problem of featu... 2309 we introduce new boundary integral operators... 2310 granular materials are complex multiparticle... 2311 in the stochastic matching problem we are gi... 2312 the prevention of domestic violence dv have ... 2313 in this paper we show how to attain the capa... 2314 avionics is one kind of domain where prevent... 2315 recent research has revealed that the output... 2316 we investigate of a special dam optimal loca... 2317 protondriven plasma wakefield acceleration h... 2318 convolutional neural networks have been a su... 2319 this paper is the first work to perform spat... 2320 this paper studies the structure of a parabo... 2321 in this paper we generally formulate the dyn... 2322 graphs are an important tool to model data i... 2323 context in the past decade sensitive resolve... 2324 disjointset forests consisting of unionfind ... 2325 in this paper we study the problem of explor... 2326 the present paper shows that warped riemanni... 2327 we look at stochastic optimization problems ... 2328 we study the single machine scheduling probl... 2329 rural building mapping is paramount to suppo... 2330 the problem of suppressing the scattering fr... 2331 the accurate and robust simulation of transc... 2332 given a substitution tiling t of the plane w... 2333 the detection of molecular species in the at... 2334 i discuss several issues related to classica... 2335 we study the convergence of the parameter fa... 2336 for stationary homogeneous markov processes ... 2337 we consider smooth complex quasiprojective v... 2338 we describe a list of open problems in rando... 2339 we proposed a semiparametric estimation proc... 2340 the spectra of starforming or hii regions i... 2341 the problem of outputonly parameter identifi... 2342 over half a million individuals are diagnose... 2343 we consider the problem of detecting a few t... 2344 a number of imageprocessing problems can be ... 2345 an adversarial example is an example that ha... 2346 we propose a homotopy continuation method ca... 2347 user participation is considered an effectiv... 2348 in this article we consider the equivariant ... 2349 a collection of arbitrarilyshaped solid obje... 2350 a reinforcement learning agent tries to maxi... 2351 the structure composition and electrophysica... 2352 this work describes the development of a hig... 2353 the upcoming fermilab e experiment will meas... 2354 in their previous work s koenig s ovsienko a... 2355 telecom companies are severely damaged by by... 2356 it is observed that many thin superconductin... 2357 the goal of scenario reduction is to approxi... 2358 the relationship of scientific knowledge dev... 2359 the learning of mixture models can be viewed... 2360 resolving abstract anaphora is an important ... 2361 we present an effective harmonic density int... 2362 many problems in computer vision and recomme... 2363 classical novae show a rapid rise in optical... 2364 in this work we compare the thermophysical p... 2365 recovering lowrank structures via eigenvecto... 2366 we present the use of the fitted q iteration... 2367 finite rank median spaces are a simultaneous... 2368 explaining underlying causes or effects abou... 2369 we propose a type system for reasoning on pr... 2370 a homomorphism from a graph g to a graph h i... 2371 we consider the spatially homogeneous boltzm... 2372 materials science has adopted the term of au... 2373 asymptotics of maximum likelihood estimation... 2374 deep neural networks dnns have emerged as a ... 2375 marshall and olkin biometrika introduce... 2376 rapid improvements in machine learning over ... 2377 this paper studies the dynamics of a network... 2378 for every qin mathbb n let textrmfoq denote ... 2379 community analysis is an important way to as... 2380 composite adaptive control schemes which use... 2381 we introduce a new critical value cinftyl fo... 2382 we analyze a decentralized random walkbased ... 2383 the fan region is one of the dominant featur... 2384 determining the redshift distribution nz of ... 2385 in this paper we develop a novel computation... 2386 nowadays the construction of a complex robot... 2387 the joint sparse recovery problem is a gener... 2388 the dynamics of infectious diseases spread i... 2389 we investigate the dynamical complexity of c... 2390 mathematical modelers have long known of a r... 2391 egbert brieskorn died on july a few days a... 2392 exploiting fullduplex fd technology on base ... 2393 we consider task and motion planning in comp... 2394 recently deep neural networks dnns have been... 2395 sequential monte carlo smc methods are a cla... 2396 an incoming electron is reflected back as a ... 2397 we examine the dynamics of entanglement entr... 2398 aggressive incentive schemes that allow indi... 2399 the nearby space surrounding the earth is de... 2400 we characterize photonic transport in a boun... 2401 we show empirically that the optimal strateg... 2402 we compare the longterm fractional frequency... 2403 the bootstrap current and flow velocity of a... 2404 we use the hubble space telescope to obtain ... 2405 society faces a fundamental global problem o... 2406 this paper establishes convergence rate boun... 2407 in this paper we address the basic problem o... 2408 klavs f jensen is warren k lewis professor i... 2409 the complexity and size of stateoftheart cel... 2410 we introduce a new method for building model... 2411 in this paper we propose a hamiltonian appro... 2412 this paper considers the nonhermitian zakhar... 2413 the central goal of this thesis is to develo... 2414 given a matrix mathbfainmathbbrntimes d and ... 2415 autonomous robots increasingly depend on thi... 2416 silicon photomultipliers sipms are potential... 2417 experiments may not reveal their full import... 2418 we study the statistical and computational a... 2419 we consider a population of n agents which c... 2420 in this note we show that a mutation theory ... 2421 we use the generalized hierarchical equation... 2422 we consider the groundstate properties of ra... 2423 solving the global method of weighted least ... 2424 this work builds on earlier results we defin... 2425 residual network resnet is the stateoftheart... 2426 a second generation of gravitational wave de... 2427 a surprising diversity of different products... 2428 simple scaling consideration and nrg solutio... 2429 this paper proposes a deep convolutional neu... 2430 recurrent neural networks rnns with attentio... 2431 the paper describes the faraday room that sh... 2432 we describe a benchmark study of collective ... 2433 correlated random fields are a common way to... 2434 deep learning approaches such as convolution... 2435 a spat signal phase and timing message descr... 2436 in this paper we propose a novel method to e... 2437 in this work a novel approach is presented t... 2438 flexibility is a key enabler for the smart g... 2439 this paper describes the duluth system that ... 2440 this work presents an innovative application... 2441 stellar evolution models are most uncertain ... 2442 we study complexity of short sentences in pr... 2443 mean square error mse has been the preferred... 2444 we introduce a new application of measuring ... 2445 we consider the problem of undirected graphi... 2446 highdoserate brachytherapy is a tumor treatm... 2447 we use the scattering network as a generic a... 2448 we studied how lagged linear regression can ... 2449 we develop a complexity measure for largesca... 2450 the net contribution of the strange quark sp... 2451 carmesin federici and georgakopoulos arxiv c... 2452 we consider machine learning in a comparison... 2453 predicting the completion time of business p... 2454 quantum annealing qa is a generic method for... 2455 unwanted variation can be highly problematic... 2456 we present alma co detections in gasrich c... 2457 anatomical and biophysical modeling of left ... 2458 data assimilation is widely used to improve ... 2459 the presence of ubiquitous magnetic fields i... 2460 we study a model of two species of onedimens... 2461 the positive semidefinite rank of a convex b... 2462 we investigate the holonomy group of singula... 2463 selective classification techniques also kno... 2464 cognitive computing systems require human la... 2465 we demonstrate a random bit streaming system... 2466 we have investigated the electronic states a... 2467 a quality assurance and performance qualific... 2468 we search for the signature of universal pro... 2469 we present a search for metal absorption lin... 2470 by year the number of smartphone users glob... 2471 motivated by the model independent pricing o... 2472 this paper aims to provide a better understa... 2473 the ease of integration coupled with large s... 2474 we prove that any cyclic quadrilateral can b... 2475 we prove that for a free noncyclic group f h... 2476 intentional or unintentional contacts are bo... 2477 the number of published findings in biomedic... 2478 we consider a classical problem of control o... 2479 refactoring is a maintenance activity that a... 2480 this is the second in a series of papers whe... 2481 bayesian inference via standard markov chain... 2482 the kernel trick concept formulated as an in... 2483 the seminal paper of caponnetto and de vito ... 2484 we propose a supervised algorithm for genera... 2485 network embedding aims to find a way to enco... 2486 automated program repair apr has attracted w... 2487 this study tries to explain the connection b... 2488 we introduce a model of anonymous games with... 2489 in this work we study the problem of minimiz... 2490 we show that after forming a connected sum w... 2491 we introduce a technique that can automatica... 2492 in this paper we introduce two new nonsingul... 2493 in several domains obtaining class annotatio... 2494 the number of studies for the analysis of re... 2495 the multiarmed restless bandit problem is st... 2496 iteratively reweighted ell algorithm is a po... 2497 in object oriented software development the ... 2498 this perspective provides examples of curren... 2499 an explicit description of the virtualizatio... 2500 the mechanisms underlying cardiac fibrillati... 2501 in this paper we propose an informationtheor... 2502 we introduce the probabilistic generative ad... 2503 the reversible jump markov chain monte carlo... 2504 we define compactifications of vector spaces... 2505 we show that the mfold connected sum mmathbb... 2506 we present a microscopic theory of raman sca... 2507 in this work we study the robust subspace tr... 2508 in this paper we argue for the adoption of a... 2509 understanding tie strength in social network... 2510 the paper considers nonstationary responses ... 2511 investigation of social influence dynamics r... 2512 the weighted knearest neighbors algorithm is... 2513 an important novelty of g is its role in tra... 2514 we consider a reinforcement learning rl sett... 2515 we study a threewave truncation of a recentl... 2516 with the future likely to see even more perv... 2517 skodas result on ideal generation is a cruc... 2518 one of the defining properties of deep learn... 2519 dielectric microstructures have generated mu... 2520 given a zerodimensional ideal i in a polynom... 2521 in this paper we introduce the concept of a ... 2522 we present a selfcontained proof of uhlenbec... 2523 we consider the problem of making distribute... 2524 we present a straightforward sourcetosource ... 2525 we investigate the open dynamics of an atomi... 2526 composition and lattice join transitive clos... 2527 we propose a simple risklimiting audit for e... 2528 in this paper we study the category lca of c... 2529 we study how to sample paths of a random wal... 2530 cell migration is a fundamental process invo... 2531 recent work has proposed various adversarial... 2532 the detection of thousands of extrasolar pla... 2533 we define nearestneighbour point processes o... 2534 one of the challenges in modelbased control ... 2535 health care is one of the most exciting fron... 2536 let x be a normal connected and projective v... 2537 a pressure driven flow in contact interface ... 2538 species tree reconstruction from genomic dat... 2539 in this paper we establish the characterizat... 2540 we represent matrn functions in terms of sch... 2541 the hassewitt matrix of a hypersurface in ma... 2542 we propose to study the problem of fewshot l... 2543 we report on the precise measurement of the ... 2544 distribution of cold gas in the postreioniza... 2545 assume that t is a selfadjoint operator on a... 2546 we formulate and propose an algorithm multir... 2547 given a combinatorial design mathcald with b... 2548 the growing literature on affect among softw... 2549 we propose a typesafe abstraction to tensors... 2550 exploiting sparsity enables hardware systems... 2551 densitybased clustering techniques are used ... 2552 we propose a fast proximal newtontype algori... 2553 we use grey forecast model to predict the fu... 2554 text password has long been the dominant use... 2555 randomized experiments have been critical to... 2556 the planets of the solar system divide neatl... 2557 when plated onto substrates cell morphology ... 2558 agentbased computing is a diverse research d... 2559 as novel topological phases in correlated el... 2560 motivated by the current interest in the und... 2561 opinion mining and sentiment analysis in soc... 2562 developing a dialogue agent that is capable ... 2563 a weakstrong uniqueness result is proved for... 2564 gradient descent and coordinate descent are ... 2565 inverse reinforcement learning irl aims to e... 2566 on one hand consider the problem of finding ... 2567 the step of expert taxa recognition currentl... 2568 thermoelectric te materials achieve localise... 2569 over million scholarly articles have been p... 2570 bayesian optimization is a sampleefficient a... 2571 we present a muse and kmos dynamical study ... 2572 the aim of finegrained recognition is to ide... 2573 there are many hard conjectures in graph the... 2574 modern theories of galaxy formation predict ... 2575 deep learning involves a difficult nonconvex... 2576 the attention for personalized mental health... 2577 robust estimation is much more challenging i... 2578 the graphenemos heterojunction formed by joi... 2579 let p be a prime a pgroup g is defined to be... 2580 the lack of diversity in a genetic algorithm... 2581 in this work we analyze the problem of adopt... 2582 we prove cherlins conjecture concerning bina... 2583 this article concerns the expressive power o... 2584 ji matouek had many breakthrough contributi... 2585 modern neural networks are often augmented w... 2586 intrinsically motivated spontaneous explorat... 2587 previous research has traditionally analyzed... 2588 the concept of a cclass of differential equa... 2589 interval estimation of quantiles has been tr... 2590 in recent years a large body of research has... 2591 texture characterization is a key problem in... 2592 images and spectra of the open cluster ngc ... 2593 we present an exact ground state solution of... 2594 we study the instability of standing wave so... 2595 this paper proposes the matrixweighted conse... 2596 we study a strategic version of the multiarm... 2597 with the recent focus in the accessibility f... 2598 machine learning and quantum computing are t... 2599 using password based authentication techniqu... 2600 in this paper we study an analytical approac... 2601 in this paper we study the behavior of the f... 2602 biomedical events describe complex interacti... 2603 nowadays it is quite evident that knowledgeb... 2604 bilinear matrix inequality bmi problems in s... 2605 we have carried out the transient nonlinear ... 2606 compression and computational efficiency in ... 2607 in the discrete modeling approach for hybrid... 2608 this paper proposes a privacypreserving dist... 2609 we study methods to estimate drivers posture... 2610 we propose new smoothed median and the wilco... 2611 we study the neverworse relation nwr for mar... 2612 in a network a tunnel is a part of a path wh... 2613 the paper summarizes the development of the ... 2614 to understand narrative humans draw inferenc... 2615 we define the notion of hombatalinvilkovisky... 2616 the paper should be viewed as complement of ... 2617 we establish four supercongruences between t... 2618 a multiple classifiers fusion localization t... 2619 embedding graph nodes into a vector space ca... 2620 we introduce a kernel lasso klasso optimizat... 2621 we consider the problem of reconstructing si... 2622 we identify multirole logic as a new form of... 2623 in this work we present the novel astrid met... 2624 in this paper we propose a modified levy jum... 2625 we present a test to quantify how well some ... 2626 advances in wireless sensor network wsn have... 2627 samples with a common mean but possibly diff... 2628 we report the discovery and constrain the ph... 2629 this article proposes a numerical scheme for... 2630 the reproducibility of scientific research h... 2631 we prove that the tate beilinson and parshin... 2632 the dueling bandits problem is an online lea... 2633 the presence of dusty debris around main seq... 2634 based on a quasionedimensional limit of quan... 2635 with onboard operating systems becoming incr... 2636 we obtain a spectral gap characterization of... 2637 dynamic neural network toolkits such as pyto... 2638 clustering is the process of finding and ana... 2639 deep learning models require extensive archi... 2640 the actions of an autonomous vehicle on the ... 2641 this paper introduces a method for efficient... 2642 understanding the structure of zno surface r... 2643 in this paper we consider the problem of det... 2644 the quantile ratio index introduced by prend... 2645 this paper considers a practical scenario wh... 2646 the persistence diagram of cohensteiner edel... 2647 firstorder optimization algorithms often pre... 2648 datacenterbased cloud computing services pro... 2649 we prove that when q is a power of every co... 2650 in this paper we discuss the application of ... 2651 with the help of transfer entropy we analyze... 2652 many problems in machine learning and relate... 2653 in the previous article we derived a detaile... 2654 in this work we propose a novel robot learni... 2655 scientific publishing conveys the outputs of... 2656 we present a multiquery recovery policy for ... 2657 tdistributed stochastic neighborhood embeddi... 2658 winds arising from galaxies star clusters an... 2659 neural models enjoy widespread use across a ... 2660 in this paper we propose a novel ranking fra... 2661 this paper introduces consensusbased primald... 2662 the proportional odds model gives a method o... 2663 we describe global embeddings of fractional ... 2664 consider a nilpotent element e in a simple c... 2665 we consider the problem of proving that each... 2666 the estimation of a logconcave density on ma... 2667 metric graphs are special types of metric sp... 2668 the critcal exponent omega is evaluated at o... 2669 this article presents a framework and develo... 2670 active learning is relevant and challenging ... 2671 over the last few decades psychologists have... 2672 comprehensive two dimensional gas chromatogr... 2673 panel data analysis is an important topic in... 2674 in order to understand the origin of observe... 2675 we theoretically investigate the dispersion ... 2676 in this paper we develop a new approach to t... 2677 there is a digraph corresponding to every sq... 2678 we study the loschmidt echo for quenches in ... 2679 a new prior is proposed for representation l... 2680 we propose a multiscale edgedetection algori... 2681 inspired by recent work of i baoulina we giv... 2682 in this paper we study the fractional poisso... 2683 adaptive fourier decomposition afd precisely... 2684 due to the growth of geotagged images recent... 2685 electron cryotomography ect enables d visual... 2686 we use the kotliarruckenstein slaveboson for... 2687 schmerl and beklemishevs work on iterated re... 2688 internet of things iot is the next big evolu... 2689 in this paper we propose a new approach to c... 2690 uncertainty analysis in the form of probabil... 2691 asynchronousparallel algorithms have the pot... 2692 the groundstate magnetic response of fullere... 2693 we show that discrete distributions on the d... 2694 the incorporation of macroactions temporally... 2695 the current dominant visual processing parad... 2696 we describe algorithms for symbolic reasonin... 2697 for timedomain global similarity tdgs method... 2698 if dark matter interactions with standard mo... 2699 we develop a strong diagnostic for bubbles a... 2700 the formaldehyde megamaser emission has been... 2701 inference prediction and control of complex ... 2702 this paper presents a new framework for anal... 2703 ferromagnetic semiconductors fmss which have... 2704 efficient extraction of useful knowledge fro... 2705 accretion of planetary material onto host st... 2706 we use a cotrapped ion mathrmsr to sympathet... 2707 infraredir astronomical databases namely ira... 2708 decisions by machine learning ml models have... 2709 this activity has been developed as a resour... 2710 in this work we propose to fit a sparse logi... 2711 we study the complexity of approximating the... 2712 this paper considers the use of machine lear... 2713 we present a nearinfrared direct imaging sea... 2714 we prove that if a contact manifold admits a... 2715 under the usual condition that the volume of... 2716 uncertainty computation in deep learning is ... 2717 availability of research datasets is keyston... 2718 deep learning models for graphs have achieve... 2719 from the energymomentum tensors of the elect... 2720 the control of electric currents in solids i... 2721 we present the results from the first measur... 2722 this paper provides a mathematical approach ... 2723 at ccs naveed et al presented first attacks... 2724 condensate of spin atoms frozen in a unique ... 2725 empirically neural networks that attempt to ... 2726 when conducting large scale inference such a... 2727 objects moving in fluids experience patterns... 2728 recent studies show that the fast growing ex... 2729 shortcircuit evaluation denotes the semantic... 2730 we describe a communication game and a conje... 2731 for a finite field of odd cardinality q we s... 2732 we present second cadence observations of m ... 2733 bipartite networks manifest as a stream of e... 2734 background performance bugs can lead to seve... 2735 classical coupling constructions arrange for... 2736 the primary motivation of much of software a... 2737 the increasing richness in volume and especi... 2738 taxi demand prediction is an important build... 2739 we have explored the optimal frequency of in... 2740 we present an asymptotic criterion to determ... 2741 in this note we study the seifert rational h... 2742 we investigate the impact of resonant gravit... 2743 we present the detection of longperiod rv va... 2744 a personalized learning system needs a large... 2745 this paper is a contribution to the study of... 2746 supermassive black hole smbh binaries residi... 2747 web applications require access to the files... 2748 fully realizing the potential of acceleratio... 2749 the physical layer security in the uplink of... 2750 we develop a new modeling framework for inte... 2751 nanoscale quantum probes such as the nitroge... 2752 optimization plays a key role in machine lea... 2753 centrality metrics are among the main tools ... 2754 the removal of noise typically correlated in... 2755 the understanding of variations in genome se... 2756 how can we design reinforcement learning age... 2757 we introduce the state classification proble... 2758 tree ensemble models such as random forests ... 2759 the formalism to augment the classical model... 2760 knowledge distillation kd consists of transf... 2761 the annual cost of cybercrime to the global ... 2762 surface plasmon waves carry an intrinsic tra... 2763 in this work we introduce declarative statis... 2764 in phase of cresstii detector modules were... 2765 the problem of construction of ladder operat... 2766 by a classical principle of probability theo... 2767 we have synthesized new iron oxyarsenides k... 2768 the present paper introduces the initial imp... 2769 time projection chamber tpc has been chosen ... 2770 we classify all invariants of the functor in... 2771 in this paper we first present an adaptive d... 2772 recent results of laca raeburn ramagge and w... 2773 in manufacture steel and other metals are ma... 2774 it was recently shown that architectural reg... 2775 we define a secondorder neural network stoch... 2776 word embeddings are a powerful approach for ... 2777 we analyse the homotopy types of gauge group... 2778 we define an integral form of the deformed w... 2779 the aim of this paper is to present a new lo... 2780 plasmons the collective excitations of elect... 2781 we describe a procedure naturally associatin... 2782 we study the challenges of applying deep lea... 2783 novel lowbandgap copolymer oligomers are pro... 2784 we propose an efficient and accurate measure... 2785 in this paper we study how to learn stochast... 2786 a publication trend in physics education by ... 2787 selforganization is a natural phenomenon tha... 2788 a finite abstract simplicial complex g defin... 2789 chaos and ergodicity are the cornerstones of... 2790 over the years many different indexing techn... 2791 contour integration is a crucial technique i... 2792 the goal of this study is to develop an effi... 2793 goldstone modes are massless particles resul... 2794 this paper provides a link between causal in... 2795 traditional medicine typically applies onesi... 2796 leakage of polarized galactic diffuse emissi... 2797 this paper proposes a joint framework wherei... 2798 here we present a working framework to estab... 2799 we investigate the problem of testing the eq... 2800 physicallayer group secretkey gsk generation... 2801 interactive reinforcement learning irl exten... 2802 as south and central american countries prep... 2803 in this study we systematically investigate ... 2804 let gamma leq mathrmauttd times mathrmauttd ... 2805 we present in this paper algorithms for solv... 2806 machine learning algorithms for prediction a... 2807 an introduction to the zwanzigmorigtzewlfle ... 2808 the multilabel learning problem with large n... 2809 we correct one erroneous statement made in o... 2810 nextgeneration ax wlans will make extensive ... 2811 the belief that three dimensional space is i... 2812 twinning is an important deformation mode of... 2813 femtosecond optical pulses at midinfrared fr... 2814 in optical diffraction tomography the multip... 2815 optical tweezers have enabled important insi... 2816 in this essay we investigate the observation... 2817 in many modern machine learning applications... 2818 correlation networks were used to detect cha... 2819 existing neural conversational models proces... 2820 in this paper energy efficient power allocat... 2821 the composite fermion cf formalism produces ... 2822 in the kcut problem we are given an edgeweig... 2823 this paper analyses in detail the dynamics i... 2824 this paper deals with existence and regulari... 2825 among the manifold takes on world literature... 2826 we investigate task clustering for deeplearn... 2827 the roles played by learning and memorizatio... 2828 evaluating the return on ad spend roas the c... 2829 nevilles algorithm is known to provide an ef... 2830 traditional linear methods for forecasting m... 2831 the continually increasing number of documen... 2832 we present a method for efficient learning o... 2833 we prove upper bounds for the mean square of... 2834 we define a novel extensional threevalued se... 2835 spectroscopic surveys require fast and effic... 2836 microservice architecture msa is a novel ser... 2837 robojam is a machinelearning system for gene... 2838 we report measurements of the de haasvan alp... 2839 we associate an albert form to any pair of c... 2840 a nonlinear cyclic system with delay and the... 2841 automatic welding of tubular tky joints is a... 2842 we prove that the killing rate of certain de... 2843 neural models have become ubiquitous in auto... 2844 diffusion mri dmri is a valuable tool in the... 2845 empirical risk minimization erm is ubiquitou... 2846 deep learning searches for nonlinear factors... 2847 admm is a popular algorithm for solving conv... 2848 we prove finite jet determination for finite... 2849 we present a mathematical analysis of a nonc... 2850 inspired by biophysical principles underlyin... 2851 the entropy of a random variable is wellknow... 2852 in this paper we consider solving a class of... 2853 in this paper we present a novel deep fusion... 2854 recently twodimensional canonical correlatio... 2855 the wide adoption of smartphones and mobile ... 2856 hybridized moleculemetal interfaces are ubiq... 2857 detection of the mostly geomagnetically gene... 2858 we study how the regret guarantees of nonsto... 2859 the paper presents a novel concept that anal... 2860 we study classes of atomic models att of a c... 2861 we study the problem of estimating the mean ... 2862 we study the problem of containing epidemic ... 2863 in this paper we investigate the possibility... 2864 in computer vision applications such as doma... 2865 among mobile cloud applications mobile cloud... 2866 cosmic ray intensities cris recorded by sixt... 2867 in many developing countries public transit ... 2868 we consider a class of magnetic fields defin... 2869 some lung diseases are related to bronchial ... 2870 in this paper we present the design and impl... 2871 in recent years a number of prominent comput... 2872 there are a number of examples of variations... 2873 recent results in coupled or temporal graphi... 2874 a distributed algorithm is described for fin... 2875 for a metric measure space we treat the set ... 2876 distributed ledger technologies rely on cons... 2877 we study the complexity of approximations to... 2878 as training data rapid growth largescale par... 2879 hyperparameter tuning is the black art of au... 2880 we present deep generalized canonical correl... 2881 a main question in graphical models and caus... 2882 we give a lower bound for the multipliers of... 2883 we show that within a linear approximation o... 2884 predicting personality is essential for soci... 2885 we propose a novel couple mappings method fo... 2886 various sectors are likely to carry a set of... 2887 let g be the circulant graph cns with ssubse... 2888 barrier options are one of the most widely t... 2889 generalizedensemble monte carlo simulations ... 2890 we compared positions of the gaia first data... 2891 the analysis of manifoldvalued data requires... 2892 the paper presents the graph fourier transfo... 2893 dempstershafer evidence theory is wildly app... 2894 could we use computer vision in the internet... 2895 interpretability of deep neural networks is ... 2896 graph matching in two correlated random grap... 2897 semisupervised learning deals with the probl... 2898 we obtain an essential spectral gap for a co... 2899 in this work several semantic approaches to ... 2900 during the start of a survey program using f... 2901 for nin mathbbn let sn be the smallest numbe... 2902 the advection equation is the basis for math... 2903 functional time series have become an integr... 2904 benfords law is an empirical observation fir... 2905 synchronization that occurs both for nonchao... 2906 the deformation of disordered solids relies ... 2907 the reproducing kernel hilbert space rkhs em... 2908 in this work we consider the presence of con... 2909 we develop a unified valuation theory that i... 2910 we use trace class scattering theory to excl... 2911 weyl fermions are shown to exist inside a pa... 2912 the recent success of deep neural networks d... 2913 despite a long record of intense efforts the... 2914 this paper addresses image classification th... 2915 recurrent neural nets rnn and convolutional ... 2916 we derive new estimates for the number of di... 2917 recently low displacement rank ldr matrices ... 2918 classification rules can be severely affecte... 2919 finding the exact integrality gap alpha for ... 2920 gaussian mixture models are widely used in s... 2921 in this paper we will consider a generalized... 2922 intensionality is a phenomenon that occurs i... 2923 this twopart paper details a theory of solva... 2924 it is a neat result from functional programm... 2925 in this article we study the role of the gre... 2926 the rising need of secret image sharing with... 2927 in this paper we introduce matmpc an open so... 2928 we propose a copula based method to handle m... 2929 cooling the rotation and the vibration of mo... 2930 numerous pattern recognition applications ca... 2931 when participating in electricity markets ow... 2932 we design and analyse variations of the clas... 2933 we experimentally study steady marangonidriv... 2934 we study the asymptotic behavior of the homo... 2935 in rectangle packing problems we are given t... 2936 the aim of this work is to study the existen... 2937 understanding the entanglement structure of ... 2938 transfer learning has the potential to reduc... 2939 the erdsginzburgziv constant of an abelian g... 2940 the success of deep learning in numerous app... 2941 we show that discourse structure as defined ... 2942 grid based binary holography gbh is an attra... 2943 we present spatially and spectrallyresolved ... 2944 nowadays the availability of largescale data... 2945 we present a homogeneous set of accurate atm... 2946 a procedure for the design of fixedgain trac... 2947 magnetically active stars possess stellar wi... 2948 we report the electronic band structures and... 2949 given a set of data one central goal is to g... 2950 active particles which interact hydrodynamic... 2951 many applications of machine learning for ex... 2952 we experimentally study the stability of a b... 2953 we present a scheme for nanoscopic imaging o... 2954 we present a deep learning approach to the i... 2955 in nonlinear dynamics and to a lesser extent... 2956 the ungrammatical sentence the key to the ca... 2957 this is a photographic dataset collected for... 2958 human learning is a complex process in which... 2959 we follow the dual approach to coxeter syste... 2960 in the emerging advancement in the branch of... 2961 game theory has emerged as a novel approach ... 2962 advances in deep learning have led to substa... 2963 being able to fall safely is a necessary mot... 2964 the collisional shift of a transition consti... 2965 generating music medleys is about finding an... 2966 we investigate the focusing coupled ptsymmet... 2967 we have performed magnetic susceptibility he... 2968 the goal of this paper is to present an endt... 2969 the spirou near infrared spectropolarimeter ... 2970 we construct energydependent potentials for ... 2971 this paper is intended both an introduction ... 2972 the principle of the common cause claims tha... 2973 we report the discovery and analysis of the ... 2974 in this paper we explore remarkable similari... 2975 existing works on building a soliton transmi... 2976 in this paper we are concerned with the appr... 2977 health economic evaluation studies are widel... 2978 today freshwater is more important than ever... 2979 despite of the appearance of numerous new ma... 2980 we study the bulk and surface nonlinear mode... 2981 a possibility of the topological kosterlitzt... 2982 the short coherence lengths characteristic o... 2983 in this work we investigate the potential of... 2984 the joint value at risk var and expected sho... 2985 the paper addresses the hydrodynamic behavio... 2986 in many realworld binary classification task... 2987 researchers have attempted to model informat... 2988 the extended form of the classical polynomia... 2989 we develop a method to study the implied vol... 2990 we consider the problem of designing risksen... 2991 one of the most significant goals of modern ... 2992 for g an algebraic group of type al over an ... 2993 we report the detection of the prebiotic mol... 2994 a qualgebra g is a set having two binary ope... 2995 dimension reduction and visualization is a s... 2996 we introduce a new model for building condit... 2997 in this work we build on recent advances in ... 2998 the bacterial genome is organized in a struc... 2999 for a single equation in a system of linear ... 3000 we consider spatially extended systems of in... 3001 the global historical climatology networkdai... 3002 understanding the mechanism of the heterojun... 3003 about two decades ago tsfasman and boguslavs... 3004 when a vortex refracts surface waves the mom... 3005 microtubules mts are filamentous protein pol... 3006 the intrinsic stacking fault energy isfe gam... 3007 in this paper we address the problem of elec... 3008 estimating the structure of directed acyclic... 3009 we consider the problem of efficient packet ... 3010 much attention has been given in the literat... 3011 dna is a flexible molecule but the degree of... 3012 although aviation accidents are rare safety ... 3013 adaptive optimization algorithms such as ada... 3014 modelbased optimization methods and discrimi... 3015 effects of spinorbit interactions in condens... 3016 in this paper we study twosided tilting comp... 3017 we propose and analyze a method for semisupe... 3018 staphylococcus aureus responsible for nosoco... 3019 understanding how ideas relate to each other... 3020 this paper presents a general graph represen... 3021 trajectory optimization of a controlled dyna... 3022 in monolayer semiconductor transition metal ... 3023 policy evaluation or value function or qfunc... 3024 we prove that for c the subsequence of the t... 3025 this paper extends the method introduced in ... 3026 wigners little groups are the subgroups of t... 3027 we present the moa collaboration light curve... 3028 we develop a nogo theorem for twodimensional... 3029 neural networks are function approximators t... 3030 polarised neutron diffraction measurements h... 3031 in this paper we generalize the main result ... 3032 a streaming graph is a graph formed by a seq... 3033 we study existence and multiplicity of semic... 3034 recently there is a flourishing and notable ... 3035 we obtain minimal dimension matrix represent... 3036 motivated by the increasing integration amon... 3037 providing diagnostic feedback about growth i... 3038 the machine learning community has become in... 3039 simulation systems have become an essential ... 3040 we investigate a schemetheoretic variant of ... 3041 vo samples are grown with different oxygen c... 3042 we present a state interaction spinorbit cou... 3043 quantum transport is studied for the nonequi... 3044 correct classification of breast cancer subt... 3045 semilagrangian methods are numerical methods... 3046 many studies have been undertaken by using m... 3047 nearestneighbor search dominates the asympto... 3048 a minimal deterministic finite automaton dfa... 3049 applications for deep learning and big data ... 3050 in cryptography block ciphers are the most f... 3051 we present numerical studies of two photonic... 3052 this paper is about an extension of monadic ... 3053 calcium imaging data promises to transform t... 3054 sequential decision making problems such as ... 3055 patientspecific cranial implants are importa... 3056 information concentration of probability mea... 3057 in this paper we will give an account of dan... 3058 compression of neural networks nn has become... 3059 in this paper we propose a method of designi... 3060 modern large scale machine learning applicat... 3061 bacterial communities have rich social lives... 3062 we study frobenius extensions which are free... 3063 we consider the burgers equation posed on th... 3064 we describe a markov latent state space mlss... 3065 a new characterization of cmorn is establish... 3066 we show that the task of question answering ... 3067 we define a map fcolon xto y to be a phantom... 3068 the current iso standards pertaining to the ... 3069 we prove two main results concerning mesopri... 3070 emerging economies frequently show a large c... 3071 we find that cusp densities of hyperbolic kn... 3072 accurate ondevice keyword spotting kws with ... 3073 this paper presents a new compact canonicalb... 3074 we generalize the natural cross ratio on the... 3075 in our previous work we studied an interconn... 3076 we introduce the multiplexing of a crossing ... 3077 this paper presents the development of an ad... 3078 we investigate the automatic differentiation... 3079 initial rv characterisation of the enigmatic... 3080 building effective enjoyable and safe autono... 3081 a periodic array of atomic sites described w... 3082 this paper proposes a deep cerebellar model ... 3083 transient stability simulation of a largesca... 3084 web portals have served as an excellent medi... 3085 the role of portfolio construction in the im... 3086 in this paper we propose a function space ap... 3087 we construct a model of random groups of ran... 3088 we theoretically study transport properties ... 3089 the lasso and elastic net linear regression ... 3090 the el niosouthern oscillation enso is a mod... 3091 one of the key challenges for operations res... 3092 the optimization of algorithm hyperparameter... 3093 this paper develops detailed mathematical st... 3094 a sum of a largedimensional random matrix po... 3095 the composition of web services is a promisi... 3096 we present an automatic measurement platform... 3097 in jf aarnes introduced the concept of quas... 3098 we extend the framework for complexity of op... 3099 deep generative models provide powerful tool... 3100 advances in deep learning for natural images... 3101 we investigate the frequentist properties of... 3102 a convex optimizationbased method is propose... 3103 the enactive approach to cognition is typica... 3104 we study computable topological spaces and s... 3105 we present a theoretical and experimental st... 3106 the dynamic and secondary spectra of many pu... 3107 in the presented study parentteacher disrupt... 3108 the poissonfermi model is an extension of th... 3109 we study several aspects of the recently int... 3110 we introduce coroica confoundingrobust indep... 3111 diversificationbased learning dbl derives fr... 3112 canonical correlation analysis is a family o... 3113 the field of braincomputer interfaces is poi... 3114 many phenomena in collisionless plasma physi... 3115 in this paper we have generalized the notion... 3116 using a probabilistic argument we show that ... 3117 programming computable functions pcf is a si... 3118 analysis of solar magnetic fields using obse... 3119 topological data analysis such as persistent... 3120 we study the problem of computing the textsc... 3121 it has been pointed out that nonsingular cos... 3122 nmda receptors nmdar typically contribute to... 3123 aligning sequencing reads on graph represent... 3124 ensembles of classifier models typically del... 3125 a rotating continuum of particles attracted ... 3126 we have studied the critical properties of t... 3127 a new strouhalreynolds number relationship s... 3128 the randomizedfeature approach has been succ... 3129 the recent discovery of a direct link betwee... 3130 this paper proposes new specification tests ... 3131 integrating different semiconductor material... 3132 we survey the main ideas in the early histor... 3133 in this paper we investigate an emerging app... 3134 we prove that for a finitely generated field... 3135 this paper considers a version of the wiener... 3136 robust navigation in urban environments has ... 3137 this report has several purposes first our r... 3138 this paper studies density estimation under ... 3139 let u be the complement of a smooth anticano... 3140 modelfree deep reinforcement learning has be... 3141 temporal cavity solitons cs are optical puls... 3142 new system for ivector speaker recognition b... 3143 many machine learning models are reformulate... 3144 we define a newman property for bldmappings ... 3145 in this paper we study a variant of the fram... 3146 time series ts occur in many scientific and ... 3147 in this work we investigate the value of emp... 3148 online programming discussion platforms such... 3149 prior works such as the tallinn manual on th... 3150 we observe that derived equivalent k surface... 3151 motivated by recent advance of machine learn... 3152 microplasma generation using microwaves in a... 3153 we investigate banach algebras of convolutio... 3154 spiking neural networks snns possess energye... 3155 suicide is an important but often misunderst... 3156 this paper proposes a principled information... 3157 twin support vector machines twsvms have eme... 3158 recurrent neural networks rnns are powerful ... 3159 in this paper we propose deep learning archi... 3160 selfadmitted technical debt refers to situat... 3161 a better understanding and anticipation of n... 3162 for a given xsbeta where sbetacolon xtimes x... 3163 we present a new extensible and divisible ta... 3164 the create database is composed of hours of... 3165 mobilephones have facilitated the creation o... 3166 in this paper we consider an estimation prob... 3167 given a conjunctive boolean network cbn with... 3168 starting from a summary of detection statist... 3169 complex ornsteinuhlenbeck ou processes have ... 3170 we consider estimating the parametric compon... 3171 we define dirac operators on mathbbs and mat... 3172 latent tree models are graphical models defi... 3173 program synthesis is the process of automati... 3174 applications which use human speech as an in... 3175 let g be a sofic group and let sigma sigman... 3176 visual localization and mapping is a crucial... 3177 a key problem in research on adversarial exa... 3178 while the analysis of airborne laser scannin... 3179 we study the groundstate properties of a dou... 3180 we propose a novel approach for loss reservi... 3181 in this paper a new distributed asynchronous... 3182 for developers concerned with a performance ... 3183 we present a novel controller synthesis appr... 3184 recently research on accelerated stochastic ... 3185 gradient reconstruction is a key process for... 3186 the jordan decomposition theorem states that... 3187 we compute the semiflat positive cone ksfath... 3188 we have measured the magnetization of the or... 3189 class imbalance is a challenging issue in pr... 3190 in order to handle undesirable failures of a... 3191 a method for inverse design of horizontal ax... 3192 we report chandra xray observations and opti... 3193 we introduce superdensity operators as a too... 3194 we study properties of magnetic nanoparticle... 3195 we introduce an asymptotically unbiased esti... 3196 counterfactual learning is a natural scenari... 3197 the bit mersenne twister generator mt is a w... 3198 numerical qcd is often extremely resource de... 3199 the electronic structure and energetic stabi... 3200 for highdimensional sparse linear models how... 3201 at the core of many important machine learni... 3202 class imbalance classification is a challeng... 3203 in this paper we study the problem of discov... 3204 we study configuration spaces of linkages wh... 3205 the smallcluster exactdiagonalization calcul... 3206 process discovery techniques return process ... 3207 formal languages theory is useful for the st... 3208 in this paper we find an upper bound for the... 3209 this paper proposes a new algorithm for gaus... 3210 pairwise comparisons are an important tool o... 3211 we study the existence of monotone heterocli... 3212 i describe a method for computer algebra tha... 3213 this paper describes a micro fluorescence in... 3214 neural timeseries data contain a wide variet... 3215 we describe two recently proposed machine le... 3216 polyphonic sound event detection polyphonic ... 3217 the global gyrokinetic toroidal code gtc has... 3218 a nanofabrication process for realizing opti... 3219 we consider the connections among clumped re... 3220 rydberg atoms have attracted considerable in... 3221 in this paper we propose a novel variable se... 3222 background models of cancerinduced neuropath... 3223 we present a novel method for frequentist st... 3224 massive network exploration is an important ... 3225 we consider the bradlow equation for vortice... 3226 let piq be an arbitrary finite projective pl... 3227 following the seminal work of nesterov accel... 3228 we study the conditions under which one is a... 3229 stability is an important aspect of a classi... 3230 in this paper we analyze the capacitary pote... 3231 nongaussian component analysis ngca is a pro... 3232 recent years have seen a surprising connecti... 3233 computational thinking ct has been described... 3234 spincaloritronic signal generation due to th... 3235 we quantify uncertainties in the location an... 3236 pollution in urban centres is becoming a maj... 3237 during the accretion phase of a corecollapse... 3238 from only positive p and unlabeled u data a ... 3239 the possibly unbiased selection process in s... 3240 a fundamental goal in network neuroscience i... 3241 a boundary behavior of ring mappings on riem... 3242 recently cloud storage and processing have b... 3243 this work provides a simplified proof of the... 3244 it is becoming increasingly common to see la... 3245 we define the abelian distribution and study... 3246 we introduce pulsedyn a particle dynamics pr... 3247 this paper presents the design of a control ... 3248 big data sets must be carefully partitioned ... 3249 in this paper we present a family of bivaria... 3250 machine learning can extract information fro... 3251 we consider the problem of recovering a lowr... 3252 supervised learning based on a deep neural n... 3253 we propose a monte carlo algorithm to sample... 3254 convolutional dictionary learning cdl estima... 3255 this paper derives new formulations for desi... 3256 in this note we present an inftycategorical ... 3257 there has been relatively little attention t... 3258 this paper addresses the boundary stabilizat... 3259 we study vertex colourings of digraphs so th... 3260 locality sensitive hashing lsh based algorit... 3261 for a group h and a non empty subset gammasu... 3262 using the energy method we investigate the s... 3263 we present an elementary proof of a conjectu... 3264 in this paper we prove the following pointwi... 3265 we report experimental results of the static... 3266 we investigate the formation of multiplecore... 3267 few ideas have enjoyed as large an impact on... 3268 we study the ideal structure of reduced cros... 3269 understanding and discovering knowledge from... 3270 we focus on two supervised visual reasoning ... 3271 we offer the proofs that complete our articl... 3272 these lecture notes on entanglement in topol... 3273 in this paper we study the existence and the... 3274 synthetic biological macromolecule of magnet... 3275 most multispectral remote sensors eg quickbi... 3276 empirical scoring functions based on either ... 3277 we define the lmeasure on the set of dirichl... 3278 in the present study superheating treatment ... 3279 we discuss different types of humanrobot int... 3280 background choosing the most performing meth... 3281 this contribution will show how access play ... 3282 in this work we mainly consider the dynamics... 3283 incommensurately modulated twin structure of... 3284 the cortex exhibits selfsustained highlyirre... 3285 this paper deals with relative normalization... 3286 gete wins the renewed research interest due ... 3287 we show theoretically that the phase of the ... 3288 observations of the cmb today allow us to an... 3289 we describe a parallel adaptive multiblock a... 3290 triangle counting is a key algorithm for lar... 3291 the growing importance and utilization of me... 3292 diet design for vegetarian health is challen... 3293 we show that learning methods interpolating ... 3294 search of new frustrated magnetic systems is... 3295 previous cnnbased video superresolution appr... 3296 large organizations often have users in mult... 3297 we show that some results from the theory of... 3298 multicarrierlow density spreading multiple a... 3299 many important problems are characterized by... 3300 we present a distributed control strategy fo... 3301 our contribution is to widen the scope of ex... 3302 we describe a mechanism by which artificial ... 3303 we propose a novel approach for the generati... 3304 following a new microlensing constraint on p... 3305 it is well known the concept of the conditio... 3306 in this paper we study further properties an... 3307 honeycomb structures of group iv elements ca... 3308 the motion of electrons and nuclei in photoc... 3309 with the advent of public access to small ga... 3310 in our previous works a relationship between... 3311 in this paper we develop linear transfer per... 3312 machine learning algorithms based on deep ne... 3313 we analyze largescale data sets about collab... 3314 we study quantum tunnelling in dantes infern... 3315 highly automated robot ecologies hare or soc... 3316 the multilinear normal distribution is a wid... 3317 data driven activism attempts to collect ana... 3318 deep convolutional neural networks have achi... 3319 nanographitic structures ngss with multitude... 3320 we present the first theoretical evidence of... 3321 we present a simple electromechanical finite... 3322 frustrated lewis pairs flps are known for it... 3323 cataloging is challenging in crowded fields ... 3324 we analyze the local convergence of proximal... 3325 causal relationships among variables are com... 3326 the holy grail of deep learning is to come u... 3327 it is shown that for a given ordered nodelab... 3328 delay is omnipresent in modern control syste... 3329 this paper discusses the time series trend a... 3330 dietzfelbinger and weidling dw proposed a na... 3331 consider the problem of modeling memory for ... 3332 we show that a closed almost khler manifold ... 3333 in this study we consider preliminary test a... 3334 conventional fracture data collection method... 3335 influenza remains a significant burden on he... 3336 this paper shows how to recover stochastic v... 3337 mobile edge computing mec is expected to be ... 3338 given a regular cardinal kappa such that kap... 3339 we describe a new training methodology for g... 3340 in all supersymmetric theories gravitinos wi... 3341 automatic abusive language detection is a di... 3342 we show how the massive data compression alg... 3343 electronic medical records emr contain longi... 3344 we examine knotted solutions the most simple... 3345 we present a method that automatically evalu... 3346 legal professionals worldwide are currently ... 3347 accurate modeling of light scattering from n... 3348 in joselli et al introduced the neighborhoo... 3349 we investigate the structure of join tensors... 3350 complex computer simulators are increasingly... 3351 we show that the equations of reinforcement ... 3352 we consider the sparse highdimensional linea... 3353 several fundamental problems that arise in o... 3354 this paper considers channel estimation and ... 3355 we investigate the relationship between seve... 3356 in this note we investigate the pdegree func... 3357 in citey yin generalized the definition of w... 3358 mazur rubin and stein have recently formulat... 3359 there has been an increasing demand for form... 3360 we study the effects of local perturbations ... 3361 we study the indices of the geodesic central... 3362 the controversy regarding the precise nature... 3363 we report raman sideband cooling of a single... 3364 meaningful climate predictions must be accom... 3365 situational awareness in vehicular networks ... 3366 spatialtemporal prediction is a fundamental ... 3367 we prove rungetype theorems and universality... 3368 in recent times the use of separable convolu... 3369 we present recent improvements in the simula... 3370 in recent years social bots have been using ... 3371 a set of smoothed particle hydrodynamics sim... 3372 a number of formal methods exist for capturi... 3373 we propose and analyze a new estimator of th... 3374 we propose a novel computational strategy fo... 3375 we consider the twoarmed bandit problem as a... 3376 accurate estimates of the under mortality ra... 3377 strong external difference family sedf and i... 3378 using a multiple scattering theory algorithm... 3379 typically ai researchers and roboticists try... 3380 we consider schrdinger equation with a nonde... 3381 let fn denote the nth term of the fibonacci ... 3382 social dilemmas have been regarded as the es... 3383 we study the diffusion or heat equation on a... 3384 in this work we perform an empirical compari... 3385 by combining shannons cryptography model wit... 3386 generative models either by simple clusterin... 3387 we study a spectral initialization method th... 3388 generative adversarial networks gans have be... 3389 the numerical approximation of the solution ... 3390 in interactive information retrieval researc... 3391 the excited states of polyatomic systems are... 3392 this work offers a design of a video surveil... 3393 recent work by cohen emphet al has achieved ... 3394 catastrophic events though rare do occur and... 3395 the quantum anomalous hall qah phase is a no... 3396 the automatic analysis of ultrasound sequenc... 3397 data analysis plays an important role in the... 3398 dynamics of a system in general depends on i... 3399 we study laserdriven isomerization reactions... 3400 in this paper a theory of quandle rings is p... 3401 the polynomial eigenvalue problem arises in ... 3402 in this paper we study the teichmller harmon... 3403 in this note we give a nature action of the ... 3404 in higher category theory we use fibrations ... 3405 we have examined the effects of embedded pit... 3406 star clusters interact with the interstellar... 3407 we present a new method called analysisofmar... 3408 shelf and coastal sea processes extend from ... 3409 the giornata sesta about the force of percus... 3410 a brief introduction to radar principles dop... 3411 one of the challenges in computational acous... 3412 in this paper we strengthen the splitting th... 3413 we present an approach for building an activ... 3414 significant parts of the recent learning lit... 3415 this paper introduces a novel approach to te... 3416 analyzing the behaviour of a concurrent prog... 3417 extended strongly periodic links have been i... 3418 over the past decade the idea of smart homes... 3419 deep learning models can take weeks to train... 3420 we deduce a simple closed formula for illiqu... 3421 long linear codes constructed from toric var... 3422 often the challenge associated with tasks li... 3423 we construct firstly the complete list of fi... 3424 a method to control results of gradient desc... 3425 graphs networks are ubiquitous and allow us ... 3426 disk migration and higheccentricity migratio... 3427 the combination of photometry spectroscopy a... 3428 a new majority and minority voted redundancy... 3429 we present a tight analysis for the wellstud... 3430 using stateoftheart techniques combining ima... 3431 according to the theory of urban scaling urb... 3432 living cells move thanks to assemblies of ac... 3433 there is an increasing interest in exploitin... 3434 cardiac indices estimation is of great impor... 3435 we characterize certain noncommutative domai... 3436 we consider the problem of estimating a regr... 3437 chimera states namely complex spatiotemporal... 3438 technologies have become important part of o... 3439 we study the neurallinear bandit model for s... 3440 we present twodimensional hydrodynamical sim... 3441 firstpassage times in random walks have a va... 3442 video prediction has been an active topic of... 3443 in this paper we cluster classical music pi... 3444 for random quantum spin models the strong di... 3445 we introduce a semisupervised discrete choic... 3446 mean motion commensurabilities in multiplane... 3447 in van der waals heterostructures the period... 3448 we conjecture that bounded generalised polyn... 3449 we will give general sufficient conditions u... 3450 we provide a mathematical analysis of a ther... 3451 we consider the motion of small bodies in ge... 3452 impervious surface area is a direct conseque... 3453 we study the problem delta vlambda v v pvte... 3454 pca is a classical statistical technique who... 3455 end user privacy is a critical concern for a... 3456 we study the orbital properties of dark matt... 3457 in this paper we are concerned with the anal... 3458 studying the internal structure of complex s... 3459 we verify a conjecture of perelman which sta... 3460 hyperuniform geometries feature correlated d... 3461 this paper proposes a new loss using shortti... 3462 we study continuum schrdinger operators on t... 3463 the logdet distance between two aligned dna ... 3464 in this paper we focus on the construction o... 3465 there are several different modalities eg su... 3466 a great deal of effort has gone into trying ... 3467 we study conditional independence relationsh... 3468 a currentaided inertial navigation framework... 3469 in february world health organization decla... 3470 the lowenergy constants namely the spin stif... 3471 political and social polarization are a sign... 3472 despite decades of inquiry the origin of gia... 3473 several applications of slicing require a pr... 3474 physicists at the large hadron collider lhc ... 3475 we study ancient khmer ephemerides described... 3476 modelbased compression is an effective facil... 3477 matrix factorisation methods decompose multi... 3478 developers often try to find occurrences of ... 3479 a new method to improve the accuracy and eff... 3480 we examine the growth and evolution of quenc... 3481 we study su calorons also known as periodic ... 3482 natural disasters can have catastrophic impa... 3483 the simultaneous localization and mapping sl... 3484 we study an asynchronous online learning set... 3485 convolutional neural networks cnns have mass... 3486 we study brauers longstanding kbconjecture o... 3487 the sloan digital sky survey sdss is the fir... 3488 we compare a global high resolution resistiv... 3489 algorithms for detecting communities in comp... 3490 this paper investigates reverse auctions tha... 3491 in deterministic optimization line searches ... 3492 hydrogen hdoped lafeaso is a prototypical ir... 3493 we consider corotational wave maps from dime... 3494 we consider a closed chain of even number of... 3495 we construct nonsemisimple tqfts yielding ma... 3496 deep reinforcement learning rl recently emer... 3497 games of timing aim to determine the optimal... 3498 humans are not only adept in recognizing wha... 3499 a new semiclassical divideandconquer method ... 3500 in this letter we establish yangian symmetry... 3501 conventional dark matter direct detection ex... 3502 we propose a novel approach to allocating re... 3503 networks provide a powerful formalism for mo... 3504 a minimal constructed language conlang is us... 3505 nonparametric models are versatile albeit co... 3506 anomaly detection ad has garnered ample atte... 3507 time reversal is one of the most intriguing ... 3508 we present a series of definitions and theor... 3509 we study the global consequences in the halo... 3510 we propose new methods for support vector ma... 3511 we show that each limiting semiclassical mea... 3512 atmospheric moist available potential energy... 3513 many seminal results in interactive proofs i... 3514 quantum magnetic phases near the magnetic sa... 3515 we consider the problem of finding local min... 3516 syntax errors are generally easy to fix for ... 3517 predicting the popularity of news article is... 3518 in this paper we give a negative answer to a... 3519 forecasts of mortality provide vital informa... 3520 machine learning is usually defined in behav... 3521 acoustic wave attenuation due to vibrational... 3522 a lagrangian fluctuationdissipation relation... 3523 this paper examines the limit properties of ... 3524 density estimation is a fundamental problem ... 3525 existing strategies for finitearmed stochast... 3526 asynchronous parallel computing and sparse r... 3527 stateoftheart neural networks are vulnerable... 3528 one of the challenges in testing gravity wit... 3529 let a be a free hyperplane arrangement in z... 3530 the integration of iiiv on silicon is still ... 3531 this volume contains a selection of the pape... 3532 we investigate the asymptotic behavior of se... 3533 canards are special solutions to ordinary di... 3534 in this paper we study selected argument for... 3535 we propose a dtcwt scatternet convolutional ... 3536 let taun be the number of divisors of n we g... 3537 in this study we present the preliminary tes... 3538 we present an efficient coresetsbased neural... 3539 active galactic nuclei agn are energetic ast... 3540 a recent result characterizes the fully orde... 3541 the optimization of composition and processi... 3542 consider the noncrossing set partitions of a... 3543 in this paper we focus on finding clusters i... 3544 large bundles of myelinated axons called whi... 3545 we present a strengthening of the lemma on t... 3546 functional analysis of variance fanova from ... 3547 we present a method that gets as input an au... 3548 identifying causal relationships from observ... 3549 telepresence is a necessity for present time... 3550 in the industry of video content providers s... 3551 we prove the following continuous analogue o... 3552 we present a novel method to measure precise... 3553 we show that mntz spaces as subspaces of c c... 3554 this article describes a sequence of rationa... 3555 we analyze new farultraviolet spectra of qu... 3556 quaternionic tori are defined as quotients o... 3557 a danish computer gier from played a vital ... 3558 several recent papers investigate active lea... 3559 here we write in a unified fashion using rp ... 3560 a rising topic in computational journalism i... 3561 in this paper we introduce certain nth order... 3562 as robots begin to cohabit with humans in se... 3563 we pursue a novel morphometric analysis to d... 3564 this work develops a tracking system based o... 3565 we present an efficient score statistic call... 3566 the increase in network connectivity has als... 3567 with the increasing popularity of smart devi... 3568 the ricci iteration is a discrete analogue o... 3569 rna sequencing allows one to study allelic i... 3570 boundtobound data collaboration bbdc provide... 3571 hydra is a headeronly templated and ccomplia... 3572 deep learning is the stateoftheart in fields... 3573 mounting evidence connects the biomechanical... 3574 message passing interface mpi is the standar... 3575 the modified cholesky decomposition is commo... 3576 this is a comment on reinharts review of sel... 3577 we have compared the magnetic transport galv... 3578 in this paper we present conjoined constrain... 3579 the dynamics of a circular thin vortex ring ... 3580 measurements of sigma from large scale struc... 3581 we invoke a gaussian mixture model gmm to jo... 3582 we present a quantum repeater scheme that is... 3583 in recent years the logic of questions and d... 3584 there is a strong demand for precise means f... 3585 this paper considers utility optimal power c... 3586 magnetic frustration and low dimensionality ... 3587 gaussian processes are popular and flexible ... 3588 as an attempt to further elucidate the opera... 3589 many theories have emerged which investigate... 3590 we show that for every finitely generated cl... 3591 convolutional sparse representations are a f... 3592 suppose some future technology enables the s... 3593 we present the results of a directimaging su... 3594 the dimension is a key measure of complexity... 3595 we define the emphvisual complexity of a pla... 3596 we report new multicolour photometry and hig... 3597 the success of various applications includin... 3598 the defect of valued field extensions is a m... 3599 neural networks are known to be vulnerable t... 3600 we study the statistical properties of an es... 3601 in this paper we investigate the multivariat... 3602 a virtual network vn contains a collection o... 3603 we propose a communicationally and computati... 3604 the extraction of natural gas from the earth... 3605 we present numerical simulations of magnetic... 3606 a wellknow drawback of lpenalized estimators... 3607 using supercharacter theory we identify the ... 3608 we study the asymptotic behavior of the max ... 3609 topological data analysis is an emerging mat... 3610 the exponentialtime hypothesis eth states th... 3611 we propose a structured low rank matrix comp... 3612 this article lays the foundations for the st... 3613 research in uav scheduling has obtained an e... 3614 we report temperature t dependence of dc mag... 3615 we develop an assumeguarantee contract frame... 3616 this paper presents an active search traject... 3617 in recent years the optical control of excha... 3618 the predictive power of neural networks ofte... 3619 tracking and controlling the shape of contin... 3620 in this paper we present some new results on... 3621 the increasing accuracy of automatic chord e... 3622 blooms taxonomy bt have been used to classif... 3623 the need to test whether two random vectors ... 3624 we report measurements of the magnetoresista... 3625 this paper introduces two classes of totally... 3626 we present some elementary but foundational ... 3627 a hidden truncation hyperbolic hth distribut... 3628 we reinvestigate a claimed sample of xray d... 3629 we present a new approach to testing filesys... 3630 in this paper we construct entire solutions ... 3631 the wave turbulence equation is an effective... 3632 multilabel text classification is a popular ... 3633 we consider a network design problem with ra... 3634 consider an infinite chain of masses each co... 3635 the general procedure underlying hartreefock... 3636 recent studies suggest that the quenching pr... 3637 in young starburst galaxies the xray populat... 3638 in this paper we present a concolic executio... 3639 innovation and entrepreneurship have a very ... 3640 the exact law for fully developed homogeneou... 3641 cmshf calorimeters have been undergoing a ma... 3642 the ambitious goals of precision cosmology w... 3643 we present results from a noncosmological th... 3644 causal inference in multivariate time series... 3645 differential privacy promises to enable gene... 3646 industrie is originally a future vision des... 3647 future wireless systems are expected to prov... 3648 we show that there is no ck diffeomorphism o... 3649 we provide excess risk guarantees for statis... 3650 we study the inference of a model of dynamic... 3651 available possibilities to prevent a biped r... 3652 a key challenge for modern bayesian statisti... 3653 a method for determining quantum variance as... 3654 virtual heart models have been proposed to e... 3655 the consistency of a bootstrap or resampling... 3656 dynamic scaling analyses of linear and nonli... 3657 bayesian hierarchical models are used to sha... 3658 we adapt the pingpong lemma which historical... 3659 codrep is a machine learning competition on ... 3660 mixed volumes vkdots kd of convex bodies kdo... 3661 there has recently been significant interest... 3662 many problems in signal processing require f... 3663 hybrid quantum mechanicalmolecular mechanica... 3664 in this study we develop a theoretical model... 3665 multicore cpus are a standard component in m... 3666 lowrank modeling plays a pivotal role in sig... 3667 accurate delineation of the left ventricle l... 3668 the jacobianbased saliency map attack is a f... 3669 reinforcement learning rl has been successfu... 3670 bl lacertae is the prototype of the blazar s... 3671 experiment and theory indicate that upt is a... 3672 the appearance of a nanojet in the microsphe... 3673 we define triangulated factorization systems... 3674 cloud storage services have become accessibl... 3675 we consider twodimensional d dirac quantum r... 3676 we study the arithmetically cohenmacaulay ac... 3677 point clouds obtained from photogrammetry ar... 3678 the unique information ui is an information ... 3679 we study distributionally robust optimizatio... 3680 privacy is a major issue in learning from di... 3681 this paper deals with the establishment of i... 3682 neural machine translation nmt has recently ... 3683 bayesian networks or directed acyclic graph ... 3684 we present triviaqa a challenging reading co... 3685 many people dream to become famous youtube v... 3686 in this work we introduce the class of hrmmn... 3687 achieving high performance for sparse applic... 3688 with pressure to increase graduation rates a... 3689 meteoritic abundances of rprocess elements a... 3690 we present savitr a system that leverages th... 3691 the resonances associated with a fractional ... 3692 let xldotsxn be iid sample in mathbbrp with ... 3693 a locally recoverable code is a code over a ... 3694 in the following text we introduce specifica... 3695 we report the discovery of tidal tails aroun... 3696 we propose scheduled auxiliary control sacx ... 3697 we describe a generalization of the hierarch... 3698 in the framework of shape constrained estima... 3699 in this paper we have explored the effects o... 3700 the subject of polynomiography deals with al... 3701 this is a no brainer using bicycles to commu... 3702 we define a kind of moduli space of nested s... 3703 manually labeled corpora are expensive to cr... 3704 spectral topic modeling algorithms operate o... 3705 future observations of terrestrial exoplanet... 3706 although the definition of what empathetic p... 3707 we construct noncommutative analogs of trans... 3708 support vector data description svdd is a po... 3709 a trigonal phase existing only as small patc... 3710 we study the problem of estimating an unknow... 3711 by a labeled graph calgebra we mean a calgeb... 3712 diabetes is a leading worldwide public heal... 3713 in recent years randomized methods for numer... 3714 results of investigations of the nearhorizon... 3715 the demand for lowdissipation nanoscale memo... 3716 licas lightweight internetbased communicatio... 3717 in this paper we introduce new technique for... 3718 this manuscript is a preprint version of par... 3719 we describe general multilevel monte carlo m... 3720 the sensing of magnetic fields has important... 3721 for more than a century it has been believed... 3722 when sexual violence is a product of organiz... 3723 we investigate the problem of truth discover... 3724 this document presents hips a hierarchical s... 3725 applying deep learning methods to mammograph... 3726 in order to optimize the performance of the ... 3727 linear parametervarying lpv models form a po... 3728 we perform a set of general relativistic rad... 3729 correlated oxide heterostructures pose a cha... 3730 the two stateoftheart implementations of boo... 3731 we consider the task of automated estimation... 3732 ages and masses of young stars are often est... 3733 we report a study of the structural phase tr... 3734 the solution path of the d fused lasso for a... 3735 hydrogenrich compounds are important for und... 3736 the future circular collider fcc currently i... 3737 let xitx denote spacetime white noise and co... 3738 for an arbitrary group g it is shown that ei... 3739 starting from a dataset with inputoutput tim... 3740 in this paper we propose a kneelike approxim... 3741 in this study an alloy phasefield model is u... 3742 we have previously proposed the partial quan... 3743 we present pfdcmss a novel messagepassing ba... 3744 the minkowski inequality is a classical ineq... 3745 this paper studies the concept of instantane... 3746 we study the complexity of approximating was... 3747 modern implicit generative models such as ge... 3748 transfer learning leverages the knowledge in... 3749 we develop a new class of path transformatio... 3750 the visual representation of concepts or ide... 3751 schmidts game is generally used to deduce qu... 3752 locally checkable labeling lcl problems incl... 3753 in this paper we propose a novel continuous ... 3754 a cmorder is a reduced order equipped with a... 3755 crosscorrelations in the activity in neural ... 3756 despite the fact that json is currently one ... 3757 the present study introduce the human capita... 3758 in diffusion tensor imaging dti or high angu... 3759 this paper presents a new multiobjective dee... 3760 finding optimal correction of errors in gene... 3761 finding semantically rich and computerunders... 3762 for a safe natural and effective humanrobot ... 3763 continuoustime trajectory representations ar... 3764 in this paper we consider testing the homoge... 3765 we exhibit borel probability measures on the... 3766 pca is one of the most widely used dimension... 3767 associating image regions with text queries ... 3768 the open and closed textitsymmetrized polydi... 3769 partial differential equations with distribu... 3770 fracton order is a new kind of quantum order... 3771 minseiscluster is an optimization problem wh... 3772 the statistical distribution of galaxies is ... 3773 causal mediation analysis can improve unders... 3774 finding an intermediatemass black hole imbh ... 3775 a successful grasp requires careful balancin... 3776 let mathcala be a calgebra of bounded unifor... 3777 we present shrinking horizon model predictiv... 3778 scientific evaluation is a determinant of ho... 3779 topological effects typically discussed in t... 3780 a high degree of consensus exists in the cli... 3781 in the convex body chasing problem we are gi... 3782 we introduce a notion of cocycleinduction fo... 3783 auxiliary variables are often needed for ver... 3784 in this paper we will present a homological ... 3785 in this contribution we are concerned with t... 3786 this paper proposes novel tests for the abse... 3787 deriving the optimal safety stock quantity w... 3788 in this article we prove carleman estimates ... 3789 unsupervised domain mapping has attracted su... 3790 the spin of wolfrayet wr stars at low metall... 3791 there is surprisingly little known about age... 3792 complex networks are often used to represent... 3793 the choice of tuning parameter in bayesian v... 3794 we introduce a metric of mutual energy for a... 3795 volvox barberi is a multicellular green alga... 3796 accuracy is one of the basic principles of j... 3797 it has recently become possible to study the... 3798 a set is called recurrent if its minimal aut... 3799 this paper presents the concept of an in sit... 3800 we describe the road which led to the constr... 3801 consider an ample and globally generated lin... 3802 we propose a method for recognizing moving v... 3803 we study principal component analysis pca fo... 3804 the aim of this paper is to give a short ove... 3805 we introduce variational obstacle avoidance ... 3806 this paper introduces an extension of herons... 3807 in representation learning rl how to make th... 3808 distributed storage systems suffer from sign... 3809 we report on the optimization process to syn... 3810 as a dedicated solar radio interferometer th... 3811 we present deep voice a fullyconvolutional ... 3812 every year million newborns die within the ... 3813 we propose a novel fluidstructure interactio... 3814 in this article we advance divideandconquer ... 3815 robust and fast motion estimation and mappin... 3816 most existing theories of dark energy andor ... 3817 video analytics requires operating with larg... 3818 recent development of largescale question an... 3819 introducing inequality constraints in gaussi... 3820 cyclic codes and their various generalizatio... 3821 a method for efficiently successive cancella... 3822 openml is an online machine learning platfor... 3823 cultural activity is an inherent aspect of u... 3824 accurate measurements of the physical struct... 3825 conditional expectiles are becoming an incre... 3826 the choice that a solid system makes when ad... 3827 this paper presents an alternative approach ... 3828 image registration is the process of alignin... 3829 this work initiates a general study of learn... 3830 a graph is hfree if it has no induced subgra... 3831 the design of electrically driven quantum do... 3832 this paper studies directed exploration for ... 3833 bayesian models that mix multiple dirichlet ... 3834 we present a new matched filter algorithm fo... 3835 d nonlte radiative transfer problems are com... 3836 recently several test case prioritization tc... 3837 the magnetism in mnsite has been investigate... 3838 the big data phenomenon has spawned largesca... 3839 this work is concerned with a unique combina... 3840 in this paper a deep domain adaptation based... 3841 under ambient conditions we directly observe... 3842 the development of plasmonic and metamateria... 3843 we study the andersonlike localization trans... 3844 recent developments in specialized computer ... 3845 dynamic mode decomposition dmd has emerged a... 3846 social relationships can be divided into dif... 3847 we construct a linear system nonlocal game w... 3848 this note corrects the mistakes in the splic... 3849 we show tight upper and lower bounds for swi... 3850 the kinetic effects of electrons are importa... 3851 a major bottleneck for developing general re... 3852 developing an intelligent vehicle which can ... 3853 how much energy is consumed for an inference... 3854 we investigate the association between music... 3855 we propose a general algorithm to compute al... 3856 using cohomological methods we prove a crite... 3857 the generators of the classical specht modul... 3858 in this paper we investigate the cauchy prob... 3859 in this paper we describe two fully mass con... 3860 in this paper we are concerned with the prob... 3861 batygin and brown have suggested the existe... 3862 we propose a fast method with statistical gu... 3863 we prove existence results for small present... 3864 image matting is a longstanding problem in c... 3865 we present the combined chandra and swiftbat... 3866 lisa is a proposed spacebased laser interfer... 3867 generative adversarial networks gans have sh... 3868 we provide examples of operators tdv with de... 3869 in real human robot interaction hri scenario... 3870 we present a deterministic algorithm for rus... 3871 objective a clinical decision support tool t... 3872 the same concept can mean different things o... 3873 m hanzer and i matic have proved that the ge... 3874 this article explores the geometric algebra ... 3875 we are concerned with unbounded sets of math... 3876 mathematical models for physiological proces... 3877 we provide a derivation of the poisson multi... 3878 surface properties are examined in a chiral ... 3879 modern threats have emerged from the prevale... 3880 the contribution of o ions to antiferromagne... 3881 networks describe a range of social biologic... 3882 we used a multiplescale homogenization metho... 3883 mobile network operators can track subscribe... 3884 taipan is a multiobject spectroscopic galaxy... 3885 online learning algorithms widely used to po... 3886 this paper is concerned with the blowup phen... 3887 the object of the present paper is to study ... 3888 dynamic epidemic models have proven valuable... 3889 this paper considers the problem of designin... 3890 the emphword problem of a group g langle si... 3891 models in econophysics ie the emerging field... 3892 spatially extended population dynamics model... 3893 we consider the problem of learning a policy... 3894 as autonomous vehicles become an everyday re... 3895 a finite word is closed if it contains a fac... 3896 we construct a continuous time model for pri... 3897 in dergachev and kirillov introduced subalg... 3898 let m be an evendimensional oriented closed ... 3899 transformation models are a very important t... 3900 we study polynomial generalizations of the k... 3901 coordinate descent methods employ random par... 3902 stochasticity and limited precision of synap... 3903 a congruence is a surface in the grassmannia... 3904 we investigate the behavior of the deviation... 3905 in this paper we prove the pointwise converg... 3906 we give a criterion which characterizes a ho... 3907 the moon often appears larger near the perce... 3908 we study fielddriven magnetic domain wall dy... 3909 we show that the uct problem for separable n... 3910 recent outbreaks of ebola hn and other infec... 3911 we investigate the entanglement properties o... 3912 we present a nonlocal electrostatic formulat... 3913 transfer learning borrows knowledge from a s... 3914 although the property of strong metric subre... 3915 we present the silverrush program strategy a... 3916 magnetosphere at ion kinetic scales or minim... 3917 we study soliton solutions of matrix kadomts... 3918 lowpower widearea networks lpwans are being ... 3919 a compacted tree is a graph created from a b... 3920 the pixel detector pxl for the heavy flavor ... 3921 let cbf n be a complete intersection monomia... 3922 the dynamics of a quantum vortex torus knot ... 3923 quantumdot cellular automata qca is a likely... 3924 two major momentumbased techniques that have... 3925 we give characterizations of a finite group ... 3926 in this paper the biderivations without the ... 3927 when the residents of flint learned that lea... 3928 in this paper we introduce a stochastic proj... 3929 we compute the integral of a function or the... 3930 we address the problem of emphinstance label... 3931 computational procedures to foresee the d st... 3932 in this paper we propose a finite element me... 3933 this paper introduces a new probabilistic ar... 3934 the energetic particle environment on the ma... 3935 the growth in variety and volume of oltp onl... 3936 until recently social media was seen to prom... 3937 the local event detection is to use posting ... 3938 we prove that given a closure function the s... 3939 evolutionary games on graphs describe how st... 3940 we focus on the analysis of planar shapes an... 3941 the learning of domaininvariant representati... 3942 encoderdecoder networks using convolutional ... 3943 shufflenet is a stateoftheart light weight c... 3944 once a failure is observed the primary conce... 3945 this volume contains a final and revised sel... 3946 recent observations of lensed galaxies at co... 3947 the graph laplacian is a standard tool in da... 3948 in this paper we propose a modified version ... 3949 major histocompatibility complex class two m... 3950 speechreading is the task of inferring phone... 3951 fedotovite kcuoso is a candidate of new quan... 3952 we call a simple abelian variety over mathbb... 3953 multivariate techniques based on engineered ... 3954 tangent measure and blowup methods are power... 3955 programmers often write code which have simi... 3956 in this paper we shall prove the equality \n... 3957 we demonstrate subpicosecond wavelength conv... 3958 in this paper we develop a new accelerated s... 3959 mapreduce is a popular programming paradigm ... 3960 in this paper we propose a unified view of g... 3961 over almost three decades the taup conferenc... 3962 diagnosis and risk stratification of cancer ... 3963 in this paper the notion of lmfuzzy convex s... 3964 this paper presents a passive compliance con... 3965 in this paper we consider the phase retrieva... 3966 a family of subsets of ldotsn is called it i... 3967 magnetic skyrmions are swirling spin texture... 3968 training deep neural network policies endtoe... 3969 interpretability has become an important iss... 3970 we propose an optimal sequential methodology... 3971 a linear boltzmann equation with nonautonomo... 3972 for any ngeq and qgeq we prove that the s... 3973 the deconfined quantum critical point qcp se... 3974 deep learning has become the state of the ar... 3975 in this letter we prove that the unrolled sm... 3976 increasing safety and automation in transpor... 3977 with the advent of numerous online content p... 3978 accurately predicting and detecting intersti... 3979 we study whether a depth two neural network ... 3980 since the development of higher local class ... 3981 the classic algorithm of bodlaender and klok... 3982 let tii be a sequence of independent identi... 3983 this paper presents an intelligent home ener... 3984 this paper develops a general framework for ... 3985 we investigate the use of optimization to co... 3986 we develop parametric classes of covariance ... 3987 cell injection is a technique in the domain ... 3988 we present a visually grounded model of spee... 3989 this paper considers the challenging task of... 3990 cooperation is a difficult proposition in th... 3991 we consider the parabolicelliptic model for ... 3992 microservice architectures ma have the poten... 3993 the stronginteraction limit of the hohenberg... 3994 the coupling of reynolds and rayleighplesset... 3995 stateoftheart algorithms for sparse subspace... 3996 steady state superconducting tokamak sst at ... 3997 pseudoone dimensional pseudod materials are ... 3998 this paper outlines a methodological approac... 3999 the frankwolfe fw algorithm has been widely ... 4000 on the probability simplex we can consider t... 4001 the search of unconventional magnetic and no... 4002 a wide variety of phenomena of engineering a... 4003 the endogenous adaptation of agents that may... 4004 although the existence of quasibound rotatio... 4005 the dark ages of the universe end with the f... 4006 in this project we propose a novel approach ... 4007 in this paper we consider the problem of mac... 4008 directed latent variable models that formula... 4009 for a graph g let oddg and omegag denote the... 4010 gradient boosting is a stateoftheart predict... 4011 a decentralized payment system is not secure... 4012 let m and n be two monomials of the same deg... 4013 we give a new expression for the law of the ... 4014 given a curve defined over an algebraically ... 4015 we consider importance sampling to estimate ... 4016 most network studies rely on an observed net... 4017 let cal x xxprime be a random matrix associa... 4018 bandwidth selection is crucial in the kernel... 4019 immunogenicity is a major problem during the... 4020 probit regression was first proposed by blis... 4021 in this paper first we prove that the diopha... 4022 a lot of scientific works are published in d... 4023 the main theorem is incorrectly stated\n 4024 we study fractional quantum hall states at f... 4025 we prove that artin groups from a class cont... 4026 the chemotactic dynamics of cells and organi... 4027 a general procedure for constructing yetterd... 4028 we present a method to reconstruct autocorre... 4029 an optimizationbased approach for the tucker... 4030 the optical absorption of cdwo is reported a... 4031 convolutional neural networks cnns have rece... 4032 in this paper we study right snoetherian rin... 4033 the oddball paradigm is widely applied to th... 4034 a common problem in machine learning is to r... 4035 human activities from hunting to emailing ar... 4036 in this paper the problem of selecting p out... 4037 we study anisotropic undersampling schemes l... 4038 given a graph the sparsest cut problem asks ... 4039 in this paper we propose a welljustified syn... 4040 a recent stacking analysis of planck hfi dat... 4041 background modelbased analysis of movements ... 4042 in this study we propose a new statical appr... 4043 the recent direct observation of gravitation... 4044 by formally invoking the wienerhopf method w... 4045 humans are remarkably proficient at controll... 4046 we consider the point blowup of the manifold... 4047 in the present investigation the development... 4048 we describe a method to identify poor househ... 4049 recent research in computational linguistics... 4050 ponzi schemes are financial frauds where und... 4051 it is well known that it is challenging to t... 4052 in typical neural machine translationnmt the... 4053 deep neural networks dnn excel at extracting... 4054 in this paper we introduce an algorithm for ... 4055 advances in mobile computing technologies ha... 4056 interfacing a ferromagnet with a polarized f... 4057 by combining bulk sensitive softxray angular... 4058 we consider multiagent stochastic optimizati... 4059 let mathbbfq denote the finite field of orde... 4060 bilinear models provide an appealing framewo... 4061 two new highprecision measurements of the de... 4062 this paper proposes a scalable algorithmic f... 4063 we introduce the first index that can be bui... 4064 we study the temperature dependence of the r... 4065 we give a definition of viscosity solution f... 4066 the recently introduced acoustic raytracing ... 4067 the world wide web conference is a wellestab... 4068 in this semitutorial paper we first review t... 4069 we consider the generalized milne problem in... 4070 in this work we exploit agglomeration based ... 4071 we study how to detect clusters in a graph d... 4072 we construct fundamental solutions of second... 4073 gauge invariance the sachswolfe formula desc... 4074 the noisy matrix completion problem which ai... 4075 for q a polynomial with integer coefficients... 4076 implementing the modal method in the electro... 4077 we give an abstract formulation of the forma... 4078 the distribution of matter in the universe i... 4079 workhorse theories throughout all of physics... 4080 accurate noise modelling is important for tr... 4081 in this paper we introduce an unbiased gradi... 4082 a robots ability to understand or ground nat... 4083 the growing demand on efficient and distribu... 4084 the analysis of neuroimaging data poses seve... 4085 wet etching is an essential and complex step... 4086 an inherently abstract nature of source code... 4087 selfnested trees present a systematic form o... 4088 let g be a connected complex reductive algeb... 4089 in this paper we propose an improvement for ... 4090 we give a necessary and sufficient condition... 4091 in modern stream cipher there are many algor... 4092 the telecommunications industry is highly co... 4093 a vital aspect in energy storage planning an... 4094 we present results of an experiment showing ... 4095 we show that fundamental groups of compact o... 4096 the pseudoscalars in garret sobczyks paper e... 4097 we determine the information scrambling rate... 4098 in recent years deep neural networks have yi... 4099 the influence of the surface curvature on th... 4100 many supervised learning tasks are emerged i... 4101 a graph is said to be symmetric if its autom... 4102 the run time of many scientific computation ... 4103 in applications of deep reinforcement learni... 4104 in this paper we investigate the hawking rad... 4105 openmp is a shared memory programming model ... 4106 in the recent years image processing techniq... 4107 semisupervised node classification in graphs... 4108 the candecompparafac cp tensor decomposition... 4109 given the increasing competition in mobile a... 4110 this paper studies the problem of remote sta... 4111 the goal of network representation learning ... 4112 manipulating and focusing light deep inside ... 4113 the competition between spinorbit coupling b... 4114 protoplanetary disks undergo substantial mas... 4115 we study the spatiotemporal instability gene... 4116 here we find the spectral curves correspondi... 4117 we prove that a critical metric of the volum... 4118 we present a deep neural architecture that p... 4119 chentsovs theorem characterizes the fisher i... 4120 the direct band gap character and large spin... 4121 we consider the problem of finding the minim... 4122 this paper is the first work to propose a ne... 4123 starting from the pioneering works of shanno... 4124 a short overview demystifying the midi audio... 4125 we develop the first bayesian optimization a... 4126 the optical observations of wide fields of v... 4127 multientity dependence learning medl explore... 4128 a simpletriangle graph is the intersection g... 4129 in this paper we generalize the normalized g... 4130 we show that in any nontrivial hahn field wi... 4131 laser communication has advances in compared... 4132 this paper introduces the first deep neural ... 4133 although adverse effects of attacks have bee... 4134 a conservative scheme has been formulated an... 4135 we study a variant of the stochastic multiar... 4136 energy consumption for hot water production ... 4137 selfadaptive system sas is capable of adjust... 4138 the intelligent transportation system its ta... 4139 npolar gan pn diodes are realized on singlec... 4140 particle identification at the belle ii expe... 4141 this paper presents an easy and efficient fa... 4142 conventional decision trees have a number of... 4143 a topological shape analysis is proposed and... 4144 existing methods for arterial blood pressure... 4145 we explore some of the ramifications arising... 4146 quantum fluctuations from frustration can tr... 4147 a novel solution is obtained to solve the ri... 4148 enhanced mobile broadband embb is one of the... 4149 we study the problem of estimating the size ... 4150 this paper provides sufficient conditions fo... 4151 this article is the second in a series of tw... 4152 we present a simple apparatus for femtosecon... 4153 we study changes in metrics that are defined... 4154 in this paper we answer the following questi... 4155 the modification of geometry and interaction... 4156 with the proliferation of social media fashi... 4157 this paper introduces a new and effective al... 4158 current spacecraft need to launch with all o... 4159 compared with numerous xray dominant active ... 4160 we study the em maximum duopreservation stri... 4161 the current trends in nextgeneration exascal... 4162 we propose a general approach to modeling se... 4163 we report the fabrication of a cm long cavi... 4164 spectral clustering is one of the most popul... 4165 we consider the recovery of a low rank m tim... 4166 the aim of this work is to propose a first c... 4167 selfbound quantum droplets are a newly disco... 4168 this paper is concerned with the problem of ... 4169 growing uncertainty in design parameters and... 4170 in this paper we propose a new approach to o... 4171 despite rapid advances in face recognition t... 4172 we introduce a new class of graphical models... 4173 we argue that turning a logic program into a... 4174 in the present manuscript we consider the pr... 4175 human attribute analysis is a challenging ta... 4176 measurement error in the observed values of ... 4177 we consider the k surfaces that arise as dou... 4178 a sidefed crossed dragone telescope provides... 4179 individual neurons in the nervous systems ex... 4180 in part we study the spherical functions on... 4181 we consider the problem of estimating specie... 4182 recently the introduction of the generative ... 4183 gestures are a natural communication modalit... 4184 when training a deep network for image class... 4185 deep narrowband hst imaging of the iconic sp... 4186 in this letter we supervisedly train neural ... 4187 we propose a label propagation based algorit... 4188 indian buffet process based models are an el... 4189 we propose a new model for formalizing rewar... 4190 we study the estimation of integral type fun... 4191 emotional arousal increases activation and p... 4192 xray emission in young stellar objects ysos ... 4193 we consider reactiondiffusion equations and ... 4194 we present the first systematic analysis of ... 4195 the features of collaboration patterns are o... 4196 we study the generation of magnetic fields d... 4197 we present horndroid a new tool for the stat... 4198 in this paper we study the robustness of net... 4199 in mas and vee it was proved independently t... 4200 realworld machine learning applications ofte... 4201 this paper proposes an efficient method for ... 4202 we establish a polyavinogradovtype bound for... 4203 introductory and pedagogical treatmeant of t... 4204 generative adversarial networks gans have re... 4205 experimental determination of protein functi... 4206 eliminating the negative effect of nonstatio... 4207 we use a function field analogue of a method... 4208 we derive a correspondence between the eigen... 4209 deep learning has become a powerful and popu... 4210 in nature or societies the powerlaw is prese... 4211 we extend the results of zhang et al to show... 4212 plasma turbulence at scales of the order of ... 4213 recurrent neural networks show stateoftheart... 4214 we build a deep reinforcement learning rl ag... 4215 curiosity is the strong desire to learn or k... 4216 we initiate the study of the communication c... 4217 we prove and improve the muirsuffridge conje... 4218 in this article we give an approach to defin... 4219 the interplay between spinorbit coupling soc... 4220 we present a strong version of abouzaids noe... 4221 graph weighted models gwms have recently bee... 4222 in this paper we are concerned with the exis... 4223 n distinguishable players are randomly fitte... 4224 over any field mathbb k there is a bijection... 4225 while the optimization problem behind deep n... 4226 this paper presents an analysis of rearward ... 4227 we propose a simple yet highly effective met... 4228 global style tokens gsts are a recentlypropo... 4229 online social networks are more and more stu... 4230 we review possible mechanisms for energy tra... 4231 we consider a priori generalization bounds d... 4232 we propose a novel class of statistical dive... 4233 we study the existence and nonexistence of m... 4234 this paper introduces dex a reinforcement le... 4235 in this paper we discuss the first order par... 4236 we prove the genusone restriction of the all... 4237 we present a novel approach for mobile manip... 4238 the paper presents first results of the cite... 4239 the majority of everyday tasks involve inter... 4240 in this article weak convergence of the gene... 4241 segmental conditional random fields scrfs an... 4242 the use of ecofriendly materials for the env... 4243 while much of the work in the design of conv... 4244 a rigorous bridge between spikinglevel and m... 4245 the recognition of actions from video sequen... 4246 digital information can be encoded in the bu... 4247 traditionally categorical data analysis eg g... 4248 in this article we present an idea of using ... 4249 this paper contributes a new machine learnin... 4250 we characterize strong type and weak type in... 4251 sentiment analysis is the natural language p... 4252 separating two sources from an audio mixture... 4253 in this article we first derive the wavevect... 4254 an optimization procedure for multitransmitt... 4255 we consider the problem of estimating counte... 4256 text generation is increasingly common but o... 4257 a means of building safe critical systems co... 4258 the topic of this paper is modeling and anal... 4259 nodalline semimetals one of the topological ... 4260 we analyze the listdecodability and related ... 4261 comparing different neural network represent... 4262 we axiomatize and study the matrices of type... 4263 this paper argues that the judicial use of f... 4264 topological crystalline insulators have been... 4265 experimental records of active bundle motili... 4266 weyl and dirac semimetals in three dimension... 4267 we have developed fft beamforming techniques... 4268 magnetic resonance imaging mri and positron ... 4269 the goal of this paper is to extend the clas... 4270 considering the problem of color distortion ... 4271 we present a generalisation of c bishop and ... 4272 flexible estimation of heterogeneous treatme... 4273 in hierarchical searches for continuous grav... 4274 we study the heat trace for both the driftin... 4275 as online systems based on machine learning ... 4276 we show that every p diamond kfree graph is ... 4277 the nearby exoplanet proxima centauri b will... 4278 there is a longstanding belief that the modu... 4279 most of mathematic forgetting curve models f... 4280 an important step in the efficient computati... 4281 an imperative aspect of modern science is th... 4282 stardust grains recovered from meteorites pr... 4283 we present a new proof of a fundamental resu... 4284 animal telemetry data are often analysed wit... 4285 chiral magnets with topologically nontrivial... 4286 for human pose estimation in monocular image... 4287 among underwater perceptual sensors imaging ... 4288 genomewide association studies gwas have ach... 4289 this paper shows that for any random variabl... 4290 infants are experts at playing with an amazi... 4291 a modern aircraft may require on the order o... 4292 quantitative multivariate central limit theo... 4293 according to the degrootfriedkin model of a ... 4294 we prove existence of abrikosov vortex latti... 4295 the hilda asteroids are primitive bodies in ... 4296 the properties of cold bose gases at unitari... 4297 the best known method to give a lower bound ... 4298 education is a key factor in ensuring econom... 4299 it has long been known that a singlelayer fu... 4300 recently lawson has shown that the primary b... 4301 this paper is devoted to expressiveness of h... 4302 treegrass coexistence in savanna ecosystems ... 4303 an approach is presented for making predicti... 4304 in this paper we investigate periodic vibrat... 4305 content analysis of news stories whether man... 4306 new social and economic activities massively... 4307 bearing only cooperative localization has be... 4308 we revisit the relation between the neutrino... 4309 this paper is concerned with the generation ... 4310 this paper proposes a computerbased recursio... 4311 we consider a chain of abelian klebanovtarno... 4312 the reliable measurement of confidence in cl... 4313 benfords law is an empirical edict stating t... 4314 two popular classes of methods for approxima... 4315 bells theorem has fascinated physicists and ... 4316 in this paper the objects of our investigati... 4317 at the beginning of a dynamic game players m... 4318 wearable devices are transforming computing ... 4319 we study standard and nonlocal nonlinear sch... 4320 prediction is an appealing objective for sel... 4321 manifold learning based methods have been wi... 4322 we use data on extreme radio scintillation t... 4323 from longitudinal biomedical studies to soci... 4324 both neural networks and decision trees are ... 4325 let a be a regular ring containing a field o... 4326 selecting the right drugs for the right pati... 4327 the temperature dependence of the electrical... 4328 we develop a novel method for training of ga... 4329 monoclonal antibodies constitute one of the ... 4330 it is well known that the addition of noise ... 4331 conditional term rewriting is an intuitive y... 4332 magnetic skyrmions are topological spin stru... 4333 spectral estimation se aims to identify how ... 4334 we present a new walking footplacement contr... 4335 we study the magnetic field effects on the d... 4336 an rnnbased forecasting approach is used to ... 4337 polymer solar cells are considered as very p... 4338 a flutter machine is introduced for the inve... 4339 this paper proposes a novel robotic hand des... 4340 the celebrated time hierarchy theorem for tu... 4341 we study sound in galilean invariant systems... 4342 the natural join and the inner union operati... 4343 our predictions based on densityfunctional c... 4344 the autonomous measurement of tree traits su... 4345 mechanical vibrations of components of the o... 4346 we present a new ai task embodied question ... 4347 controlled generation of text is of high pra... 4348 learning automatically the structure of obje... 4349 design optimization techniques are often use... 4350 we present an application of deep generative... 4351 in kirk lancaster and david siegel investig... 4352 brain computer interface bci provides promis... 4353 this paper deals with motion planning for mu... 4354 graph games provide the foundation for model... 4355 recent work in distance metric learning has ... 4356 attenuation correction is an essential requi... 4357 we introduce a general framework allowing to... 4358 this paper presents a rigorous optimization ... 4359 this paper proposes a new sharpened version ... 4360 knotted solutions to electromagnetism and fl... 4361 let m be an integer and let imathbbzm be the... 4362 in recent publications we presented a novel ... 4363 robots have the potential to be a game chang... 4364 social learning ie students learning from ea... 4365 background widespread adoption of electronic... 4366 piscine orthoreovirus strain prv is the caus... 4367 motivated by recent experiments we use the u... 4368 we consider learningbased variants of the c ... 4369 in this report some cosmological correlation... 4370 computational paralinguistic analysis is inc... 4371 the exchange of small molecular signals with... 4372 we explore how the polarization around contr... 4373 the vanishing gradient problem was a major o... 4374 in high dimension it is customary to conside... 4375 we propose a novel automatic method for accu... 4376 using theorems of eliashberg and mcduff etny... 4377 splitplot or repeated measures designs are f... 4378 the syntax of modal graphs is defined in ter... 4379 there has been great interest in realizing q... 4380 in this paper we are interested in the decom... 4381 development of new greenhouse gas scavengers... 4382 singing voice separation based on deep learn... 4383 we study highdimensional linear models with ... 4384 we show that given an estimate widehata that... 4385 when a human drives a car along a road for t... 4386 onchip twisted light emitters are essential ... 4387 we introduce lamp the linear additive markov... 4388 we consider extended starlike networks where... 4389 let an be the fourier coefficients of a holo... 4390 there is general consensus that learning rep... 4391 in this work we offer a framework for reason... 4392 with the advent of big data nowadays in many... 4393 we introduce a new virtual environment for s... 4394 we present fashionmnist a new dataset compri... 4395 a kpage book drawing of a graph gve consists... 4396 we have measured xray magnetic circular dich... 4397 this paper studies the problem of secure com... 4398 we analytically derive the elastic dielectri... 4399 we are concerned with multidimensional nonli... 4400 this paper describes a massively parallel co... 4401 this article carries out a large dimensional... 4402 we study the differences and equivalences be... 4403 vibrational energy harvesters capture mechan... 4404 the paper presents a novel principled approa... 4405 an area efficient rowparallel architecture i... 4406 following a paper in which the fundamental a... 4407 osteonecrosis occurs due to the loss of bloo... 4408 we study the output feedback exponential sta... 4409 in this paper we introduce a design principl... 4410 the wellknown bayes theorem assumes that a p... 4411 i consider a jovian planet on a highly eccen... 4412 this note contains a reformulation of the ho... 4413 we study the asymmetry in the twopoint cross... 4414 in this paper we present an endtoend automat... 4415 fourier analysis and representation of circu... 4416 a new method is presented for modelling the ... 4417 deep reinforcement learning drl has shown in... 4418 we propose an analytical method of blind sep... 4419 in this paper we study an optimal output con... 4420 we propose a new dynamics for equilibrium se... 4421 this paper presents a new method for medical... 4422 new results are added to the paper about qc... 4423 this letter provides a simple but efficient ... 4424 the current and envisaged increase of cellul... 4425 recurrent neural network rnn language models... 4426 j deloerat mcallister and k d mulmuleyh nara... 4427 in aspectbased sentiment analysis most exist... 4428 i begin my discussion by summarizing the met... 4429 we present the results of resonant xray scat... 4430 rapid popularity of internet of things iot a... 4431 in environments with scarce resources adopti... 4432 the performance of neural network nnbased la... 4433 covalentorganic frameworks cofs are intrigui... 4434 filters in a convolutional neural network cn... 4435 gravitationally collapsed objects are known ... 4436 a relational structure mathbb x is said to b... 4437 the difficulty of large scale monitoring of ... 4438 the recently developed variational autoencod... 4439 in this work we describe a problem which we ... 4440 if m is a smooth compact connected riemannia... 4441 power spectrum estimation is an important to... 4442 evaluating human brain potentials during wat... 4443 geophysical inversion should ideally produce... 4444 we provide a new proof of the super duality ... 4445 in recent years car makers and tech companie... 4446 an electricallycontrollable solidstate rever... 4447 global pairwise network alignment gpna aims ... 4448 we present a quantu spin liquid state in a s... 4449 we show that for any singular dominant integ... 4450 the article is devoted to the investigation ... 4451 many realworld systems are profitably descri... 4452 given a semiriemannian manifold mg with two ... 4453 in this paper we compute the number of zclas... 4454 this paper proposes a practical approach for... 4455 martin david kruskal was one of the most ver... 4456 we provide a unified framework to compute th... 4457 hedonic games are meant to model how coaliti... 4458 we introduce the kbanded cholesky prior for ... 4459 in this paper we consider the stochastic lan... 4460 crowdsourcing is an important avenue for col... 4461 the weihrauch degrees and strong weihrauch d... 4462 long shortterm memory lstm is normally used ... 4463 we introduce the abstract notion of a closed... 4464 we give a classification and complete algebr... 4465 quantum cognition has delivered a number of ... 4466 the purpose of this note is to provide a det... 4467 the lanczos method is one of the standard ap... 4468 eigenstates of fully manybody localized fmbl... 4469 network modeling has become increasingly pop... 4470 automated vehicles can change the society by... 4471 in recent years many new and interesting mod... 4472 we consider the gierermeinhardt system with ... 4473 in this article we study subloci of solvable... 4474 we prove limit theorems for the superreplica... 4475 the study of networks has witnessed an explo... 4476 we present natural families of coordinate al... 4477 we observed the field of the fermi source fg... 4478 markov random fields mrfs find applications ... 4479 nonparametric estimation of mutual informati... 4480 we present laboratory spectra of the pd tran... 4481 in this paper we propose a novel method to r... 4482 fabrication of devices in industrial plants ... 4483 we propose a fast and accurate numerical met... 4484 in this article we extend the conventional f... 4485 a major obstacle to understanding neural cod... 4486 the loving ai project involves developing so... 4487 in this paper we study leveraging confidence... 4488 the profitability of fraud in online systems... 4489 nearfuture electric distribution grids opera... 4490 this paper presents an approach to assess th... 4491 in this work we study the thermodynamics of ... 4492 the antiferromagnet afm ferromagnet fm inte... 4493 blockage of pores by particles is found in m... 4494 monte carlo mc simulations of transport in r... 4495 ingrowth or postdeposition treatment of cuzn... 4496 a novel approach is introduced to a very wid... 4497 we define a notion of morphisms between open... 4498 a semirelativistic densityfunctional theory ... 4499 we compute the lbetti numbers of the free ct... 4500 recently there is increasing interest and re... 4501 the coupled quasilinear kellersegelnaviersto... 4502 spectral clustering is one of the most popul... 4503 textbfobjective to assess the validity of an... 4504 we review the developments of the statistica... 4505 we consider a localized approach in the well... 4506 directed graphs are widely used to model dat... 4507 the weardriven structural evolution of nanoc... 4508 the aim of this paper is to present necessar... 4509 this is mostly a survey article we use an in... 4510 in this paper we obtain bounds for the morde... 4511 we have shown that in some region where the ... 4512 we report on the first experimental observat... 4513 navigating safely in urban environments rema... 4514 when magnetic field is applied to metals and... 4515 the emergence and development of cancer is a... 4516 in this paper we correct an inaccuracy that ... 4517 in the present work we aim at taking a step ... 4518 we investigate a dynamically adapting tuning... 4519 we provide an analytic propagator for nonher... 4520 we propose a novel deep learning architectur... 4521 recently distributed processing of large dyn... 4522 variational inference methods often focus on... 4523 the discrete cosine transform dct is a widel... 4524 we propose a swarmbased optimization algorit... 4525 in this paper we consider a backward in time... 4526 in this brief review we discuss the transien... 4527 the galaxy data provided by cosmos survey fo... 4528 digital advances have transformed the face o... 4529 singular actions on calgebras are automorphi... 4530 general purpose correctbyconstruction synthe... 4531 in this study explicit differential equation... 4532 more than positrons annihilate every second... 4533 sampling technique has become one of the rec... 4534 friendship and antipathy exist in concert wi... 4535 we review the recurrence intervals as a func... 4536 modern and future particle accelerators empl... 4537 in this paper some algebraic and combinatori... 4538 in this paper we show how the stochastic hea... 4539 attentionbased models have recently shown gr... 4540 similarity and metric learning provides a pr... 4541 skills learned through deep reinforcement le... 4542 we analyze an open manybody system that is s... 4543 in this paper the effect of transmitter beam... 4544 mars surface bears the imprint of valley net... 4545 this paper proposes an image dehazing model ... 4546 in the spirit of searching for gdbased frust... 4547 in the note all indecomposable canonical for... 4548 let mg be a compact manifold and let delta p... 4549 multimodal clustering is an unsupervised tec... 4550 in this paper we solve the problem of the id... 4551 nonlinear optics especially frequency mixing... 4552 the microcanonical grosspitaevskii aka semic... 4553 during the last decades public policies beco... 4554 using twodimensional hybrid expanding box si... 4555 we establish minimax optimal rates of conver... 4556 we consider the problem of phase retrieval i... 4557 it is shown that if one uses the notion of i... 4558 internet as become the way of life in the fa... 4559 we present the design and implementation of ... 4560 policygradient approaches to reinforcement l... 4561 absolute positioning of vehicles is based on... 4562 we demonstrate that the augmented estimate s... 4563 the interplay between electrochemical surfac... 4564 feasibility pumps are highly effective prima... 4565 starting from covariant expressions a gauge ... 4566 if a and d are relatively prime we refer to ... 4567 we develop an asymptotical control theory fo... 4568 replication is complicated in psychological ... 4569 we study the angular dependence of the dissi... 4570 the displacement calculus mathbfd is a conse... 4571 we construct labeling homomorphisms on the c... 4572 we demonstrate the integration of a mesoscop... 4573 we present a solution to scale spectral algo... 4574 the bcklund transformation bt for the good b... 4575 compressing convolutional neural networks cn... 4576 we consider a dilute fluorinated graphene na... 4577 given one metric measure space x satisfying ... 4578 the problem of quantizing the activations of... 4579 we associate a monoidal category mathcalhlam... 4580 let g be a group an automorphism of g is cal... 4581 we study the adjoint of the double layer pot... 4582 the structural coefficient of restitution de... 4583 we explore the phase diagram of a finitesize... 4584 topological data analysis is an emerging are... 4585 in this paper we design nonlinear state feed... 4586 computed tomography ct reconstruction is a f... 4587 we consider bounded solutions of the nonloca... 4588 bi films with thicknesses up to several bila... 4589 tensors are multidimensional arrays of numer... 4590 consider a researcher estimating the paramet... 4591 missing data and noisy observations pose sig... 4592 concurrent coding is an unconventional encod... 4593 in the present work we explore the potential... 4594 this paper revisit and extend the interestin... 4595 band gap tuning in twodimensional transition... 4596 the defect in diamond formed by a vacancy su... 4597 kisin and pappas constructed integral models... 4598 this paper gives a new flavor of what peter ... 4599 most braincomputer interfaces bcis based on ... 4600 the human brain is capable of diverse feats ... 4601 yang considered an empirical estimate of th... 4602 we calculate ghost characters for the torus ... 4603 we aim to clarify the role that absorption p... 4604 the data center networks dnk proposed in ha... 4605 turbulence is the leading candidate for angu... 4606 this paper proposes a general framework of m... 4607 urban environments offer a challenging scena... 4608 we give improved algorithms for the ellpregr... 4609 in this article we give the explicit minimal... 4610 current approaches for knowledge distillatio... 4611 this article argues for the importance of fo... 4612 solar system small bodies come in a wide var... 4613 the leahhamiltonian hxyyx is introduced as a... 4614 nuclear magnetic resonance nmr spectroscopy ... 4615 for every genus ggeq we construct an infini... 4616 objective absolute images have important app... 4617 epidemic outbreaks are an important healthca... 4618 we report on the first streaking measurement... 4619 we investigate the intrinsic baldwin effect ... 4620 hivaids spread depends upon complex patterns... 4621 biluminescent organic emitters show simultan... 4622 an instability of a liquid droplet traversed... 4623 navigating in search and rescue environments... 4624 we point out that current textbooks of moder... 4625 the reionization of the universe is one of t... 4626 we study the effect of different feedback pr... 4627 the first direct detection of the asteroidal... 4628 we study the convergence of the loglinear no... 4629 soft gamma repeaters and anomalous xray puls... 4630 we report on the optical and mechanical char... 4631 the prototypical magnetic memory shape alloy... 4632 fpgabased heterogeneous architectures provid... 4633 penalized least squares estimation is a popu... 4634 this paper proposes a novel semidistributed ... 4635 we propose a framework for adversarial train... 4636 the first order magnetostructural transition... 4637 this work introduces the concept of parametr... 4638 discriminationaware classification is receiv... 4639 a set of points a a n fixes a planar con... 4640 in this paper we consider priorbased dimensi... 4641 can we perform an endtoend sound source sepa... 4642 the complete group classification problem fo... 4643 generative adversarial networks gan have bee... 4644 smartphones have ubiquitously integrated int... 4645 we consider the distribution of free path le... 4646 we present measurements of the spinorbit mis... 4647 this paper introduces a novel parameter esti... 4648 this paper applies the multibond graph appro... 4649 nauticle is a generalpurpose simulation tool... 4650 below the phase transition temperature tc si... 4651 key performance characteristics are demonstr... 4652 privacy is crucial in many applications of m... 4653 this research presents a model of a complex ... 4654 in this paper we present neural phrasebased ... 4655 we propose a method for multiperson detectio... 4656 we combine space group representation theory... 4657 in statistics cumulants are defined to be fu... 4658 a freely available python code for modelling... 4659 in this work we examine two approaches to in... 4660 geehaw whammy diddle is a seemingly simple m... 4661 the cancellation theorem for grothendieckwit... 4662 motivation the rapid growth of diverse biolo... 4663 while i was dealing with a brain injury and ... 4664 rapid changes in extracellular osmolarity ar... 4665 we present an optical mapping neareye omni t... 4666 topological phases typically encode topology... 4667 we introduce a new dynamical system for sequ... 4668 incremental methods for structure learning o... 4669 we theoretically investigate charge transpor... 4670 in this paper i study the isoparametric hype... 4671 formation of a brightfield microscopic image... 4672 the actin cytoskeleton is an active semiflex... 4673 we introduce a method for using fizeau inter... 4674 determining the relative importance of envir... 4675 classifiers and rating scores are prone to i... 4676 in this paper we revisit the portfolio optim... 4677 a method for constructing the lax pairs for ... 4678 motivated by the need to detect an undergrou... 4679 the most distant agn within the allowed gzk ... 4680 we show that quandle coverings in the sense ... 4681 we derive an extended fluctuation theorem fo... 4682 ranking algorithms are the information gatek... 4683 in order for autonomous robots to be able to... 4684 unsupervised domain adaptation is the proble... 4685 given a distribution of defects on a structu... 4686 a new management system for the snd detector... 4687 spiking neural networks snns could play a ke... 4688 distribution grids are currently challenged ... 4689 there is an ongoing debate in the literature... 4690 we introduce twisted matrix factorizations f... 4691 we provide a deterministic data summarizatio... 4692 the nonlinear latticea new and nonlinear cla... 4693 improvements of entityrelationship er search... 4694 humanoid robotics research depends on capabl... 4695 silicon nitride is awellestablished material... 4696 we propose a new selection rule for the coor... 4697 convolutional and recurrent deep neural netw... 4698 an ability to model a generative process and... 4699 we propose an efficient algorithm for approx... 4700 in this paper a generalized nonlinear camass... 4701 despite the growing popularity of wireless ... 4702 while most schemes for automatic cover song ... 4703 we present an algorithm that ensures in fini... 4704 let xomega be a compact hermitian manifold o... 4705 information and communication technology ict... 4706 a number of visual question answering approa... 4707 the pth degree hilbert symbol cdotcdot pktim... 4708 we present gamer a gpuaccelerated adaptive m... 4709 assume mathsfmn is the ndimensional permutat... 4710 in this paper we consider distributed optimi... 4711 the increasing uptake of distributed energy ... 4712 generative adversarial networks gans are pow... 4713 understanding the pseudogap phase in holedop... 4714 boseeinstein condensates with tunable intera... 4715 we propose a principled method for kernel le... 4716 in recent years there has been a surge of in... 4717 direct cdna preamplification protocols devel... 4718 this paper proposes a novel model for the ra... 4719 the sample matrix inversion smi beamformer i... 4720 wind has the potential to make a significant... 4721 widely used income inequality measure gini i... 4722 this paper presents a constructive algorithm... 4723 in the fields of neuroimaging and genetics a... 4724 we establish a boundary maximum principle fo... 4725 spectral sparsification is a general techniq... 4726 we analyze the statistics of the shortest an... 4727 in this work we investigate the optimal prop... 4728 the internet infrastructure relies entirely ... 4729 quantitative loop invariants are an essentia... 4730 this paper is on active learning where the g... 4731 we theoretically and experimentally demonstr... 4732 we consider the kitaev chain model with fini... 4733 we study the motion of isentropic gas in noz... 4734 atrial fibrillation af is the most common fo... 4735 we study controllability of a partial differ... 4736 gravitational instabilities gis are most lik... 4737 we suggest a model of a multiagent society o... 4738 recent initiatives by regulatory agencies to... 4739 we study the origin of layer dependence in b... 4740 a complete proof is given of relative interp... 4741 we prove that htype carnot groups of rank k ... 4742 we generalize the twisted quantum double mod... 4743 we study the fragmentationcoagulation or mer... 4744 in bagchi main effect plans orthogonal thro... 4745 the electron transport layer etl plays a fun... 4746 many machine intelligence techniques are dev... 4747 in this paper we propose a new differentiabl... 4748 the core accretion hypothesis posits that pl... 4749 this paper presents a novel method that allo... 4750 alternating automata have been widely used t... 4751 we study a special case at which the analyti... 4752 causal effect estimation from observational ... 4753 we show that the poset of slnorbit closures ... 4754 the fundamental understanding of loop format... 4755 in recent years supervised representation le... 4756 this paper aims to bridge the affective gap ... 4757 we present two different approaches to model... 4758 we present a method for drawing isolines ind... 4759 this work is concerned with the optimal cont... 4760 we show that all glr equivariant point marki... 4761 fundamental frequency f estimation from poly... 4762 we study the eigenvalues of the selfadjoint ... 4763 recent work has considered theoretical model... 4764 we establish precise zhu reduction formulas ... 4765 timelimited functions and bandlimited functi... 4766 we model the size distribution of supernova ... 4767 community detection provides invaluable help... 4768 given the subjective preferences of n roomma... 4769 a desired closure property in bayesian proba... 4770 coded distributed computing cdc introduced b... 4771 the motion and photon emission of electrons ... 4772 we present hydrodynamic simulations of the h... 4773 as noninstitutive polynomial chaos expansion... 4774 recognizing human activities in a sequence i... 4775 we introduce and study the higher tetrahedra... 4776 for many algorithms parameter tuning remains... 4777 we propose a method to generate d shapes usi... 4778 recognizing arbitrary objects in the wild ha... 4779 this paper describes the procedure to estima... 4780 a multitude of web and desktop applications ... 4781 nowadays a big part of people rely on availa... 4782 we investigate proving properties of curry p... 4783 classification which involves finding rules ... 4784 modern learning algorithms excel at producin... 4785 statistical regression models whose mean fun... 4786 unmanned aerial vehicles uavs have attracted... 4787 we propose a new imaging technique for radio... 4788 using process algebra this paper describes t... 4789 the profiles of the broad emission lines of ... 4790 agricultural robots are expected to increase... 4791 textbooks in applied mathematics often use g... 4792 this paper provides an alternate proof to pa... 4793 according to the butterfieldisham proposal t... 4794 emission of electromagnetic radiation by acc... 4795 distribution regression has recently attract... 4796 by using the stateoftheart microscopy and sp... 4797 the henonheiles system was originally propos... 4798 we study the large time behaviour of the mas... 4799 although neural machine translation nmt with... 4800 we propose a novel combination of optimizati... 4801 we present the first experimental demonstrat... 4802 we show that variational autoencoders consis... 4803 we survey the technique of constructing cust... 4804 we show that for all integers mgeq and all ... 4805 full autonomy for fixedwing unmanned aerial ... 4806 we address the problem of efficient acoustic... 4807 the spatial distribution of cherenkov radiat... 4808 the pentagram map is a discrete dynamical sy... 4809 in this paper we study the problem of photoa... 4810 recently fundamental conditions on the sampl... 4811 driven by growing interest in the sciences i... 4812 we contribute a general apparatus for depend... 4813 the goal of semantic parsing is to map natur... 4814 we study the algebraic implications of the n... 4815 layout hotpot detection is one of the main s... 4816 computational prediction of origin of replic... 4817 a routine task for art historians is paintin... 4818 in this paper we study a slant submanifold o... 4819 theoretical models pertaining to feedbacks ... 4820 the cuprate hightemperature superconductors ... 4821 cryptocurrencies and their foundation techno... 4822 recent studies have shown that tuning predic... 4823 matrices phiinrntimes p satisfying the restr... 4824 models applied on real time response task li... 4825 the high luminosity lhc hllhc will integrate... 4826 let mathcalf be a finite alphabet and mathca... 4827 the present is a companion paper to a contem... 4828 the giant mutually connected component gmcc ... 4829 in this paper we study the asymptotic behavi... 4830 phasefield approaches to fracture based on e... 4831 slow running or straggler tasks can signific... 4832 we introduce inference trees its a new class... 4833 we propose a scheme to employ backpropagatio... 4834 recently two scalable adaptations of the boo... 4835 impressive image captioning results are achi... 4836 we improve the performance of the american f... 4837 embedded realtime systems rts are pervasive ... 4838 we derive the second order rates of joint so... 4839 chiral and helical domain walls are generic ... 4840 modern neural networks tend to be overconfid... 4841 a detailed characterization of the particle ... 4842 we present a principled approach to uncover ... 4843 d superconformal field theories scfts are th... 4844 in this article we consider the completely m... 4845 in this paper we analyzed parasitic coupling... 4846 we consider a manager who allocates some fix... 4847 continuous attractors have been used to unde... 4848 a t s vallornothing transform is a bijective... 4849 highavailability of software systems require... 4850 we elucidate the importance of the consisten... 4851 we develop a novel method for counterfactual... 4852 the generalized pareto distribution gpd play... 4853 in this work we introduce the em average top... 4854 reflexive polytopes form one of the distingu... 4855 neural networks have been successfully appli... 4856 the mixture models have become widely used i... 4857 scanning superconducting quantum interferenc... 4858 machine learning models incorporating multip... 4859 we prove a general essential selfadjointness... 4860 recent years have seen a growing interest in... 4861 we show that the convex hull of a monotone p... 4862 recent experiments demonstrate that molecula... 4863 in distributed function computation each nod... 4864 how individuals adapt their behavior in cult... 4865 in warm dark matter scenarios structure form... 4866 aluminum lumpedelement kinetic inductance de... 4867 we calculate the universal spectrum of trime... 4868 in this paper we have constructed dark energ... 4869 with the huge influx of various data nowaday... 4870 we give an algebraic quantization in the sen... 4871 it is well known that the lasso can be inter... 4872 in this paper we investigate the endogenous ... 4873 data diversity is critical to success when t... 4874 robust feature representation plays signific... 4875 in this paper we develop an upper bound for ... 4876 we present the results of a chandra xray sur... 4877 we revisit the relegation algorithm by depri... 4878 there exists a bijection between the configu... 4879 neural networks a central tool in machine le... 4880 in this paper we are motivated by two import... 4881 let k be a field of characteristic zero and ... 4882 we treat the boundary of the union of blocks... 4883 we introduce mathcaldlr an extension of the ... 4884 developing a braincomputer interfacebci for ... 4885 as relational datasets modeled as graphs kee... 4886 we theoretically investigate the stability a... 4887 recent experiments schaeffer have shown tha... 4888 we present imaging polarimetry of the superl... 4889 even though active learning forms an importa... 4890 optical flow estimation in the rainy scenes ... 4891 among the many additive manufacturing am pro... 4892 due to complexity and invisibility of human ... 4893 in this paper we address the inverse problem... 4894 spectral graph convolutional neural networks... 4895 we study the turbulent square duct flow of d... 4896 transport of charged carriers in regimes of ... 4897 let frak g be a semisimple lie algebra and f... 4898 of the roughly neutron stars known only a h... 4899 discrete time crystals are a recently propos... 4900 we give upper and lower bounds for the numbe... 4901 a representation formula for the relaxation ... 4902 stochastic optimization is key to efficient ... 4903 in recent years self organised critical neur... 4904 music being a multifaceted stimulus evolving... 4905 the purpose of this paper is to give some ch... 4906 lowmass m stars are plentiful in the univers... 4907 due to their numerous advantages formal proo... 4908 in this study we explore peerinteraction eff... 4909 some explanations to kaldis plda implementat... 4910 the lowenergy quasiparticles of weyl semimet... 4911 in chinese societies superstition is of para... 4912 magnetic fieldinduced giant modification of ... 4913 in this work we develop an adaptive multivar... 4914 we classify drinfeld twists for the quantum ... 4915 in big data analysis for detecting rare and ... 4916 the class of quasimedian graphs is a general... 4917 we propose doubly nested networkdnnet where ... 4918 recently there is a series of reports by wan... 4919 research on numerical stability of differenc... 4920 for a division ring d denote by mathcal md t... 4921 the paper develops a hybrid method for solvi... 4922 this work focuses on quantitative representa... 4923 this paper presents a firstorder distributed... 4924 in the last few years model driven developme... 4925 in this article we study optimal control pro... 4926 bipartite envyfree matching befm is a relaxa... 4927 offdiagonal aubryandr aa model has recently ... 4928 the analysis of networks affects the researc... 4929 we investigate how star formation is spatial... 4930 path planning in robotics often requires fin... 4931 let pk be a path ck a cycle on k vertices an... 4932 we propose a general index model for surviva... 4933 when dealing with the problem of simultaneou... 4934 probability functions figure prominently in ... 4935 predicting the next activity of a running pr... 4936 the high availability and scalability of wea... 4937 we investigate the initialboundary value pro... 4938 this paper presents two visual trackers from... 4939 digital memcomputing machines dmms are nonli... 4940 we describe a broadly applicable experimenta... 4941 we investigate d exoplanetary distributions ... 4942 let widetildemathcal mlangle mathcal m prang... 4943 effective implementations of samplingbased p... 4944 information distribution by electronic messa... 4945 the correlation between magnetic properties ... 4946 the decodoku project seeks to let users get ... 4947 dynamic complexity is concerned with updatin... 4948 fractures are ubiquitous in the subsurface a... 4949 this paper is concerned with the application... 4950 many audio signal processing methods are for... 4951 using stochastic gradient search and the opt... 4952 for safe and efficient planning and control ... 4953 microservices architectures have become larg... 4954 the application of high pressure can fundame... 4955 zero forcing and power domination are iterat... 4956 we compare two important bases of an irreduc... 4957 in this chapter we present a literature surv... 4958 mode connectivity is a recently introduced f... 4959 lifelong learning is the problem of learning... 4960 floatingpoint arithmetic plays a central rol... 4961 we have compiled a catalog of candidates fo... 4962 we introduce a generalization of the celebra... 4963 most multiclass classifiers make their predi... 4964 we propose a new approach to the spectral th... 4965 consider random linear estimation with gauss... 4966 we develop a class of algorithms as variants... 4967 the hole diffusion length in ningaas is extr... 4968 layered semiconvection is a possible candida... 4969 we derive solvability conditions and closedf... 4970 in this paper we analyze the convergence of ... 4971 the paper evaluates three variants of the ga... 4972 let r frak m be a local ring and m a finitel... 4973 spherical gausslaguerre sgl basis functions ... 4974 inspired by the recent developments in the r... 4975 in this manuscript a method for developing n... 4976 quantum phase slips qps may produce nonequil... 4977 we study different concepts of stability for... 4978 in this paper we show how using publicly ava... 4979 enforcing open source licenses such as the g... 4980 the minimization of the length of syntactic ... 4981 consider the multivariate nonparametric regr... 4982 this paper presents an unsupervised method t... 4983 as virtual reality vr emerges as a mainstrea... 4984 extreme deformations of the dna double helix... 4985 many realworld objects are designed by smoot... 4986 we use inelastic light scattering to study s... 4987 in this paper we study the problem of learni... 4988 we report on the detailed analysis of a grav... 4989 in this paper we present a novel method for ... 4990 we present a new autoencodertype architectur... 4991 boundary plasma physics plays an important r... 4992 hyperbolic systems of pdes can be solved to ... 4993 we prove a reducibility result for a quantum... 4994 the adaptive classification of the interfere... 4995 the lack of interpretability often makes bla... 4996 in many applications requiring multiple inpu... 4997 in topos theory it is wellknown that any nuc... 4998 modulating the amplitude and phase of light ... 4999 we show that on any translation surface if a... 5000 in this work we extend the solid harmonics d... 5001 lnorm principalcomponent analysis lpca of re... 5002 we consider dissipation of surface waves on ... 5003 we present an approach to automate the proce... 5004 parental gametes unite to form a zygote that... 5005 this work investigates the application of un... 5006 we describe dynet a toolkit for implementing... 5007 team semantics is the mathematical framework... 5008 an intriguing property of deep neural networ... 5009 latent dirichlet allocation lda models train... 5010 the issue of the buckling mechanism in dropl... 5011 let x be a separable banach function space o... 5012 this is a theoretical paper which is a conti... 5013 topological models of empirical and formal i... 5014 given a closed riemannian manifold and a pai... 5015 we show that a smooth interface between two ... 5016 the focus of this work is on estimation of t... 5017 we report on the superkekb phase i operation... 5018 we study the effect of contingent movement o... 5019 traditional face editing methods often requi... 5020 the technique of nonredundant masking nrm tr... 5021 we consider a gated onedimensional d quantum... 5022 in many problems of supervised tensor learni... 5023 we introduce noisynet a deep reinforcement l... 5024 the rate control protocol rcp is a congestio... 5025 with the demand of high data rate and low la... 5026 we study twoplayer games with counters where... 5027 using lagrangian floer theory we study the t... 5028 the greatest integer that does not belong to... 5029 we show that the coherence between different... 5030 to maximize offloading gain of cacheenabled ... 5031 many interesting natural phenomena are spars... 5032 in this paper we further develop the fluctua... 5033 in quantum non demolition measurements the s... 5034 the majority of nlg evaluation relies on aut... 5035 we present constraints on the masses of extr... 5036 in this paper we study optimal estimates for... 5037 we examine the kinematics of the gas in the ... 5038 the computeraided analysis of medical scans ... 5039 inspired by katoks examples of finsler metri... 5040 the crystal structure magnetic ordering and ... 5041 we present a machine learningbased approach ... 5042 in the context of dynamic emission tomograph... 5043 we investigate perturbative thermodynamic ge... 5044 we offer two new mellin transform evaluation... 5045 given a constant vector field z in minkowski... 5046 in this paper a class of neutral type compet... 5047 while students may find spline interpolation... 5048 we present a monte carlo mc gridbased model ... 5049 image retargeting aims to resize an image to... 5050 in this paper the optimal power flow opf pro... 5051 let mathbba be a cellular algebra over a fi... 5052 the discrete frenet equation entails a local... 5053 in p stckel proved the existence of a trans... 5054 we consider classifiers for highdimensional ... 5055 we establish a dictionary between group fiel... 5056 we examine the behavior of accelerated gradi... 5057 currently two main approaches exist to disti... 5058 we obtain a weak type estimate for a maxima... 5059 the internet of things iot is still in its i... 5060 in this paper we study the ability to make t... 5061 hydroclimatic processes are characterized by... 5062 the guiding influence of some of stanley man... 5063 accretion of gas and interaction of matter a... 5064 the logdeterminant of a kernel matrix appear... 5065 in numerical simulations artificial terms ar... 5066 humanoid robots are increasingly demanded to... 5067 conventional automatic speech recognition as... 5068 the phenomenon of amplitude death has been e... 5069 a novel approach to quintessential inflation... 5070 we present a study of the low temperature ph... 5071 objective numerous glucose prediction algori... 5072 we derive and compare the fractions of coolc... 5073 online multiobject tracking mot from videos ... 5074 generating novel graph structures that optim... 5075 given their small mobility coefficient in li... 5076 we address the problem of constructing of co... 5077 we propose and demonstrate a selfcoupled mic... 5078 we report measurements of the in p and p sca... 5079 we consider the d equation uyy utx uyuxx ... 5080 we first present an empirical study of the b... 5081 the study of surnames as both linguistic and... 5082 let mathfrak l mathfrak qntimesmathfrak qn w... 5083 in this work we focus on a novel completion ... 5084 speech emotion recognition is an important a... 5085 we present a quantitative analysis of human ... 5086 recent observations show a population of act... 5087 we show that if x is an abelian variety of d... 5088 in the first chapter we will present a compu... 5089 many inverse problems involve two or more se... 5090 this paper proposes a method based on signal... 5091 in this paper we introduce durrmeyer type mo... 5092 we present deep graph infomax dgi a general ... 5093 under investigation in this paper is the non... 5094 we study the problem of detecting an abrupt ... 5095 in this paper we argue that the future of ar... 5096 several theories of the glass transition pro... 5097 in takeuchi showed that up to conjugation t... 5098 a large variety of dynamical systems such as... 5099 runlength encoding burrowswheeler transforme... 5100 we investigate the effect of stress fluctuat... 5101 quantifying and estimating wildlife populati... 5102 information planning enables faster learning... 5103 electron tracking based compton imaging is a... 5104 in this paper we establish the best constant... 5105 a draft addendum to ich e has been released ... 5106 given a characteristic we define a character... 5107 we investigate a new class of topological an... 5108 the relation between a cosmological halo con... 5109 effects of the structural distortion associa... 5110 if e is an elliptic curve with a point of or... 5111 machine learning is essentially the sciences... 5112 deformation estimation of elastic object ass... 5113 we have performed an empirical comparison of... 5114 we present a deep generative model for learn... 5115 we investigate the dynamics of a nonlinear s... 5116 i present a family of algorithms to reduce n... 5117 dropout a stochastic regularisation techniqu... 5118 wind energy forecasting helps to manage powe... 5119 firstorder iterative optimization methods pl... 5120 machine understanding of complex images is a... 5121 currently approximately of epileptic patien... 5122 disentangled representations where the highe... 5123 the color of hotdip galvanized steel sheet w... 5124 we fix a counting function of multiplicities... 5125 we consider the task of finegrained sentimen... 5126 computinginmemory cim architectures aim to r... 5127 previous work has shown that the onedimensio... 5128 consider jointly gaussian random variables w... 5129 follower count is a factor that quantifies t... 5130 we show that monochromatic finsler metrics i... 5131 transcriptional repressor ctcf is an importa... 5132 many of the multiplanet systems discovered t... 5133 we present gpuqt a quantum transport code fu... 5134 this paper proposes and analyzes a new fulld... 5135 in this study a method to construct a fullco... 5136 strong gravitational lensing gives access to... 5137 we introduce a new framework for estimating ... 5138 twophoton superbunching of pseudothermal lig... 5139 the aim of this paper is to investigate the ... 5140 the bensonsolomon systems comprise the only ... 5141 we present a new paradigm for the simulation... 5142 in a poisoning attack against a learning alg... 5143 we consider jacobi matrices with eventually ... 5144 web video is often used as a source of data ... 5145 given n symmetric bernoulli variables what c... 5146 we show that the tensor product aotimes b ov... 5147 as the intermediate level task connecting im... 5148 we propose the notion of haantjes algebra wh... 5149 this paper considers a multipair amplifyandf... 5150 exoplanet research is carried out at the lim... 5151 understanding the influence of features in m... 5152 wikipedia is the largest existing knowledge ... 5153 adopting two independent approaches a lorent... 5154 we study the effect of critical pairing fluc... 5155 in this paper we propose a lowrank coordinat... 5156 the fisher information metric is an importan... 5157 given a network the statistical ensemble of ... 5158 the statistics of the smallest eigenvalue of... 5159 advances in image processing and computer vi... 5160 we propose deepmapping a novel registration ... 5161 the first systematic comparison between swar... 5162 we consider modelbased clustering methods fo... 5163 we provide requirements on effectively enume... 5164 this paper studies the problem of multivaria... 5165 knowing where people live is a fundamental c... 5166 we measure trends in the diffusion of misinf... 5167 we describe the semeval task of extracting k... 5168 we consider a twodimensional nonlinear schrd... 5169 in the late s premet conjectured that the ni... 5170 we report on the existence and stability of ... 5171 in the following text we prove that for all ... 5172 building machines that can understand text l... 5173 remote sensing image processing is so import... 5174 the independent control of two magnetic elec... 5175 we apply a reinforcement learning algorithm ... 5176 we propose and analyze a variational wave fu... 5177 we evaluated the prospects of quantifying th... 5178 each time a learner in a selfpaced online co... 5179 we give a concise presentation of the unival... 5180 this paper addresses the problem of synchron... 5181 threshold theorem is probably the most impor... 5182 an evolutionary model for emergence of diver... 5183 random walks are at the heart of many existi... 5184 ultracold atomic physics experiments offer a... 5185 we consider solving convexconcave saddle poi... 5186 power system dynamic state estimation is ess... 5187 a number of statistical estimation problems ... 5188 we study the existence and stability of stat... 5189 in this paper we present a new algorithm for... 5190 an important goal common to domain adaptatio... 5191 in this paper we focus on the problem of fin... 5192 an alternative proof is given of the existen... 5193 we study approximations of the partition fun... 5194 in this paper we study hyersulam stability f... 5195 omega centauri ngc hosts hundreds of pulsat... 5196 we introduce pseudodeterministic interactive... 5197 erosion and deposition during flow through p... 5198 we study the maximum likelihood degree ml de... 5199 we study the incompressible limit of a press... 5200 in this paper we present a lossbased approac... 5201 an elastic foil interacting with a uniform f... 5202 a foundation of the modern technology that u... 5203 a new lower bound on the average reconstruct... 5204 we use a weighted variant of the frequency f... 5205 we present optical spectroscopy of the recen... 5206 a single quantum dot deterministically coupl... 5207 answering queries over a federation of sparq... 5208 it is unknown if there exists a locally alph... 5209 the game of the towers of hanoi is generaliz... 5210 we consider the problem of estimating the me... 5211 a good classification method should yield mo... 5212 although the rate region for the lossless ma... 5213 correlated topic modeling has been limited t... 5214 we prove risk bounds for binary classificati... 5215 we propose a dimensional reduction procedure... 5216 we present a practical approach for processi... 5217 motivated by the rapid rise in statistical t... 5218 a wellknown result in the study of convex po... 5219 in this work we assess the accuracy of diele... 5220 the flow in a shock tube is extremely comple... 5221 we study the kitaev chain under generalized ... 5222 we consider the general problem of modeling ... 5223 this is an empirical paper that addresses th... 5224 how the information microscopically processe... 5225 pairwise association measure is an important... 5226 repeated exposure to lowlevel blast may init... 5227 gaussian markov random fields are used in a ... 5228 we initiate a study of path spaces in the na... 5229 in this paper we study the frequentist conve... 5230 in this paper we consider the problem of clu... 5231 an important problem in phylogenetics is the... 5232 measurements of cm line fluctuations from m... 5233 we utilise a series of highresolution cosmol... 5234 there are two parts of this paper first we d... 5235 in this paper we bring anonymous variables i... 5236 the cosmic cm signal is set to revolutionis... 5237 standard penalized methods of variable selec... 5238 with the development of speech synthesis tec... 5239 the present study is concerned with the foll... 5240 we introduce an updown coloring of a virtual... 5241 we present in this paper our work on compari... 5242 the emerging field at the intersection of qu... 5243 the new era of the web is known as the seman... 5244 in their celebrated paper on siegels lemma b... 5245 the rise of connected personal devices toget... 5246 the implications of considering interaction ... 5247 we present galario a computational library t... 5248 geoelectrical techniques are widely used to ... 5249 we study the use of randomized value functio... 5250 we investigate the generalizability of deep ... 5251 in this work we use the semiempirical atmosp... 5252 in this paper we present a very accurate app... 5253 a central theme in classical algorithms for ... 5254 this paper investigates a novel task of gene... 5255 folliclestimulating hormone fsh and luteiniz... 5256 while going deeper has been witnessed to imp... 5257 atom interferometers employing optical cavit... 5258 rulebased modelling allows to represent mole... 5259 in previous work we introduced a method for ... 5260 through the combination of transmission elec... 5261 the fusion of humans and technology takes us... 5262 the timedependent generator coordinate metho... 5263 in this note we show that all small solution... 5264 the digital economy is a highly relevant ite... 5265 purpose magnetic resonance fingerprinting mr... 5266 in this paper we propose a stochastic recurs... 5267 a crucial role in the nymanbeurlingbezduarte... 5268 we propose nonstationary spectral kernels fo... 5269 one of key g scenarios is that devicetodevic... 5270 neural networks are among the most accurate ... 5271 papers on the antares multimessenger program... 5272 the modified camassaholm mch equation is a b... 5273 we investigate the normal state of the super... 5274 irreversible processes play a major role in ... 5275 inspired by andrews colored generalized frob... 5276 this paper illustrates the similarities betw... 5277 with progress in enabling autonomous cars to... 5278 existing music recognition applications requ... 5279 decentralized machine learning is a promisin... 5280 the expected improvement ei algorithm is a p... 5281 we study performance limits of solutions to ... 5282 a new approach to problems of the uncertaint... 5283 we study definably compact definably connect... 5284 despite the widelyspread consensus on the br... 5285 we provide explicit and unified formulas for... 5286 regular variation is often used as the start... 5287 deep learning dl has recently achieved treme... 5288 in this note we analyze the classification p... 5289 the purpose of this article is to investigat... 5290 temporal object detection has attracted sign... 5291 this paper develops a carleman type estimate... 5292 several temporal logics have been proposed t... 5293 wild sets in mathbbrn can be tamed through t... 5294 mitochondrial dna mtdna mutations cause seve... 5295 let fmathbbsdtimes mathbbsdtomathbbs be a fu... 5296 for nanotechnology nodes the feature size is... 5297 ngc is one of the nearest luminous galaxies... 5298 we present natural and general ways of build... 5299 spingapless semiconductors with their unique... 5300 the transiting exoplanet survey satellite te... 5301 we deal with the symmetries of a term graded... 5302 traffic flow prediction is an important rese... 5303 a nonequilibrium theory of optical conductiv... 5304 we report highresolution neutron compton sca... 5305 we study the problem of semantic code repair... 5306 several authors have claimed that the less l... 5307 we solve here completely an irrigation probl... 5308 one of the major challenges in object detect... 5309 dynamic topic modeling facilitates the ident... 5310 embedding complex objects as vectors in low ... 5311 this paper describes our participation in ta... 5312 the multivariate linear regression model is ... 5313 we show that in certain onedimensional spin ... 5314 we explore the potential of future cryogenic... 5315 in this paper we present a family of conject... 5316 we study datadriven representations for thre... 5317 we used molecular dynamics simulations and t... 5318 firstpassage time fpt of an ornsteinuhlenbec... 5319 perturbation theory using selfconsistent gre... 5320 the affordable care act aca includes a perma... 5321 we investigate a class of chanceconstrained ... 5322 this paper considers the optimal design of i... 5323 the technique of continuous unitary transfor... 5324 sparsity of the solution of a linear regress... 5325 generalization error defines the discriminab... 5326 we report on the detection of linear polariz... 5327 neural networks are vulnerable to adversaria... 5328 master equations are commonly used to model ... 5329 megacity analysis with very high resolution ... 5330 multiattributed graph matching is a problem ... 5331 emphsecure search is the problem of retrievi... 5332 the large array telescope for tracking energ... 5333 in this paper we propose a general model for... 5334 doped free carriers can substantially renorm... 5335 ghys and sergiescu proved in the s that thom... 5336 consider the problem of estimating the entri... 5337 this short article presents a summary of the... 5338 a version of gromovs cup product lemma in wh... 5339 density functional theory and nonequilibrium... 5340 we present the first search for dark matteri... 5341 theoretical investigation of structural elas... 5342 in this study we consider unsupervised clust... 5343 the topology of any complex system is key to... 5344 recurrent neural networks rnns with sophisti... 5345 we investigate a projection free method name... 5346 for a pair of positive integers nk with ngeq... 5347 we introduce a new operation copolar additio... 5348 concurrent separation logics have helped to ... 5349 ancient solutions arise in the study of para... 5350 solvothermal intercalation of ethylenediamin... 5351 tangles of quantized vortex line of initial ... 5352 we study the supersymmetric partition functi... 5353 let omega be a bounded lipschitz domain of ... 5354 with the rapidly growing interest in bifacia... 5355 simulation of wave propagation in a microear... 5356 this paper proposes a new concurrent heap al... 5357 this article presents guider a userguided ru... 5358 over short time intervals planetary ephemeri... 5359 given two sets of points a and b in a normed... 5360 rural areas in the developing countries are ... 5361 we construct an obstruction for the existenc... 5362 inspired by river networks and other structu... 5363 multiview representation learning is very po... 5364 in this paper we studied a slam method for v... 5365 to a complex projective structure sigma on a... 5366 this paper is concerned with paraphrase dete... 5367 lead halide perovskite solar cells have rece... 5368 we establish a bijective correspondence betw... 5369 knowing the structure of an offline social n... 5370 this work investigated the detection of grav... 5371 in this paper we demonstrate the connection ... 5372 training automatic speech recognition asr sy... 5373 dynamic networks are a general language for ... 5374 many robotic applications such as searchandr... 5375 the missing phase problem in xray crystallog... 5376 while a variety of fundamental differences a... 5377 the critical behavior of the random field on... 5378 four types of explicit estimators are propos... 5379 we study the multiparty communication comple... 5380 many engineers wish to deploy modern neural ... 5381 in this paper a new wiretap channel model is... 5382 route selection based on performance measure... 5383 we study infinitehorizon asymptotic average ... 5384 two wellknown turbulence models to describe ... 5385 we present a new model to explain the differ... 5386 we investigate a graph probing problem in wh... 5387 in recent years work has been done to develo... 5388 we have observed the vela pulsar for one yea... 5389 elasticity is one of the key features of clo... 5390 cooper pairs in superconductors are normally... 5391 quantum parameter estimation plays a key rol... 5392 we propose a multiview network for text clas... 5393 to understand the multiple relations between... 5394 we consider a class of participation rights ... 5395 online sparse linear regression is an online... 5396 imageguided radiation therapy can benefit fr... 5397 we report d coherent diffractive imaging of ... 5398 context we describe the new sepia swedisheso... 5399 we present an algorithm to identify sparse d... 5400 nowadays quantum program is widely used and ... 5401 in this paper we focus on option pricing mod... 5402 we built a twostate model of an asexually re... 5403 this paper analyzes airbnb listings in the c... 5404 we give algorithms with running time osqrtkl... 5405 all known life forms are based upon a hierar... 5406 the aim of this paper is to design a bandlim... 5407 due to the rapid growth of the world wide we... 5408 supervised learning has been very successful... 5409 many sharing economy platforms such as uber ... 5410 we study the generalized fermat equation x ... 5411 in an earlier work we constructed the almost... 5412 the extension of deep learning towards tempo... 5413 we consider the use of deep learning methods... 5414 we consider the scalar field profile around ... 5415 spin pumping refers to the microwavedriven s... 5416 no firm evidence has existed that the ancien... 5417 nurbs curve is widely used in computer aided... 5418 we propose a new class of universal kernel f... 5419 large batch size training of neural networks... 5420 we present a bayesian method for feature sel... 5421 brain ct has become a standard imaging tool ... 5422 three properties of the dielectric relaxatio... 5423 protographbased raptorlike lowdensity parity... 5424 we empirically evaluate the finitetime perfo... 5425 our societies are increasingly dependent on ... 5426 using the twisted denominator identity we de... 5427 high pressure can provoke spin transitions i... 5428 lsh locality sensitive hashing had emerged a... 5429 in this paper we propose design and test a n... 5430 ooids are typically spherical sediment grain... 5431 we give a polynomialtime algorithm for learn... 5432 let walphat talphaet where alpha be the l... 5433 grids allow users flexible ondemand usage of... 5434 recently trajectorypooled deeplearning descr... 5435 in this paper we present an approach to extr... 5436 there has been great interest recently in ap... 5437 the minimum feedback arc set problem asks to... 5438 this paper describes our approach for the tr... 5439 in this paper we present an efficient comput... 5440 as a popular tool for producing meaningful a... 5441 many problems in industry and in the social... 5442 doublefetch bugs are a special type of race ... 5443 we analytically study the spontaneous emissi... 5444 any oriented riemannian manifold with a spin... 5445 surrogate models provide a low computational... 5446 recent terrorist attacks carried out on beha... 5447 inference in hidden markov model has been ch... 5448 kinetic inductance detectors kids have becom... 5449 penalized regression models such as the lass... 5450 many optimization algorithms converge to sta... 5451 we propose a novel hierarchical generative m... 5452 we report the results of the implementation ... 5453 in this paper we introduce zhusuan a python ... 5454 current action recognition methods heavily r... 5455 we study the likelihood which relative minim... 5456 a latentvariable model is introduced for tex... 5457 we develop a magnetoelastic me coupling mode... 5458 we consider the problem of highdimensional m... 5459 we consider the problem of minimizing a conv... 5460 we describe the purification of xenon from t... 5461 the kite graph kitepq is obtained by appendi... 5462 we consider the problem of graph matchabilit... 5463 university curriculum both on a campus level... 5464 while linear mixed model lmm has shown a com... 5465 diffusions and related random walk procedure... 5466 continuing the series of works following wey... 5467 large sample size equivalence between the ce... 5468 we prove an exponential deviation inequality... 5469 this twopart paper addresses the design of r... 5470 the standard lstm recurrent neural networks ... 5471 in this paper we apply an extended landaulif... 5472 response delay is an inherent and essential ... 5473 this note contains some examples of hyperkhl... 5474 we introduce and analyze the following gener... 5475 here we present a novel approach to solve th... 5476 we study the problem of guarding an orthogon... 5477 for any positive integer m the complete grap... 5478 the control and sensing of largescale system... 5479 based on periodogramratios of two univariate... 5480 in this article we consider conditions under... 5481 in this paper we consider the divergence par... 5482 we exhibit a hamel basis for the concrete al... 5483 the tasks of identifying separation structur... 5484 we present two simple ways of reducing the n... 5485 the study of mereology parts and wholes in t... 5486 we start from a variational model for nemati... 5487 deep neural networks dnns have revolutionize... 5488 recent advances in neural word embedding pro... 5489 iterative load balancing algorithms for indi... 5490 the whitney immersion is a lagrangian sphere... 5491 a simulation study of energy resolution posi... 5492 in this paper we study the multiround influe... 5493 deep neural networks achieve stellar general... 5494 this work is motivated by the problem of tes... 5495 the synchronized magnetization dynamics in f... 5496 the permutation test is known as the exact t... 5497 avalanche photodiodes apds are a practical o... 5498 we are interested in the development of surr... 5499 in mmo arxiv we reworked and generalized equ... 5500 steadystate visual evoked potentials ssveps ... 5501 oddfrequency triplet cooper pairs are believ... 5502 we formulate a correspondence between affine... 5503 policy evaluation is a key process in reinfo... 5504 we present five variants of the standard lon... 5505 this paper introduces assumeguarantee contra... 5506 we map the phasespace trajectories of an ext... 5507 we show that for neural network functions th... 5508 we prove that under mild assumptions a latti... 5509 we present an example of a quadratic algebra... 5510 let mlm be the total space of the sbundle ov... 5511 an analysis software was developed for the h... 5512 we raise a question on the existence of cont... 5513 any finite word w of length n contains at mo... 5514 understanding the feasible power flow region... 5515 the traditional activity of model selection ... 5516 in this thesis we study connections between ... 5517 mlpack is an opensource c machine learning l... 5518 results of smale and dugundji allow to com... 5519 we express each frchet class of multivariate... 5520 we use bonahonwongs trace map to study chara... 5521 we study a multiperiod demand response probl... 5522 we determine the radio size distribution of ... 5523 we investigate the transport properties of p... 5524 the smallest eigenvalues and the associated ... 5525 this paper presents the speech technology ce... 5526 in this paper we study how to determine conc... 5527 the th international conference on automata ... 5528 precise localization of nanoparticles within... 5529 operating in a dynamic real world environmen... 5530 relaying on early effort estimation to predi... 5531 we study the problem of approximate ranking ... 5532 we address the problem of finding influentia... 5533 in a network a local disturbance can propaga... 5534 in this paper we present a transfer learning... 5535 in a standard bifurcation of a dynamical sys... 5536 the anomalous metallic state in hightemperat... 5537 the principles of the thermoelectric phenome... 5538 strong disorder in interacting quantum syste... 5539 the aim of this paper is to present a compre... 5540 we report on the detection at confidence of... 5541 a particularly promising pathway to enhance ... 5542 additional experimental cross sections were ... 5543 intelligent network selection plays an impor... 5544 highresolution satellite imagery have been i... 5545 newtons method for finding an unconstrained ... 5546 with the range and sensitivity of algorithmi... 5547 exoplanet transit spectroscopy enables the c... 5548 we study a superconductornormal statesuperco... 5549 a skyrmion racetrack design is proposed that... 5550 detection with high dimensional multimodal d... 5551 polarization is a troubling phenomenon that ... 5552 turbulence remains an unsolved multidiscipli... 5553 weighting the pvalues is a wellestablished s... 5554 understanding the dynamics of social interac... 5555 cognition does not only depend on bottomup s... 5556 presentations for unbraided braided and symm... 5557 linear optimal power flow lopf algorithms us... 5558 this article is a review by the authors conc... 5559 we study rank lnormbased tucker ltucker deco... 5560 the search for habitable exoplanets and life... 5561 convolutional autoregressive models have rec... 5562 autoreactive b cells have a central role in ... 5563 we establish an exact mapping between i the ... 5564 recently increased computational power and d... 5565 research on humanrobot collaboration or huma... 5566 this paper describes three variants of a cou... 5567 in this work a generalization of pregrss ine... 5568 an electroencephalography eeg based brain co... 5569 on realtime systems running under timing con... 5570 the rational solutions of the painlevii equa... 5571 phast is a software package written in stand... 5572 informationtheoretic bayesian regret bounds ... 5573 we study a portfolio selection problem in a ... 5574 we present an ongoing systematic search for ... 5575 we describe the time series multivariate ada... 5576 a major challenge in xray computed tomograph... 5577 classification problems in security settings... 5578 for a liouville domain w whose boundary admi... 5579 we study a deterministic version of a one an... 5580 operational semantics have been enormously s... 5581 the particlehole ph symmetry at halffilled l... 5582 importance sampling has become an indispensa... 5583 we consider a problem which we call secure g... 5584 let mathcal c be a subcategory of the catego... 5585 according to the eurobarometer report about ... 5586 we introduce a novel framework for adversari... 5587 this paper considers the problem of achievin... 5588 the analysis of clouds in the earths atmosph... 5589 nowadays we are witnessing a wide adoption o... 5590 the theory of statistical inference along wi... 5591 in a scalar reactiondiffusion equation it is... 5592 new results on functional prediction of the ... 5593 the goal of this dissertation is to study th... 5594 it is known that connected translation invar... 5595 we obtain a reduction of the vectorial ribau... 5596 human relations are driven by social events ... 5597 we present a novel framework for addressing ... 5598 the rfold analogues of whitney trick were in... 5599 a materialbased ie lagrangian methodology fo... 5600 lu and boutilier proposed a novel approach b... 5601 event sequence asynchronously generated with... 5602 let m be a finite von neumann algebra resp a... 5603 let q be a positive integer recently niu and... 5604 the growing popularity of autonomous systems... 5605 the paper discusses stably trivial torsors f... 5606 liu et al provide a comprehensive account o... 5607 we prove several results about chordal graph... 5608 hotspots of surfaceenhanced resonance raman ... 5609 complex computer codes are often too time ex... 5610 domain adaptation is crucial in many realwor... 5611 microblogging sites are the direct platform ... 5612 this paper discusses the local linear smooth... 5613 among the ergodic actions of a compact quant... 5614 we formulate the so called varma covariance ... 5615 we devise an approach to the calculation of ... 5616 the problem of automatically generating a co... 5617 flexible and transparent electronics present... 5618 the decayatrest experiment for deltacp viola... 5619 we present a kernelindependent method that a... 5620 anyone in need of a data system today is con... 5621 we consider the problem of sequentially maki... 5622 consider the problem of modeling hysteresis ... 5623 we establish effective meanvalue estimates f... 5624 we report on terahertz spectroscopy of quant... 5625 in this work we study the benefit of partial... 5626 testdriven development tdd an agile developm... 5627 let pequiv mod be a rational prime number s... 5628 the aim of our study is to investigate the d... 5629 singleparticle reconstruction spr in cryoele... 5630 no realworld reward function is perfect sens... 5631 let scdot denote the sumofproperdivisors fun... 5632 the formation of precipitated zirconium zr h... 5633 caofes is a semiconducting oxysulfide with p... 5634 lowfrequency polarisation observations of pu... 5635 recent years have witnessed the rise of many... 5636 in a market with a rough or markovian meanre... 5637 due to their interdisciplinary nature device... 5638 nonlinear oscillators are a key modelling to... 5639 the recently proposed multilayer convolution... 5640 this paper considers the planar figure of a ... 5641 deep learning dl methods show very good perf... 5642 both humans and the sensors on an autonomous... 5643 competing risks data arise frequently in cli... 5644 we compare and contrast the statistical phys... 5645 we construct a cofibration category structur... 5646 open questions with respect to the computati... 5647 this paper proposes drone squadron optimizat... 5648 the original imagenet dataset is a popular l... 5649 the particle gibbs pg sampler is a markov ch... 5650 the present paper is part of a series of art... 5651 ellerman bombs ebs are a kind of solar activ... 5652 a detailed numerical study of the long time ... 5653 let bf r be the pearson correlation matrix o... 5654 in the past years we have witnessed the emer... 5655 in this paper we consider an interior transm... 5656 unambiguous nondeterministic finite automata... 5657 we propose a novel semisupervised approach t... 5658 the purpose of a clickbait is to make a link... 5659 secure multiparty computation mpc enables a ... 5660 multiple changes in earths climate system ha... 5661 the field of distributed constraint optimiza... 5662 in principle a minimal extension of the stan... 5663 we consider the problem of transferring poli... 5664 we address the problem of learning vector re... 5665 conditions for geometric ergodicity of multi... 5666 it has recently been shown that the problem ... 5667 several useful variancereduced stochastic gr... 5668 developing applications for interactive spac... 5669 the increasing complexity of distribution ne... 5670 network embedding methods aim at learning lo... 5671 underactuation is ubiquitous in human locomo... 5672 we study a threecomponent fermionic fluid in... 5673 this paper presents a widely applicable appr... 5674 both natural and artificial smallscale swimm... 5675 we present the first measurements of tritium... 5676 these notes constitute chapter from lecole ... 5677 for each n we construct a separable metric s... 5678 bike sharing is a vital component of a moder... 5679 to model relaxed memory we propose confusion... 5680 tensor decompositions such as the canonical ... 5681 even though the forecasting literature agree... 5682 recent progress in applying machine learning... 5683 for a skewsymmetrizable cluster algebra math... 5684 link prediction is one of the fundamental pr... 5685 in valiant showed that the complexity class... 5686 a previously designed cryogenic thermal heat... 5687 multiple generalized additive models gams ar... 5688 we show that elongated magnetic skyrmions ca... 5689 we consider the family of all meromorphic fu... 5690 in freiberg and zhle introduced and develop... 5691 a heat exchanger can be modeled as a closed ... 5692 a number of highlevel languages and librarie... 5693 linear logic was introduced by girard as a r... 5694 in this paper we propose two novel physical ... 5695 the entropy principle in the formulation of ... 5696 bots social media accounts controlled by sof... 5697 optimal control problems without control cos... 5698 text representations using neural word embed... 5699 a twodimensional d mathematical model of qua... 5700 we formulate a new family of high order onsu... 5701 the parafac is a multimodal factor analysis ... 5702 concepts from mathematical crystallography a... 5703 each participant in peertopeer network prefe... 5704 foss is an acronym for free and open source ... 5705 at the forefront of nanochemistry there exis... 5706 linearscaling electronic structure methods b... 5707 until recently social media were seen to pro... 5708 this paper discusses discretetime maps of th... 5709 to understand the biology of cancer joint an... 5710 we give infinitely many component links with... 5711 computational design optimization in fluid d... 5712 this paper examines software vulnerabilities... 5713 in this paper by using logistic sine and ten... 5714 dynamic economic dispatch with valvepoint ef... 5715 the hep community is approaching an era were... 5716 brains need to predict how the body reacts t... 5717 in this paper we propose and study opportuni... 5718 quantile estimation is a problem presented i... 5719 dynamical downscaling with highresolution re... 5720 for a riemannian gstructure we compute the d... 5721 we study the anomalous prevalence of integer... 5722 the main result of this paper is the rate of... 5723 this paper considers two different problems ... 5724 the difficulty of validating largescale quan... 5725 anomalies in timeseries data give essential ... 5726 transportation agencies have an opportunity ... 5727 the dual motivic steenrod algebra with mod e... 5728 let tmf be the toeplitz quantization of a r... 5729 the paulsen problem is a basic open problem ... 5730 we study mechanisms to characterize how the ... 5731 the decline of mars global magnetic field so... 5732 in this paper we propose a new framework for... 5733 we demonstrate a topological classification ... 5734 this paper proposes selfimitation learning s... 5735 we consider the problem of controlling the s... 5736 in this paper we discuss existing approaches... 5737 we present the extension of the effective fi... 5738 we build a collaborative filtering recommend... 5739 this paper presents our work on developing p... 5740 we consider a wideaperture surfaceemitting l... 5741 the ability to reliably predict critical tra... 5742 we propose a new iteratively reweighted leas... 5743 we study the gap between the state pension p... 5744 powerlawdistributed species counts or clone ... 5745 vortices play a crucial role in determining ... 5746 we present a new solution to the problem of ... 5747 simulating complex processes in fractured me... 5748 it is well known that if x is a cwcomplex th... 5749 for each integer k geq we apply gluing meth... 5750 we report constraints on the global cm sign... 5751 the electricity distribution grid was not de... 5752 this paper addresses structures of state spa... 5753 vector embedding is a foundational building ... 5754 we consider multicomponent quantum mixtures ... 5755 in this paper we present a novel joint appro... 5756 in this paper we show using delignelusztig t... 5757 we study the formal properties of correspond... 5758 oxidative stress is a pathological hallmark ... 5759 this paper presents a thorough analysis of d... 5760 motivation although there is a rich literatu... 5761 many applications require stochastic process... 5762 privacy and security are two universal right... 5763 this paper summarizes the development of vea... 5764 most musical programming languages are devel... 5765 experiments show that at k and atm pressure... 5766 we investigate the impact of general conditi... 5767 the main injector mi at fermilab currently p... 5768 there exist nontrivial stationary points of ... 5769 the spin transport in isotropic heisenberg m... 5770 the promise of compressive sensing cs has be... 5771 in this paper we investigate multimessage au... 5772 we review topics in the theory of cellular a... 5773 we demonstrate explicitly the correspondence... 5774 in this paper we introduce the variational a... 5775 we consider a directed variant of the negati... 5776 in this article we analyze a generalized tra... 5777 a remarkable discovery of nasas kepler missi... 5778 we obtain estimation error rates and sharp o... 5779 for a simple calgebra a and any other calgeb... 5780 we present the first gasgrain astrochemical ... 5781 citebickelnonparametric developed a general ... 5782 in the last decades dispersal studies have b... 5783 an additive fast fourier transform over a fi... 5784 working in the framework of borel reducibili... 5785 in order to fully function in human environm... 5786 a general framework for solving the subspace... 5787 we study the twodimensional geometric knapsa... 5788 it is widely established that extreme space ... 5789 we develop an empirical bayes eb algorithm f... 5790 electron correlation effects are studied in ... 5791 deep generative models learn a mapping from ... 5792 building and deploying software on highend c... 5793 adversarially trained deep neural networks h... 5794 we consider a hydrogen atom confined in time... 5795 the constant pairing hamiltonian holds exact... 5796 this paper considers how to obtain mcmc quan... 5797 let fmathbb bn to mathbb bn be a holomorphic... 5798 energyconserving angular momentumchanging co... 5799 why do some economic activities agglomerate ... 5800 an ultrahigh throughput lowdensity parity ch... 5801 in this paper we define the generalized qana... 5802 a mapping of the process on a continuous con... 5803 we compare the predictions of stochastic clo... 5804 energy consumption has been a great deal of ... 5805 let omega be a pseudoconvex domain in mathbb... 5806 the application domains of civilian unmanned... 5807 opinion polls have been the bridge between p... 5808 the use of standard robotic platforms can ac... 5809 in this datarich era of astronomy there is a... 5810 chimera states are an example of intriguing ... 5811 with the increasing demands of applications ... 5812 in this paper we deal with the multiplicity ... 5813 we describe inferactive data analysis soname... 5814 in this paper we present promising accurate ... 5815 the recently proposed generalized minmax gmm... 5816 quantum mechanics postulates that any measur... 5817 given a pseudoword over suitable pseudovarie... 5818 this paper examines the association between ... 5819 we prove that under certain conditions on th... 5820 the ability to cool atoms below the doppler ... 5821 this paper is dedicated to new methods of co... 5822 a common data mining task on networks is com... 5823 advancements in technology and culture lead ... 5824 a new test of normality based on a standardi... 5825 we consider the problem of how decision maki... 5826 we consider the bilaplacian eigenvalue probl... 5827 let k be a field g a finite group let g act ... 5828 social abstract argumentation is a principle... 5829 we consider the parametric learning problem ... 5830 this study addresses the problem of identify... 5831 the study of subblockconstrained codes has r... 5832 we prove that there are arbitrarily large va... 5833 in an ion trap quantum computer collective m... 5834 we investigate models of the mitogenactivate... 5835 the university of the east web portal is an ... 5836 we classify the dispersive poisson brackets ... 5837 in this work we obtain a liouville theorem f... 5838 this paper studies semiparametric contextual... 5839 as all physical adaptive quantumenhanced met... 5840 this paper shows that generalizations of ope... 5841 extracting characteristics from the training... 5842 dynamical dark energy has been recently sugg... 5843 the muscle synergy concept provides a widely... 5844 two classifications of second order odes cub... 5845 the problem of learning structural equation ... 5846 for a group g and rmathbb zmathbb zpmathbb q... 5847 immunotherapy plays a major role in tumour t... 5848 a onetoone correspondence between the infini... 5849 we first develop a general framework for sig... 5850 one of the major issues in an interconnected... 5851 this paper demonstrates the use of genetic a... 5852 this work presents a lowcost robot controlle... 5853 the nvidia volta gpu microarchitecture intro... 5854 orion kl is one of the most frequently obser... 5855 we address the problem of latent truth disco... 5856 we investigate the evolution of vortexsurfac... 5857 a possible route to extract electronic and n... 5858 we address the problem of estimating human p... 5859 we shall introduce the notion of the picard ... 5860 the aim of this paper is to provide a discus... 5861 with the spreading prevalence of big data ma... 5862 we consider the problem of reconstructing a ... 5863 let lg be the subcritical gjms operator on a... 5864 random scattering is usually viewed as a ser... 5865 deployment of deep neural networks dnns in s... 5866 the coupled evolution of an eroding cylinder... 5867 a classical problem in causal inference is t... 5868 we propose a stochastic extension of the pri... 5869 we study combinatorial multiarmed bandit wit... 5870 deep neural network algorithms are difficult... 5871 information bottleneck ib is a method for ex... 5872 simulations of charge transport in graphene ... 5873 in this paper we propose a new type of graph... 5874 the analysis of the entanglement entropy of ... 5875 the efficiency of a game is typically quanti... 5876 an equationbyequation ebe method is proposed... 5877 the reduction by restricting the spectral pa... 5878 existing blackbox attacks on deep neural net... 5879 many iterative procedures in stochastic opti... 5880 we provide a unified framework for proving r... 5881 in this paper we consider the problem of for... 5882 with the method of moments and the mollifica... 5883 we study the problem of minimizing a strongl... 5884 the venusian surface has been studied by mea... 5885 airshowers measured by the pierre auger obse... 5886 reward augmented maximum likelihood raml a s... 5887 unmanned aerial vehicles uavs equipped with ... 5888 optimal sensor placement is a central challe... 5889 we consider a onedimensional two component e... 5890 the monitoring of large dynamic networks is ... 5891 in this paper we study general alphabetametr... 5892 we introduce a measure of fairness for algor... 5893 technological parasitism is a new theory to ... 5894 a popular setting in medical statistics is a... 5895 a reliable wireless connection between the o... 5896 recent advancements in quantum annealing har... 5897 life evolved on our planet by means of a com... 5898 approximate full configuration interaction f... 5899 we search for gammaray and optical periodic ... 5900 in jd jacksons classical electrodynamics tex... 5901 the opera experiment was designed to search ... 5902 this paper explains a method to calculate th... 5903 we determine the exact timedependent nonidem... 5904 two main families of reinforcement learning ... 5905 storage and transmission in big data are dis... 5906 graphene and some graphene like two dimensio... 5907 skilled robotic manipulation benefits from c... 5908 evaluation and validation of complicated con... 5909 energyefficiency plays a significant role gi... 5910 we study properties of classes of closure op... 5911 a compact multipleinputmultipleoutput mimo a... 5912 tensor decompositions are used in various da... 5913 classifiers operating in a dynamic real worl... 5914 we present a definition of intersection homo... 5915 starshades are a leading technology to enabl... 5916 the paper covers a formulation of the invers... 5917 twisting a binary form fxyinmathbbzxy of deg... 5918 defects between gapped boundaries provide a ... 5919 the present paper is the second part of a tw... 5920 this paper aims to develop a new and robust ... 5921 this paper describes a general framework for... 5922 a fourthorder theory of gravity is considere... 5923 a random walk wn on a separable geodesic hyp... 5924 nearly two centuries ago talbot first observ... 5925 we perform a numerical study of the fmodel w... 5926 neural network training relies on our abilit... 5927 the prototypical hydrogen bond in water dime... 5928 we make a mixture of milners picalculus and ... 5929 using polarizationresolved transient reflect... 5930 this paper considers the problem of fault de... 5931 the majority of industrialstrength objectori... 5932 a model of ice floe breakup under ocean wave... 5933 hidden markov models hmms are popular time s... 5934 the focus of the current research is to iden... 5935 recent character and phonemebased parametric... 5936 in multirobot systems where a central decisi... 5937 the paper addresses the stability of the coa... 5938 optimizing deep neural networks dnns often s... 5939 it is well accepted that knowing the composi... 5940 microorganisms such as bacteria are one of t... 5941 in the field of exploratory data mining loca... 5942 the automatic verification of programs that ... 5943 we associate to every central simple algebra... 5944 sealevel rise slr is magnifying the frequenc... 5945 we present a factorized hierarchical variati... 5946 cosmological surveys in the far infrared are... 5947 roomtemperature ionic liquids rtil are a new... 5948 the use of spreadsheets in industry is wides... 5949 this thesis presents original results in two... 5950 in this extended abstract we describe and an... 5951 we propose a model for equity trading in a p... 5952 we collect representative corpora for major... 5953 we investigate deep generative models that c... 5954 many machine learning tasks require finding ... 5955 let mu be a borelian probability measure on\... 5956 hybrid cloud is an integrated cloud computin... 5957 riskaverse model predictive control mpc offe... 5958 here we test neutral models against the evol... 5959 homomorphic encryption is an encryption sche... 5960 we present an extension of monte carlo tree ... 5961 the differencetosum power ratio was proposed... 5962 in this paper we construct a new even constr... 5963 we introduce the logic sf itle an intuitioni... 5964 high density implants such as metals often l... 5965 the puzzle is a classic reconfiguration puz... 5966 we address the important question of whether... 5967 joint analysis of multiple phenotypes can in... 5968 among the ntype metal oxide materials used i... 5969 we introduce a framework for the statistical... 5970 independent component analysis ica is a wide... 5971 context a substantial fraction of protoplane... 5972 as part of the public evaluation challenge ... 5973 topological semimetal a novel state of quant... 5974 small bodies of the solar system like astero... 5975 we discuss the nature of symmetry breaking a... 5976 in this paper we introduce a generalized val... 5977 hot jupiters receive strong stellar irradiat... 5978 interferenceaware resource allocation of tim... 5979 we define a switch function to be a function... 5980 we consider schrdinger operators with period... 5981 we report on the first comparison of distant... 5982 first the hardy and rellich inequalities are... 5983 purpose the analysis of optimized spin ensem... 5984 despite recent progress laminarturbulent coe... 5985 goldbach conjecture is one of the most famou... 5986 for an unknown continuous distribution on a ... 5987 in this paper we revisit the recurrent backp... 5988 to each weighted dirichlet space mathcaldp p... 5989 achieving a symbiotic blending between reali... 5990 segmental duplications sds or lowcopy repeat... 5991 we propose an adaptive bandwidth selector vi... 5992 we consider mesoscopic fourterminal josephso... 5993 let a be the inductive limit of a sequence a... 5994 we study the problem of detecting change poi... 5995 over recent years emerging interest has occu... 5996 we enquire into the quasimanybody localizati... 5997 we present the tomographic crosscorrelation ... 5998 earthquake early warning eew systems can eff... 5999 in the model of gatebased quantum computatio... 6000 we propose an approximate approach for study... 6001 occasionally developers need to ensure that ... 6002 classification of sequence data is the topic... 6003 in this paper we introduce a notion of a cen... 6004 the aim of this paper is to establish some m... 6005 the nonnegative inverse eigenvalue problem n... 6006 this paper replicates extends and refutes co... 6007 bidirectional transformations between differ... 6008 recent advances in microelectromechanical sy... 6009 we present an embedding approach for semicon... 6010 in the last decade the use of simple rating ... 6011 we introduce a reduction from the distinct d... 6012 we report the preparation of the interface b... 6013 trapping and manipulation of particles using... 6014 nested chinese restaurant process ncrp topic... 6015 following work of keel and tevelev we give e... 6016 an improved wetting boundary implementation ... 6017 in this paper we propose a sexstructured ent... 6018 a boolean algebra carries a strictly positiv... 6019 this work verifies the instrumental characte... 6020 polarizationbased filtering in fiber lasers ... 6021 the rising attention to the spreading of fak... 6022 the recent discovery of gravitational waves ... 6023 approximate probabilistic inference algorith... 6024 datadriven spatial filtering algorithms opti... 6025 bayesian optimisation bo refers to a class o... 6026 a number of improvements have been added to ... 6027 seltens game is a kidnapping model where the... 6028 model pruning seeks to induce sparsity in a ... 6029 accurate software defect prediction could he... 6030 this paper presents an estimator for semipar... 6031 we propose a new sentence simplification tas... 6032 we review a constructive approach first intr... 6033 heterogeneous wireless networks hwns compose... 6034 this paper focuses on multiscale approaches ... 6035 we present a novel approach for the predicti... 6036 dark matter with momentum or velocitydepende... 6037 with the rapid development of spaceborne ima... 6038 largescale variations still pose a challenge... 6039 the naturally occurring radioisotope si repr... 6040 with the discovery of the first transiting e... 6041 graph games with omegaregular winning condit... 6042 word embedding has become a fundamental comp... 6043 the concept of an evolutionarily stable stra... 6044 we construct an estimator of the lvy density... 6045 given kinmathbb n we study the vanishing of ... 6046 for a prime p let hat fp be a finitely gener... 6047 a control model is typically classified into... 6048 we present the first approach for d pointclo... 6049 chapter in highluminosity large hadron coll... 6050 jets from boosted heavy particles have a typ... 6051 this study presents systems submitted by the... 6052 one of the main challenges in the parametriz... 6053 in this paper we consider finite element app... 6054 for a large class of orthogonal basis functi... 6055 this paper considers a new method for the bi... 6056 the difficulty of multiclass classification ... 6057 we present a solution to google cloud and yo... 6058 remote sensing image classification is a fun... 6059 for any quasitriangular hopf algebra there e... 6060 this paper proposes a lowlevel visual naviga... 6061 as the title suggests we will describe and j... 6062 we investigate the nature of the magnetic ph... 6063 additive manufacturing am or d printing is a... 6064 we present the results of spectroscopic meas... 6065 assuming three strongly compact cardinals it... 6066 a simulation model based on parallel systems... 6067 in recent years an increasing number of obse... 6068 separating an audio scene into isolated sour... 6069 multiparameter onesided hypothesis test prob... 6070 often large high dimensional datasets collec... 6071 we introduce a model for the shortterm dynam... 6072 in inductive learning of a broad concept an ... 6073 motivated by recent experiments we investiga... 6074 in this paper we analyse the convergence pro... 6075 we shall consider a result of feldman where ... 6076 in this work we mainly study the influence o... 6077 we describe a general theory for surfacecata... 6078 fast algorithms for optimal multirobot path ... 6079 we argue that hierarchical methods can becom... 6080 in this paper we investigate the impact of d... 6081 the paper addresses the problem of passivati... 6082 we present a new modelbased integrative meth... 6083 we study pointwisegeneralizedinverses of lin... 6084 we compute cup product pairings in the integ... 6085 we present a sound and automated approach to... 6086 this paper presents an interconnected contro... 6087 we study and formulate the lagrangian for th... 6088 in this note we provide critical commentary ... 6089 in this paper we focus on the numerical simu... 6090 in distributed systems based on the quantum ... 6091 lower bound on the rate of decrease in time ... 6092 datasets are often used multiple times and e... 6093 we consider strictly stationary stochastic p... 6094 we present the lymanalpha flux power spectru... 6095 we explore all warped adstimesw md backgroun... 6096 polariton lasing is the coherent emission ar... 6097 investigation of the reversibility of the di... 6098 there is a widelyaccepted need to revise cur... 6099 we extend the framework by kawamura and cook... 6100 despite the growing prominence of generative... 6101 we tabulate spontaneous emission rates for a... 6102 various experimental techniques have reveale... 6103 exploration in complex domains is a key chal... 6104 we present an experimental study of the loca... 6105 we fix a monic polynomial fx in mathbb fqx o... 6106 the objective of this work is to augment the... 6107 we present a computational method to evaluat... 6108 many timeseries data including text movies a... 6109 we introduce a community detection algorithm... 6110 this paper aims to identify three electrical... 6111 this study has the purpose of addressing fou... 6112 we define parahoric cgtorsors for certain br... 6113 the identification of reducedorder models fr... 6114 apprenticeship learning al is a kind of lear... 6115 some effects of surface tension on fullynonl... 6116 a characterization of relative weak mixing i... 6117 the extreme ultraviolet variability experime... 6118 weighting pixel contribution considering its... 6119 we study the dispersion of a point set a not... 6120 in this paper additive bifree convolution is... 6121 we characterise finite axiomatisability and ... 6122 this work is focused on searching a geodesic... 6123 a photonic circuit is generally described as... 6124 in the early s researchers began to focus on... 6125 in this work we consider a onedimensional it... 6126 haslhofer and mller proved a compactness the... 6127 wardrop equilibria in nonatomic congestion g... 6128 we consider the problem of learning a binary... 6129 knights landing knl is the code name for the... 6130 the conjecture of lehmer is proved to be tru... 6131 in this paper we study the existence and uni... 6132 the silent speech challenge benchmark is up... 6133 the magnetic field induced rearrangement of ... 6134 we present the latest major release version ... 6135 in this contribution we present numerical an... 6136 the importance of speaking style authenticat... 6137 the main result in this paper is a fixed poi... 6138 we study the fundamental question of the lat... 6139 the decomposability of a cartesian product o... 6140 magic a system of two imaging atmospheric ch... 6141 heterogeneity is one important feature of co... 6142 generative adversarial networks gan approxim... 6143 the world health organization who reported ... 6144 advanced driver assistance systems adas can ... 6145 relational reasoning is a central component ... 6146 we propose a new algorithm for the computati... 6147 capacitated fixedcharge network flows are us... 6148 we establish a new connection between value ... 6149 twodimensional d materials are of tremendous... 6150 in this paper we investigate the use of adve... 6151 we study the elliptic curve ea axyaxxyxx whi... 6152 in this paper we introduce the notion of an ... 6153 in this study an artificial neural network w... 6154 deep convolutional neural networks cnns have... 6155 by a generalized yangian we mean a yangianli... 6156 we obtain asymptotics of large hankel determ... 6157 galaxy intrinsic alignments ia are a critica... 6158 in this paper we introduce a new mathematica... 6159 fixing bugs is an important phase in softwar... 6160 we give a simple recursion which computes th... 6161 we develop an extended multifractal analysis... 6162 by building up on the recent theory that est... 6163 iterative hard thresholding iht is a class o... 6164 binary neural networks bnn have been studied... 6165 we define the generalized connected sum for ... 6166 the emissivity of common materials remains c... 6167 satellite radar altimetry is one of the most... 6168 we investigate the adiabatic magnetization p... 6169 cyberphysical software continually interacts... 6170 we consider the asymptotic distribution of a... 6171 this paper explores dimensional topological ... 6172 we expand the cross section of the geodesic ... 6173 we study the time evolution of a thin liquid... 6174 machine learning algorithms are sensitive to... 6175 a simplified approach is proposed to investi... 6176 in this paper we propose a family of graph p... 6177 heterogeneous wireless networks with smallce... 6178 no methods currently exist for making arbitr... 6179 we give a criterion for the existence of non... 6180 we observe manybody pairing in a twodimensio... 6181 complex mathematical models of interaction n... 6182 an immense class of physical counterexamples... 6183 complex networks can be used to represent co... 6184 for a uniform space x mu we introduce a real... 6185 acceleration and manipulation of ultrashort ... 6186 in this paper we derive the second order est... 6187 the construction of a meaningful graph topol... 6188 we study the edge transport properties of d ... 6189 we demonstrate experimentally that the longr... 6190 twodimensional atomic arrays exhibit a numbe... 6191 in this paper we applied the multifractal de... 6192 we present a new deep meta reinforcement lea... 6193 transiting superearths orbiting bright stars... 6194 we consider two chains each made of n indepe... 6195 a paper by bruno salvy and the author introd... 6196 this paper presents a fast and effective com... 6197 detecting weak seismic events from noisy sen... 6198 it is wellknown that exploiting label correl... 6199 complexity analysis becomes a common task in... 6200 resonance energy transfer ret is an inherent... 6201 single individual haplotyping is an nphard p... 6202 cellular or dendritic microstructures that r... 6203 a quantum system of particles can exist in a... 6204 projective reedmuller codes were introduced ... 6205 we present an algorithm for classification t... 6206 we study a set of uniquely determined tiltin... 6207 corruptive behaviour in politics limits econ... 6208 knowing a biomolecules structure is inherent... 6209 we study the quantum synchronization between... 6210 we propose and experimentally demonstrate a ... 6211 since the discovery of the meissner effect t... 6212 we prove a local faberkrahn inequality for s... 6213 these notes were written as supplementary ma... 6214 in a recent work bindini and de pascale have... 6215 let alpha mathcalc to mathcald be a symmetr... 6216 summarizes recent work on the wakefields and... 6217 community detection in graphs is the problem... 6218 in this paper we consider a dataset comprisi... 6219 this paper investigates the effects of finit... 6220 it is well known that many optimization meth... 6221 the control of spins and spin to charge conv... 6222 recent research has shown the potential util... 6223 while single measurement vector smv models h... 6224 dynamical materials that capable of respondi... 6225 categorization is necessary for many decisio... 6226 millimeter wave communications rely on narro... 6227 this workshop invites researchers and practi... 6228 motivated by the description of nurowskis co... 6229 we study the effect of electron correlations... 6230 we propose a method for learning markov netw... 6231 in this work we design a machine learning ba... 6232 this study proposes a control strategy for t... 6233 we demonstrate that for a range of stateofth... 6234 in further study of the application of cross... 6235 we describe a complete list of casimirs for ... 6236 this paper presents a novel design of a craw... 6237 a bifurcation is a qualitative change in a f... 6238 manual annotations of temporal bounds for ob... 6239 onedimensional d electron systems in the pre... 6240 our experiment shows that the thermal emissi... 6241 this paper addresses distributed average tra... 6242 we study the twodimensional massless dirac e... 6243 humans take advantage of real world symmetri... 6244 we consider the fractional hartree equation ... 6245 this work studies the problem of stochastic ... 6246 we consider an optimal stopping problem wher... 6247 we give a survey of a generalization of quil... 6248 the fitzhughnagumo equation provides a simpl... 6249 in this paper we give a conditional lower bo... 6250 we present the properties and advantages of ... 6251 we prove that the bchi topology and the auto... 6252 obtaining accurate estimates of satellite dr... 6253 crossvalidation of predictive models is the ... 6254 in this paper we deal with the problem of in... 6255 the discriminator of an integer sequence s ... 6256 for a reductive group g defined over an alge... 6257 we present an approach towards robust lane t... 6258 in this work we provide a couple of contribu... 6259 the integrating factor and exponential time ... 6260 control of multihop wireless networks in a d... 6261 in a world of global trading maritime safety... 6262 we describe the design of the cci cryptocurr... 6263 thirdgeneration neural networks or spiking n... 6264 in this paper we propose the nonlinearity ge... 6265 datatarget association is an important step ... 6266 in recent years monaural speech separation h... 6267 we investigate largesample properties of tre... 6268 nonlinear dynamical stochastic models are ub... 6269 we provide a nonperturbative theory for phot... 6270 we focus on two particular aspects of model ... 6271 bright ringlike structure emission of the cn... 6272 measuring entity relatedness is a fundamenta... 6273 in this present study we investigate solutio... 6274 following related work in law and policy two... 6275 we study boundary conditions of topological ... 6276 we prove the pointwise decay of solutions to... 6277 answering a problem posed by the second auth... 6278 many different classification tasks need to ... 6279 an atomic force microscope afm is capable of... 6280 considering its advantages in dealing with h... 6281 we extend the approach of wall modeling via ... 6282 the aim of this work is to study the existen... 6283 this paper proposes a totally constructive a... 6284 according to a report online more than mill... 6285 a leonard pair is a pair of diagonalizable l... 6286 the rise and fall of artificial neural netwo... 6287 most approaches in algorithmic fairness cons... 6288 predictive geometric models deliver excellen... 6289 almost a decade has passed since the serendi... 6290 perpetual points pps are special critical po... 6291 a squared error loss remains the most common... 6292 the study of complex systems benefits from g... 6293 in this paper a scheme for the encryption an... 6294 given a manifold hatm and two homeomorphic s... 6295 this report describes the development of an ... 6296 in the paper einstein metrics on compact sim... 6297 we prove that a quasiisometric map and more ... 6298 the supercomputing platforms available for h... 6299 deep learning dl defines a new datadriven pr... 6300 radioloud highredshift quasars hrqs although... 6301 this work investigates the training of condi... 6302 the availability of large idea repositories ... 6303 the object of this paper is to study etaricc... 6304 we show how active transport of ions can be ... 6305 in order to avoid wellknow paradoxes associa... 6306 a k n t kc instance of the mdstpir problem i... 6307 deep neural networks dnns and convolutional ... 6308 we present graph attention networks gats nov... 6309 the prevalence of online media has attracted... 6310 technological advancements in the field of m... 6311 the singular values of products of standard ... 6312 the griffiths conjecture asserts that every ... 6313 machine learning and deep learning in partic... 6314 in this position paper we question the curre... 6315 the observation of metallic ground states in... 6316 autonomous surface vehicles asvs provide an ... 6317 in this paper we present a technique for usi... 6318 kineticrange turbulence in magnetized plasma... 6319 a lattice d kpolytope is the convex hull of ... 6320 we report on an ionoptical system that serve... 6321 dependency parsing is an important nlp task ... 6322 let frak f be a class of group a subgroup a ... 6323 assessing the impact of the individual actio... 6324 m the active galaxy at the center of the vir... 6325 after decades of experimental theoretical an... 6326 the local induction equation or the binormal... 6327 let tepsilon be the lifespan for the solutio... 6328 classical ctl temporal logics are built over... 6329 information about the memory locations acces... 6330 we address the problem of generating query s... 6331 the cosmic axion spin precession experiment ... 6332 quantum reactive scattering calculations are... 6333 the subaru strategic program ssp is an ambit... 6334 we consider the estimation of hidden markovi... 6335 a nice differentialgeometric framework for n... 6336 in this report we present a new reinforcemen... 6337 observations of astrophysical objects such a... 6338 flood risk changes in time and is influenced... 6339 the central dogma of molecular biology is th... 6340 we generalize the bridge between analysis an... 6341 we compute the exact norms of the leray tran... 6342 this paper gives the definitions of an extra... 6343 knowledge transfer impacts the performance o... 6344 for a primitive dirichlet character chi modu... 6345 motivated by geometric problems in signal pr... 6346 the pyrochlore magnet rm ybtio has been prop... 6347 we present a neurosymbolic framework for the... 6348 though deep neural networks have achieved st... 6349 the secrecy of a distributedstorage system f... 6350 in this work we calculate the convergence ra... 6351 the sparse matrix estimation problem consist... 6352 in this short paper we formulate parameter e... 6353 compartmental equations are primary tools in... 6354 the surface energy of a magnetic domain wall... 6355 using the fencheleggleston theorem for conve... 6356 we study finitesize fluctuations in a networ... 6357 we study static distributions of ferrofluid ... 6358 information that is stored in an encrypted f... 6359 the large hierarchy between the planck scale... 6360 in many scenarios of a language identificati... 6361 examplebased mesh deformation methods are po... 6362 we study the computational complexity of sho... 6363 a primary goal of galaxy surveys is to tight... 6364 a weakly dependent time series regression mo... 6365 the electric field effect on magnetic anisot... 6366 coevolving or adaptive voter models avms are... 6367 this article provides a weighted model confi... 6368 mapping the spatial distribution of poverty ... 6369 the magnetic signature of an urban environme... 6370 the cooperative hierarchical structure is a ... 6371 we present a model for the origin of the ext... 6372 r guralnick linear algebra appl proved th... 6373 learning sparse linear models with twoway in... 6374 convolutional neural networks cnns have achi... 6375 for a regular cardinal kappa a formula of th... 6376 a fundamental challenge in largescale cloud ... 6377 the hourglasslike dispersion of spin excitat... 6378 i propose to use high brightness electron be... 6379 in this paper we study the fundamental solut... 6380 our work presented in this paper focuses on ... 6381 this paper focuses on byzantine attack detec... 6382 in this paper we study the pooled data probl... 6383 it is a usual practice to ignore any structu... 6384 the combination of the surface science techn... 6385 the paper proposes a new approach to model r... 6386 a significantly faster algorithm is presente... 6387 this paper investigates a flow and pathsensi... 6388 topic models have been extensively used to o... 6389 the quasitwodimensional organic chargetransf... 6390 with advanced data analytical techniques eff... 6391 we provide a local approximation result of n... 6392 following their success in computer vision a... 6393 this chapter provides an introduction to the... 6394 a classical difficult isomorphism testing pr... 6395 we give the motivation for scoring clusterin... 6396 in this paper we introduce a new reformulati... 6397 in this paper we revisit the weighted likeli... 6398 for many applications an ensemble of base cl... 6399 in the framework of keldyshusadel kinetic th... 6400 we prove generalized weighted ostrowski and ... 6401 there is an intuitive analogy of an organic ... 6402 tensors are a natural way to express correla... 6403 we propose the existence of a new universali... 6404 thresholdlinear networks tlns are models of ... 6405 this paper describes a decision procedure fo... 6406 the observation of electric dipole moments e... 6407 reports and press releases highlight that se... 6408 in this paper we consider an optimal control... 6409 the tweedie compound poissongamma model is r... 6410 temporal networks have been increasingly use... 6411 unlike classical causal inference which ofte... 6412 in most physical sciences students from unde... 6413 background for newborn infants in critical c... 6414 generating large quantities of quality label... 6415 waspb is an extreme hot jupiter in a day or... 6416 it is shown that the adiabatic bornoppenheim... 6417 the computation of the tropical prevariety i... 6418 recently g a freiman m herzog p longobardi m... 6419 correction of type ia supernova brightnesses... 6420 the aim of this paper is to study via theore... 6421 in this paper we extend the known results of... 6422 we explore an extended cosmological scenario... 6423 we consider a quasihomogeneous polynomial f ... 6424 we solve the problem of optimal liquidation ... 6425 cellular electron cryotomography cect is a d... 6426 we propose a novel bayesian approach to mode... 6427 in this paper we explore the use of unsuperv... 6428 we report structural susceptibility and spec... 6429 we consider cloudbased control scenarios in ... 6430 simple finite dimensional kantor triple syst... 6431 spatial separation of suspended particles ba... 6432 network navigability is a key feature of com... 6433 we study fermionic topological phases using ... 6434 reliable identification of molecular biomark... 6435 this paper introduces pyreclab a software li... 6436 we formulate stochastic gradient descent sgd... 6437 we perform a postprocessing radiative feedba... 6438 we investigate the inherent influence of lig... 6439 formal ontologies are axiomatizations in a l... 6440 in the baksneppen model the lowest fitness p... 6441 consider a set of categorical variables math... 6442 we consider timedomain digital backpropagati... 6443 we present a formalization of convex polyhed... 6444 we consider the weight spectrum of a class o... 6445 efficient electrooptic eo modulators crucial... 6446 how should an aibased explanation system exp... 6447 in a seminal paper d n page phys rev lett ... 6448 we describe a fast closedloop optimization w... 6449 the curvature estimates of quotient curvatur... 6450 convolutional neural networks have achieved ... 6451 in this paper we prove formulas that represe... 6452 due to increasing urban population and growi... 6453 we analyze a general class of difference ope... 6454 despite a wellordered pyrochlore crystal str... 6455 the students are introduced to navigation in... 6456 we introduce error forwardpropagation a biol... 6457 logical models offer a simple but powerful m... 6458 we propose a family of variational approxima... 6459 in the past decades the phenomenal progress ... 6460 we demonstrated a novel onchip polarization ... 6461 in the recent literature endtoend speech sys... 6462 in the study of the human connectome the ver... 6463 we investigate the computational complexity ... 6464 graphical user interfaces guis are integral ... 6465 the human brain network is modularcomprised ... 6466 we present a collection of eclipsing and e... 6467 the discrete moment problem is a foundationa... 6468 a pilot unit of a closed loop gas cls mixing... 6469 we give a new analysis of a tuning problem i... 6470 we consider a dualhop wireless network where... 6471 trust in publicly verifiable certificate tra... 6472 chainspace is a decentralized infrastructure... 6473 this note deals with certain properties of c... 6474 in this paper we investigate the multiwavele... 6475 for many technological applications of super... 6476 the basin of attraction of a uniformly attra... 6477 recent lens experiment on a d fermi gas has ... 6478 in this paper entropies including measurethe... 6479 we study a question of presence of kohn poin... 6480 extending the notion of maximal green sequen... 6481 using a shallow water model with timedepende... 6482 the asymptotic solution to the problem of co... 6483 for grain growth to proceed effectively and ... 6484 the peculiar band structure of semimetals ex... 6485 the stochastic r matrix for uqan introduced ... 6486 we have investigated the crystal structure o... 6487 we considered a generic case of pretransitio... 6488 the burr iii distribution is used in a wide ... 6489 we introduce a logic called lt to express pr... 6490 we study massless fermions interacting throu... 6491 the generation of artificial data based on e... 6492 the identification of parameters in mathemat... 6493 we have designed and tested experimentally a... 6494 the fog radio access network fran is a promi... 6495 the concepts of gross domestic product gdp g... 6496 fractional stochastic volatility models have... 6497 a triangle generative adversarial network de... 6498 when a speaker says the name of a color the ... 6499 the lowtemperature properties of certain qua... 6500 neural speech synthesis models have recently... 6501 we theoretically investigate a scheme in whi... 6502 a survey of goodnessoffit and symmetry tests... 6503 in this article we introduce how to put vagu... 6504 this is a comment to the paper a study of pr... 6505 topological matter is a popular topic in bot... 6506 we discuss the ramsey property the existence... 6507 the existence of massive solar masses ellip... 6508 a parametrization of irreducible unitary rep... 6509 in this work we study the problem of explori... 6510 prosociality is fundamental to human social ... 6511 territorial control is a key aspect shaping ... 6512 we construct a virtual quandle for links in ... 6513 we derive an online learning algorithm with ... 6514 after a discussion of the frauchigerrenner a... 6515 we propose three measures of mutual dependen... 6516 let x ldots xninmathbbrp be iid random vecto... 6517 we consider optimalefficient power allocatio... 6518 action potentials are the basic unit of info... 6519 we introduce a rigorous definition of genera... 6520 let us be given two graphs gamma gamma of n ... 6521 recent breakthroughs in deep learning dl app... 6522 the erdh os unit distance conjecture in the ... 6523 we study the ground state of the d kitaevhei... 6524 we study quadratic functionals on lmathbbrd ... 6525 this paper introduces a general bayesian non... 6526 most massive stars form in dense clusters wh... 6527 electroencephalography eeg is an extensively... 6528 consider the problem of estimating a lowrank... 6529 recent developments in quaternionvalued wide... 6530 in this paper we proved an arithmetic siegel... 6531 motivated by alphaattractor models in this p... 6532 magnetic nanoparticles are promising systems... 6533 for fast and energyefficient deployment of t... 6534 with the passage of time and indulgence in i... 6535 data shaping is a coding technique that has ... 6536 global integration of information in the bra... 6537 music highlights are valuable contents for m... 6538 we study the computational tractability of p... 6539 we show a noiseinduced transition in josephs... 6540 principal component analysis pca is fundamen... 6541 in this paper we characterize all the irredu... 6542 in this paper we analyze the local and globa... 6543 we study a variant of the source identificat... 6544 we prove a convexity theorem for hamiltonian... 6545 given an odd vector field q on a supermanifo... 6546 multicopters are becoming increasingly impor... 6547 we introduce a new technique for determining... 6548 the coupling of vocal fold source and vocal ... 6549 we are interested in the probability that tw... 6550 discourse connectives eg however because are... 6551 financial crime is a rampant but hidden thre... 6552 we consider explicit polar constructions of ... 6553 in the present article the classical problem... 6554 maximizing the sum of two generalized raylei... 6555 dirichlet processes dp are widely applied in... 6556 kontsevich designed a scheme to generate inf... 6557 chernschwartzmacpherson csm classes generali... 6558 the current data explosion poses great chall... 6559 we consider a two player dynamic game played... 6560 we apply the newly derived nonadiabatic gold... 6561 if robots are to become ubiquitous they will... 6562 multilayer neural networks have lead to rema... 6563 kernel regression is a popular nonparametric... 6564 we study the classification problems over st... 6565 the recent realization of twodimensional d s... 6566 characterization of lung nodules as benign o... 6567 the motion of electrons in or near solids li... 6568 we present a hardware mechanism called hourg... 6569 we investigated frictional effects on the fo... 6570 object ranking or learning to rank is an imp... 6571 modeling spatial overdispersion requires poi... 6572 we explore methods of producing adversarial ... 6573 we study the estimation of the covariance ma... 6574 in the multiagent systems setting this paper... 6575 compact and portable insitu nmr spectrometer... 6576 using different methods for laying out a gra... 6577 we introduce a twostep procedure in the cont... 6578 we introduce a new class of monte carlo base... 6579 in this paper we study symmetry properties o... 6580 in this paper we study the largetime behavio... 6581 let g mu be a pair of a reductive group g ov... 6582 program synthesis is a class of regression p... 6583 we describe new irreducible components of th... 6584 cell monolayers provide an interesting examp... 6585 long shortterm memory networks trained with ... 6586 the covering type of a space x is defined as... 6587 this paper deals with the study of principal... 6588 it is generally difficult to predict the pos... 6589 machine learning has emerged as an invaluabl... 6590 in this article we develop methods for estim... 6591 in his seminal paper formality conjecture m ... 6592 we propose new types of models of the appear... 6593 in this work we provide nonasymptotic probab... 6594 the transition from singlecell to multicellu... 6595 we review aspects of twistor theory its aims... 6596 probabilistic integration of a continuous dy... 6597 we propose a generalisation for the notion o... 6598 random forests is a common nonparametric reg... 6599 wittens gauged linear sigmamodel glsm unifie... 6600 in this paper we address the convergence of ... 6601 in the paper we analyze communities across ... 6602 the problem of quickest change detection qcd... 6603 many application settings involve the analys... 6604 this work demonstrates the potential of deep... 6605 this paper provides a holistic study of how ... 6606 inference and learning for probabilistic gen... 6607 modern social media platforms facilitate the... 6608 we explore a new mechanism to explain polari... 6609 many realworld applications are characterize... 6610 we consider an adaptive algorithm for finite... 6611 photoluminescence polarization is experiment... 6612 the weak variancealphagamma process is a mul... 6613 a generalization of the coordinated transact... 6614 in this paper we study the receiver performa... 6615 the tetragonal copper oxide bicuo has an unu... 6616 in order to achieve stateoftheart performanc... 6617 design optimization of engineering systems w... 6618 we present a method of generating high resol... 6619 most policy search algorithms require thousa... 6620 we prove that there exist nonlinear binary c... 6621 we study the consistency of lipschitz learni... 6622 in manufacturing the increasing involvement ... 6623 we explore inflectional morphology as an exa... 6624 the study of genome rearrangement has many f... 6625 in this paper a novel scheme for synchronizi... 6626 a wholebody torque control framework adapted... 6627 we construct new classes of selfsimilar grou... 6628 estimation of parameters is a crucial part o... 6629 given two infinite sequences with known bino... 6630 we present a new system s for handling uncer... 6631 we search for runaway former companions of t... 6632 we introduce some natural families of distri... 6633 dnamediated computing is a novel technology ... 6634 we discuss the effect of ram pressure on the... 6635 this paper analyses the dynamics of infectio... 6636 the task of determining item similarity is a... 6637 in this paper we provide an analytical frame... 6638 in this paper we explain a sharp phase trans... 6639 generative adversarial networks gans are a c... 6640 we consider an energybased boundary conditio... 6641 period polynomials have long been fruitful t... 6642 context in a series of papers we study the m... 6643 in this paper we measure systematic risk wit... 6644 in this paper we present a novel method for ... 6645 advances in sensor technology have enabled t... 6646 the hexagonal structure of graphene gives ri... 6647 given a smooth nontrapping compact manifold ... 6648 the correlation of weak lensing and cosmic m... 6649 we consider the asymmetric orthogonal tensor... 6650 we prove a generalization of a result of bha... 6651 we construct and analyze a strongly consiste... 6652 it was proven in by chen f dillen j van der ... 6653 this paper studies stability analysis of dc ... 6654 the fundamental purpose of the present resea... 6655 in this paper extending past works of del po... 6656 we introduce a compressed suffix array repre... 6657 we consider a bounded block operator matrix ... 6658 this work is devoted to the study of the fir... 6659 we prove that the l bound of an oscillatory ... 6660 we develop a quantitative theory of stochast... 6661 for any positive integer r the rfubini numbe... 6662 in this paper we solve a problem posed by h ... 6663 we review the concept of support vector mach... 6664 we introduce a sequent calculus with a simpl... 6665 clusters of galaxies gravitationally lens th... 6666 we present a theory of the seebeck effect in... 6667 in this paper we introduce a generalized asy... 6668 photonic technologies offer numerous advanta... 6669 in this article we attempted to develop an u... 6670 gating is a key technique used for integrati... 6671 under the assumption that a defining graph o... 6672 user datagram protocol udp is a commonly use... 6673 current understanding of the critical outbre... 6674 with the vision of deployment of massive int... 6675 we consider attacks on twoway quantum key di... 6676 we present a new method to approximate poste... 6677 binary or onebit representations of data ari... 6678 for the stationary nonlinear schrdinger equa... 6679 parameter reduction can enable otherwise inf... 6680 in this paper we consider higher order corre... 6681 we report on a compact simple and robust hig... 6682 a pivotal step toward understanding unconven... 6683 we propose and demonstrate an ultrasonic com... 6684 global sensitivity analysis aims at determin... 6685 we report inelastic neutron scattering measu... 6686 agile denoting the quality of being agile r... 6687 deep learning is a form of machine learning ... 6688 we report on tunnelinjected deep ultraviolet... 6689 we present a method and preliminary results ... 6690 an iterationfree method of domain decomposit... 6691 very recently richter and rogers proved that... 6692 the effectiveness of molecularbased light ha... 6693 we present a simple method to improve neural... 6694 using local density approximation plus dynam... 6695 in this work maximum entropy distributions i... 6696 in this paper we consider a linear regressio... 6697 the relative orientation between filamentary... 6698 we report a combined theoreticalexperimental... 6699 we study four problems in the dynamics of a ... 6700 we analyze theoretically the schrodingerpois... 6701 we extend the classic multiarmed bandit mab ... 6702 in this paper we propose a new method to tac... 6703 we propose nopol an approach to automatic re... 6704 parametric geometry of numbers is a new theo... 6705 a study of the intersection theory on the mo... 6706 an seirs epidemic with disease fatalities is... 6707 this paper studies a new type of d bin packi... 6708 we describe preliminary investigations of us... 6709 we propose a method called label embedding n... 6710 the current fleet of spacebased solar observ... 6711 new features and enhancements for the spike ... 6712 we describe the neutrino flavor e electron ... 6713 gpus and other accelerators are popular devi... 6714 stabilization of linear systems with unknown... 6715 we compute the second coefficient of the com... 6716 for given convex integrands gammai snto math... 6717 kernel methods are powerful learning methodo... 6718 this paper presents a nonmanual design engin... 6719 the origin and lifecycle of molecular clouds... 6720 the ability to accurately predict and simula... 6721 topological nodal line semimetals are charac... 6722 in this paper an artificial intelligence bas... 6723 let mathbbfq be a finite field given two irr... 6724 the currentdriven domain wall motion in a ra... 6725 let rmathfrakm be a ddimensional cohenmacaul... 6726 endtoend ee systems have achieved competitiv... 6727 in lhc run alice will increase the data tak... 6728 let omega be a csmooth bounded pseudoconvex ... 6729 the composition of natural liquidity has bee... 6730 here we present an indepth study of the beha... 6731 a famous result of jurgen moser states that ... 6732 brillouin light spectroscopy is a powerful a... 6733 we develop a framework for approximating col... 6734 the key feature of a thermophotovoltaic tpv ... 6735 the electric coupling between surface ions a... 6736 in this paper we provide new quantum algorit... 6737 we propose a datadriven algorithm for the ma... 6738 let hdeltav be a schrdinger operator on lmat... 6739 as the bioinformatics field grows it must ke... 6740 the mainstream of research in genetics epige... 6741 one of the key differences between the learn... 6742 humanintheloop manipulation is useful in whe... 6743 american cities devote significant resources... 6744 it is known that gas bubbles on the surface ... 6745 inverse problems correspond to a certain typ... 6746 the general completeness problem of hoare lo... 6747 in this paper we present a result similar to... 6748 quantifying image distortions caused by stro... 6749 deep neural networks dnns have excellent rep... 6750 we introduce an elliptic regularization of t... 6751 this paper presents a system based on a twow... 6752 one of the major drawbacks of modularized ta... 6753 extreme phenotype sampling is a selective ge... 6754 the fundamental theory of energy networks in... 6755 the idea is to demonstrate the beauty and po... 6756 we prove rigorously that the exact nelectron... 6757 in this paper we illustrate the use of the r... 6758 technology market is continuing a rapid grow... 6759 the data mining field is an important source... 6760 automatic speaker verification asv systems u... 6761 we describe the loopinvgen tool for generati... 6762 topologically protected superfluid phases of... 6763 we present lowfrequency spectral energy dist... 6764 a scalable framework is developed to allocat... 6765 we study the kepler metrics on kepler manifo... 6766 collisions with background gas can perturb t... 6767 we show that the weyl symbol of a bornjordan... 6768 deep learning is a popular machine learning ... 6769 we develop a theory of viscous dissipation i... 6770 we study the existence of homoclinic type so... 6771 racetrack memory is a nonvolatile memory eng... 6772 in the spirit of recent work of lamm malchio... 6773 robust pca methods are typically batch algor... 6774 in this paper we present a set of simulation... 6775 technological improvement is the most import... 6776 musta has given a conjecture for the graded ... 6777 a stochastic minimization method for a reals... 6778 template metaprogramming is a popular techni... 6779 we show that a recently proposed neural depe... 6780 let g be a finite group and autg the automor... 6781 systems with tightlypacked inner planets sti... 6782 autonomous robot manipulation often involves... 6783 the structural properties of larup under ext... 6784 hyperspectral imaging is an important tool i... 6785 this work addresses the onedimensional probl... 6786 the thermoelectric voltage developed across ... 6787 understanding segregation is essential to de... 6788 protein gammaturn prediction is useful in pr... 6789 an image is here defined to be a set which i... 6790 we performed electronic structure calculatio... 6791 precision experiments such as the search for... 6792 this paper presents an investigation of the ... 6793 we propose a constraintbased flowsensitive s... 6794 humanoid robots may require a degree of comp... 6795 in this paper we establish a baseline for ob... 6796 we consider in this paper the regularity pro... 6797 very important breakthroughs in data centric... 6798 the asteroids are primitive solar system bod... 6799 bayesian nonparametrics are a class of proba... 6800 depth from focus dff is one of the classical... 6801 in this paper we present an effective method... 6802 it remains a challenge to efficiently extrac... 6803 the configuration of the three neutrino mass... 6804 this paper is concerned with the detection o... 6805 this is the documentation of the tomographic... 6806 we consider entitylevel sentiment analysis i... 6807 in this paper we consider the problem of opt... 6808 the photometry of the minor body with extras... 6809 we present a model to generate power spectru... 6810 let sigma sigmai iin i be some partition of... 6811 this paper analyzes the properties of the so... 6812 in this paper we extend several time reversi... 6813 since its emergence two decades ago astropho... 6814 assessing generative models is not an easy t... 6815 the results of the probabilistic analysis of... 6816 developers use question and answer qa websit... 6817 spectral based heuristics belong to wellknow... 6818 accelerated magnetic resonance mr scan acqui... 6819 since the s the question whether markets are... 6820 we analyze the performance of different resa... 6821 if a variational problem comes with no bound... 6822 this note studies the equivalencies among co... 6823 music source separation with deep neural net... 6824 mobile crowdsourcing is a promising service ... 6825 liquidsvm is a package written in c that pro... 6826 sterile neutrinos produced through oscillati... 6827 in this paper we design information elicitat... 6828 three types of orbits are theoretically poss... 6829 a semiprocess is an analog of the semiflow f... 6830 justinfinite calgebras ie infinite dimension... 6831 trademark retrieval tr has become an importa... 6832 the emergence of new digital technologies ha... 6833 we analyze the spectra of luminous red gala... 6834 we consider the analysis of high dimensional... 6835 todays mobile phone users are faced with lar... 6836 in this paper we present current trends in r... 6837 we consider simultaneous blind deconvolution... 6838 a study of around musical compositions from... 6839 this paper describes the r package mvlsw the... 6840 item coldstart is a classical issue in recom... 6841 in order to sample marginalized andor hardto... 6842 graphitic nitrogendoped graphene is an excel... 6843 microsized cold atmospheric plasma ucap has ... 6844 consistently checking the statistical signif... 6845 currently deep neural networks are deployed ... 6846 let pzaazazazcdotsanzn be a polynomial of de... 6847 developing an appropriate design process for... 6848 a key problem in modelling the evolution dyn... 6849 we investigate the interplay between charge ... 6850 the prototype imaging spectrograph for coron... 6851 we show that the standard perturbative ie cu... 6852 accurate measurement of galaxy structures is... 6853 in francis and steel it was shown that ther... 6854 we explore the effects of the expected highe... 6855 news recommender systems are aimed to person... 6856 we consider the online and nonparametric det... 6857 in this paper we estimate the distribution o... 6858 the key common bottleneck in most stencil co... 6859 for an algebraic variety x we introduce gene... 6860 in this paper we consider a general twistedc... 6861 one of the most exciting advancements in ai ... 6862 we introduce the problem of learning distrib... 6863 while plenty of results have been obtained f... 6864 many modern dataintensive computational prob... 6865 we study the computation complexity of boole... 6866 spinpolarized fieldeffect transistor spinfet... 6867 magnetic fields play important roles in many... 6868 dynamical properties of two bosonic quantum ... 6869 in this paper we present and characterize a ... 6870 clostridium difficile infections cdis affect... 6871 let c be a simply laced generalized cartan m... 6872 stellar flares are a frequent occurrence on ... 6873 we determine the grosshopkins duals of certa... 6874 we outline a new approach for solving optimi... 6875 we measure the planck cluster mass bias usin... 6876 data sharing among partnersusers organizatio... 6877 in this paper we study the zeroflux chemotax... 6878 we present the complete optical transmission... 6879 we consider linear programming lp problems i... 6880 the key component in forecasting demand and ... 6881 given a closed oriented surface s we describ... 6882 we are concerned with existence of regular s... 6883 the zerotemperature limit of a continuous ph... 6884 a climate mitigation comprehensive solution ... 6885 we study diffusion on a multilayer network w... 6886 we study marginally compact macromolecular t... 6887 there has been considerable recent activity ... 6888 a spectrogram of a ship wake is a heat map t... 6889 the emergence of lowpower wide area networks... 6890 the xray transform on the periodic slab time... 6891 in this paper we consider the separable cova... 6892 in this paper we prove that all finitely gen... 6893 as global political preeminence gradually sh... 6894 many works in collaborative robotics and hum... 6895 in this work we consider an association of m... 6896 an active hypothesis testing problem is form... 6897 we present a framework to simultaneously ali... 6898 theoretically we recently showed that the sc... 6899 let mathcalc be a finitely complete small ca... 6900 machine learning approaches hold great poten... 6901 the sinc approximation has shown high effici... 6902 in recent years the role of epidemic models ... 6903 we introduce a new model describing multiple... 6904 bayesian shrinkage methods have generated a ... 6905 the object of the present paper is to study ... 6906 we investigate fundamental modeltheoretic di... 6907 the paper presents an analysis of polish fir... 6908 we study the variation of iwasawa invariants... 6909 in this paper we study how to predict the re... 6910 properties of two thcrsitype materials are d... 6911 an inverse problem in spectroscopy is consid... 6912 variational autoencoders vae are directed ge... 6913 we consider the statics and dynamics of a st... 6914 one key challenge in talent search is to tra... 6915 the environmental impacts of medium to large... 6916 in this paper we derive a bayesian model ord... 6917 sky models have been used in the past to cal... 6918 recurrent neural networks rnns serve as a fu... 6919 biological systems are typically highly open... 6920 in this work we outline the entropy viscosit... 6921 convolutional neural networks cnns are simil... 6922 ultraviolet selfinteraction energies in fiel... 6923 given a graphical model one essential proble... 6924 in this work we investigated the feasibility... 6925 the dtransitionmetals carbides zrc nbc and n... 6926 this work aimed to determine the characteris... 6927 series expansions of unknown fields phisumva... 6928 we prove a universal limit theorem for the h... 6929 we demonstrate that in residual neural netwo... 6930 multilabel classification is an important le... 6931 we are concerned about burst synchronization... 6932 the collapse of a collisionless selfgravitat... 6933 the possibility of realizing nonabelian exci... 6934 we approach the development of models and co... 6935 the moving sofa problem posed by l moser in ... 6936 introductionthe free and cued selective remi... 6937 understanding protein function is one of the... 6938 compressive sensing is a powerful technique ... 6939 we show that the class of groups with kmulti... 6940 we study numerically the superconductorinsul... 6941 we use techniques from functorial quantum fi... 6942 we give a simple multiplicativeweight update... 6943 we have studied neutron response of paris ph... 6944 the mine detection in an unexplored area is ... 6945 we present the strongest known knot invarian... 6946 the main purpose of this paper is to formali... 6947 we study biplane graphs drawn on a finite pl... 6948 the main goal of this paper is to design a m... 6949 in web search entityseeking queries often tr... 6950 we show that rclomegacdot is equal to omega... 6951 spatially explicit capture recapture secr mo... 6952 obtaining models that capture imaging marker... 6953 recent advances of derivativefree optimizati... 6954 in this work we propose a model for estimati... 6955 to overcome the travelling difficulty for th... 6956 poisson factorization is a probabilistic mod... 6957 using the unfolding method given in citehl w... 6958 in this paper we address the bounded cardina... 6959 one of recent trends in network architec ... 6960 we study how the gas in a sample of galaxies... 6961 we present hidden fluid mechanics hfm a phys... 6962 we study the problem of testing for structur... 6963 three dimensional magnetohydrodynamical simu... 6964 automatic meshbased shape generation is of g... 6965 the sunyaevzeldovich sz effect is a powerful... 6966 a number of recent works have used a variety... 6967 exhaled air contains aerosol of submicron dr... 6968 expressive variations of tempo and dynamics ... 6969 this paper deals with the convergence time a... 6970 selforganization is a process where order of... 6971 nonequilibrium workhamiltonian connection fo... 6972 we study thick subcategories defined by modu... 6973 we examine whether various characteristics o... 6974 in this paper we study the ideal structure o... 6975 in this paper we study nonparametric mean cu... 6976 in this article we develop a new sequential ... 6977 we formulate the nambugoldstone theorem as a... 6978 large data collections required for the trai... 6979 usually when applying the mimetic model to t... 6980 at equilibrium thermodynamic and kinetic inf... 6981 generative adversarial networks gans have be... 6982 molecular dynamics md simulations allow the ... 6983 we consider the problem of deep neural net c... 6984 threeway data can be conveniently modelled b... 6985 we explore the emergence of persistent infec... 6986 no highresolution canopy height map exists f... 6987 accurate estimation of regional wall thickne... 6988 using a threedimensional semiclassical model... 6989 lately wireless sensor networks wsns have be... 6990 we present a new frankwolfe fw type algorith... 6991 the problem of choice of boundary conditions... 6992 we introduce the exit time finite state proj... 6993 data quality assessment and data cleaning ar... 6994 authentication is the first step toward esta... 6995 the online dominating set problem is an onli... 6996 shanghai coherent light facility sclf is a q... 6997 what role do asymptomatically infected indiv... 6998 many methods for automatic music transcripti... 6999 policy gradient methods have achieved remark... 7000 magnetic fields quench the kinetic energy of... 7001 we consider the cauchy problem for the gradi... 7002 currently thirdgeneration sequencing techniq... 7003 this paper proposes rebnet an endtoend frame... 7004 under the generalized lindelf hypothesis the... 7005 we discuss the latest results of numerical s... 7006 we recently reported a population of protost... 7007 compared with artificial neural networks ann... 7008 the matrix inversion is an interesting topic... 7009 governing equations of motion for a viscous ... 7010 the purpose of this note is to give a simple... 7011 the key requirement to routing in any teleco... 7012 conical functions appear in a large number o... 7013 we present an approach towards convex optimi... 7014 motivated by the fact that the lowenergy pro... 7015 in this paper we propose an adaptive framewo... 7016 update an issue has been found in the corre... 7017 digital information can be encoded in the bu... 7018 artificial lighting is responsible for a lar... 7019 we study the theory tmn of existentially clo... 7020 we study the problem of propagation of regul... 7021 we herewith attempt to investigate the cosmi... 7022 the recent advances in deep neural networks ... 7023 we study the spreading of information in a w... 7024 we present four new examples of plane ration... 7025 we study the maximum likelihood estimator of... 7026 we consider nonparametric testing in a nonas... 7027 the space of npoint correlation functions fo... 7028 in this work we provide theoretical guarante... 7029 we present an endtoend system for musical ke... 7030 we introduce a new approach aiming at comput... 7031 synergies between evolutionary game theory a... 7032 often the analysis of timedependent chemical... 7033 sample efficiency is critical in solving rea... 7034 many stateoftheart algorithms for solving ha... 7035 face detection methods have relied on face d... 7036 we consider fock spaces fpellalpha of entire... 7037 in this paper we address the problem of gene... 7038 we solve the compressive sensing problem via... 7039 we present a bayesian model selection approa... 7040 sequencetosequence models provide a simple a... 7041 we consider binary classification problems w... 7042 the first part of this survey is a heuristic... 7043 previous work in the area of gesture product... 7044 neural networks and rational functions effic... 7045 we analyze some local properties of sparse e... 7046 recent studies have shown that deep neural n... 7047 in this paper we present a working model of ... 7048 the registration of tremor was performed in ... 7049 accurate real time crime prediction is a fun... 7050 to make research of chaos more friendly with... 7051 this submissions has been withdrawn by arxiv... 7052 contact processes form a large and highly in... 7053 in this paper we first propose two types of ... 7054 this paper studies remote state estimation u... 7055 semantic understanding and localization are ... 7056 the ordered structures of natural integer ra... 7057 we classify finite pgroups upto isoclinism w... 7058 dutch book arguments have been applied to be... 7059 a key goal in quantum chemistry methods whet... 7060 we give an elementary combinatorial proof of... 7061 the electronmuon ranger emr is a fullyactive... 7062 photometric redshifts are a key component of... 7063 deep reinforcement learning drl methods such... 7064 cloud manufacturing cm is the concept of usi... 7065 theories with more than one vacuum allow qua... 7066 in this paper new series for the first and s... 7067 we analyze the sample complexity of the thre... 7068 nickel oxide nio has been studied extensivel... 7069 area under roc auc is an important metric fo... 7070 text preprocessing is often the first step i... 7071 we develop and apply new techniques in order... 7072 with the recent surge of interest in uavs fo... 7073 the riemann xiz function even in z admits a ... 7074 in this paper by introducing some kind of sm... 7075 we show the existence of yangmillshiggs ymh ... 7076 we give strong necessary conditions on the a... 7077 stochastic ordering of distributions of rand... 7078 we have measured the quantum depletion of an... 7079 creating and modeling realworld graphs is a ... 7080 the field of analytic combinatorics which st... 7081 while strong progress has been made in image... 7082 this paper presents a novel framework for ac... 7083 graphql is a query language and thereuponbas... 7084 there is a pressing need to build an archite... 7085 linear carbon chains are common in various t... 7086 in the present work we study charged black h... 7087 in this note we give simple proofs of severa... 7088 chatbots are one class of intelligent conver... 7089 predictive coding is attractive for compress... 7090 a wide range of electrochemical reactions of... 7091 segmented silicon detectors micropixel and m... 7092 wearable devices enable users to collect hea... 7093 in this paper the computational aspects of p... 7094 electron acceleration by relativistically in... 7095 we propose the use of specific dynamical pro... 7096 we study thermalization in the holographic d... 7097 with the purpose of investigating coexistenc... 7098 in this paper we investigate some questions ... 7099 a synopsis is offered of the properties of d... 7100 it is proved that under certain restrictions... 7101 tissue characterization has long been an imp... 7102 we present psdbscan a communication efficien... 7103 we use an elliptic system of equations with ... 7104 nonnegative matrix factorization nmf is a pr... 7105 this document consists of two papers both su... 7106 we show that two hamiltonian isotopic lagran... 7107 the spin relaxation in chromium spinel oxide... 7108 a biophysical model of epimorphic regenerati... 7109 it is established some existence and multipl... 7110 in babson and steingrmsson generalized the ... 7111 critical analysis of the state of the art is... 7112 agentbased models abms simulate interactions... 7113 we combine bayesian prediction and weighted ... 7114 an important disadvantage of the hindex is t... 7115 every art form ultimately aims to invoke an ... 7116 we study the equation beginequation deltasuv... 7117 in this paper we present a method for the un... 7118 we generalize the results of citecapistran o... 7119 in order to clarify the hightc mechanism in ... 7120 in this paper a new longterm survival distri... 7121 many engineering problems require identifyin... 7122 a simplified trisection is a trisection map ... 7123 many localization algorithms use a spatiotem... 7124 we present a family of selfconsistent axisym... 7125 based on experimental traffic data obtained ... 7126 we develop a finite element method for the l... 7127 let x be a del pezzo surface of degree defi... 7128 the padic kummerleopoldt constant kappak of ... 7129 despite their impressive performance deep ne... 7130 in the paper citelau it was shown that the r... 7131 we generalize work of bourgainkontorovich an... 7132 screening of a surface charge by electrolyte... 7133 we provide an asymptotic expansion of the va... 7134 probabilistic atlases provide essential spat... 7135 we present a machine learning framework for ... 7136 we study the optimal investmentconsumption p... 7137 we consider restricted light ray transforms ... 7138 we propose a nonparametric method to explici... 7139 this article studies a confluence of a pair ... 7140 sequential estimation of the delay and doppl... 7141 maximally recoverable codes are codes design... 7142 the paper focuses on considering some specia... 7143 this paper presents a novel physicsinformed ... 7144 the wavelet transform has seen success when ... 7145 the cardiologists main tool for measuring sy... 7146 we study the problem of optimal estimation o... 7147 steganography is collection of methods to hi... 7148 a graph g is called a sum graph if there is ... 7149 we study the exploration problem in episodic... 7150 the time to converge to the steady state of ... 7151 generating versatile and appropriate synthet... 7152 with the rapid growth of services that strea... 7153 we present a suite of reinforcement learning... 7154 let rhoellell be the system of elladic repre... 7155 we apply the tractor image modeling code to ... 7156 lifted relational neural networks lrnns desc... 7157 organisations store huge amounts of data fro... 7158 despite various debugging supports of the ex... 7159 we consider the twoplayer game chomp on pose... 7160 a semiparametric nonlinear regression model ... 7161 optimal transportation provides a means of l... 7162 discussion on randomprojection ensemble clas... 7163 we propose deep asymmetric multitask feature... 7164 phasechange materials based on gesbte alloys... 7165 let infty infty be the two points above inft... 7166 we investigate a class of multidimensional t... 7167 in classification problems the mode of the c... 7168 one of the main benefits of a wristworn comp... 7169 the widespread use of big social data has po... 7170 in this paper we introduce the concept of si... 7171 measuring airways in chest computed tomograp... 7172 time dependent quantum systems have become i... 7173 a systematic design of adaptive waveform for... 7174 each year approximately heart valve repair ... 7175 gaussian process modulated poisson processes... 7176 this paper puts forth a mathematical framewo... 7177 with recent trends on miniaturizing oxidebas... 7178 objective to test the hypothesis that variat... 7179 in this paper we consider a probabilistic se... 7180 we measure statistically anisotropic signatu... 7181 this article is dedicated to the estimation ... 7182 quantifying errors and losses due to the use... 7183 despite the significant progress made in the... 7184 we present a cosegmentation technique for sp... 7185 for many years ivector based audio embedding... 7186 as a generalization of riemannian submersion... 7187 in recent years defect prediction has receiv... 7188 we extend the classical notion of the spheri... 7189 the utility of a markov chain monte carlo al... 7190 this paper presents one analytical tidal the... 7191 zerocurvature representations zcrs are one o... 7192 this article presents a multiple sound sourc... 7193 in this paper we present a scalable approach... 7194 we propose a theoretical framework to captur... 7195 a pseudocircle is a simple closed curve on s... 7196 modeled along the truncated approach in pani... 7197 the cholesky decomposition plays an importan... 7198 the combination of recent emerging technolog... 7199 we consider that a network is an observation... 7200 this paper is concerned with the problem of ... 7201 recently modelfree reinforcement learning al... 7202 we consider the problem of detecting data ra... 7203 improving effectiveness and safety of patien... 7204 in this paper we initiate a study of a new p... 7205 toric landauginzburg models of giventals typ... 7206 we study the role of the local tidal environ... 7207 in this paper some general theory is present... 7208 the recentlyintroduced selflearning monte ca... 7209 optical diffraction tomography odt is a tomo... 7210 rational filter functions can be used to imp... 7211 maps on a parameter space for expressing dis... 7212 the classical ground state magnetic response... 7213 sparse matrix multiplication is an important... 7214 let g be a group acting on a tree t with fin... 7215 a lagrangian numerical scheme for solving no... 7216 this paper studies optimal timebounded contr... 7217 in a web advertising traffic operation the t... 7218 randomizing the fouriertransform ft phases o... 7219 this paper addresses the question of whether... 7220 in this paper we investigate simultaneous pr... 7221 when solving partial differential equations ... 7222 we explore the effect of noise on the ballis... 7223 the design of multistable rna molecules has ... 7224 the utility of the notion of generalized dis... 7225 the emission properties of pbte single cryst... 7226 while every instance of the hospitalsresiden... 7227 we describe procedures for converging on and... 7228 szilard enginesze is one of the best example... 7229 latest deep learning methods for object dete... 7230 with the emergence of cloud computing and se... 7231 recently a certain qpainlev type system has ... 7232 we study the statics and dynamics of a stabl... 7233 we lay foundations of the subject in the tit... 7234 the determination of a finite blaschke produ... 7235 background componentbased modeling language ... 7236 the mit supercloud portal workspace enables ... 7237 we propose an estimator of prediction error ... 7238 we set new speed records for multiplying lon... 7239 metasurface with gradient phase response off... 7240 let s be a finitely generated subsemigroup o... 7241 recent advances in molecular simulations all... 7242 understanding the influence of a product is ... 7243 the emergence of oscillations in models of t... 7244 for clustering of an undirected graph this p... 7245 the hyper suprimecam subaru strategic progra... 7246 we propose a practical method for l norm reg... 7247 the interactions between pm and meteorologic... 7248 the kgroup of the calgebra of multipullback ... 7249 the gumbel trick is a method to sample from ... 7250 this paper presents a sequential randomized ... 7251 context convectivelydriven flows play a cruc... 7252 this paper deals with the estimation problem... 7253 many barred galaxies possibly including the ... 7254 domain adaptation refers to the process of l... 7255 colocalization is a powerful tool to study t... 7256 we consider communication over a multipleinp... 7257 in this paper we investigate the performance... 7258 we formulate notions of subadditivity and ad... 7259 the hermite rank appears in limit theorems i... 7260 an extremal point of a positive threshold bo... 7261 virtual screening vs is widely used during c... 7262 the increasing availability of big large vol... 7263 while the definition of a fractional integra... 7264 the assertion that every definable set has a... 7265 the scientific community use pdes to model a... 7266 enhanced quality of service qos and satisfac... 7267 rapid compression machines rcms have been wi... 7268 given an elliptic curve ek and a galois exte... 7269 on the basis of quasipotential method in qua... 7270 generative adversarial networks gans are pow... 7271 we show that finite milnorwitt correspondenc... 7272 recently wind riemannian structures wrs have... 7273 our solution is implemented in and for the f... 7274 t is a cipher that was used for encryption o... 7275 deep neural networks dnns are powerful machi... 7276 we present spectra of ultradiffuse galaxies... 7277 the tieline scheduling problem in a multiare... 7278 in this paper we have predicted the stabilit... 7279 la transformoj de schwarzchristoffel mapas k... 7280 humans can imagine a scene from a sound we w... 7281 as an interdisciplinary discipline data mini... 7282 in this paper we study twelve stochastic inp... 7283 this paper addresses the task of learning an... 7284 we introduce a general method for improving ... 7285 singlephoton detectors in space must retain ... 7286 we study the parameterized complexity of sev... 7287 for many years lunar laser ranging llr obser... 7288 in this article it is proved the existence o... 7289 attentionbased encoderdecoder architectures ... 7290 in this article we consider parametric bayes... 7291 despite recent advances in reputation techno... 7292 we focus on the cohomology of the kth nilpot... 7293 kontsevich and soibelman reformulated and sl... 7294 an important challenge for humanlike ai is c... 7295 boltzmann provided a scenario to explain why... 7296 the threedimensional couette flow between pa... 7297 existing dimensionality reduction methods ar... 7298 pipelined krylov subspace methods avoid comm... 7299 in ananthnarayan avramov and moore gave a n... 7300 trigonometric time integrators are introduce... 7301 around year the centenary of plancks therma... 7302 a highlyefficient multiresonant rf energyhar... 7303 graphical causal models are an important too... 7304 the paper concerns quantile oriented sensiti... 7305 intensity noise crosscorrelation of the pola... 7306 amino acid sequence portrays most intrinsic ... 7307 experimental and numerical study of the stea... 7308 we theoretically study the josephson current... 7309 according to tastes a person could show pref... 7310 the purpose of this paper is to construct co... 7311 we consider the godunov numerical method to ... 7312 let f be a holomorphic curve in mathbbpnmath... 7313 we present safe active incremental feature s... 7314 social graph construction from various sourc... 7315 we show that a fluidflow interpretation of s... 7316 using firstprinciples density functional cal... 7317 we present a method to construct numberconse... 7318 we present a new parallel corpus jhu fluency... 7319 we address single machine problems with opti... 7320 a novel datadriven stochastic robust optimiz... 7321 this paper introduces an algebraic multiscal... 7322 software processes improvement spi is a chal... 7323 analysis of a bayesian mixture model for the... 7324 cycloids hipocycloids and epicycloids have a... 7325 in this paper an algorithm for multicolor im... 7326 gaussian graphical models are used throughou... 7327 chariklo is the only small solar system body... 7328 as a powerful tool of asynchronous event seq... 7329 studies of the response of the sid silicontu... 7330 in this study a multiple hypothesis tracking... 7331 the nfold darboux transformation tn of the f... 7332 the goodnessoffit test for discrimination of... 7333 belief propagation algorithms are instrument... 7334 interpolation of jointly infeasible predicat... 7335 a oneparametric stochastic dynamics of the i... 7336 lesion segmentation is the first step in mos... 7337 support vector data description svdd is a po... 7338 in recent years supervised learning using co... 7339 the main focus of the analysts who deal with... 7340 magnetic anisotropies of ferromagnetic thin ... 7341 we create and release the first publicly ava... 7342 the aim of the present manuscript is to pres... 7343 sometimes it is not enough for a dnn to prod... 7344 we propose the variational shape learner vsl... 7345 we study the cubic wave equation in adsd and... 7346 the bag of words bow represents a corpus in ... 7347 the formation of a singularity in a compress... 7348 this paper investigates how far a very deep ... 7349 the set of bousfield classes has some import... 7350 the potential benefits of applying machine l... 7351 a class of actively calibrated line mounted ... 7352 we present aircode a technique that allows t... 7353 this paper advances the state of the art in ... 7354 in this paper drawing intuition from the tur... 7355 the origin of phobos and deimos in a giant i... 7356 most sales applications are characterized by... 7357 in this paper we present a simple and modula... 7358 we establish a general connection between ba... 7359 in this report we present a new face detecti... 7360 endtoend control for robot manipulation and ... 7361 for over twenty years the term cosmic web ha... 7362 we present a regression technique for data d... 7363 arguably the biggest challenge in applying n... 7364 magnetohydrodynamic mhd ships represent a cl... 7365 with a rapidly increasing number of devices ... 7366 we investigate the timeoptimal control probl... 7367 we consider a fundamental open problem in pa... 7368 adaptive gradientbased optimization methods ... 7369 the magnetic response related to paramagneti... 7370 a credal network under epistemic irrelevance... 7371 the mollow spectrum for the light scattered ... 7372 in this paper we use an approach based on dy... 7373 extreme mass ratio inspiral emri events are ... 7374 the companies populating a stock market alo... 7375 offensive or antagonistic language targeted ... 7376 this paper is devoted to a study of infinite... 7377 we present a general analytical formalism to... 7378 intrinsic stochasticity can induce highly no... 7379 five year posttransplant survival rate is an... 7380 we investigate the loss surface of neural ne... 7381 it is well known that functions in involutio... 7382 for decades contextdependent phonemes have b... 7383 a common problem to all applications of line... 7384 we have measured the resistivity the thermop... 7385 quantum walks in virtue of the coherent supe... 7386 resonant inelastic xray scattering rixs expe... 7387 mathematical modelling of tumor growth is on... 7388 the rise of digital and mobile communication... 7389 in todays education systems there is a deep ... 7390 we propose statistical inferential procedure... 7391 onebit measurements widely exist in the real... 7392 the computational complexity of kernel metho... 7393 automl serves as the bridge between varying ... 7394 in the presence of renewable resources distr... 7395 assortative mixing in networks is the tenden... 7396 neural machine translation models rely on th... 7397 during the upstroke of a normal eye blink th... 7398 in the kmappability problem we are given a s... 7399 music creation is typically composed of two ... 7400 simulation optimization so refers to the opt... 7401 variational autoencoders vaes learn represen... 7402 we examine the conditions under which materi... 7403 the diffusion of information has been widely... 7404 we propose a few fundamental techniques to o... 7405 a loopaugmented forest is a labeled rooted f... 7406 reproducing experiments is an important inst... 7407 the recently proposed adversarial training m... 7408 a parameterised boolean equation system pbes... 7409 we present the measurement of the kinematic ... 7410 statistical relational frameworks such as ma... 7411 in contrast to simple monatomic alkali and h... 7412 modern operating systems such as android ios... 7413 conditional independence of treatment assign... 7414 we describe the first ever implementation of... 7415 magnetic resonance image mri reconstruction ... 7416 we give lower bounds for the degree of multi... 7417 an important application of haptic technolog... 7418 we study the topological dynamics of the hor... 7419 the waist size of a cusp in an orientable hy... 7420 motivated by recent work on straininduced ps... 7421 abstract separation logics are a family of e... 7422 we consider two polytopes the quadratic assi... 7423 xgboost is often presented as the algorithm ... 7424 we investigate the superfluid behavior of a ... 7425 game analytics supports game development by ... 7426 we look at bohemian matrices specifically th... 7427 over the past years distributed energy resou... 7428 dynamic evidence logics are logics for reaso... 7429 researchers are often interested in assessin... 7430 point location problems for n points in ddim... 7431 we consider the statistical inverse problem ... 7432 recently proposed models which learn to writ... 7433 this paper presents design and experimental ... 7434 an aainfty estimate improving a previous res... 7435 we state the ramsey property of classes of o... 7436 we investigate a cognitive radio system wher... 7437 homophily can put minority groups at a disad... 7438 imprecise and incomplete specification of sy... 7439 we discuss unique existence and microlocal r... 7440 in this correspondence we propose a new rece... 7441 one of the major open problems in computer v... 7442 given two or more deep neural networks dnns ... 7443 for the quantification of qoe subjects often... 7444 observations of the highlyeccentric e hotjup... 7445 many biological data analysis processes like... 7446 we study the josephson effect of a rmt f t j... 7447 version information plays an important role ... 7448 in multiband systems such as ironbased super... 7449 a pervasive belief with regard to the differ... 7450 in this paper we present a unified endtoend ... 7451 the critical temperature tc of mgb one of th... 7452 this article describes the motivation design... 7453 reinforcement learning is a promising approa... 7454 the neodeterministic seismic hazard assessme... 7455 syllabification does not seem to improve wor... 7456 persistent homology studies the evolution of... 7457 we measure the alignment of the shapes of ga... 7458 in this paper we consider the degenerate sti... 7459 how useful can machine learning be in a quan... 7460 the spatial distribution of elemental abunda... 7461 doseresponse functions drfs are widely used ... 7462 the present work addressed in this thesis in... 7463 this paper presents a solution for persisten... 7464 in this paper we propose a novel sufficient ... 7465 the unified gas kinetic scheme ugks is a dir... 7466 legged robots pose one of the greatest chall... 7467 in this work we prove an existence result fo... 7468 in this note we establish the following seco... 7469 we prove a range of new sumproduct type grow... 7470 computing the inverse covariance matrix or p... 7471 to date germanene has only been synthesized ... 7472 we introduce quiver gauge theory associated ... 7473 we image vortex creep at very low temperatur... 7474 strategic interactions between competitive e... 7475 we investigate pivotbased translation betwee... 7476 semiconductor quantum dots qds doped with ma... 7477 in this chapter we show how the use of diffe... 7478 we develop a new approach to solving classif... 7479 in the paper randomizations of scattered sen... 7480 kaplansky zero divisor conjecture states tha... 7481 i describe a relation mostly conjectural bet... 7482 word embeddings provide point representation... 7483 in many areas practitioners seek to use obse... 7484 a reinforcement algorithm solves a classical... 7485 we present an approach to accelerating a wid... 7486 hiv rna viral load vl is an important outcom... 7487 we consider a relativistic charged particle ... 7488 this paper presents a distributed stochastic... 7489 transform methods like laplace and fourier a... 7490 we consider the dynamics of belief propagati... 7491 entity resolution er presents unique challen... 7492 since corot observations unveiled the very l... 7493 certain analytical expressions which feel th... 7494 this paper presents a problem of model learn... 7495 if the topological insulator bise is doped w... 7496 we show that in any mathbbqgorenstein flat f... 7497 let gr denote the metaplectic covering group... 7498 this paper introduces a generalization of co... 7499 we investigate the standard model sm with a ... 7500 deep neural networks coupled with fast simul... 7501 surfactant solutions exhibit multilamellar s... 7502 a topological group g is bamenable if and on... 7503 a new generation of d silicon pixel detector... 7504 microwave kinetic inductance devices mkids a... 7505 the practical impact of abstractionbased con... 7506 we propose a novel denoising framework for t... 7507 we consider the three dimensional vlasovpois... 7508 photography usually requires optics in conju... 7509 this paper brings the novel idea of paying t... 7510 we consider the problem of individualspecifi... 7511 the emergent field of probabilistic numerics... 7512 we study effect of cavity collapse in nonide... 7513 we present a simple quantile regressionbased... 7514 let b left bleft xright xin mathbbsright b... 7515 named entity classification is the task of c... 7516 latent space models are effective tools for ... 7517 we tackle the challenge of topic classificat... 7518 the context of this research is testing and ... 7519 this work studies which storage mechanisms i... 7520 nonconvex optimization with local search heu... 7521 we have performed joule power loss calculati... 7522 we report an exact likelihood computation fo... 7523 the experimental design problem concerns the... 7524 in machine learning or statistics it is ofte... 7525 we establish a correspondence on a riemann s... 7526 nonnegative matrix factorization nmf has bee... 7527 modern search techniques either cannot effic... 7528 we obtain new uniform bounds for the symmetr... 7529 we present several continued fraction algori... 7530 most neuralnetwork based speakeradaptive aco... 7531 this paper considers the problem of statisti... 7532 we show that the social dynamics responsible... 7533 the fusion of iterative closest point icp re... 7534 in this paper we use the theory of computing... 7535 the pairing symmetry of interacting dirac fe... 7536 we study causal inference in a multienvironm... 7537 the notion of linear exponential comonads on... 7538 this paper proposes an original statistical ... 7539 domain adaptation refers to the problem of l... 7540 atomically thin semiconductors have dimensio... 7541 a conceptual and computational framework is ... 7542 this paper introduces colossus a public open... 7543 second generation sequencing technologies ar... 7544 many modern video processing pipelines rely ... 7545 since the matrix formed by nonlocal similar ... 7546 contextual bandit algorithms a class of mul... 7547 we demonstrate lightinduced localization of ... 7548 a variety of realworld processes over networ... 7549 the search of binary sequences with low auto... 7550 we study the asymptotic behavior of the marg... 7551 securitycritical tasks require proper isolat... 7552 data on rates percentages or proportions ari... 7553 pagerank has numerous applications in inform... 7554 remote sensing experiments require highaccur... 7555 we discuss the git moduli of semistable pair... 7556 we provide a novel and simple description of... 7557 we describe a method of reconstructing air s... 7558 weyls original scale geometry of purely inf... 7559 this paper explores the discrete dynamic cau... 7560 as the effort to scale up existing quantum h... 7561 the allan variance av is a widely used quant... 7562 current tools for exploratory data analysis ... 7563 we consider the stochastic composition optim... 7564 enabling artificial agents to automatically ... 7565 the paper adapts the large deformation diffe... 7566 the determination of the morphology of galax... 7567 the spin triangular lattice antiferromagnet ... 7568 the location of radio pulsars in the periodp... 7569 in this paper we prove that any immersed sta... 7570 we have carried out a systematic search for ... 7571 now a days several organizations are moving ... 7572 the brazilian ministry of health has selecte... 7573 the minimum volume enclosing ellipsoid mvee ... 7574 the interest in memristors has risen due to ... 7575 biological and artificial neural systems are... 7576 a major investment made by a telecom operato... 7577 we consider the problem of detecting outofdi... 7578 the possibility of solving the bethesalpeter... 7579 in this paper we show novel underlying conne... 7580 we prove that a smooth well formed fano weig... 7581 we examine the relationship between social s... 7582 fabrication of atomic scale of metallic wire... 7583 the universal homogeneous trianglefree graph... 7584 let f be a nonarchimedean local field we stu... 7585 let qnn be the unit cube in mathbb rn n in m... 7586 recent experimental results point to the exi... 7587 sensors are present in various forms all aro... 7588 we study the problem of edit similarity join... 7589 in this study we introduce a new approach to... 7590 we consider a general statistical linear inv... 7591 short high charge electron bunches can drive... 7592 magnetic systems with spins sitting on a lat... 7593 let r be the homogeneous coordinate ring of ... 7594 the wasserstein metric is introduced as a pr... 7595 word embeddings are representations of indiv... 7596 we theoretically investigate normalstate pro... 7597 the goal of machine learning to automaticall... 7598 the noh verification test problem is extende... 7599 we associate with an infinite cyclic cover o... 7600 recent years have seen a sharp increase in t... 7601 coherent uncertainty quantification is a key... 7602 inference in the presence of outliers is an ... 7603 a it universal labeling of a graph g is a la... 7604 online games provide a rich recording of int... 7605 we study theoretically the topological surfa... 7606 given a crossing minimal chart gamma a minim... 7607 assistive robotics and particularly robot co... 7608 we study superconvergence property of the li... 7609 this paper proposes a multichannel source se... 7610 pore space characteristics of biochars may v... 7611 we present a firstprinciplesbased manybody t... 7612 upon thermal annealing at or above room temp... 7613 parametric imaging is a compartmental approa... 7614 current recommender systems exploit user and... 7615 we consider some properties of integrals con... 7616 we give complexity analysis of the class of ... 7617 thermodynamic potential of a neutral twodime... 7618 redis is an inmemory data structure store of... 7619 we discuss the existence of ground state sol... 7620 we present the study of the dark soliton dyn... 7621 the exchange interaction between magnetic io... 7622 we perform polarimetry analysis of active g... 7623 let n be a closed enlargeable manifold in th... 7624 a programmable optical computer has remained... 7625 the main theorem of jain et aljain k singh s... 7626 nmethylformamide chnhcho may be an important... 7627 in this paper we study the development of an... 7628 an alternative to density functional theory ... 7629 the identification of the minimal set of nod... 7630 let x g be an asymptotically hyperbolic mani... 7631 clinical nlp has an immense potential in con... 7632 we propose a novel online predictor for disc... 7633 this article deals with a markov process rel... 7634 we look for an enhancement of the correspond... 7635 active learning has long been a topic of stu... 7636 here we report orbitalfree densityfunctional... 7637 in this contribution we summarize the progre... 7638 given leq k leq s we say that a kuniform hy... 7639 among the different biomarkers of aging base... 7640 effective and efficient mitigation of malwar... 7641 holes and clumps in the interstellar gas of ... 7642 in this paper we report on the visualization... 7643 we present a neural network architecture bas... 7644 we are interested in attributeguided face ge... 7645 in unsupervised data generation tasks beside... 7646 we extend certain classical theorems in plur... 7647 we report an inconsistency found in probabil... 7648 recently a test for a signchanging gap funct... 7649 handheld augmented reality commonly implemen... 7650 in this paper we propose a distributed prima... 7651 we consider inverse dynamic and spectral pro... 7652 let x be a quasiaffine algebraic variety iso... 7653 gaussian process gp regression is a powerful... 7654 we study the most probable trajectories of t... 7655 many topics in planetary studies demand an e... 7656 scanning microwave impedance microscopy mim ... 7657 it has long been known that feedback vertex ... 7658 the mechanisms for strong electronphonon cou... 7659 competitive equilibrium from equal incomes c... 7660 the author showed that any homogeneous algeb... 7661 automatic sleep staging is a challenging pro... 7662 the onedimensional wakefield generation equa... 7663 we show that the permutation complexity of t... 7664 we propose the predictability computability ... 7665 let m be an atomic monoid and let x be a non... 7666 stable topological invariants are a cornerst... 7667 we consider minimal nonnegative jacobi opera... 7668 geodesic monte carlo gmc is a powerful algor... 7669 recently a review concluded that google scho... 7670 the problem of gas detection is relevant to ... 7671 we discuss the correspondence between the kn... 7672 we experimentally and numerically investigat... 7673 this paper presents a combinatorial construc... 7674 statistics derived from the eigenvalues of s... 7675 we show that in an artintits group of spheri... 7676 we explore a probabilistic model of an artis... 7677 as machine learning algorithms become increa... 7678 customer retention campaigns increasingly re... 7679 a quite general device analysis method that ... 7680 for a wide class of hermitian random matrice... 7681 this paper proposes power slow feature analy... 7682 the behavior of matter near a quantum critic... 7683 biological systems from a cell to the human ... 7684 one of the most challenging tasks for a flyi... 7685 efforts to reduce the numerical precision of... 7686 we prove that the functor associating to a r... 7687 determinantal point processes dpps have wide... 7688 we theoretically propose that weyl semimetal... 7689 variability management of process models is ... 7690 we propose the use of threedimensional dirac... 7691 the objective of this paper is to use transf... 7692 many modern applications deal with multilabe... 7693 training robots for operation in the real wo... 7694 the need to efficiently calculate first and ... 7695 in this paper we propose a method for import... 7696 wave theories of heating the chromosphere co... 7697 an unconventional spinrotation mode emerging... 7698 it is interesting and of significant importa... 7699 given two continuous functions fgitomathbbr ... 7700 we study effective versions of unlikely inte... 7701 recommenders have become widely popular in r... 7702 let m be a nilmanifold with a fundamental gr... 7703 fog computing enables use cases where data p... 7704 this document describes a code to perform pa... 7705 this paper describes our approach to the bos... 7706 in spherical symmetry with radial coordinate... 7707 audio events are quite often overlapping in ... 7708 we study exact solutions of the quasionedime... 7709 a novel textindependent speaker identificati... 7710 we argue that hardware modularity plays a ke... 7711 we give a new bound on the number of colline... 7712 visinelli and gondolo hereafter vg derived ... 7713 some poisson structures do admit resolutions... 7714 there is an interest to replace computed tom... 7715 we calculate the specific heat of a weakly i... 7716 inference models are a key component in scal... 7717 to many statisticians and citizens the outco... 7718 this paper aims at solving a onedimensional ... 7719 we study the spectrophotometric properties o... 7720 we study n interacting random walks on the p... 7721 this paper addresses the problem of estimati... 7722 in a recent note the author provides a coun... 7723 a memristor is one of four fundamental twote... 7724 ratio of medians or other suitable quantiles... 7725 we give a new proof of salvatis theorem that... 7726 we propose and compare several projection me... 7727 we propose a novel approach for using unsupe... 7728 koszul algebras with quadratic groebner base... 7729 community discovery in the social network is... 7730 debugging transactions and understanding the... 7731 the linkedin salary product was launched in ... 7732 quantum bits based on individual trapped ato... 7733 fault detection problem for closed loop unce... 7734 given an nsample drawn on a submanifold m su... 7735 learning to optimize is a recently proposed ... 7736 we present and analyze a new spacetime finit... 7737 a packing kcoloring for some integer k of a ... 7738 social networks involve both positive and ne... 7739 the significance of topological phases has b... 7740 we measured the absolute frequency of the s ... 7741 this paper gives foundational results for th... 7742 identifying meaningful signal buried in nois... 7743 hyperspectral analysis has gained popularity... 7744 antihydrogen is at the forefront of antimatt... 7745 the control of the ultracold collisions betw... 7746 this paper develops nonparametric rotation i... 7747 the mechanism behind angular momentum transp... 7748 in the context of robotic underwater operati... 7749 we introduce casper a proof of stakebased fi... 7750 crowdsourcing has emerged as a paradigm for ... 7751 we apply the nested algebraic bethe ansatz t... 7752 we find the epolynomials of a family of para... 7753 we discuss the derivation of a lowenergy eff... 7754 we prove that if two knots are concordant th... 7755 spectrally efficient multiantenna wireless c... 7756 we study kernel leastsquares estimation unde... 7757 we present a novel method for determining th... 7758 in this paper we show that the motive hpn of... 7759 this is a continuation and completion of the... 7760 this paper shows that authors have no consis... 7761 we consider the interaction between distinct... 7762 in this paper we prove that given a cliquewi... 7763 the functional window is an experimentally o... 7764 the practice of evidencebased medicine ebm u... 7765 in this article we provide a systematic way ... 7766 this paper investigates the lateral pullin e... 7767 we answer mark kacs famous question can one ... 7768 machine learning models are vulnerable to ad... 7769 in this paper we propose novel energy effici... 7770 discriminative correlation filter dcf based ... 7771 we investigate multitarget search on complex... 7772 we set a new upper limit on the abundance of... 7773 hierarchical clustering is a class of algori... 7774 we introduce physics informed neural network... 7775 escard and simpson defined a notion of inter... 7776 we apply basic statistical reasoning to sign... 7777 root cause analysis for anomalies is challen... 7778 neural networks have been shown to have a re... 7779 bayesian inference requires approximation me... 7780 two node variables determine the evolution o... 7781 nowadays the major challenge in machine lear... 7782 the problem of constrained coverage path pla... 7783 design of next generation computer systems s... 7784 let lk be a finite galois extension of numbe... 7785 this paper is to explore the possibility to ... 7786 this is a survey article based on the author... 7787 we consider a double layered prestrained ela... 7788 heterogeneous information networks hins are ... 7789 information bottleneck ib is a technique for... 7790 a central problem in graph mining is finding... 7791 we present a complete resolution of the abra... 7792 process induced efficiency variation is a ma... 7793 this paper will serve as an introduction to ... 7794 orthogonal matching pursuit omp is a widely ... 7795 linear complementarydual lcd for short codes... 7796 this is a report of a joint work with e jrve... 7797 we theoretically investigate the possibility... 7798 family of quasiarithmetic means has a natura... 7799 we explicitly construct families of integrab... 7800 existing deep multitask learning mtl approac... 7801 the execution logs that are used for process... 7802 we consider the initial value problem for th... 7803 a framework of variational principles for st... 7804 inspired by recent work of pl lions on condi... 7805 allosteric proteins transmit a mechanical si... 7806 we discuss the application of the agapito cu... 7807 a sensl microfcsmt x mm silicon photomultipl... 7808 we propose a reduction for nonconvex optimiz... 7809 learning algorithms for implicit generative ... 7810 network coding based peertopeer streaming re... 7811 the baryonacoustic oscillation bao feature i... 7812 by means of the present geometrical and dyna... 7813 this paper describes infocatvae an extension... 7814 we study the parity of selmer ranks in the f... 7815 social networks often provide only a binary ... 7816 for marketing or power grid management purpo... 7817 we classify the ulrich vector bundles of arb... 7818 in this paper we show that a kshellable simp... 7819 the most commonly used weighted least square... 7820 a closed four dimensional manifold cannot po... 7821 we demonstrate the potential of deep learnin... 7822 we consider the task of identifying attitude... 7823 each training step for a variational autoenc... 7824 we introduce a new audio processing techniqu... 7825 thermoelectric te measurements have been per... 7826 autonomous systems can substantially enhance... 7827 the interaction between thin structures and ... 7828 suspensions of selfpropelled bodies generate... 7829 in this manuscript we will discuss the const... 7830 in this work we formulate the fixedlength di... 7831 predicting the ground state of alloy systems... 7832 this paper gives a short survey of some basi... 7833 as opposed to manual feature engineering whi... 7834 in spin ice research small variations in str... 7835 we present a hybrid neural network and ruleb... 7836 in the creation of a smart future informatio... 7837 any acceptable quantum gravity theory must a... 7838 we develop a method to estimate from data tr... 7839 selftaught learning is a technique that uses... 7840 we will develop a computational method regio... 7841 this note discusses proofs for convergence o... 7842 we give a new class of multidimensional padi... 7843 we present new sinfoni nearinfrared integral... 7844 we present several formulae for the larget a... 7845 we propose a distributed version of a stocha... 7846 we propose expected policy gradients epg whi... 7847 the behavior of a new hysteretic nonlinear e... 7848 this paper demonstrates designing and develo... 7849 to support scientific visualization of multi... 7850 learning with auxiliary tasks has been shown... 7851 the highaltitude watercherenkov hawc experim... 7852 in this work we study two models of arbitrar... 7853 we propose three properties that are related... 7854 we propose generative neural network methods... 7855 the radioactive daughters isotope of rn are ... 7856 we consider the problem of provably optimal ... 7857 citehillmotegi present a new general asympto... 7858 applications of safety security and rescue i... 7859 the theoretical study of the optical propert... 7860 high dimensional superposition models charac... 7861 developers spend a significant amount of tim... 7862 tens of millions of new variable objects are... 7863 the multivariate nonlinear granger causality... 7864 the dynamic dielectric nonlinearity of bariu... 7865 nonlinear modal decoupling nmd was recently ... 7866 we report the discovery of keltb a transitin... 7867 statistical analyses of directional or angul... 7868 twotimescale stochastic approximation sa alg... 7869 we consider ysystem functional equations of ... 7870 we address the problem of estimating statist... 7871 the ground state of the spin heisenberg anti... 7872 this work extends the results known for the ... 7873 we study the riemannhilbert problems associa... 7874 we provide new theoretical insights on why o... 7875 the task of multilabel learning is to predic... 7876 in iterative supervised learning algorithms ... 7877 we propose a general framework to learn deep... 7878 based on the meteorological data from to w... 7879 video popularity is an essential reference f... 7880 many artificial intelligence ai applications... 7881 a complete foundational discussion of accele... 7882 we consider stochastic multiarmed bandit pro... 7883 supervised object detection and semantic seg... 7884 the aim of this paper is to characterize the... 7885 threedimensional d color codes have advantag... 7886 this paper explores supervised techniques fo... 7887 early in an environmental scan was conducte... 7888 we demonstrate nonvolatile ntype backgated m... 7889 memristive crossbars have become a popular m... 7890 cholanaikkans are a diminishing tribe of ind... 7891 as both light transport simulation and reinf... 7892 using a high energy electron beam for the im... 7893 developmental robotics offers a new approach... 7894 even todays most advanced machine learning m... 7895 we simulate boron on pb surface by using ab ... 7896 modelbased reinforcement learning rl methods... 7897 the use of color in qr codes brings extra da... 7898 emission from the molecular ion h is a power... 7899 we show how well known rules of back propaga... 7900 large collections of videos are grouped into... 7901 requirements elicitation requires extensive ... 7902 we present the results of neutron scattering... 7903 on kickstarter only of crowdfunding campaig... 7904 in franceschi et al we proposed a unified m... 7905 potential functionals have been introduced r... 7906 we present simple deterministic algorithms f... 7907 we consider finitedimensional irreducible tr... 7908 instruments to visualize transient structura... 7909 as highthroughput biological sequencing beco... 7910 we present a realtime featurebased slam simu... 7911 the purpose of this paper is to carry out a ... 7912 we present a set of full evolutionary sequen... 7913 we study the uniqueness of complete biconser... 7914 we present the mapping of a class of simplif... 7915 junior machado and zuluaga studied a model ... 7916 monte carlo simulations using mcnp were perf... 7917 here we present a new approach to deal with ... 7918 significant research has been conducted in r... 7919 in this paper we prove the strong consistenc... 7920 besides their huge technological importance ... 7921 neural network based machine learning is eme... 7922 this paper conducts a rigorous analysis for ... 7923 the distance between the true and numerical ... 7924 in this article we prove that the first eige... 7925 on a variety of complex decisionmaking tasks... 7926 network embedding aims at projecting the net... 7927 this research aims to identify how bitcoinre... 7928 optical properties of the photonic crystal c... 7929 many settings involve sequential decisionmak... 7930 existing methods for dealing with knowledge ... 7931 in the seminal work several macroscopic mar... 7932 in this paper an approach to controller desi... 7933 the recent planet nine hypothesis has led to... 7934 we consider differentialdifference equations... 7935 random forests have become an important tool... 7936 for two complex vector bundles admitting a h... 7937 both resources in the natural environment an... 7938 we propose a novel technique for analyzing a... 7939 computing polarised intensities from noisy d... 7940 in the spatial point process context kernel ... 7941 we study cr geometry in arbitrary codimensio... 7942 with the widespread use of information techn... 7943 receiver operating characteristic roc curves... 7944 maximum entropy modeling is a flexible and p... 7945 the variational tensor network renormalizati... 7946 we propose a general framework for nonasympt... 7947 a regular language l is unionfree if it can ... 7948 piecewise deterministic markov processes pdm... 7949 language models lm are very powerful in lipr... 7950 millisecond pulsars msps have a great potent... 7951 we propose to use optical antennas made out ... 7952 following the success of type ia supernovae ... 7953 highprecision modeling of subatomic particle... 7954 entropy search es and predictive entropy sea... 7955 in the recent article jentzen a mllergronbac... 7956 the advancement of nanoscale electronics has... 7957 this article studies the recovery of graphon... 7958 g millimeter wave mmwave technology is envis... 7959 plants monitor their surrounding environment... 7960 humans are able to identify a referred visua... 7961 we present a novel technique for learning th... 7962 the characteristics of the gravitational col... 7963 we consider the multicell joint power contro... 7964 this is a copy of the article published in i... 7965 we propose a new expression for the response... 7966 in this paper we propose a novel algorithm t... 7967 in this paper we discuss the nacuteeel and k... 7968 since multimedia streaming has become very p... 7969 in this paper we complete the determination ... 7970 this manuscript proposes a novel empirical b... 7971 distributed and cloud storage systems are us... 7972 the moedal experiment at the lhc is optimise... 7973 it is likely that most protostellar systems ... 7974 we review recent progress in modeling credit... 7975 as in many other scientific domains we face ... 7976 despite increasing focus on data publication... 7977 a classic approach for learning bayesian net... 7978 new method to simulate heat transport in mul... 7979 we show that the any nonempty open set on a ... 7980 in this paper we shall prove that a grand fu... 7981 we prove continuity of a controlled sde solu... 7982 we analyze the evolution of fe xii coronal p... 7983 we investigate the size scaling of the macro... 7984 we consider timedependent viscous meanfield ... 7985 highresolution imaging reveals a large morph... 7986 fix sets x and y and write mathcalptxy for t... 7987 exploiting others is beneficial individually... 7988 the theory of graph limits represents large ... 7989 dispersal is ubiquitous throughout the tree ... 7990 a vortex in a boseeinstein condensate on a r... 7991 hidden quantum markov models hqmms can be th... 7992 gradient descent is commonly used to solve o... 7993 largescale deep neural networks are both mem... 7994 stochastic variance reduction algorithms hav... 7995 we give a proof of a conjecture raised by mi... 7996 in this note we prove the instability by blo... 7997 we study a stochastic particle system with a... 7998 this paper applies hes new amplitudefrequenc... 7999 the complex lie superalgebras mathfrakg of t... 8000 we report magnetotransport measurements on m... 8001 we address the general mathematical problem ... 8002 this article proposes a mixture modeling app... 8003 dual fabryperotcavitybased optical refractom... 8004 we develop the theory of modulated operators... 8005 galex detected a significant fraction of ear... 8006 we present a new decision procedure for the ... 8007 given a polynomial qzaazdotsanzn and a vecto... 8008 this paper analyzes directional tracking in ... 8009 study shows that software developers spend a... 8010 many current and future exoplanet missions a... 8011 modern topic identification topic id systems... 8012 spiking neural networks snns enable powereff... 8013 determinantal point processes dpps are distr... 8014 brownian motion has served as a pilot of stu... 8015 this paper describes the use of the idea of ... 8016 owing to their connection with generative ad... 8017 precision robotic pollination systems can no... 8018 the theoretical existence of nonclassical sc... 8019 keyword spottingor wakeword detectionis an e... 8020 radiobiology studies on the effects of galac... 8021 pose graph optimization involves the estimat... 8022 extending the notion of frobeniussplitting w... 8023 latent block model lbm is a modelbased metho... 8024 in this note we point out a basic link betwe... 8025 in this paper we introduce a new framework t... 8026 coresets are compact representations of data... 8027 in a recent work on fluid infiltration in a ... 8028 in the case of a linear state space model we... 8029 a new class of functions called the informat... 8030 the main inspiration for this paper is a pap... 8031 exploratory data analysis is crucial for dev... 8032 in this work we investigate the surface ther... 8033 we present a new approach for generating clu... 8034 earths climate mantle and core interact over... 8035 we find the form of the refractive index suc... 8036 semantic textual similarity sts measures the... 8037 observations show that luminous blue variabl... 8038 the collective behaviour of people adopting ... 8039 the phase tensor pt marked a breakthrough in... 8040 in this paper we propose an implement a gene... 8041 compoundspecific chlorine isotope analysis c... 8042 advent of new materials such as van der waal... 8043 in this paper we establish equivariant mirro... 8044 generative adversarial networks gans transfo... 8045 we report results from twelve simulations of... 8046 the currentvoltage characteristics of a new ... 8047 the discriminative approach to classificatio... 8048 recurrent neural networks have been extensiv... 8049 scanning probe microscopy spm has been exten... 8050 sgd stochastic gradient descent is a popular... 8051 on the occasion of the th anniversary of the... 8052 mobile adhoc networks manets have been ident... 8053 in real world there is a significant relatio... 8054 message importance measure mim is applicable... 8055 this paper addresses the problem of multivie... 8056 bakground with the proliferation of availabl... 8057 falling oil revenues and rapid urbanization ... 8058 a wide range of humanrobot collaborative app... 8059 cosi was recently reported to exhibit remark... 8060 we construct examples of modular rigid calab... 8061 we consider an infinitebuffer singleserver q... 8062 the minimal number of rooted subtree prune a... 8063 an analytical model of humanrobot hr coordin... 8064 aim the akaike information criterion aic is ... 8065 in order to understand the exoplanet you nee... 8066 the use of drug combinations termed polyphar... 8067 musical intervals in multiple of semitones u... 8068 we show that the knowledge of dirichlet to n... 8069 this is part of a collection of discussion p... 8070 in this paper we consider a control problem ... 8071 binomial random intersection graphs can be u... 8072 we present a new compressed representation o... 8073 the multivariate linear regression model wit... 8074 we present here a model for instantaneous co... 8075 todays highperformance computing hpc systems... 8076 realworld networks often have powerlaw degre... 8077 word similarities affect language acquisitio... 8078 we prove weighted lpqestimates for divergenc... 8079 we give several sharp estimates for a class ... 8080 phase retrieval refers to the problem of rec... 8081 we derive a representation formula for the t... 8082 we consider the problem of sequential detect... 8083 lacasa is a type system and programming mode... 8084 autonomous control systems onboard planetary... 8085 in this paper we we study boundary layer pro... 8086 from scientific experiments to online ab tes... 8087 introduction advanced machine learning metho... 8088 part i of this work developed the exact dif... 8089 much combinatorial optimisation problems con... 8090 in bismut and zhang establish a mod z embed... 8091 sparse deep neural networksdnns are efficien... 8092 the syntactic structure of a sentence can be... 8093 in this paper we aim to establish a new shap... 8094 in this article we use the strong law of lar... 8095 using the enthalpybased thermal evolution of... 8096 particle filters are a popular and flexible ... 8097 this paper presents a hybrid control framewo... 8098 we have performed realistic atomistic simula... 8099 in this paper we investigate effective sketc... 8100 recommender systems are widely used to predi... 8101 the nonrelativistic variational calculation ... 8102 we formulate an optimization problem to cont... 8103 there is no free lunch no single learning al... 8104 given multiplatform genome data with prior k... 8105 spin torque oscillators placed onto a nonmag... 8106 we study complementary information set codes... 8107 objectives discussions of fairness in crimin... 8108 the article analysis was carried out within ... 8109 we investigate the spinbrauer diagram algebr... 8110 using muon spin rotation it is shown that th... 8111 this paper studies the contraction propertie... 8112 let h be a hopf quasigroup with bijective an... 8113 sparse dictionary learning sdl has become a ... 8114 we consider the problem of identifying the m... 8115 we present various identities involving the ... 8116 in this work the magnetoresistance mr of ult... 8117 morpheo is a transparent and secure machine ... 8118 we obtain the hlder regularity of time deriv... 8119 based on the third allotropic form of carbon... 8120 which topics of machine learning are most co... 8121 this study proposes a mixed logit model with... 8122 tuning band gaps in twodimensional d materia... 8123 the michaelismenten mechanism is probably th... 8124 given an unconstrained stream of images capt... 8125 graphene has the potential to make a very si... 8126 using brownian motion in periodic potentials... 8127 we observe the breakup dynamics of an elonga... 8128 conical density theorems are used in the geo... 8129 despite the wealth of planck results there a... 8130 giant impacts gis are common in the late sta... 8131 expectation for the emergence of higher func... 8132 generative adversarial network gan and its v... 8133 fairness by decisionmakers is believed to be... 8134 this paper presents a stochastic logic time ... 8135 photosynthetic organisms rely on a series of... 8136 we prove a chernofftype bound for sums of ma... 8137 cognitive neuroscience is enjoying rapid inc... 8138 automatic body part recognition for ct slice... 8139 word obfuscation or substitution means repla... 8140 one of the remaining obstacles to approachin... 8141 recent developments of imaging techniques en... 8142 we consider semiparametric transformation mo... 8143 if mathfrakp subseteq mathbbzzeta is a prime... 8144 one big challenge that hinders the transitio... 8145 we present a study of social networks based ... 8146 platinum diselenide ptse is an exciting new ... 8147 a oneparameter family of longrange resonatin... 8148 the loggaussian cox process is a flexible an... 8149 the misra project started in with the missi... 8150 estimation of a hand grip force is essential... 8151 we investigate probabilistic graphical model... 8152 this article investigates a fast and stable ... 8153 in this article we us the mean curvature flo... 8154 we extend the idea of conformal attractors i... 8155 conventional wisdom holds that modelbased pl... 8156 the prefrontal cortex is known to be involve... 8157 atomicsize spin defects in solids are unique... 8158 pairwise samecluster queries are one of the ... 8159 light pseudoscalar fields are promising cand... 8160 tor is a lowlatency anonymity system intende... 8161 this paper presents machine learning experim... 8162 lrs locally rotationally symmetric bianchi t... 8163 learning from many realworld datasets is lim... 8164 a family of sets is said to be emphsymmetric... 8165 in the last fifteen the subset sampling meth... 8166 in this work we consider solutions of the ma... 8167 we consider a problem of diagnostic pattern ... 8168 for riesz spotentials kxyxys s we investigat... 8169 we show that in algebraically locally finite... 8170 the multiway rendezvous introduced in theore... 8171 we study an online multiple testing problem ... 8172 in this paper we characterize the set of pol... 8173 we consider a class of kinetic models for po... 8174 maximal equilibriumindependent passivity mei... 8175 the volume of data generated by modern astro... 8176 in the quasid heavyfermion system ybnipxasx ... 8177 wildland fire dynamics is a complex turbulen... 8178 recently deep reinforcement learning rl meth... 8179 evaluating the computational reproducibility... 8180 we propose a deep learning model for identif... 8181 the p speller is a braincomputer interface t... 8182 functions or functionnings enable to give a ... 8183 while reducedorder models roms have been pop... 8184 a ranking is an ordered sequence of items in... 8185 dark matter axions can generate peculiar eff... 8186 let the randomized query complexity of a rel... 8187 in this article we investigate a first order... 8188 we study a unique network dataset including ... 8189 we explicitly describe the isomorphism betwe... 8190 we propose an ensemble clustering algorithm ... 8191 feature selection with highdimensional data ... 8192 this paper considers a multipleinput multipl... 8193 observations with powerful xray telescopes s... 8194 in this paper we consider a onedimensional c... 8195 context solar observatories are providing th... 8196 based on firstprinciples calculations and ef... 8197 this paper presents the modelbased design an... 8198 we present a chemical abundance analysis of ... 8199 transition metal carbides include a wide var... 8200 most programming languages besides c provide... 8201 in this article we proposed a new probabilit... 8202 we propose an algorithm for deep learning on... 8203 in this paper we study a stochastic optimal ... 8204 in recent years the use of adjoint vectors i... 8205 we present a new methodology of computing in... 8206 as prior knowledge of objects or object feat... 8207 light carrying orbital angular momentum oam ... 8208 a theorem of gekeler compares the number of ... 8209 modelfree policy learning has enabled robust... 8210 we investigate a series of learning kernel p... 8211 in this paper we study the following critica... 8212 skin cancer is one of the major types of can... 8213 in this paper we investigate to what extent ... 8214 a novel approach based on the notion of altr... 8215 the maximum entropy method mem is a well kno... 8216 in this paper we construct the green functio... 8217 after it was proposed that life on earth mig... 8218 for time integration of transient eddy curre... 8219 we prove the transversality result necessary... 8220 let mu be a measure in mathbb rd with compac... 8221 in schmidt wrote a seminal paper on height... 8222 in this paper we establish optimal rates of ... 8223 voltage control plays an important role in t... 8224 in this work we derive a generic overcomplet... 8225 this work presents a methodology to design t... 8226 system and application availability continue... 8227 current tools for exploratory data analysis ... 8228 rotationally coherent lagrangian vortices rc... 8229 we present a novel method for convex unconst... 8230 the problem of finding good approximations o... 8231 in many machine learning tasks it is desirab... 8232 we consider the stochastic bandit problem in... 8233 this paper is devoted to the study of the ma... 8234 this paper centers on the comparison of thre... 8235 initialboundary value problems in a bounded ... 8236 we study the stability of pwave superfluidit... 8237 the stochastic allencahn equation with multi... 8238 in this work we consider a quantum generaliz... 8239 a popular approach for modeling and inferenc... 8240 we study an inhomogeneous neumann boundary v... 8241 optical spectroscopy has been the primary to... 8242 it is known that the essential spectrum of a... 8243 we investigate the impact of an external pre... 8244 pumpprobe experiments have turned out as a p... 8245 we investigate the impact of filament and vo... 8246 in the area of distributed graph algorithms ... 8247 in order for machine learning to be deployed... 8248 monolayer films of fese grown on srtio subst... 8249 automatic summarisation is a popular approac... 8250 channel feedback is essential in frequency d... 8251 we study the electron and phonon thermalizat... 8252 we prove that the free boltzmann quadrangula... 8253 we canonically quantize od nonlinear sigma m... 8254 we propose a novel dirichletbased plya tree ... 8255 in this paper we present a model predictive ... 8256 predicting the cheapest sample size for the ... 8257 in this article we propose a novel technique... 8258 the possibility to perform highresolution ti... 8259 in this work we establish the relation betwe... 8260 in this article we consider the following ca... 8261 coherent phonon cp generation in an undoped ... 8262 recent advances in neural networks nns exhib... 8263 the classicalinput quantumoutput cq wiretap ... 8264 an alternative voting scheme is proposed to ... 8265 double dirac fermions have recently been ide... 8266 although there has been recent progress in c... 8267 in this paper we establish a new explicit up... 8268 performing numerical integration when the in... 8269 spatially dependent parameters of a twocompo... 8270 the dm tool is used by hundreds of researche... 8271 building largescale globally consistent maps... 8272 the velocity dispersion of cold interstellar... 8273 the framework of statistical inference has b... 8274 if x and y are real valued random variables ... 8275 the classical involutive division theory by ... 8276 synchronous computation models simplify the ... 8277 swarms of robots will revolutionize many ind... 8278 an oxidation process is simulated for a bund... 8279 the present panorama of hpc architectures is... 8280 we study the nodetrix planarity testing prob... 8281 we present exact analytical results for the ... 8282 exor objects are young variables that show e... 8283 in this paper we first introduce some new ki... 8284 we propose a method for estimating coefficie... 8285 achieving highfidelity control of quantum sy... 8286 online job boards are one of the central com... 8287 understanding semantic similarity among imag... 8288 the detection of gravitational waves with li... 8289 blackbox variational inference tries to appr... 8290 this paper proposes a clustering procedure f... 8291 wasp is a hot jupiter system with an orbital... 8292 many machine learning systems rely on data c... 8293 chemicalchemical interaction cci plays a key... 8294 in this paper we improve the moment estimate... 8295 we realize a family of generalized cluster a... 8296 ricean channel model is widely used in wirel... 8297 in this paper we consider a framework of pro... 8298 homoclinic and unstable periodic orbits in c... 8299 motivated by recent experiments with twocomp... 8300 the high planetary multiplicity revealed by ... 8301 neuronal network dynamics depends on network... 8302 we study the beurlingselberg problem of find... 8303 understanding and developing a correlation m... 8304 outoftimeorder oto operators have recently b... 8305 the distribution of scientific citations for... 8306 monocular camera systems are prevailing in i... 8307 architecture patterns capture architectural ... 8308 we consider a certain definite integral invo... 8309 we describe the second generalized fengrao d... 8310 given a sample of a poisson point process wi... 8311 image simulation for scanning transmission e... 8312 the study on point sources in astronomical i... 8313 we consider pac learning of probability dist... 8314 ontologybased data access obda is a popular ... 8315 multiplex networks describe a large number o... 8316 we discuss the emergence of pwave superfluid... 8317 the functions of proteins and rnas are deter... 8318 while extraordinary progress has been made t... 8319 twodimensional materials have significant po... 8320 with the rapid growth of social media massiv... 8321 setidentified models often restrict the numb... 8322 given an integer base b a set of integers is... 8323 plasmonic metasurfaces have been employed fo... 8324 in the context of stochastic twophase flow i... 8325 the medical research facilitates to acquire ... 8326 derived geometry can be defined as the unive... 8327 feature model are widely used to capture com... 8328 an emerging problem in computer vision is th... 8329 in earlier work katz exhibited some very sim... 8330 linked beneficial and deleterious mutations ... 8331 we extend vector configurations to more gene... 8332 this survey contains the main results in rat... 8333 the latetype be star beta cmi is remarkably ... 8334 sapirovskii proved that xleqpichixcxpsix fo... 8335 in incompressible and periodic statistically... 8336 distribution grids constitute complex networ... 8337 in this paper we construct an analogue of lu... 8338 the approximate string matching is a fundame... 8339 we present the strain and temperature depend... 8340 we present a system for covert automated dec... 8341 in a recent work the degenerate stirling pol... 8342 the integration of multiple viewpoints becam... 8343 acousticstoword models are endtoend speech r... 8344 smart sensing is expected to become a pervas... 8345 designers of modern readerwriter locks confr... 8346 internal diffusionlimited aggregation idla i... 8347 groundbased observations at thermal infrared... 8348 this article presents various weak laws of l... 8349 we develop an algorithm for synthesizing a s... 8350 we have extended the biquaternionic diracs e... 8351 we describe a framework for deriving and ana... 8352 it is often claimed that error cancellation ... 8353 we consider spectral clustering algorithms f... 8354 thermal gradients induce concentration gradi... 8355 annihilating dark matter dm models offer pro... 8356 convolution trees loopy belief propagation a... 8357 levelsensitive latches are widely used in hi... 8358 in this paper we give a method to construct ... 8359 heuristic tools from statistical physics hav... 8360 xu et al j asian earth sci bf it has just... 8361 we consider the conservative hnon family at ... 8362 we analyze a stylized model of coevolution b... 8363 we propose to use neural networks for simult... 8364 in this work we give the first algorithms fo... 8365 a simplified d model which is an example of ... 8366 topological dirac semimetals tdss represent ... 8367 the classic arcsine law for the number\nnnns... 8368 demand response aims to stimulate electricit... 8369 with the first two detections in late astro... 8370 this paper considers a distributed multiagen... 8371 audeep is a python toolkit for deep unsuperv... 8372 annotation of training data is the major bot... 8373 in extreme cold weather living organisms pro... 8374 a powerful method pioneered by swinnertondye... 8375 previous work has questioned the conditions ... 8376 in this note we will show a backwards unique... 8377 the classical habitable zone is the circular... 8378 in this paper we use the inverse mean curvat... 8379 in errortolerant applications approximate ad... 8380 a totally new energy harvesting architecture... 8381 stochastic computer simulations enable users... 8382 nonorthogonal multiple access noma is a cand... 8383 backgroundintroduction the zipfs law establi... 8384 online reviews provide viewpoints on the str... 8385 we develop a local theory for the constructi... 8386 the manuscript discusses still preliminary c... 8387 we first review classical results on cloakin... 8388 as is well known multivariate rogersszeg pol... 8389 using methods of statistical physics we anal... 8390 in this paper we present a parallelization s... 8391 in this paper we present a method to initial... 8392 this paper explores four different visualiza... 8393 discovery of an accurate causal bayesian net... 8394 this paper proposes an approach for rapid bo... 8395 social media provides political news and inf... 8396 the seaquest spectrometer at fermilab was de... 8397 the recent successes of deep learning have l... 8398 how many samples are sufficient to guarantee... 8399 the wavefronts of a nonlinear nonlocal bista... 8400 neural networks are generally built by inter... 8401 inviscid computational results are presented... 8402 the aim of this chapter is to provide an ade... 8403 the dependent object types dot calculus form... 8404 more and more of the information on the web ... 8405 by detecting light from extrasolar planetswe... 8406 uncovering modular structure in networks is ... 8407 properties of the cold interstellar medium o... 8408 we provide novel theoretical insights on str... 8409 sharir and welzl derived a bound on crossin... 8410 the spectral renormalization method was intr... 8411 the wild bootstrap is the resampling method ... 8412 in this paper we consider a soft measure of ... 8413 a fundamental question in reinforcement lear... 8414 properly benchmarking automated program repa... 8415 spatial understanding is a fundamental probl... 8416 this paper is concerned with the design of c... 8417 refractory organic compounds formed in molec... 8418 the greek aperitif ouzo is not only famous f... 8419 in this article a semianalytical approach fo... 8420 one of the key challenges in revenue managem... 8421 this paper is devoted to the dimensional rel... 8422 the subject of our thesis is the uniqueness ... 8423 transfer learning methods address the situat... 8424 recent observations have revealed massive ga... 8425 with the volume of manuscripts submitted for... 8426 in this paper we search the existence of inv... 8427 we study the nonsymmetric macdonald polynomi... 8428 this paper aims to address two issues existi... 8429 quanta image sensor qis is a binary imaging ... 8430 for each odd prime p we conjecture the distr... 8431 we present a novel approach to shared contro... 8432 following the rapidly growing digital image ... 8433 we address the reduction to compact band for... 8434 we provide a counterexample of wentes inequa... 8435 let mathfrako be a complete discrete valuati... 8436 the comparison study of high pressure superc... 8437 over a dozen ultracool dwarfs ucds lowmass o... 8438 side channel attacks are a major class of at... 8439 it has been suggested that adversarial examp... 8440 it is clear that the em spectrum is now rapi... 8441 topological linkprediction can exploit the e... 8442 we have theoretically demonstrated the emiss... 8443 a scenario has recently been reported in whi... 8444 in this paper we propose an opportunistic do... 8445 let n be a nonnull positive integer and dn i... 8446 we generalize the notion of selfsimilar grou... 8447 the aim of this thesis is to find a solution... 8448 we present a novel tractable generative mode... 8449 the exponential growth in smartphone adoptio... 8450 we revisit the algebraic description of shap... 8451 we present a continuous time state estimatio... 8452 we search for digital biomarkers from parkin... 8453 we study invasion fronts and spreading speed... 8454 neural networks are commonly trained to make... 8455 objective a model is presented to evaluate t... 8456 ultracold atomic gases have realised numerou... 8457 identifying anomalous patterns in realworld ... 8458 we analyze isolated resonance curves ircs in... 8459 as air pollution is becoming the largest env... 8460 interaction of an electron system with a str... 8461 the increasing practice of engaging crowds w... 8462 this survey explores procedural content gene... 8463 increasing numbers of software vulnerabiliti... 8464 the dependence of the mass accretion rate on... 8465 because of the limitations of matrix factori... 8466 this letter reports the successful use of fe... 8467 recent years have witnessed a widespread inc... 8468 the modified camassaholm equation also calle... 8469 representation learning algorithms are desig... 8470 we use large amounts of unlabeled video to l... 8471 valley pseudospin labeling quantum states of... 8472 this paper introduces schurconstant equilibr... 8473 let g be a semisimple real lie group with fi... 8474 a dirichlet kpartition of a domain u subsete... 8475 the wake behind a sphere rotating about an a... 8476 a large size air cherenkov telescope lst pro... 8477 the basic firstorder differential operators ... 8478 gravitational wave observations of eccentric... 8479 this paper proposes a novel joint computatio... 8480 we describe a novel approach for computing w... 8481 this paper investigates one of the fundament... 8482 we experimentally demonstrate the operation ... 8483 we introduce a new model for the formation a... 8484 point matching refers to the process of find... 8485 the call for efficient computer architecture... 8486 the possibility of constructing lorenzs conc... 8487 the anisotropy of magnetic properties common... 8488 for its high coefficient of performance and ... 8489 developing a safe and efficient collision av... 8490 betweenness centrality is an important index... 8491 the design of gaits for robot locomotion can... 8492 the study of random networks in a neuroscien... 8493 in this paper we present perturbed lawbased ... 8494 we show that the counting class lwpp ffk rem... 8495 currentinduced spinorbit torques sots repres... 8496 we have explored the evolution of a cold deb... 8497 the concept of derivative coordinate functio... 8498 we revisit the wellknown objectpool design p... 8499 recent quasar surveys have revealed that sup... 8500 the idea of reusing information from previou... 8501 the paper presents a distributed model predi... 8502 direct imaging of exoplanets or circumstella... 8503 the relationship between communicating autom... 8504 we present a phase induced transparency base... 8505 a twisted torus knot is a knot obtained from... 8506 in many online applications interactions bet... 8507 endtoend learning refers to training a possi... 8508 not necessarily selfadjoint quantum graphs ... 8509 in this paper we completely solve the diopha... 8510 we combine sullivan models from rational hom... 8511 deep learning based speech enhancement and s... 8512 ranking is used for a wide array of problems... 8513 the alice farultraviolet imaging spectrograp... 8514 the adsorption of hydrogen at nonpolar gan s... 8515 in this study a fast multipole method fmm is... 8516 we present a quantitative characterization o... 8517 we describe a novel iterative strategy for k... 8518 medical applications challenge todays text c... 8519 supervised learning more specifically convol... 8520 we observe the electricdipole forbidden srig... 8521 in this paper we propose an integrated frame... 8522 the motility mechanism of certain rodshaped ... 8523 designing a pseudorandom number generator pr... 8524 we present warp a hardware platform to suppo... 8525 atomistic effective hamiltonian simulations ... 8526 permutation testing is a nonparametric metho... 8527 when recording spectra from the ground atmos... 8528 data are often labeled by many different exp... 8529 sparse tiling is a technique to fuse loops t... 8530 this paper is concerned with modeling the de... 8531 defining the mth stratum of a closed subset ... 8532 regression problems assume every instance is... 8533 traditional models for question answering op... 8534 we study learning problems involving arbitra... 8535 we open a new field on how one can define me... 8536 this paper proves that on any tamed closed a... 8537 contours may be viewed as the d outline of t... 8538 we discuss the systematic expansion of the s... 8539 cspe is a specification language for runtime... 8540 we study the properties of entanglement in t... 8541 fully exploiting the properties of d crystal... 8542 traditionally it had been a problem that res... 8543 we study the thermal diffusivity dt in model... 8544 this paper presents a methodology for simula... 8545 symmetry operators of twistor spinors and ha... 8546 we consider marked empirical processes index... 8547 while there exist a wide range of effective ... 8548 the discovery of pluto in presaged the disc... 8549 we study the strichartz estimates for schrdi... 8550 visualizing highdimensional data has been a ... 8551 voltage control effects provide an energyeff... 8552 we present an expectationmaximization algori... 8553 this paper focuses on the recently introduce... 8554 numerical simulations of beamplasma instabil... 8555 in this article we introduce variable expone... 8556 despite being originally inspired by the cen... 8557 a set of economic entities embedded in a net... 8558 this survey article is dedicated to some fam... 8559 this work proposes a novel approach to restr... 8560 in this paper a hybrid measurement and model... 8561 running highresolution physical models is co... 8562 in this work we consider open quantum random... 8563 we introduce nevanlinna classes of holomorph... 8564 the current article explores interesting sig... 8565 style transfer among images has recently eme... 8566 the kinematics of a robot manipulator are de... 8567 this technical report provides the descripti... 8568 a set of points in mathbbrd is acute if any ... 8569 this paper presents preliminary results of o... 8570 stress can be seen as a physiological respon... 8571 we study the problem of causal structure lea... 8572 rogue waves and their periodic counterparts ... 8573 we study the following control problem a fis... 8574 we classify the betti tables of indecomposab... 8575 it is possible to understand whether a given... 8576 in order to scale standard gaussian process ... 8577 we present a new inference method based on a... 8578 we explore a recently proposed variational d... 8579 this note contains additions to the paper cl... 8580 we review recent advances on the record stat... 8581 in this paper we study prandtls boundary lay... 8582 given full or partial information about a co... 8583 techniques for approximately contracting ten... 8584 with the rapid advances in the development o... 8585 let g be an abelian group for a subset a of ... 8586 poor road conditions are a public nuisance c... 8587 we introduce the concrete autoencoder an end... 8588 in this thesis we present few theoretical st... 8589 many of the algorithms used to solve minimiz... 8590 we explore the relation between urban road n... 8591 the complement msetminus l of the lagrange s... 8592 we compare six models including the baryonic... 8593 the clustering of a data set is one of the c... 8594 we solve the regularity problem for milnors ... 8595 in this paper we focus on online reviews and... 8596 we study the exponential convergence to the ... 8597 fermionic natural occupation numbers do not ... 8598 high dimensional sparse learning has imposed... 8599 in this paper we introduce new characterizat... 8600 in this article we reformulate the cobordism... 8601 we study the stability of a recently propose... 8602 topological phases of matter are considered ... 8603 we discuss the production and evolution of c... 8604 we investigate the effect of cylindrical nan... 8605 in this paper we propose an unsupervised rei... 8606 the main results in this note concern the ch... 8607 we provide a sufficient criterion for the un... 8608 we develop the theory of diophantine approxi... 8609 we present a generative framework for genera... 8610 distance multivariance is a multivariate dep... 8611 we develop a simulation scheme for a class o... 8612 the present paper extends the thermodynamic ... 8613 we propose and experimentally demonstrate th... 8614 if the dark matter particle has spin only t... 8615 gottschalk and vygen proved that every solut... 8616 recently deep neural networks have demonstra... 8617 we consider a controlconstrained parabolic o... 8618 there has been an increase in the use of res... 8619 classification of high dimensional data find... 8620 the effect of spinorbit coupling soc on the ... 8621 the clustering of integers with equal total ... 8622 we construct a model for the galactic globul... 8623 most video summarization approaches have foc... 8624 we show that the duality relation for the su... 8625 statistical pattern recognition methods have... 8626 in this paper walgebras are presented as can... 8627 we obtain estimates for the mean squared err... 8628 embarrassingly communicationfree parallel ma... 8629 network models have been increasingly used i... 8630 this paper studies the performance of multih... 8631 is it possible to draw a circle in manhattan... 8632 in this article we present a bernstein inequ... 8633 chipscale integrated light sources are a cru... 8634 recent experiments revealed a striking asymm... 8635 by establishing a connection between bidirec... 8636 we consider fiberwise singly generated fellb... 8637 the need for large annotated image datasets ... 8638 we prove that every set of n points in mathb... 8639 periodic solutions of the three body problem... 8640 the observations of solar photosphere from t... 8641 multidimensional item response theory is wid... 8642 statistical learning using imprecise probabi... 8643 the paper deals with planar segment processe... 8644 we consider the problem of choosing between ... 8645 we construct local generalizations of state ... 8646 a shortcoming of existing reachability appro... 8647 crowdsourced video systems like youtube and ... 8648 intracellular bidirectional transport of car... 8649 we study the asymptotic distributions of the... 8650 we consider the nonparametric poisson regres... 8651 typelevel word embeddings use the same set o... 8652 cell division timing is critical for cell fa... 8653 confluence of a nondeterministic program ens... 8654 we propose a novel projection based way to i... 8655 the qlbs model is a discretetime option hedg... 8656 we demonstrate an approach to face attribute... 8657 melamed harrell and simpson have recently re... 8658 in critical applications of anomaly detectio... 8659 in lithium ion batteries libs proper design ... 8660 we study the massive two dimensional dirac o... 8661 in this paper we present a novel formal agen... 8662 we consider the asep and the stochastic six ... 8663 selforganizing logic is a recentlysuggested ... 8664 a robot that can carry out a naturallanguage... 8665 to gain control over magnetic order on ultra... 8666 automated classification methods for disease... 8667 the richclub concept has been introduced in ... 8668 sparse variational approximations allow for ... 8669 anyons are exotic quasiparticles with fracti... 8670 in a former paper the authors introduced two... 8671 a bounce universe model known as the coupled... 8672 intelligent infrastructure will critically r... 8673 foundations of equilibrium thermodynamics ar... 8674 we obtain the optimal proxy variance for the... 8675 starting from anosov chaotic dynamics of geo... 8676 in this article a novel analytical approach ... 8677 causal effects are commonly defined as compa... 8678 applying certain flexible geometric sampling... 8679 the discriminative power of modern deep lear... 8680 tdistributed stochastic neighborhood embeddi... 8681 we construct for imaginary quadratic number ... 8682 with the increased application of modelbased... 8683 in this paper we consider the blocksparse si... 8684 m dwarf stars which have masses less than p... 8685 we consider a gas of independent brownian pa... 8686 purpose this paper continues the developmen... 8687 a hierarchical scheme for clustering data is... 8688 to forecast political elections popular poll... 8689 the vast majority of optimization and online... 8690 we introduce low complexity machine learning... 8691 when performing statistical analysis of sing... 8692 we present a randomizationbased inferential ... 8693 negative index materials are artificial stru... 8694 factor analysis and principal component anal... 8695 in this paper we compute the laplacian spect... 8696 we test the coulomb exchange and correlation... 8697 this paper proposes a centralized and a dist... 8698 unsupervised learning in a generalized hopfi... 8699 biocompatible microencapsulation is of wides... 8700 in this work we define and solve the fair to... 8701 entangled states are notoriously nonseparabl... 8702 the remarkable success of machine learning e... 8703 structures and properties of many inorganic ... 8704 if the symmetry breaking responsible for axi... 8705 performing analytic of household load curves... 8706 we prove two general theorems which determin... 8707 a new model of thermal inflation is introduc... 8708 we present a novel humanaware navigation app... 8709 in this paper we prove fourmoment theorems f... 8710 in this paper we study the finite walgebra f... 8711 motivation how do we integratively analyze l... 8712 a unified modeling framework for nonfunction... 8713 obtaining magnetic resonance images mri with... 8714 we continue to study the problem of modeling... 8715 we study the superconducting properties of p... 8716 we establish an analogy between superconduct... 8717 the chain of late roman fortified settlement... 8718 let x be a smooth manifold with a smooth inv... 8719 the pilot system development in metrescale n... 8720 in this paper we propose a novel methodology... 8721 the aim of this paper is to provide several ... 8722 since its unveiling in schemaorg has become... 8723 we give an extension of rubio de francias ex... 8724 carbon solubility in facecentered cubic niw ... 8725 in this paper the linear sigma model is stud... 8726 a fundamental challenge in multiagent system... 8727 foreign policy analysis has been struggling ... 8728 most problems in searchbased software engine... 8729 j makowsky and b zilber showed that many va... 8730 twoline elements tles continue to be the sol... 8731 in this paper we present an initial attempt ... 8732 we study the parameter planes of certain one... 8733 when providing frequency regulation in a pay... 8734 let m be a real bott manifold with khler str... 8735 our kecknirc imaging survey searches for ste... 8736 in a regression context when the relevant su... 8737 in cavitybased axion dark matter search expe... 8738 a physical unclonable function puf analogous... 8739 since the concept of spin superconductor was... 8740 in order to understand the mechanisms behind... 8741 training deep neural networks dnns efficient... 8742 measurement of zeta potential of ga and nfac... 8743 wikipedia articles representing an entity or... 8744 building upon hoveys work on smith ideals fo... 8745 phase and power control methods that satisfy... 8746 we study the morsenovikov cohomology and its... 8747 a novel frequency domain training sequence a... 8748 we show that the set of cusp shapes of hyper... 8749 we consider dtimes d tensors ax that are sym... 8750 purpose siemens has developed several iterat... 8751 let m be a smooth manifold and ksubset m be ... 8752 predictive process monitoring is concerned w... 8753 a line field on a manifold is a smooth map w... 8754 we propose a novel automaton model which use... 8755 the increasing use of wearables in smart tel... 8756 this letter presents a new spectralclusterin... 8757 the closure and the partitioning principles ... 8758 certain systems of inviscid fluid dynamics h... 8759 the proper choice of collective variables cv... 8760 let g be an inner form of a general linear g... 8761 the concepts of sketching and subsampling ha... 8762 small drops impinging angularly on thin flow... 8763 an integral scheme for the efficient evaluat... 8764 integrating a product of linear forms over t... 8765 we consider a modification of the covariance... 8766 we interpret augmented racks as a certain ki... 8767 we determine which of the modular curves xde... 8768 many households in developing countries lack... 8769 ergodicity and output controllability have b... 8770 we propose an effective method to solve the ... 8771 let g be a finite group and let cg be the nu... 8772 we provide a novel accelerated firstorder me... 8773 we calculate the disruption scale lambdarm d... 8774 neutrinos coming from the suns core are now ... 8775 in standard graph clusteringcommunity detect... 8776 let n be a compact connected nonorientable s... 8777 we present gofmm geometryoblivious fmm a nov... 8778 identifying coordinate transformations that ... 8779 neuronal correlates of parkinsons disease pd... 8780 heterosis is the improved or increased funct... 8781 in this paper we propose a novel cs approach... 8782 in general small bodies of the solar system ... 8783 let omega be a bounded open set of mathbb rn... 8784 this paper introduces a parametric levelset ... 8785 large volume of genomics data is produced on... 8786 hexagonal manganites remno re rare earths ha... 8787 a fully pseudospectral solver for direct num... 8788 this paper has two purposes the first is to ... 8789 the noncommuting graph gammag of a nonabelia... 8790 linearquadraticgaussian lqg control is conce... 8791 subspace learning is an important problem wh... 8792 objective the purpose of this work is to ana... 8793 the concept of balance between two state pre... 8794 this paper develops a randomized approach fo... 8795 we study four different notions of convergen... 8796 this paper presents the analysis of the impa... 8797 let lk be an extension of complete discrete ... 8798 as shown by mcmullen in the coefficients of... 8799 heart rate variability hrv is a vital measur... 8800 we demonstrate the fabrication of photonic c... 8801 block coordinate update bcu methods enjoy lo... 8802 overhead depth map measurements capture suff... 8803 we have discovered a novel candidate for a s... 8804 the spherical principal series representatio... 8805 lidar is extensively used in the industry an... 8806 the fuzz programming language reed and pierc... 8807 we study padic families of eigenforms for wh... 8808 we report on the size dependence of the surf... 8809 epileptic seizure activity shows complicated... 8810 we present a formal model for a fragmentatio... 8811 we have developed an efficient active galact... 8812 feature selection procedures for spatial poi... 8813 the effective representation of proteins is ... 8814 we introduce a class of distributed control ... 8815 a version of liouvilles theorem is proved fo... 8816 we study an optimal boundary control problem... 8817 small solids embedded in gaseous protoplanet... 8818 in this paper we show that the shear modulus... 8819 in this paper we study rational sections of ... 8820 in recent years there has been great interes... 8821 alzheimers disease is a major cause of demen... 8822 for any quantity of interest in a system gov... 8823 learning from unlabeled and noisy data is on... 8824 how is reliable physiological function maint... 8825 programmable packet processors and p as a pr... 8826 we use group theoretic ideas and coset space... 8827 we present a framework to calculate large de... 8828 every university introductory physics course... 8829 imaging is a form of probabilistic belief ch... 8830 in this paper we give new sparse interpolati... 8831 improving the health of the nations populati... 8832 the lregularized models are widely used for ... 8833 zerodelay transmission of a gaussian source ... 8834 this paper proposes a novel nonoscillatory p... 8835 the main aim of this paper is the developmen... 8836 scheduling surgeries is a challenging task d... 8837 the field of speech recognition is in the mi... 8838 recently deep learning based natural languag... 8839 we carried out synthetic observations of int... 8840 a social approach can be exploited for the i... 8841 in this paper we introduce a powerful techni... 8842 in this paper we introduce a weyl functional... 8843 recent modelfree reinforcement learning algo... 8844 in this paper we propose a new method of joi... 8845 convolutional neural nets cnns have become a... 8846 we investigated transport magnetotransport a... 8847 we present cosmological constraints on the s... 8848 government agencies offer economic incentive... 8849 the gaussian polytope mathcal pnd is the con... 8850 news spread in internet media outlets can be... 8851 a market with asymmetric information can be ... 8852 domain shift refers to the well known proble... 8853 android users are now suffering serious thre... 8854 we classify a number of symmetry protected p... 8855 kidney function evaluation using dynamic con... 8856 the problem of construction a quantum mechan... 8857 numerous geological observations evidence th... 8858 we study the screening of a bounded body gam... 8859 the vertices of any graph with m edges may b... 8860 a full squashed flat antichain fsfa in the b... 8861 in this paper we investigate the so called p... 8862 we introduce the notion of tropical defects ... 8863 this paper introduces wasserstein variationa... 8864 let g be a real linear semisimple algebraic ... 8865 we consider an ensemble of random density ma... 8866 fermion localization functions are used to d... 8867 randomized experiments are the gold standard... 8868 a standard approach for assessing the perfor... 8869 we propose madgan an intuitive generalizatio... 8870 the aetiology of polygenic obesity is multif... 8871 we develop an analytical framework for the p... 8872 we consider the problem of variable selectio... 8873 the breakthrough starshot aims at sending ne... 8874 we investigate the relation between the ferm... 8875 we propose a monaural intrusive instrumental... 8876 we study a model described by a single real ... 8877 in dynamic architectures component activatio... 8878 forwardlooking sonar can capture high resolu... 8879 rgtsvm provides a fast and flexible support ... 8880 let m be a regular matroid the jacobian grou... 8881 collaborative filtering cf is a widely adopt... 8882 clickthrough rate prediction is an essential... 8883 physics arising from twodimensionald dirac c... 8884 we consider a fractional version of the hest... 8885 we determine systematic regions in which the... 8886 we investigate prime character degree graphs... 8887 we present a method for computing the table ... 8888 in this article we use the combinatorial and... 8889 deep neural networks and specifically fullyc... 8890 analyzing multivariate time series data is i... 8891 we describe a mathematical link between aspe... 8892 reproducibility of computational studies is ... 8893 users are rarely familiar with the content o... 8894 crystal plasticity is mediated through dislo... 8895 for brownian motion in a twodimensional wedg... 8896 cold load pickup clpu has been a critical co... 8897 the wellknown theorem of eilenberg and ganea... 8898 we investigate structures which consist of ... 8899 modern applications and operating systems va... 8900 we consider maximum likelihood estimation fo... 8901 in this paper we introduce and study the cop... 8902 kraichnan seminal ideas on inverse cascades ... 8903 a proposal to improve routing securityroute ... 8904 we present a primaldual memory efficient alg... 8905 we establish a conceptual framework for the ... 8906 the fiducial is not unique in general but we... 8907 statistical thinking partially depends upon ... 8908 we present a conceptually simple flexible an... 8909 fishing activities have broad impacts that a... 8910 recently the authors of the present work tog... 8911 distributed generation dg units are increasi... 8912 little by little newspapers are revealing th... 8913 the famous twofold cost of sex is really the... 8914 consider a pair of plane straightline graphs... 8915 as more industries integrate machine learnin... 8916 this note announces results on the relations... 8917 a new regularisation of the shallow water an... 8918 recently andrews dixit and yee defined two p... 8919 we examine nonlinear dynamical systems of or... 8920 we provide an algorithm that computes a set ... 8921 over the last decade digital media web or ap... 8922 dyonic bps states in type iib string theory ... 8923 we introduce a family of tensor network stat... 8924 single atoms form a model system for underst... 8925 a verbal autopsy va consists of a survey wit... 8926 we report on a versatile highly controllable... 8927 in some planetary systems the orbital period... 8928 we consider the motion of a nonrelativistic ... 8929 there is a renewed interest in weak model se... 8930 citation metrics are analytic measures used ... 8931 the physical properties of polycrystalline m... 8932 we introduce and study new categories tgkof ... 8933 using in situ grazingincidence xray scatteri... 8934 the wellknown komlsmajortusndy inequalities ... 8935 we consider the problem of learning the leve... 8936 in the last decade many business application... 8937 we introduce kinetx a fully automated metaal... 8938 in the present contribution we study the lan... 8939 a new approach to perform analog optical dif... 8940 we review the problem of defining and inferr... 8941 quantization can improve the execution laten... 8942 in this paper we provide some new results fo... 8943 the principle of material frame indifference... 8944 recently we introduced the notion of flow de... 8945 aims we present new iram plateau de bure int... 8946 in recent years mobile devices eg smartphone... 8947 we consider the rosenzweigporter model h v ... 8948 in a seminal paper mcafee presented a truth... 8949 in this paper we propose multivariable lstm ... 8950 spectral images captured by satellites and r... 8951 we introduce simulations aimed at assessing ... 8952 a selfrepelling random walk of a token on a ... 8953 we propose an algorithm to impute and foreca... 8954 we consider the motionplanning problem of pl... 8955 orthogonal frequency division multiplexing o... 8956 in this paper we study the generalized meanf... 8957 we extend the grangerjohansen representation... 8958 the number density of field galaxies per rot... 8959 we study the signs of the fourier coefficien... 8960 germanium telluride features special spinele... 8961 objects may appear at arbitrary scales in pe... 8962 the use of standard platforms in the field o... 8963 this paper studies the complexity of solving... 8964 the angle between the spin of a star and its... 8965 we analysed the fluxflow region of isofield ... 8966 algorithmic issues concerning elliott local ... 8967 we show that there is an absolute constant c... 8968 recently supervised hashing methods have att... 8969 the paper provides results for the applicati... 8970 accurate and efficient entity resolution is ... 8971 the admittance of two types of josephson wea... 8972 in this paper we propose an efficient algori... 8973 we consider a variant of the classic multiar... 8974 asteroseismic parameters allow us to measure... 8975 in the polarised drellyan experiment at the ... 8976 early approaches to multipleoutput gaussian ... 8977 a personal recollection of events that prece... 8978 we demonstrate that the five vortex equation... 8979 humans develop a common sense of style compa... 8980 we study the problem of learning a latent va... 8981 we aim to introduce the generalized multiind... 8982 we show assuming a mild settheoretic hypothe... 8983 motivated by the rm psiriemannliouville rm p... 8984 illicit online pharmacies allow the purchase... 8985 we use the dimension and the lie algebra str... 8986 we analyze the convergence of stochastic gra... 8987 a large body of compelling evidence has been... 8988 skyrmions are topologically protected twodim... 8989 using a modification of the shapiro scaling ... 8990 phase retrieval has been an attractive but d... 8991 we show that any smooth bilipschitz h can be... 8992 we start with the recently conjectured d bos... 8993 deep learning has emerged as a powerful mach... 8994 differential privacy mechanisms that also ma... 8995 employing the spin degree of freedom of char... 8996 in biodiversity and ecosystem functioning be... 8997 we have developed a datadriven magnetohydrod... 8998 neural network based approximate computing i... 8999 deep learning methods are useful for highdim... 9000 we report on the ab initio discovery of a no... 9001 from basic considerations of the lie group t... 9002 an r ellpartition of a graph g is a partitio... 9003 in a series of papers bartelt and coworkers ... 9004 as mobile devices have become indispensable ... 9005 the massimbalanced threebody recombination p... 9006 partially observable markov decision process... 9007 the anais experiment aims at the confirmatio... 9008 the logarithmic strain measures lvertlog urv... 9009 we present an interpretable neural network f... 9010 this paper presents a new way to design a fu... 9011 our purpose in this present paper is to inve... 9012 in two recent publications int j quant chem... 9013 understanding structural controllability of ... 9014 heat can generally transfer via thermal cond... 9015 we report a highly efficient tunable thz ref... 9016 kernel online convex optimization koco is a ... 9017 for an endofunctor h on a hyperextensive cat... 9018 the article is about the representation theo... 9019 we propose a method to build quantum memrist... 9020 the exciton spin dynamics are investigated b... 9021 resonant inelastic xray scattering at the n ... 9022 we present a dynamic and thermodynamic study... 9023 data augmentation is usually used by supervi... 9024 the paper deals with regression problems in ... 9025 civil asset forfeiture caf is a longstanding... 9026 modern biotechnologies have produced a vast ... 9027 we deal with finite dimensional differentiab... 9028 nearly all previous work on smallfootprint k... 9029 in this paper we prove a functorial aspect o... 9030 when using risk or dependence measures based... 9031 a twoway relay nonorthogonal multiple access... 9032 we show that two involutions on the variety ... 9033 li and wei studied the density of zeros of ... 9034 deforestation detection using satellite imag... 9035 distributed computation has been a recent tr... 9036 context the use of defect prediction models ... 9037 graphlets are small connected induced subgra... 9038 we review from a didactic point of view the ... 9039 we demonstrate how one can see quantization ... 9040 embedded continual learning for autonomous a... 9041 this paper proposes the application of discr... 9042 context upcoming weak lensing surveys such a... 9043 we study charge and spin transport along gra... 9044 in lagrangian meshfree methods the underlyin... 9045 we consider the problem of optimally designi... 9046 the negatively charged nitrogenvacancy nv ce... 9047 convolution neural network cnn has gained tr... 9048 we present a catalogue of candidate halpha e... 9049 using an age of information aoi metric we ex... 9050 we analyze the optical continuum of starform... 9051 the eigenvector method for umbrella sampling... 9052 markov chain monte carlo mcmc methods are wi... 9053 we describe the opensource global fitting pa... 9054 the complexity of testing whether a graph co... 9055 it is well known that external magnetic fiel... 9056 we completely characterize the unimodal cate... 9057 counting formulae for general primary fields... 9058 paraphrase generation is an important proble... 9059 collective motion of chemotactic bacteria as... 9060 landau level mixing plays an important role ... 9061 shear dilation based hydraulic stimulations ... 9062 we treat the emerging power systems with dir... 9063 avian influenza breakouts cause millions of ... 9064 a new approach to jiukang yus construction o... 9065 we review some cohomological aspects of comp... 9066 in this paper we study different questions c... 9067 in this paper we introduce a new form of amo... 9068 the latest results of benchmarking research ... 9069 i argue that some important elements of the ... 9070 standard clustering algorithms usually find ... 9071 exploration is a difficult challenge in rein... 9072 in this paper we propose a stochastic optimi... 9073 there is a large literature on the asymptoti... 9074 we study the effects on d of assuming that t... 9075 autoregressive models are among the best per... 9076 due to their exceptional plasmonic propertie... 9077 we consider the wellstudied partial sums pro... 9078 we propose approaches based on deep learning... 9079 in recent years there has been noticeable in... 9080 we propose a new approach to model ground pe... 9081 glass corrosion is a crucial problem in keep... 9082 abridged the infrared rovibrational emission... 9083 elections seem simplearent they just countin... 9084 observations of stars in the the solar vicin... 9085 random column sampling is not guaranteed to ... 9086 recently dinitriles ncchncn and especially a... 9087 practical solutions to bootstrap security in... 9088 proposed the computerized method for calcula... 9089 it was discovered that there is a formal ana... 9090 unlike the conventional firstorder network f... 9091 the dissolution of porous media in a geologi... 9092 in this paper we study the algebraic symplec... 9093 some properties of defect modes of cholester... 9094 it is reported on growth of mmsized singlecr... 9095 controlling and confining light by exciting ... 9096 codes over galois rings have been studied ex... 9097 we prove a version of onsagers conjecture on... 9098 geometric brownian motion gbm is a key model... 9099 to identify emerging microscopic structures ... 9100 an empirical investigation of activecontinuo... 9101 constraining linear layers in neural network... 9102 we study how the behavior of deep policy gra... 9103 in this paper we improve the previously best... 9104 variational inference is a powerful approach... 9105 we propose an encoderclassifier framework to... 9106 we modify the nonlinear shallow water equati... 9107 we solve tensor balancing rescaling an nth o... 9108 we consider the problem of learning an unkno... 9109 the study of knots and links from a probabil... 9110 the revival structures for the xm exceptiona... 9111 autonomous aerial cinematography has the pot... 9112 high order reconstruction in the finite volu... 9113 given a statistical model for the request fr... 9114 we use the language of uninformative bayesia... 9115 aging the process of growing old or maturing... 9116 we present and apply a generalpurpose multis... 9117 we introduce a novel method to train agents ... 9118 in this paper we set forth a d ocean model o... 9119 girards geometry of interaction goi a semant... 9120 we determine the structure of the wgroup mat... 9121 principal component pursuit pcp is a stateof... 9122 kepler photometry of the hot neptune host st... 9123 while a number of weak consistency mechanism... 9124 the andreev conductance across d normal meta... 9125 contextual bandits are a form of multiarmed ... 9126 let y and z be two given topological spaces ... 9127 we consider the spherical mean generated by ... 9128 the tabu search ts metaheuristic has been pr... 9129 the synthetic toggle switch first proposed b... 9130 we study segre varieties associated to levif... 9131 event cameras are a paradigm shift in camera... 9132 we apply the nonlinear reconstruction method... 9133 establishing metallic hydrogen is a goal of ... 9134 the relative performance of competing point ... 9135 we present in this paper a generic and param... 9136 in this paper we investigate the potential o... 9137 deep neural networks have proved to be a ver... 9138 in this paper we propose an implicit force c... 9139 casual conversations involving multiple spea... 9140 tool manipulation is vital for facilitating ... 9141 consider a surface s and let msubset s if ss... 9142 noninvasive steadystate visual evoked potent... 9143 iuis aim to incorporate intelligent automate... 9144 graphs are widely used to model execution de... 9145 most of the efficient sublineartime indexing... 9146 recent work has proposed the lempelziv jacca... 9147 we study the category of left unital graded ... 9148 we consider the cauchy problem for the dampe... 9149 time series prediction has been studied in a... 9150 we extend our previous results characterizin... 9151 for commercial onesun solar modules up to o... 9152 we present clustering properties from lyman... 9153 we prove the leastarea unitvolume tetrahedra... 9154 motivated by multihop communication in unrel... 9155 we investigate a fewbody mixture of two boso... 9156 the natural uranium assembly quinta was irra... 9157 let operatornameconmathbf trestrictionx deno... 9158 in a recent study entitled cell nuclei have ... 9159 the whole enterprise of spin compositions ca... 9160 clearly no one likes webpages with poor qual... 9161 we investigate the properties of entanglemen... 9162 we revisit the problem of robust principal c... 9163 we show that a self orbit equivalence of a t... 9164 we use chandra xray data to measure the meta... 9165 in this work we consider an extension of gra... 9166 in the framework of the application of the b... 9167 the traditional view of the morphologyspin c... 9168 we present a method to systematically study ... 9169 a method is presented for solving the discre... 9170 as the size of modern data sets exceeds the ... 9171 hybrid inflation driven by a fayetiliopoulos... 9172 in this paper we study the recovery of a sig... 9173 we study piecewise linear codimension two em... 9174 the problem of population recovery refers to... 9175 we consider the first exit time of a shiryae... 9176 in this article we study the transfer learni... 9177 the barocaloric effect is still an incipient... 9178 we establish mathfrakglm mathfrakglndualitie... 9179 we propose a method for efficiently coupling... 9180 when the noise affecting time series is colo... 9181 we present an efficient deep learning techni... 9182 this paper describes an efficient algorithm ... 9183 most of python and r scientific packages inc... 9184 we investigate the effect of the incommensur... 9185 word equations are an important problem on t... 9186 this paper addresses the problem of minimum ... 9187 we introduce a new algorithm for reinforceme... 9188 the geometric approach to optimal transport ... 9189 the history of humanhood has included compet... 9190 virtual reality simulation is becoming popul... 9191 this paper presents a novel deep learning ar... 9192 the ability to generate natural language seq... 9193 we explore the problem of learning to decomp... 9194 we prove that the zero set of a nonnegative ... 9195 autonomous driving systems are broadly used ... 9196 achieving relativistic flight to enable extr... 9197 estimating cascade size and nodes influence ... 9198 high frequency based estimation methods for ... 9199 kagra is a km cryogenic interferometric grav... 9200 using observations made with mosfire on keck... 9201 an organisms ability to move freely is a fun... 9202 the inverse relationship between the length ... 9203 in recent years a number of artificial intel... 9204 the recent empirical success of crossdomain ... 9205 we calculate the scrambling rate lambdal and... 9206 recently blanchet kang and murhy showed tha... 9207 we propose a new formal criterion for secure... 9208 machine learning models are increasingly use... 9209 the misalignment of the solar rotation axis ... 9210 in this paper we consider filtering and smoo... 9211 this paper presents longhcpulse software whi... 9212 the zvector method in the relativistic coupl... 9213 modeling and interpreting spike train data i... 9214 the dimerized kanemele model withwithout the... 9215 understanding why a model makes a certain pr... 9216 we consider largescale markov decision proce... 9217 we overview dataflow matrix machines as a tu... 9218 neural machine translation nmt models usuall... 9219 purpose to develop a rapid imaging framework... 9220 as a generalization of the use of graphs to ... 9221 in this paper we consider the class of k sur... 9222 although deep learning models have proven ef... 9223 we consider the set bp of parametric block c... 9224 we develop a twodimensional lattice boltzman... 9225 it was shown that any mathbbzcolorable link ... 9226 automatic machine learning performs predicti... 9227 recommender systems play an important role i... 9228 in the last decades the notion that cities a... 9229 the simplest model of the magnetized infinit... 9230 the system of dynamic equations for boseeins... 9231 a polyellipse is a curve in the euclidean pl... 9232 the lda method for selfenergy correction is ... 9233 we investigate the scaling of the ground sta... 9234 object tracking is an essential task in comp... 9235 we study the family of spins quantum spin ch... 9236 next generation radiointerferometers like th... 9237 we optimized the substrate temperature ts an... 9238 solving peierlsboltzmann transport equation ... 9239 region of interest roi alignment in medical ... 9240 over the past few years the use of cameraequ... 9241 trilobites are exotic giant dimers with enor... 9242 many debris discs reveal a twocomponent stru... 9243 multiple root estimation problems in statist... 9244 let mathbbg be a locally compact quantum gro... 9245 the temperaturedependent optical response of... 9246 the lowest landau level lll equation emerges... 9247 in this work we present a novel framework th... 9248 recently renault studied the dual bin packi... 9249 an algorithmic proof of the general nron des... 9250 we study the problem of listdecodable gaussi... 9251 for a possibly infinite fixed family of grap... 9252 using a new and general method we prove the ... 9253 we consider the chemotaxis problem for a one... 9254 is it possible to generally construct a dyna... 9255 the implementation of the algebraic bethe an... 9256 a graphenebased spindiffusive grsd neural ne... 9257 quasicyclic qc lowdensity paritycheck ldpc c... 9258 the gw method is a manybody approach capable... 9259 this paper considers the problem of predicti... 9260 the solution of inverse problems in a variat... 9261 we study the geometry of finsler submanifold... 9262 pet image reconstruction is challenging due ... 9263 round functions used as building blocks for ... 9264 time crystals a phase showing spontaneous br... 9265 the paper is devoted to the development of c... 9266 to investigate the role of tachysterol in th... 9267 online social platforms are beset with hatef... 9268 an integral power series is called lacunary ... 9269 we describe sofic groupoids in elementary te... 9270 in this paper we propose a new combined mess... 9271 the lsst software systems make extensive use... 9272 in this paper we study methods for estimatin... 9273 we give an explicit formula for singular sur... 9274 the kappamechanism has been successful in ex... 9275 we classify all cubic extensions of any fiel... 9276 with the installation of the argus pixel rec... 9277 it is challenging to develop stochastic grad... 9278 there are two general views in causal analys... 9279 in recent years significant progress has bee... 9280 the main goal for this article is to compare... 9281 we present the first realworld application o... 9282 we demonstrate the successful experimental i... 9283 simulationbased training sbt is gaining popu... 9284 we present gravitational lens models of the ... 9285 variable selection plays a fundamental role ... 9286 we investigate the formation and early evolu... 9287 sleep stage classification constitutes an im... 9288 a gambler moves on the vertices ldots n of ... 9289 efficient reliable trapping of execution in ... 9290 this paper studies mechanism of preconcentra... 9291 we present models for embedding words in the... 9292 data storage systems and their availability ... 9293 the theory of sparse stochastic processes of... 9294 princess kaguya is a heroine of a famous fol... 9295 the descriptor system tools dstools is a col... 9296 in the classic sparsitydriven problems the f... 9297 in this work we propose a contentbased recom... 9298 the work describes a firstprinciplesbased co... 9299 in v jimenez and j llibre characterized up ... 9300 the adoption of the distributed paradigm has... 9301 spatial distributions of other cell interfer... 9302 in order to understand underlying processes ... 9303 we introduce a method for learning the dynam... 9304 artificial intelligence ai is intrinsically ... 9305 deep stacked rnns are usually hard to train ... 9306 by using nbody hydrodynamical cosmological s... 9307 one of the big restrictions in brain compute... 9308 our goal is to learn a semantic parser that ... 9309 object transfiguration replaces an object in... 9310 segmenting foreground object from a video is... 9311 in this paper we develop a novel paradigm na... 9312 a set of points in ddimensional euclidean sp... 9313 we investigate the extent to which the weak ... 9314 treewidth is a parameter that measures how t... 9315 many microbial systems are known to actively... 9316 being an unsupervised machine learning and d... 9317 in this paper we consider the defocusing ene... 9318 deep neural networks have impressive classif... 9319 it is a crucial problem in robotics field to... 9320 graph models are relevant in many fields suc... 9321 the metric space of phylogenetic trees defin... 9322 while social media offer great communication... 9323 we discuss a cyclic cosmology in which the v... 9324 electronic health records ehrs have contribu... 9325 we investigate the stability of a statistica... 9326 we construct a statistical indicator for the... 9327 one of the central notions to emerge from th... 9328 the article investigates an evidencebased se... 9329 in this paper we study the linear complement... 9330 we prove a bernsteinvon mises theorem for a ... 9331 word evolution refers to the changing meanin... 9332 fraenkel and simpson showed that the number ... 9333 in this article we propound a question on th... 9334 we analyze how the knowledge to autonomously... 9335 in this note we describe how some objects fr... 9336 recently experience replay is widely used in... 9337 we study the behavior of the spectrum of the... 9338 we have studied the impact of lowfrequency m... 9339 we start with a riemannhilbert problem rhp r... 9340 extending results of raistauvel macedosavage... 9341 timing channels are a significant and growin... 9342 we show that deciding whether a given graph ... 9343 this paper studies the optimal outputfeedbac... 9344 graphene as a zerobandgap twodimensional sem... 9345 path integrals describing quantum manybody s... 9346 the bcml system is a beam monitoring device ... 9347 in this paper we deal with timeinvariant spa... 9348 the prediction of organic reaction outcomes ... 9349 in this paper legendre curves on unit tangen... 9350 giant vortices with higher phasewinding than... 9351 we study vortex patterns in a prototype nonl... 9352 recent work on imitation learning has genera... 9353 we introduce seven families of stochastic sy... 9354 recent studies have shown that closein brown... 9355 the dirac equation requires a treatment of t... 9356 in recent years real estate industry has cap... 9357 we present new atacama large millimetersubmi... 9358 we report for the first time the observation... 9359 bandit is a framework for designing sequenti... 9360 we present a new algorithm for the d sliding... 9361 in this study we investigate the limits of t... 9362 in general neural networks are not currently... 9363 while scale invariance is commonly observed ... 9364 we present an easytoimplement and efficient ... 9365 superregular sr breathers are nonlinear wave... 9366 real network datasets provide significant be... 9367 we define two algebra automorphisms t and t ... 9368 we examine lagrangian techniques for computi... 9369 domainspecific languages dsls are of increas... 9370 in this paper we study the nystrm type subsa... 9371 in this work a novel ring polymer representa... 9372 the nonlinear thinshell instability ntsi may... 9373 the multivariate contaminated normal mcn dis... 9374 we present new determinations of the stellar... 9375 this article proposes in depth comparative s... 9376 we consider the problem of packing a family ... 9377 the randomized rumor spreading problem gener... 9378 due to severe mathematical modeling and cali... 9379 we employ the generic threewave system with ... 9380 this note proposes a penalty criterion for a... 9381 identification of differentially expressed g... 9382 we derive expressions for the finitesample d... 9383 we present transductive boltzmann machines t... 9384 this paper presents a humanrobot trust integ... 9385 a statistical test can be seen as a procedur... 9386 we present pubmed k rct a new dataset based ... 9387 we address the problem of analyzing the radi... 9388 customarily inplane auxeticity and synclasti... 9389 a scheme making use of an isolated feedback ... 9390 directional data are constrained to lie on t... 9391 boseeinstein condensates becs confined in a ... 9392 in this paper we construct two groupoids fro... 9393 stellar clusters form by gravitational colla... 9394 in this paper we prove global wellposedness ... 9395 understanding and characterizing the subspac... 9396 in this paper we construct a properly embedd... 9397 given a dimensional scheme in a projective s... 9398 dft is used throughout nanoscience especiall... 9399 we investigate the birth and diffusion of le... 9400 we give a complete formula for the character... 9401 largescale wireless testbeds have been setup... 9402 nonrapid eye movement nrem sleep desaturatio... 9403 in this paper we present fptalgorithms for s... 9404 purpose to improve kidney segmentation in cl... 9405 human mobility is known to be distributed ac... 9406 thz timedomain spectroscopy in transmission ... 9407 with the advancement of treatment modalities... 9408 bacterial dna gyrase introduces negative sup... 9409 from selfdriving vehicles and backflipping r... 9410 imidazolium based porous cationic polymers w... 9411 we discuss similarity between oscillons and ... 9412 highly eccentric binary systems appear in ma... 9413 we study threefolds fibred by k surfaces adm... 9414 in this paper we will deal with lipschitz co... 9415 human trafficking is one of the most atrocio... 9416 in may of einstein published with two coaut... 9417 the rising interest in the construction and ... 9418 we study the performance of the least square... 9419 kriging is a widely employed technique in pa... 9420 inspired by the matching of supply to demand... 9421 with the prospect of the next generation of ... 9422 emojis as a new way of conveying nonverbal c... 9423 we investigate selfshielding of intergalacti... 9424 we propose a single neural probabilistic mod... 9425 we present a systematic study on higherorder... 9426 this prospective chapter gives our view on t... 9427 for a nonlinear ordinary differential equati... 9428 this paper presents research on polar cap io... 9429 we report a large linear magnetoresistance i... 9430 given samples from an unknown distribution p... 9431 we study the relaxation dynamics of photocar... 9432 two of the most popular modelling paradigms ... 9433 let b ge be an integer among other results ... 9434 in this paper we study constraint qualificat... 9435 we propose a framework employing stochastic ... 9436 kimura and yoshida treated a model in which ... 9437 liquid scintillators are a common choice for... 9438 we consider the lie group psl the group of o... 9439 relation extraction is a fundamental task in... 9440 the anelastic and pseudoincompressible equat... 9441 bayesian optimization is a sampleefficient a... 9442 when making predictions about ecosystems we ... 9443 we consider longitudinal nonlinear atomic vi... 9444 for a smooth manifold m possibly with bounda... 9445 a cyclic proof system called clkidomega give... 9446 let theta be an inner function on the unit d... 9447 web request query strings queries which pass... 9448 we introduce signature payoffs a family of p... 9449 we present deep alma co observations of a ma... 9450 in this paper we demonstrate a new datadrive... 9451 turbulent mixing of chemical elements by con... 9452 duke imamoglu and toth constructed a polyhar... 9453 we consider a system of r cubic forms in n v... 9454 selfsupported electrocatalysts being generat... 9455 with the exponential growth of cyberphysical... 9456 in the standard web browser programming mode... 9457 the pseudomarginal algorithm is a variant of... 9458 the present contribution investigates the dy... 9459 failure rates in high performance computers ... 9460 it has long been assumed that high dimension... 9461 sampling errors in nested sampling parameter... 9462 this paper explores the design and developme... 9463 bitcoin and its underlying technology blockc... 9464 results are presented of direct numerical si... 9465 the integration of largescale renewable gene... 9466 recent results on supercomputers show that b... 9467 aims density waves are often considered as t... 9468 according to a traditional point of view bol... 9469 a mathematical model for variable selection ... 9470 we report the development of a multichannel ... 9471 the trinity of socalled canonical wallbounde... 9472 in this paper we consider the problem of lea... 9473 this paper addresses important control and o... 9474 we present a theoretical investigation of th... 9475 let x be a compact metrizable group and gamm... 9476 a novel diverse domain dctsvd dwtsvd waterm... 9477 solving a largescale regularized linear inve... 9478 an important property of statistical estimat... 9479 the kernelbased regularization method has tw... 9480 despite that accelerating convolutional neur... 9481 we present a numerical implementation of the... 9482 we use a large sample of sim galaxies const... 9483 we present a generic framework for trading o... 9484 phase compensated optical fiber links enable... 9485 a spin atomic gas in an optical lattice in t... 9486 in this paper we prove the existence of clas... 9487 this paper is about wellposedness and realiz... 9488 in this note we construct a series of small ... 9489 in this paper we suggest a framework to make... 9490 let q be an odd prime power and d be the set... 9491 we consider the situation when the signal pr... 9492 we start the study of glider representations... 9493 an emphab initio langevin dynamics approach ... 9494 biological plastic neural networks are syste... 9495 recently graph neural networks have attracte... 9496 in a former paper the concept of bipartite p... 9497 a method for the introduction of secondorder... 9498 a sample of coma cluster ultradiffuse galaxi... 9499 reliable and realtime d reconstruction and l... 9500 this work is the first step towards a descri... 9501 we present the transient source detection ef... 9502 in this paper we consider isotropic and stat... 9503 given a direct system of hilbert spaces smap... 9504 with a plethora of available classification ... 9505 modern large displacement optical flow algor... 9506 we grew lixnhyfetese single crystals success... 9507 electronelectron correlation forms the basis... 9508 we present a semianalytical correction to th... 9509 making an informed correct and quick decisio... 9510 this paper investigates the stability of dis... 9511 the general spacetime evolution of the scatt... 9512 for subspace estimation with an unknown colo... 9513 the resilience of a complex interconnected s... 9514 this paper presents several test cases inten... 9515 authorship attribution is a natural language... 9516 building a voice conversion vc system from n... 9517 numerous institutions and organizations need... 9518 timetriggered and eventtriggered control str... 9519 we study lipschitz positively homogeneous an... 9520 in online social networks people often expre... 9521 we prove elimination of field quantifiers fo... 9522 several domains have adopted the increasing ... 9523 the demand for metals by modern technology h... 9524 a high speed quasidistributed demodulation m... 9525 we study the loss of coherence of electroche... 9526 we present a new algorithm for constructive ... 9527 we display the entire structure cal r coding... 9528 a new radical cnn design approach is present... 9529 journals were central to eugene garfields re... 9530 partially observable environments present an... 9531 context we are creating the akari midinfrare... 9532 convective mixing in heliumcoreburning hecb ... 9533 neurons and networks in the cerebral cortex ... 9534 extended air showers produced by cosmic rays... 9535 it is argued that the concept of technical t... 9536 recent discovery of pyrite feo which can be ... 9537 despite the recent progress in automatic the... 9538 we study the active learning problem of topk... 9539 the first concise formulation of the inverse... 9540 we consider an exclusion process with long j... 9541 in this paper we introduce a new property of... 9542 are the initial conditions for clustered sta... 9543 a common architecture for torque controlled ... 9544 actual causation is concerned with the quest... 9545 we consider the minimax setup for gaussian o... 9546 machine learning has become pervasive in mul... 9547 indexes are models a btreeindex can be seen ... 9548 we compute the leading postnewtonian pn cont... 9549 hybrid unmanned aircraft that combine hover ... 9550 the harmonic product of tensorsleading to th... 9551 incorrect operations of a multirobot system ... 9552 we show that the revenueoptimal deterministi... 9553 we present constraints on variations in the ... 9554 we study static and spherically symmetric bl... 9555 this paper presents a reliable method to ver... 9556 chemical evolution is essential in understan... 9557 a simple analytically correct algorithm is d... 9558 a graph g is called bkvpg resp bkepg for som... 9559 we study two identical fermions or two hardc... 9560 group synchronization requires to estimate u... 9561 stability of power networks is an increasing... 9562 since the majority of massive stars are memb... 9563 networks observed in real world like social ... 9564 we investigate contextual online learning wi... 9565 we investigate the robust multiperiod networ... 9566 a deep learning architecture is proposed to ... 9567 the fault tolerance of random graphs with un... 9568 factor graphs are important models for succi... 9569 the correct treatment of vibronic effects is... 9570 endowing a dialogue system with particular p... 9571 motivated by results of mestre and voisin in... 9572 orthogonal matching pursuit omp and orthogon... 9573 many physical problems involve spatial and t... 9574 the success of conflict driven clause learni... 9575 the paper provides an analysis of the voting... 9576 at the exceptional point where two eigenstat... 9577 the main topic considered is maximizing the ... 9578 the article introduces a new concept of stru... 9579 robots state of insecurity is onstage there ... 9580 tungsten w is widely considered as the most ... 9581 consider a not necessarily nearcritical rand... 9582 designing a logo for a new brand is a length... 9583 we study the notion of consistency between a... 9584 rank minimization rm is a wildly investigate... 9585 we study properties of the stanleyreisner ri... 9586 we propose and analyze theoretically an appr... 9587 human visual object recognition is typically... 9588 we discuss dynamical response functions near... 9589 we study testing highdimensional covariance ... 9590 while there exist several successful techniq... 9591 we show that a certain family of cohomogenei... 9592 we investigate regularized algorithms combin... 9593 in this paper we study the scaling propertie... 9594 an important problem in machine learning and... 9595 we report all phases and corresponding criti... 9596 categorical equivalences between block algeb... 9597 in the arithmetic of function fields drinfel... 9598 in this paper we explore the effectiveness o... 9599 this note is concerned with accurate and com... 9600 we have investigated morphology of the later... 9601 highly oscillatory integrals such as those i... 9602 this volume contains the proceedings of the ... 9603 this paper considers mean field games in a m... 9604 we develop a framework for downlink heteroge... 9605 goulds belt is a flat local system composed ... 9606 in recent years correntropy and its applicat... 9607 evidence of surface magnetism is now observe... 9608 we consider content delivery over fading bro... 9609 the dynamics of nonlinear conservation laws ... 9610 the combined allelectron and twostep approac... 9611 in the adaptive information gathering proble... 9612 we report an experimental and numerical demo... 9613 arctic coastal morphology is governed by mul... 9614 in classification problems sampling bias bet... 9615 fastdeclining type ia supernovae sn ia separ... 9616 the architectures of debris disks encode the... 9617 we prove nonlinear modulational instability ... 9618 we present a new model drnet that learns dis... 9619 photodissociation of a molecule produces a s... 9620 a new generative adversarial network is deve... 9621 mapreduce is a programming model used extens... 9622 we have investigated the formation of a circ... 9623 symmetric nonnegative matrix factorization h... 9624 in this paper we present a new light field r... 9625 networks have become the de facto diagram of... 9626 we study the problem of policy evaluation an... 9627 this work investigates the geometry of a non... 9628 methods are described that extend fields fro... 9629 let lcdot be any loop and let al be a group ... 9630 multiobjective recommender systems address t... 9631 decide madrid is the civic technology of mad... 9632 modeling physiological timeseries in icu is ... 9633 in this paper we study spectral properties o... 9634 in this work we have used the recent cosmic ... 9635 statistical tts systems that directly predic... 9636 the stability of a complex system generally ... 9637 timeresolved ultrafast xray scattering from ... 9638 critical overdensity deltac is a key concept... 9639 we consider finite point subsets distributio... 9640 this paper is concerned with the partitioned... 9641 the hubble catalog of variables hcv is a ye... 9642 the design of general purpose processors rel... 9643 most traditional video summarization methods... 9644 federated clouds raise a variety of challeng... 9645 it is wellestablished by cognitive neuroscie... 9646 drying of colloidal droplets on solid rigid ... 9647 an autonomous underwater vehicle auv should ... 9648 random attacks that jointly minimize the amo... 9649 in this paper we present an alternative stra... 9650 this work presents a joint and selfconsisten... 9651 in this paper we give some lowdimensional ex... 9652 highresolution wide fieldofview fov microsco... 9653 we address personalization issues of image c... 9654 a map fcolon kto mathbb rd of a simplicial c... 9655 optimization of energy cost determines avera... 9656 in the anyangle pathfinding problem the goal... 9657 scenario generation is an important step in ... 9658 we give a new proof of ciocanfontanine and k... 9659 when undertaking cyber security risk assessm... 9660 this paper is a continuation of arxiv explod... 9661 using image context is an effective approach... 9662 the spectral renormalization method was intr... 9663 we present a novel approach for robust manip... 9664 we discuss a bayesian formulation to coarseg... 9665 accurate protein structural ensembles can be... 9666 the optimal learner for prediction modeling ... 9667 context transit events of extrasolar planets... 9668 markov decision processes mdps are a popular... 9669 in this paper we give novel certificates for... 9670 tf boosted trees tfbt is a new opensourced f... 9671 the evaluation of a query over a probabilist... 9672 this paper considers the problem of inliers ... 9673 we determine all connected homogeneous kobay... 9674 one important problem in a network is to loc... 9675 we show that even mild improvements of the p... 9676 the phenomenon of polarization of nuclei in ... 9677 the existence of string functions which are ... 9678 in this paper we outline the vision of chatb... 9679 we define the distance between edges of grap... 9680 we present milabot a deep reinforcement lear... 9681 we propose a datadriven method to solve a st... 9682 realtime crime forecasting is important howe... 9683 we investigated the physical properties of t... 9684 availability of a validated realistic fuel c... 9685 in this work we show that the model of timed... 9686 the functional significance of resting state... 9687 we report on the development of a versatile ... 9688 i present a new proof of kirchbergs mathcal ... 9689 in this paper we analyse the profile of land... 9690 let h be a semisimple algebraic group k a ma... 9691 we present results of empirical studies on p... 9692 in almost any geostatistical analysis one of... 9693 in kernel methods the median heuristic has b... 9694 similar to most of the real world data the u... 9695 principal component analysis pca is one of t... 9696 we present the results of threedimensional d... 9697 along with the advance of opinion mining tec... 9698 in this article we consider static bayesian ... 9699 in many applications the interdependencies a... 9700 detecting defection and alarming partners ab... 9701 this paper aims to design quadrotor swarm pe... 9702 in this paper we consider multivariate hawke... 9703 datacenters are the main infrastructure on t... 9704 the halting theorem establishes that there i... 9705 skyrmions are localized magnetic spin textur... 9706 feval and fetisn are full heusler compounds ... 9707 in this paper we find all integers c having ... 9708 profound vitamin b deficiency is a known cau... 9709 de trevisan and tulsiani crypto show that e... 9710 we study the observed relation between accre... 9711 in deep reinforcement learning rl tasks an e... 9712 we use new xray data obtained with the nucle... 9713 quantum machine learning witnesses an increa... 9714 we introduce recurrent additive networks ran... 9715 the origin of colossal magnetoresistance cmr... 9716 the optical memory effect is a wellknown typ... 9717 we investigate the geometry of optimal memor... 9718 there is an emerging class of microfluidic b... 9719 we prove a triangulation theorem for semialg... 9720 in this paper we consider positioning with\n... 9721 we show that dense ogle and kmtnet iband sur... 9722 the cms apparatus was identified a few years... 9723 this paper proposes a discontinuitysensitive... 9724 delays are an important phenomenon arising i... 9725 it came to my attention after posting this p... 9726 in this paper we deal with the task of build... 9727 scaling regression to large datasets is a co... 9728 in current study a mechanism to extract traf... 9729 using a form of descent in the stable catego... 9730 most blind deconvolution methods usually pre... 9731 we provide new results for noisetolerant and... 9732 we consider three notions of connectivity an... 9733 we prove for any positive integer n there ex... 9734 as neural networks grow deeper and wider lea... 9735 this paper presents a novel datadriven appro... 9736 the impact of developmental and aging proces... 9737 online game involves a very large number of ... 9738 we prove a general existence result in stoch... 9739 a monocular visualinertial system vins consi... 9740 gravitational waves gws generated by axisymm... 9741 we theoretically study a threedimensional we... 9742 this is a written version of the closing tal... 9743 grouping objects into clusters based on simi... 9744 edge structure of graphene has a significant... 9745 we study certain qdeformed analogues of the ... 9746 we discuss computational procedures based on... 9747 the directedloop quantum monte carlo method ... 9748 this paper presents a study on the use of co... 9749 in this paper we unravel a fundamental conne... 9750 model evaluation the process of making infe... 9751 starting with a graph two players take turns... 9752 cyclization of dna with sticky ends is commo... 9753 we give a counter example to the new theorem... 9754 in this paper we present distributed testing... 9755 bipartite data is common in data engineering... 9756 we present a systematic study of coreshell a... 9757 borondoped diamond undergoes an insulatormet... 9758 we use the sloan digital sky survey data rel... 9759 in this paper a geometric approach to the tr... 9760 the effect of spatial localization of states... 9761 we propose a twostage neural model to tackle... 9762 radio tomographic imaging rti has recently b... 9763 we prove that under low noise assumptions th... 9764 we propose a kernel mixture of polynomials p... 9765 mobile edge computing is a new computing par... 9766 achievement gaps refer to the difference in ... 9767 debris discs are evidence of the ongoing des... 9768 in this paper we propose a novel endtoend ap... 9769 we introduce a topology on the space of all ... 9770 numerical and experimental turbulence simula... 9771 convexity in a network graph has been recent... 9772 achieving high spatial resolution in contact... 9773 in this paper we study the parallel and the ... 9774 the study of energy transport properties in ... 9775 this theoretical paper introduces a new way ... 9776 decades of research on the neural code under... 9777 we introduce the discrete affine group of a ... 9778 spin filter superconducting sin tunnel junct... 9779 we correct the double spend race analysis gi... 9780 understanding how delayed information impact... 9781 we report the influence of crystalline defec... 9782 given a large number of unlabeled face image... 9783 we study the problem of identifying the caus... 9784 unlike other organs the thymus and gonads ge... 9785 most geometric approaches to monocular visua... 9786 in a published paper sengupta we have propo... 9787 watermarking techniques have been proposed d... 9788 small cells deployment is one of the most si... 9789 although generative adversarial networks gan... 9790 the advancement in autonomous vehicles avs h... 9791 we extend urbans construction of eigenvariet... 9792 we consider the problem of identifying group... 9793 many aspects of the progenitor systems envir... 9794 this paper proposes a novel approach to ster... 9795 in the past decade cities have experienced r... 9796 quantum phase transitions are sudden changes... 9797 we study sequences of scaled edgecorrected e... 9798 purpose of this study is evaluation of the r... 9799 on the worldwide web not only are webpages c... 9800 as technology become more advanced those who... 9801 the present work deals with the study of str... 9802 in this paper we introduce the notion of a c... 9803 this monograph aims at providing an introduc... 9804 d jed harrison is a full professor at the de... 9805 liquid helium and spin coldatom fermi gases ... 9806 we present a probabilistic las vegas algorit... 9807 we prove a sharp schwarz type inequality for... 9808 period estimation is one of the central topi... 9809 we propose a new algorithm mean actorcritic ... 9810 recent measurements of the geminga and b pul... 9811 deep neural networks require a large amount ... 9812 with the development of robotics there are g... 9813 event cameras are bioinspired vision sensors... 9814 we show an analogy at high curvature between... 9815 we introduce and solve a new type of quadrat... 9816 due to recent advances in technology the rec... 9817 we give a parametrization of the simple bern... 9818 as an injury heals an embryo develops or a c... 9819 among sequential monte carlo smc methodssamp... 9820 how can we approach the truth in a society i... 9821 increasing evidence has shown that theorybas... 9822 in a recent publication appl opt a method... 9823 we derive new approximations for the value a... 9824 computational methods that predict different... 9825 modern datasets and models are notoriously d... 9826 matching members in the coma cluster catalog... 9827 in this work we discuss the related challeng... 9828 recently inference about highdimensional int... 9829 while online communities have become increas... 9830 we show that all known classical adversary l... 9831 the shortspacing problem describes the inher... 9832 estimation of tail quantities such as expect... 9833 we derive flow equations for cold atomic gas... 9834 a dynamic selforganized morphology is the ha... 9835 in this note we investigate the existence of... 9836 with the growth of interest in network data ... 9837 in this paper we present our study on the cr... 9838 the study of covariances or positive definit... 9839 many cloud applications rely on fast and non... 9840 a long standing problem in the area of error... 9841 drones also known as miniunmanned aerial veh... 9842 we investigate the weak excitations of a sys... 9843 we find plane models for all xn ngeq we obs... 9844 neural networks have shown great potential i... 9845 the transient response of power grids to ext... 9846 we present a family of mutually orthogonal p... 9847 automatic differentiation ad is an essential... 9848 we describe here a procedure to combine meas... 9849 microwave cavities for a sikivietype axion s... 9850 we determine all connected homogeneous kobay... 9851 in this paper we first establish new explici... 9852 while there has been an explosion in the num... 9853 we test whether advanced galaxy models and a... 9854 friction plays a key role in manipulating ob... 9855 turkish wikipedia namedentity recognition an... 9856 biintuitionistic stable tense logics bist lo... 9857 we demonstrate how students use of modeling ... 9858 despite its numerical challenges finite elem... 9859 progress in machine learning is measured by ... 9860 under a bayesian framework we formulate the ... 9861 the concept of a gammasemigroup has been int... 9862 we formally deduce closedform expressions fo... 9863 a graph is perfect if the chromatic number o... 9864 in this paper we show synchronization for a ... 9865 we present a method for emgdriven teleoperat... 9866 we introduce a novel numerical method to int... 9867 xray magnetic circular dichroism xmcd measur... 9868 many activation functions have been proposed... 9869 traditionally social sciences are interested... 9870 entropic regularization is quickly emerging ... 9871 the eigenvalue of the hermitic hamiltonian i... 9872 let x be a finite collection of sets or clus... 9873 every observation of astrophysical objects i... 9874 we generalize a support vector machine to a ... 9875 recall that the group pslmathbb r is isomorp... 9876 this paper proposes a signaturebased approac... 9877 we study the fr theory of gravity in an anis... 9878 visual tracking is a fundamental problem in ... 9879 we design a deterministic polynomial time cn... 9880 recent advances in policy gradient methods a... 9881 we primarily study a special a weighted lowr... 9882 we derive the markov process equivalent to s... 9883 the dynamic mott insulatortometal transition... 9884 although compelling assessments have been ex... 9885 decoding human brain activities via function... 9886 neural networks with equal excitatory and in... 9887 efficient communication between qubits relie... 9888 whereas the relationship between criticality... 9889 feedforward convolutional neural networks cn... 9890 dynamic patterning of specific proteins is e... 9891 if we pick n random points uniformly in d an... 9892 the formation of selforganized patterns is k... 9893 biophysical modelling of diffusion mri is ne... 9894 this paper shows that conditional independen... 9895 agile localization of anomalous events plays... 9896 the tensor train decomposition decomposes a ... 9897 understanding the thermally activated escape... 9898 sparse exchangeable graphs resolve some path... 9899 ttette graphs and relative ttette graphs wer... 9900 we characterize cesroorlicz function spaces ... 9901 modeling the joint distribution of extreme w... 9902 moems deformable mirrors dm are key componen... 9903 remote sensing image scene classification pl... 9904 network theory proved recently to be useful ... 9905 an efficient adaptive algorithm for the remo... 9906 strong product is an efficient way to constr... 9907 in this paper we prove the existence of glob... 9908 energy has been increasingly generated or co... 9909 word embeddings use vectors to represent wor... 9910 in this work we develop a novel bayesian est... 9911 we introduce psiec a local spectral exterior... 9912 we report the transverse relaxation rates ts... 9913 limitedangle computed tomography ct is often... 9914 the renewed greens function approach to calc... 9915 this paper proposes a new algorithm for cont... 9916 we analyze the secrecy outage probability in... 9917 we introduce a novel method for defining geo... 9918 computer aided diagnostic cad system is cruc... 9919 it has recently been shown that if feedback ... 9920 predictions of inflationary schemes can be i... 9921 we characterize the class of rfd calgebras a... 9922 let mathbfb cdot be a real separable banach ... 9923 it is difficult for humans to efficiently te... 9924 to perform tasks specified by natural langua... 9925 automatic classification of trees using remo... 9926 it is known that individuals in social netwo... 9927 in the last decade deep learning has contrib... 9928 na is a fixedtarget experiment at the cern s... 9929 let ksubset s be a knot x ssetminus k its co... 9930 this paper presents an automated supervised ... 9931 bose condensation is central to our understa... 9932 physics phenomena of multisoliton complexes ... 9933 visual question answering or vqa is a new an... 9934 with the rise of endtoend learning through d... 9935 from medical charts to national census healt... 9936 in autonomous racing vehicles operate close ... 9937 we have experimentally studied the effects o... 9938 deep neural networks dnns have begun to have... 9939 we identify and study a number of new rapidl... 9940 automatically determining the optimal size o... 9941 traffic for internet video streaming has bee... 9942 hierarchicallyorganized data arise naturally... 9943 this paper is concerned with the channel est... 9944 a policy maker faces a sequence of unknown o... 9945 shearing transitions of multilayer molecular... 9946 in chiral magnetic materials numerous intrig... 9947 graphene has emerged as a promising building... 9948 transfer learning through finetuning a pretr... 9949 in this work we present an analysis of the b... 9950 the architecture of exascale computing facil... 9951 we study the time evolution of a onedimensio... 9952 the game of chess is the most widelystudied ... 9953 we discuss a monotone quantity related to hu... 9954 we consider forecasting a single time series... 9955 we present new radio continuum observations ... 9956 fractons are emergent particles which are im... 9957 the generating function of cubic hodge integ... 9958 we explore the simplification of widely used... 9959 we prove that counting copies of any graph f... 9960 densityfunctional theory calculations with s... 9961 we introduce a notion of nodal domains for p... 9962 notifications provide a unique mechanism for... 9963 a novel matching based heuristic algorithm d... 9964 neuroinflammation in utero may result in lif... 9965 skyrmions are disklike objects that typicall... 9966 deep convolution neural networks demonstrate... 9967 we formulate simple assumptions implying the... 9968 the holstein model describes the motion of a... 9969 a key challenge in complex visuomotor contro... 9970 recent advances in representation learning a... 9971 we theoretically analyze the effect of param... 9972 exploratory testing is neither black nor whi... 9973 in this paper we suggest that in the framewo... 9974 accurately predicting when and where ambulan... 9975 curated web archive collections contain focu... 9976 learning network representations has a varie... 9977 superconductivity in noncentrosymmetric comp... 9978 in this article the pessential dimension of ... 9979 market research is generally performed by su... 9980 optimization on riemannian manifolds widely ... 9981 in this paper we formalize the notion of dis... 9982 we propose a new approach to the problem of ... 9983 we present a slow control system to gather a... 9984 i studied the nonequilibrium response of an ... 9985 we propose a datadriven framework for optimi... 9986 the chromium arsenides bacras and bacrfeas w... 9987 development of high strength carbon fibers c... 9988 a model of cosmological inflation is propose... 9989 often more time is spent on finding a model ... 9990 we show that the convergence rate of ellregu... 9991 the mue experiment will search for coherent ... 9992 the current prominence and future promises o... 9993 adversarial examples are perturbed inputs de... 9994 we construct a sample of xray bright optical... 9995 this article is the second of a pair of arti... 9996 tus is the worlds first orbital detector of ... 9997 in this thesis we present the novel semisupe... 9998 we derive out naturally some important distr... 9999 we give a generalization of a theorem of sil... 10000 we consider the characterization as well as ... 10001 kinetically constrained lattice gases kclg a... 10002 molecular fingerprints ie feature vectors de... 10003 we present a generalized times matrix form... 10004 in this paper the chua circuit with five lin... 10005 loglinear models are arguably the most succe... 10006 recent quantumgas microscopy of ultracold at... 10007 discrete particle simulations are widely use... 10008 we describe the mergerevent gammaray mergr t... 10009 it was proved by graham and witten in that ... 10010 genealogical networks also known as family t... 10011 in this paper we prove small data global exi... 10012 the concentration of biochemical oxygen dema... 10013 in matched observational studies where treat... 10014 the tte approach to computable analysis is t... 10015 data mining and machine learning techniques ... 10016 in this paper we investigate the computation... 10017 a trace tau on a separable calgebra a is cal... 10018 in the fock representation we propose a fram... 10019 fractal tridyn ftridyn is a modified version... 10020 to precisely measure radon concentrations in... 10021 with the development of neural networks base... 10022 we show how leibnitzs indiscernibility princ... 10023 the main purpose of this article is to fix s... 10024 we investigate the level spacing distributio... 10025 with this note we remember our friend maria ... 10026 training deep neural networks is known to re... 10027 we introduce multimodal attentionbased neura... 10028 the coprime hypergraph of integers on n vert... 10029 since the largest ebola virus disease outbr... 10030 nonnegative matrix factorization nmf is a wi... 10031 we consider the problem of recovering the su... 10032 in the quest for scalable bayesian computati... 10033 choosing the indium gallium nitride ingan te... 10034 with the wide application of machine learnin... 10035 nonlinear dynamics on graphs has rapidly bec... 10036 synthesis of dna molecules offers unpreceden... 10037 excitation of relativistic electron beam dri... 10038 kernel pca is a widely used nonlinear dimens... 10039 organized crime inflicts human suffering on ... 10040 in the present work we describe the results ... 10041 micrornas mirnas are small noncoding rnas th... 10042 shape completion the problem of estimating t... 10043 in this paper we establish a connection betw... 10044 in this note we define circular ksuccessions... 10045 we study weighted particle systems in which ... 10046 the nodal and effectively relativistic dispe... 10047 predicting the outcome of sports events is a... 10048 we propose a generalization of neural networ... 10049 in spite of their intrinsic onedimensional n... 10050 in the last few years microblogging platform... 10051 there are large amounts of insight and socia... 10052 most undergraduate level abstract algebra te... 10053 this paper studies the heat equation utdelta... 10054 this paper addresses the challenge of humano... 10055 a novel device that can be used as a tunable... 10056 in this paper the problem of tracking desire... 10057 we present development of a genetic algorith... 10058 large datasets represented by multidimension... 10059 we explore the nonequilibrium evolution and ... 10060 grip control during robotic inhand manipulat... 10061 several recent studies have reported differe... 10062 we show that every bounded subset of an eucl... 10063 we study fairness within the stochastic emph... 10064 virtual reality an immersive technology that... 10065 in this note we provide a conceptual explana... 10066 we examine the effect of the stress tensor o... 10067 in this article we introduce a new geometric... 10068 we consider the problem of adversarial nonst... 10069 the qcoloring problem asks whether the verti... 10070 planar object tracking is an actively studie... 10071 operation of an atomtronic battery is demons... 10072 we address the two fundamental problems of s... 10073 in this paper we prove that a smooth project... 10074 we study predictive density estimation under... 10075 many systems of structured argumentation exp... 10076 independent tests aiming to constrain the va... 10077 we construct examples of flat fiber bundles ... 10078 the fields of astronomy and astrophysics are... 10079 living organisms process information to inte... 10080 this work analyses surprising elections and ... 10081 kinetic plasma turbulence cascade spans mult... 10082 we explore the relationship between human mi... 10083 the weyl semimetal nbp exhibits an extremely... 10084 continuous cultures of mammalian cells are c... 10085 the technique of propagating spin wave spect... 10086 in this paper we demonstrate how genetic alg... 10087 social conventions govern countless behavior... 10088 this work is devoted to elaboration on the i... 10089 this paper reviews the historic of chalearn ... 10090 chaos associated with bifurcation makes a ne... 10091 bazhin has analyzed atp coupling in terms of... 10092 the explosive increase in number of smart de... 10093 it is believed that thermalization in closed... 10094 interface phonon if modes of cplane oriented... 10095 transitions between multiple stable states o... 10096 a sieve for rational points on suitable vari... 10097 neural responses in the cortex change over t... 10098 we present a general formalism of multipole ... 10099 columnsparse packing problems arise in sever... 10100 the doppler effect is a shift in the frequen... 10101 we propose a new linear algebraic approach t... 10102 we investigate the relation between disk mas... 10103 we present a characterword long shortterm me... 10104 machine learning methods have found many app... 10105 the effect of monolayers of oxygen o and hyd... 10106 early recognition of abnormal rhythm in ecg ... 10107 currently most speech processing techniques ... 10108 many classical results in relativity theory ... 10109 we present alma observations of the m system... 10110 a class of methods based on multichannel lin... 10111 many successful methods have been proposed f... 10112 we present a user of model interaction based... 10113 we consider the supervised learning problem ... 10114 software engineering considers performance e... 10115 porous silicon layers ps have been prepared ... 10116 connectivity patterns of relevance in neuros... 10117 deep convolutional neural networks dcnns are... 10118 we study translation invariant stochastic pr... 10119 we study the highfrequency behavior of the d... 10120 by using the lyapunovschmidt reduction metho... 10121 a general formalism is introduced to allow t... 10122 neural networks with lowprecision weights an... 10123 stable marriage is a fundamental problem to ... 10124 electricity market price predictions enable ... 10125 community detection or clustering is a funda... 10126 the topological interference management tim ... 10127 this paper studies robust regression in the ... 10128 we introduce structures which model the quot... 10129 in this paper the origin of the generalized ... 10130 we consider nonparametric inference of finit... 10131 knowledge base completion kbc aims to predic... 10132 feature engineering is a crucial step in the... 10133 it is shown that any two cellular automata c... 10134 we discuss an operational approach to testin... 10135 we present experimental data and simulations... 10136 frequent pattern mining is a one field of th... 10137 we study the dynamics of the fermihubbard mo... 10138 we exhibit an olog kcompetitive randomized a... 10139 we provide a physical definition of new homo... 10140 we prove by topological methods new results ... 10141 this paper proposes an approach to detect em... 10142 in article the basic principles put in a bas... 10143 cone spherical metrics are conformal metrics... 10144 we suggest a new type of an ultrasensitive d... 10145 new upper bounds on the pointwise behaviour ... 10146 from string theory the notion of deformed he... 10147 we present an introduction to periodic and s... 10148 yttriastabilized zirconia ysz a zroyo solid ... 10149 reactive power compensation is an important ... 10150 we investigate additional properties of prot... 10151 we consider the dirichlet laplacian in a str... 10152 a liquid film wetting the interior of a long... 10153 existing brain network distances are often b... 10154 online trust systems are playing an importan... 10155 we study the collapse of pebble clouds with ... 10156 accurate path integral monte carlo or molecu... 10157 the constrained application protocol coap is... 10158 the physics of active systems of selfpropell... 10159 in this letter we present a theorem on the d... 10160 realistic evolutionary fitness landscapes ar... 10161 datadriven modeling plays an increasingly im... 10162 in many domains a latent competition among d... 10163 analogtodigital converters adcs are a major ... 10164 we design controllers from formal specificat... 10165 progress in deep learning is slowed by the d... 10166 sensing and reciprocating cellular systems s... 10167 a new threeparameter cumulative distribution... 10168 this paper proposes a new scheme to secure t... 10169 we investigate deep neural network performan... 10170 bayesian model selection and model averaging... 10171 we analyze subway arrival times in the new y... 10172 the superconducting transition of fesexsx wi... 10173 this paper explores an incremental training ... 10174 treating optimization methods as dynamical s... 10175 processing sequential data of variable lengt... 10176 or multiaccess channel is a simple model whe... 10177 social media platforms contain a great wealt... 10178 transparency user trust and human comprehens... 10179 in this paper we reconsider the unfoldingbas... 10180 the present study investigates different str... 10181 random fourier features is one of the most p... 10182 the dark matter particle explorer dampe is o... 10183 the superconducting nanowire single photon d... 10184 just like atiyah lie algebroids encode the i... 10185 we demonstrate creation of electroformingfre... 10186 the present paper considers testing an erdos... 10187 in this paper we propose a new loss function... 10188 the regularization approach for variable sel... 10189 learning interpretable features from complex... 10190 recent years have witnessed the growing dema... 10191 graphenebased photodetectors have demonstrat... 10192 in this paper we propose an efficient transf... 10193 we consider the nonlinear schrdinger equatio... 10194 this paper is concerned with the convergence... 10195 there has been a recent media blitz on a coh... 10196 temporary earth retaining structures ters he... 10197 a subset mathcalg generating a calgebra a is... 10198 we study the fully gapped chiral mott insula... 10199 we establish a functional weak law of large ... 10200 the nature of the nematic state in fese rema... 10201 we propose a simple modification to existing... 10202 we consider the problem of optimizing the pl... 10203 this work fits in the context of community m... 10204 we formulate a type b extended nilhecke alge... 10205 in unsupervised domain mapping the learner i... 10206 we present an approach to adaptively utilize... 10207 the phylogenetic effective sample size is a ... 10208 in this paper we construct the additional sy... 10209 measuring the full distribution of individua... 10210 the branch of provability logic investigates... 10211 physical emergence crystals rocks sandpiles... 10212 the interplay between geometric frustration ... 10213 in acoustic scene classification researches ... 10214 a new definition of continuoustime equilibri... 10215 alpha signals for statistical arbitrage stra... 10216 deep convolutional networks have achieved gr... 10217 the current study applies deep learning to h... 10218 in privacy amplification two mutually truste... 10219 in a reversible language any forward computa... 10220 in this paper we investigate the convergence... 10221 nanotubes of various kinds have been prepare... 10222 as with classic statistics functional regres... 10223 the star chromatic index of a multigraph g d... 10224 absolutely koszul algebras are a class of ri... 10225 online advertisement is the main source of r... 10226 to a smooth and symmetric function f defined... 10227 we demonstrate an enhancement in the vortex ... 10228 we investigate the subgaussian property for ... 10229 finding a maximum cut is a fundamental task ... 10230 let s be a pgroup for an odd prime p oliver ... 10231 suppose we have a elliptic curve over a numb... 10232 the precise modeling of subatomic particle i... 10233 we demonstrate temporal measurements of subp... 10234 in this paper we present several values for ... 10235 the alien alice environment file catalogue i... 10236 we report on a versatile mini ultrahigh vacu... 10237 the dislocationmediated quantum melting of s... 10238 the mechanical properties and deformation me... 10239 we give necessary and sufficient conditions ... 10240 in variable or graph selection problems find... 10241 we propose a definition of vafawitten invari... 10242 the aggregation of many independent estimate... 10243 in temperate climates mortality is seasonal ... 10244 we address the problem of verifying the sati... 10245 we investigate the power of nondeterminism i... 10246 the advanced virgo detector uses two monolit... 10247 we use a mobile impurity or depleton model t... 10248 we study the applicability of the timedepend... 10249 the paper presents a topology optimization a... 10250 reward shaping is one of the most effective ... 10251 among recently introduced new notions in rea... 10252 we revise the operatornorm convergence of th... 10253 nowadays data compressors are applied to man... 10254 twodimensional embeddings remain the dominan... 10255 graph matching or quadratic assignment is th... 10256 extensive cooperation among unrelated indivi... 10257 we study bayesian hypernetworks a framework ... 10258 plate motions are governed by equilibrium be... 10259 one of the most challenging tasks when adopt... 10260 we simulate the stresses induced by temperat... 10261 forwarding data by name has been assumed to ... 10262 delay tolerant networking dtn is an approach... 10263 regularization techniques such as the lasso ... 10264 in multiobject tracking applications model p... 10265 we consider a general monotone regression es... 10266 distributed network optimization has been st... 10267 the purpose of this note is to revive in lp ... 10268 in this paper we apply empirical likelihood ... 10269 to obtain uncertainty estimates with realwor... 10270 in this article we propose two classes of se... 10271 we apply a convolutional neural network cnn ... 10272 we analyze the source of intermodel scatter ... 10273 this paper proposes a novel representation o... 10274 the causal inference problem consists in det... 10275 the complexity embedded in condensed matter ... 10276 robotic systems working together as a team a... 10277 model precision in a classification task is ... 10278 our goal is to improve variance reducing sto... 10279 we consider plasmon resonances and cloaking ... 10280 we introduce a hybridizable discontinuous ga... 10281 artificial neural networks anns have gained ... 10282 connectionist temporal classification has re... 10283 this paper presents a novel method to descri... 10284 we consider the problem of locating a points... 10285 in this note we propose a method based on ar... 10286 the possibility of calculation of the condit... 10287 let g be a finite simple graph for x subset ... 10288 the collisionionization mechanism of nonsequ... 10289 what is chaos despite several decades of res... 10290 context the first gaia data release dr deliv... 10291 applications that require substantial comput... 10292 kiva is an online nonprofit crowdsouring mic... 10293 in the ics wut a platform for simulation of ... 10294 we analytically derive the expressions for t... 10295 the xray emission spectrum of liquid ethanol... 10296 class labels have been empirically shown use... 10297 high performance computing is often performe... 10298 we propose a new method to detect offpulse u... 10299 structural and topological information play ... 10300 taking an image and question as the input of... 10301 in this paper we examine the physical layer ... 10302 superconducting bulks acting as highfield pe... 10303 the inability to efficiently tune the optica... 10304 traditionally blind speech separation techni... 10305 inelastic neutron scattering has been used t... 10306 we present a novel methodology to enable con... 10307 we introduce a few variants on frankwolfe st... 10308 we theoretically investigate an ultrastrongl... 10309 in his work of merle e manis introduced val... 10310 electron cryotomography ect allows d visuali... 10311 most of the existing characterizations of th... 10312 we introduce a new ferromagnetic model capab... 10313 in this paper i will present a short scienti... 10314 this work addresses the problem of segmentat... 10315 we propose in this article a mgcc state depe... 10316 this paper considers the laplace method to d... 10317 we study the fixed point theory of nvalued m... 10318 the large synoptic survey telescope lsst wil... 10319 co capture and storage is an important techn... 10320 a gelsight sensor uses an elastomeric slab c... 10321 our visual perception of our surroundings is... 10322 in this paper we consider the community dete... 10323 in this paper we build upon previous work on... 10324 vehicletovehicle communications can change t... 10325 we show that the twoweight estimate for the ... 10326 observations of nine transits of wasp during... 10327 in this article we give some reviews concern... 10328 advances in virtual reality have generated s... 10329 understanding the dynamical behavior of comp... 10330 quantum gas microscopes are a promising tool... 10331 for a multivariate normal set up it is well ... 10332 cloud computing is a new era of remote compu... 10333 the astrophysics community uses different to... 10334 based on bcs model with the external pair po... 10335 we introduce emphpnrandom qnproportion bulga... 10336 by introducing a simplified transport model ... 10337 we present a novel approach for estimating c... 10338 this volume of eptcs contains the proceeding... 10339 transient quantum dynamics in an interacting... 10340 we prove that the automorphism group of a to... 10341 this paper presents the first md simulations... 10342 software as a service cloud computing model ... 10343 efficiently exploiting gpus is increasingly ... 10344 we study the height of a spanning tree t of ... 10345 we propose theoretically an effective scheme... 10346 motion planning is the core problem to solve... 10347 assume that m is a ctm of zfcch containing a... 10348 the use of resonant depolarization has been ... 10349 learningbased approaches for robotic graspin... 10350 we generalize the translation invariant tens... 10351 we develop a maximum likelihood estimator ml... 10352 in this work we highlight a connection betwe... 10353 list decoding of insertions and deletions in... 10354 we prove almost sure global existence and sc... 10355 boltzmann exploration is widely used in rein... 10356 both gps and wifi based localization have be... 10357 since the advent of online real estate datab... 10358 neuromorphic hardware tends to pose limits o... 10359 in the internet of things iot community wire... 10360 it is proved that replica symmetry is not br... 10361 we have implemented an optimization that spe... 10362 we obtain the first polynomialtime algorithm... 10363 outlier detection and cluster number estimat... 10364 the most general expressions of the stored e... 10365 the inference of network topologies from rel... 10366 in this paper we introduce an iterative line... 10367 an important class of realworld networks hav... 10368 we report an experimental observation of mul... 10369 this paper presents results of topic modelin... 10370 we construct a countable bounded sublattice ... 10371 in this work the issue of bayesian inference... 10372 the aim of the study is to investigate the r... 10373 merging mobile edge computing with the dense... 10374 experimental particle physics has been at th... 10375 guided by critical systems found in nature w... 10376 we introduce and analyze an extension to the... 10377 we present a detailed spectral analysis of t... 10378 ndhfo belonging to the family of geometrical... 10379 noncritical softfaults and model deviations ... 10380 we study sis epidemic spreading processes un... 10381 we present model for anisotropic compact sta... 10382 in this paper we describe and evaluate a mix... 10383 benefited from the widely deployed infrastru... 10384 disagreementbased approaches generate multip... 10385 what if someone built a box that applies qua... 10386 unmanned aircraft have decreased the cost re... 10387 in this paper we present an approach to sele... 10388 in this chapter we present the stateoftheart... 10389 in recent years the number of biomedical pub... 10390 transfer learning is a popular practice in d... 10391 this paper presents the construction of a pa... 10392 enabling robots to autonomously navigate com... 10393 we study magnetization reversal in a varphi ... 10394 as computational astrophysics comes under pr... 10395 deep neural networks are built to generalize... 10396 in the simply typed lambdacalculus statman i... 10397 we have used brillouin light scattering spec... 10398 this paper shows a detailed modeling of thre... 10399 a key task in bayesian statistics is samplin... 10400 we provide a compositional coalgebraic seman... 10401 anytime almostsurely asymptotically optimal ... 10402 we propose a novel approach to d human pose ... 10403 selection of appropriate collective variable... 10404 we study the random conductance model on the... 10405 a very important problem in combinatorial op... 10406 estimating the influence of a given feature ... 10407 for largescale industrial processes under cl... 10408 the problem of highdimensional and largescal... 10409 recently czumaj etal arxiv presented a para... 10410 we present eldar a new method that exploits ... 10411 the hard xray emission in a solar flare is t... 10412 we propose a general framework for interacti... 10413 gravitational lensing provides a means to me... 10414 three separation properties for a closed sub... 10415 machine learning ml is increasingly deployed... 10416 the paper presents a solution to the boltzma... 10417 the first step to realize automatic experime... 10418 this article expands on research that has be... 10419 we present physhare a new haptic user interf... 10420 every graph gve is an induced subgraph of so... 10421 graph drawings are useful tools for explorin... 10422 one of the ultimate goals in biology is to u... 10423 epilepsy is common neurological diseases aff... 10424 during maintenance software developers deal ... 10425 we consider the weighted beliefpropagation w... 10426 we study a pattern forming instability in a ... 10427 we study the electronic and spin structures ... 10428 technological developments alongside vlsi ac... 10429 quantum phase transitions are ubiquitous in ... 10430 future observations of cosmic microwave back... 10431 a detailed thermal analysis of a niobium nb ... 10432 the shear viscosity plays an important role ... 10433 a cyclic proof system gives us another way o... 10434 in this paper we revisit the recently establ... 10435 we employ the grand canonical adaptive resol... 10436 daily operation of a largescale experiment i... 10437 the aim of this paper is to find the approxi... 10438 it is well known that the store language of ... 10439 cupyzno is a quasi onedimensional molecular ... 10440 the session search task aims at best serving... 10441 recently graph neural networks gnns have rev... 10442 people participate and activate in online so... 10443 this note continues our previous work on spe... 10444 the met offices weather and climate simulati... 10445 self organizing networks sons are considered... 10446 in topological semimetals the dirac points c... 10447 a manyvalued modal logic is introduced that ... 10448 we construct a sequence of compact oriented ... 10449 let pi be an irreducible smooth complex rep... 10450 the purpose of this paper is to show that fu... 10451 the rnio perovskites are known to order anti... 10452 during routine state space circuit analysis ... 10453 we discuss the practical problems arising wh... 10454 let v be a minimal valuation overring of an ... 10455 we present a finitetemperature extension of ... 10456 given a graph g with n vertices and a se... 10457 despite significant recent progress in the a... 10458 in this paper we investigate the parametric ... 10459 dozens of new models on fixation prediction ... 10460 this study focusses on selfbalancing microgr... 10461 optical frequency combs ofc provide a conven... 10462 a linear operator t between two latticenorme... 10463 we present the results of a pilot nearinfrar... 10464 mining relationships between treatments and ... 10465 internet or things iot is changing our daily... 10466 a probabilistic description is essential for... 10467 in the steiner forest problem we are given a... 10468 antenna current optimization is often used t... 10469 the knowledge regarding the function of prot... 10470 in recent years several powerful techniques ... 10471 let s be a string of length n in this paper ... 10472 purpose of review this paper presents a revi... 10473 we study the problem of testing for communit... 10474 magnetic activity strongly impacts stellar r... 10475 differential testing to solve the oracle pro... 10476 explicitly or implicitly most of dimensional... 10477 blind source separation bss is a challenging... 10478 the monomorphism category mathscrsa m b indu... 10479 the focus of this paper is on the analysis o... 10480 the recent experimental discovery of threedi... 10481 high quality gene models are necessary to ex... 10482 in the past few years convolutional neural n... 10483 computing the medoid of a large number of po... 10484 we consider truncated svd or spectral cutoff... 10485 sampling logconcave functions arising in sta... 10486 the celebrated integer relation finding algo... 10487 tensor completion is a problem of filling th... 10488 a path resp cycle decomposition of a graph g... 10489 we investigate the transport properties of n... 10490 an increasing body of evidence suggests that... 10491 current searches for a dark photon in the ma... 10492 in this paper we gave some properties of bin... 10493 in this paper we present a method to determi... 10494 the anisotropy of the febased superconductor... 10495 a simple polytope p is said to be emphbrigid... 10496 the concept of emergence is a powerful conce... 10497 the trouv group mathcal gmathcal a from imag... 10498 motion planning classically concerns the pro... 10499 in this paper we present a new r package cor... 10500 deep neural networks dnns are universal func... 10501 the international rosetta mission was launch... 10502 we describe a new cardinality estimation alg... 10503 object tracking systems play important roles... 10504 using the nasairtf spex bass spectrometers ... 10505 the flyby anomaly is the unexpected variatio... 10506 two dimensional d materials provide a unique... 10507 we consider the incompressible euler and nav... 10508 wheeled ground robots are limited from explo... 10509 currently lower limb robotic rehabilitation ... 10510 tetrachiral materials are characterized by a... 10511 twitter has provided a great opportunity for... 10512 dynamic boltzmann machine dybm has been show... 10513 discussed here are the effects of basics gra... 10514 in this paper we focus on applications in ma... 10515 this paper presents a laser amplifier based ... 10516 in this paper we study entire radial solutio... 10517 automatically detecting sound units of humpb... 10518 given an input string s and a specific linde... 10519 the generalization of the multiscale entangl... 10520 geotags from microblog posts have been shown... 10521 the aim of the present paper is to contribut... 10522 for symmetric lvy processes if the local tim... 10523 we study the classical complexity of the exa... 10524 we study the carrier transport and magnetic ... 10525 the purpose of this note is to attract atten... 10526 which studies theories and ideas have influe... 10527 in this paper we focus on online representat... 10528 recent pumpprobe experiments reported an enh... 10529 with the advent of modern communications sys... 10530 neural style transfer based on convolutional... 10531 a quantized physical framework called the fi... 10532 reinforcement learning has emerged as a prom... 10533 we construct a contour function for the enta... 10534 topic discovery has witnessed a significant ... 10535 it is well known that finite commutative ass... 10536 until recently almost nothing was known abou... 10537 we use ultradeep cm data from the karl g ja... 10538 this paper begins with a theoretical explana... 10539 in both h and hevc contextadaptive binary ar... 10540 informationcentric networking is a promising... 10541 deep gaussian processes dgps are hierarchica... 10542 this paper develops meshless methods for pro... 10543 this note is a collection of several discuss... 10544 new physics has traditionally been expected ... 10545 changes in the structure of observed social ... 10546 according to the wienerhopf factorization th... 10547 the local crystal structures of many perovsk... 10548 the ordering of a multilayer consisting of d... 10549 deep reinforcement learning rl has proven a ... 10550 in this thesis we study the interplay of pha... 10551 we consider a spatial stochastic model of wi... 10552 a reinsurance contract should address the co... 10553 we show the problem of counting homomorphism... 10554 the use of semiautonomous and autonomous rob... 10555 we start by asking an interesting yet challe... 10556 we consider several related notions of geome... 10557 sleep condition is closely related to an ind... 10558 motivated by the recent result of farhi we s... 10559 in the context of music production distortio... 10560 in this paper we consider adaptive decisionm... 10561 many machine learning problems can be formul... 10562 during the last decade the information techn... 10563 estimating the domain of attraction da of no... 10564 this article is devoted to the problem of pr... 10565 we examine whether an extended scenario of a... 10566 we address the key open problem of a higher ... 10567 sparse additive modeling is a class of effec... 10568 we present a performance analysis appropriat... 10569 the rieszsobolev inequality provides an uppe... 10570 we study the problem of defining maps on lin... 10571 recent advances have enabled d object recons... 10572 we investigate the longtime stability of the... 10573 we consider variants on the classical berz s... 10574 there has been a long standing interest in u... 10575 with a coreperiphery structure of networks c... 10576 central limit theorems play an important rol... 10577 in the first half of this manuscript we begi... 10578 a rapid and anisotropic modification of the ... 10579 in visual exploration and analysis of data d... 10580 convolutional operator learning is increasin... 10581 the construction of permutation trinomials o... 10582 recent observations identify a valley in the... 10583 the sparsity of the gradient sog is a robust... 10584 the purpose of this note is to propose a new... 10585 image semantic segmentation is more and more... 10586 while all kinds of mixed data from personal ... 10587 incremental improvements in accuracy of conv... 10588 this paper describes a method for learning l... 10589 the dip test of unimodality and silvermans c... 10590 in the first part of this paper we present a... 10591 inelastic neutron scattering measurements on... 10592 we study the problem of finding the maximum ... 10593 the models of collective decisionmaking cons... 10594 this paper focuses on the recognition of act... 10595 monitoring structural changes in ferroelectr... 10596 in this work we aim to explore connections b... 10597 octonion algebras over rings are in contrast... 10598 two fundamental approaches to information av... 10599 an atomic transition can be addressed by a s... 10600 in this paper we calculate the numbers of ir... 10601 this paper investigates asymptotic behaviors... 10602 the pigeonhole principle states that if n it... 10603 anomaly matching constrains lowenergy physic... 10604 a highspeed mhz strain monitor using a fibe... 10605 we present a functional form of the erdsreny... 10606 we present a memristive device based r puf ... 10607 in this paper we demonstrate the application... 10608 we present alma detections of the ci co j a... 10609 finding central nodes is a fundamental probl... 10610 the latest measurements of cmb electron scat... 10611 reinforcement learning rl makes it possible ... 10612 drafting strong players is crucial for the t... 10613 the distributions of dark matter and baryons... 10614 let galpha and hbeta be locally compact haus... 10615 a key part of implementing highlevel languag... 10616 this paper develops systematically the outpu... 10617 one of the essential prerequisites for detec... 10618 for the past years the ilsvrc competition a... 10619 suffix trees have recently become very succe... 10620 understanding the interaction between the va... 10621 optimal estimation of signal amplitude backg... 10622 in deep learning textitdepth as well as text... 10623 we define a quantity cmnk as a generalizatio... 10624 in recent years bullying and aggression agai... 10625 robots are typically not created with securi... 10626 this paper considers a general datafitting p... 10627 we develop differentially private hypothesis... 10628 remote sensing of the atmospheres of distant... 10629 we provide to the best of our knowledge the ... 10630 when designing control strategies for differ... 10631 although various norms for reciprocitybased ... 10632 in the online multiple testing problem pvalu... 10633 most of the current gametheoretic demandside... 10634 we give the first example of a locally quasi... 10635 dipole moments are a simple global measure o... 10636 this paper explores an interesting new dimen... 10637 estimating the causal effects of an interven... 10638 it is known that when the multicollinearity ... 10639 the segmentation of animals from cameratrap ... 10640 the bilipschitz geometry is one of the main ... 10641 we define an action of the extended affine d... 10642 we introduce a new shapeconstrained class of... 10643 this article presents a weak law of large nu... 10644 based on geometry optimization and magnetic ... 10645 previously a sevencluster pattern claiming t... 10646 we show how any party can encrypt data for a... 10647 we show how to perform full likelihood infer... 10648 we describe nef vector bundles on a projecti... 10649 the atlas collaboration will replace its tra... 10650 given an input sound signal and a target vir... 10651 we present a method for identifying the cohe... 10652 we present a nonparametric joint estimation ... 10653 we calculate loop master integrals for heavy... 10654 we propose a novel distributed inference alg... 10655 pebps phosphatidylethanolamine binding prote... 10656 modal description logics feature modalities ... 10657 the existence of a spinliquid ground state o... 10658 this paper is about the moment problem on a ... 10659 in this paper we will describe a concept of ... 10660 pairwise ranking methods are the basis of ma... 10661 the analysis in part i revealed interesting ... 10662 in this paper we explore how we should aggre... 10663 we consider the problems of robust pac learn... 10664 in this paper we present a realtime robust m... 10665 ongoing and future surveys with repeat imagi... 10666 shafers belief functions were introduced in ... 10667 photonics sensing has long been valued for i... 10668 inductive inference is the process of extrac... 10669 we present a method for computing stable mod... 10670 this paper presents a comprehensive survey o... 10671 analysis of an organizations computer networ... 10672 consider a dihedral cover f yto x with x and... 10673 we introduce a new sample complexity measure... 10674 the inability to interpret the model predict... 10675 just a survey on i the basics some things kn... 10676 given the potential xray radiation risk to t... 10677 let xgeq be a large number and let leq a q... 10678 the need to analyze the available large syno... 10679 schizophrenia a mental disorder that is char... 10680 gaussian mixture models are one of the most ... 10681 it is argued based on the results of both nu... 10682 investigation of coherent smithpurcell radia... 10683 groundbased telescopes equipped with stateof... 10684 k borsuk in in the topological conference i... 10685 this paper focuses on a new task ie transpla... 10686 build systems are an essential part of moder... 10687 an essential issue that a freight transporta... 10688 experiments on optical and stm injection of ... 10689 the japanese comic format known as manga is ... 10690 the optical spectrum of liquid water is anal... 10691 type ii weyl semimetal a three dimensional g... 10692 we present a simple model for the developmen... 10693 materials composed of two dimensional layers... 10694 we prove that for any choice of parameters k... 10695 this paper is a survey of recent results on ... 10696 we consider the statistical inverse problem ... 10697 we consider a system of linear hyperbolic pd... 10698 the stereodynamics of the nepar penning and ... 10699 we consider tunneling of spinless electrons ... 10700 intersystem crossing is a radiationless proc... 10701 denial of service attacks are especially per... 10702 this paper reports on a datadriven interacti... 10703 skiroc is an asic to readout the silicon pad... 10704 dominance by annual plants has traditionally... 10705 in systems and synthetic biology much resear... 10706 we resolve the thermal motion of a highstres... 10707 geodesic distance matrices can reveal shape ... 10708 in this work the structural stability and th... 10709 we construct knrrer type equivalences outsid... 10710 we classify torsion actions of free wreath p... 10711 we propose two semiparametric versions of th... 10712 smallcell deployment in licensed and unlicen... 10713 this paper studies the numerical approximati... 10714 we study the effect of adaptive mesh refinem... 10715 todays artificial assistants are typically p... 10716 in an imaginary conversation with guido alta... 10717 approximate bayesian computing is a powerful... 10718 we study the word and conjugacy problems in ... 10719 higgs resonance modes in condensed matter sy... 10720 generic text embeddings are successfully use... 10721 instrumental variable analysis is a widely u... 10722 schubert polynomials are a basis for the pol... 10723 since the the first studies of thermodynamic... 10724 in complex high dimensional and unstructured... 10725 we consider a numerical approach for the inc... 10726 we propose a machinelearning method for eval... 10727 in this article we consider products of rand... 10728 dantzig selector ds and lasso problems have ... 10729 design of adaptive algorithms for simultaneo... 10730 the birkhoff conjecture says that the bounda... 10731 pedestrian crowds often include social group... 10732 in this paper we derive upper and lower boun... 10733 we discuss the quasiparticle entropy and hea... 10734 widefield high precision photometric surveys... 10735 a plasmonassisted channeling acceleration ca... 10736 formal verification techniques are widely us... 10737 the underpotential deposition of transition ... 10738 many real world tasks such as reasoning and ... 10739 usage of online textual media is steadily in... 10740 we show that entropysgd chaudhari et al whe... 10741 learning sophisticated feature interactions ... 10742 we investigate the stability of the manybody... 10743 almost all eegbased braincomputer interfaces... 10744 conditional on fourier restriction estimates... 10745 when a measurement falls outside the quantiz... 10746 there is an increased interest in building d... 10747 deep neural networks have enabled progress i... 10748 we investigate the differential equation for... 10749 xray absorption spectroscopy measured at the... 10750 topological states of matter are at the root... 10751 we consider large scale empirical risk minim... 10752 let gamma be a convex cocompact discrete gro... 10753 this paper investigates the role of tutor fe... 10754 this paper analyzes the coexistence performa... 10755 realtime traffic flow prediction can not onl... 10756 since its introduction in the locally linea... 10757 we studied acetylhistidine ach bare or micro... 10758 quantum mechanics is not about quantum state... 10759 it is known that the set of all correlated e... 10760 it is known that unconfined dust explosions ... 10761 while both the data volume and heterogeneity... 10762 we theoretically investigate the generation ... 10763 we demonstrate the usefulness of adding dela... 10764 reachability analysis for hybrid systems is ... 10765 the lasso is biased concave penalized least ... 10766 the interval subset sum problem issp is a ge... 10767 kernel methods are powerful and flexible app... 10768 this paper focuses on the problem of estimat... 10769 the present paper proposes a novel method of... 10770 we are interested in dynamics of quantum man... 10771 in finance durations between successive tran... 10772 the tensile strength of small dusty bodies i... 10773 stateoftheart knowledge compilers generate d... 10774 working over the prime field of characterist... 10775 to train an inference network jointly with a... 10776 we introduce a novel generative formulation ... 10777 information and communications technology ca... 10778 the secondorder dependence structure of pure... 10779 in the present paper we study the match test... 10780 spinspin correlation function response in th... 10781 we consider estimating average treatment eff... 10782 in this paper we address the problem of dete... 10783 we propose an efficient method to generate w... 10784 we present and analyze two pathways to produ... 10785 model instability and poor prediction of lon... 10786 a spectroscopic study of rydberg states of h... 10787 this work is concerned with tests on structu... 10788 we present direct numerical simulations of t... 10789 recently odrzywolek and rafelski arxiv have ... 10790 we study the effect of a uniform external ma... 10791 we calculate qdimension of kth cartan power ... 10792 workers participating in a crowdsourcing pla... 10793 by using representation theory of the ellipt... 10794 the notion of formal duality in finite abeli... 10795 when our eyes are presented with the same im... 10796 almost two decades ago wattenberg published ... 10797 in this paper a novel method using d convolu... 10798 with nonignorable missing data likelihoodbas... 10799 lowtextured image stitching remains a challe... 10800 we propose a new method for input variable s... 10801 this article proposes a new way to construct... 10802 we study a minibatch diversification scheme ... 10803 despite a very long history of meteor scienc... 10804 in this article we study a generalisation of... 10805 hyperkamiokande the next generation large wa... 10806 we present milabot a deep reinforcement lear... 10807 quantification is a supervised learning task... 10808 data noising is an effective technique for r... 10809 we present a generative method to estimate d... 10810 a quasiorder is a binary reflexive and trans... 10811 in this paper we study the controllability a... 10812 in this article we prove some total variatio... 10813 we study bipartite community detection in ne... 10814 this paper demonstrates endtoend neural netw... 10815 we consider the task of estimating a highdim... 10816 we investigate the deexcitation of the th nu... 10817 it is well known that the memory effect in f... 10818 we consider the problem of estimating mutual... 10819 while wigner functions forming phase space r... 10820 intracranial carotid artery calcification ic... 10821 the field of structural bioinformatics has s... 10822 the auction method developed by bertsekas in... 10823 levitated optomechanics is showing potential... 10824 the purpose of the present paper is to show ... 10825 context it is theoretically possible for rin... 10826 scientific legacy code in matlaboctave not c... 10827 it is customary to conceive the interactions... 10828 future sealevel rise drives severe risks for... 10829 the approximation power of general feedforwa... 10830 we define the standard borel space of free a... 10831 robots such as autonomous underwater vehicle... 10832 in this paper we present a spectral graph wa... 10833 this paper studies some robust regression pr... 10834 thin liquid films are ubiquitous in natural ... 10835 the long range movement of certain organisms... 10836 we study trend filtering a relatively recent... 10837 in search of a reliable methodology for the ... 10838 adversarial training has been shown to regul... 10839 the android os has become the most popular m... 10840 process monitoring involves tracking a syste... 10841 in this article we go on to discuss about va... 10842 in biss investigated on a kind of fibration... 10843 analytic gradient routines are a desirable f... 10844 we report the analysis of the tev largescal... 10845 counting objects in digital images is a proc... 10846 we propose a modification of the standard in... 10847 this paper investigates estimation of the me... 10848 we define a variety of abstract termination ... 10849 the problem of the search for the satellites... 10850 consider the following kolmogorov type hypoe... 10851 constraint answer set programming is a promi... 10852 modern radio telescopes such as the square k... 10853 graphs are a prevalent tool in data science ... 10854 power plant is a complex and nonstationary s... 10855 studies of affect labeling ie putting your f... 10856 this paper positively solves an open problem... 10857 lindelfs hypothesis one of the most importan... 10858 complex systems in a wide variety of areas s... 10859 the practical success of boolean satisfiabil... 10860 additive regression provides an extension of... 10861 underwater machine vision has attracted sign... 10862 recent studies have shown that sketches and ... 10863 recently two influential pnas papers have sh... 10864 while machine learning is going through an e... 10865 the development of positioning technologies ... 10866 we consider a basic problem at the interface... 10867 grasping is a complex process involving know... 10868 stateoftheart speaker diarization systems ut... 10869 social networks are typical attributed netwo... 10870 c nuclear magnetic resonance measurements we... 10871 herbertsmithite and zndoped barlowite are tw... 10872 nonrecurring traffic congestion is caused by... 10873 we derive a closed form description of the c... 10874 v nestoridis conjectured that if omega is a ... 10875 granular gases as dilute ensembles of partic... 10876 the scuba ambitious sky survey sassy is comp... 10877 in this paper we propose a novel unfitted fi... 10878 we employ a recently developed computational... 10879 we study fairness in collaborativefiltering ... 10880 we consider the setup of nonparametric blind... 10881 a general formulation of optimization proble... 10882 portable computing devices which include tab... 10883 spinal cord stimulation has enabled humans w... 10884 general description of an online procedure o... 10885 media seems to have become more partisan oft... 10886 currently we are in an environment where the... 10887 we consider the problem of streaming kernel ... 10888 stochastic differential equations sdes are i... 10889 learning an encoding of feature vectors in t... 10890 we propose hmdap a hybrid framework for larg... 10891 a novel approach for unsupervised domain ada... 10892 we present in detail the convolutional neura... 10893 improving the quality of endoflife care for ... 10894 convolutional sparse coding csc improves spa... 10895 it is challenging to recognize facial action... 10896 we propose an effective method for creating ... 10897 we present a simple yet useful result about ... 10898 a new approach using a hyperbolicequation sy... 10899 a general and easytocode numerical method ba... 10900 learning approaches have recently become ver... 10901 a general boltzmann machine with continuous ... 10902 we introduce a novel regression framework wh... 10903 representation learning has become an invalu... 10904 polymer models are used to describe chromati... 10905 complex contagion models have been developed... 10906 in network coding we discuss the effect of s... 10907 simultaneous localization and mapping slam i... 10908 characterizing a patients progression throug... 10909 experimentalists have observed phenotypic va... 10910 style transfer methods have achieved signifi... 10911 this paper proposes an innovative method for... 10912 in this paper we explore deep reinforcement ... 10913 the key issues pertaining to collection of e... 10914 molecular beam epitaxy technique has been us... 10915 we investigate an endtoend method for automa... 10916 multilabel classification is a practical yet... 10917 the main goal of this study is to extract a ... 10918 combinatorial filters have been the subject ... 10919 the collective behavior of active semiflexib... 10920 we compare the following two sources of poor... 10921 networked data in which every training examp... 10922 spatially extended systems can support local... 10923 carbon nanotubes are modeled as point config... 10924 we investigate the similarities of pairs of ... 10925 complementary auxiliary basis sets for f exp... 10926 comparing with traditional learning criteria... 10927 a novel predictor for traffic flow forecasti... 10928 a person dependent network called an altereg... 10929 univalent homotopy type theory hott may be s... 10930 we analyze the dynamics of periodicallydrive... 10931 for aqinmathbbq the estermann function is de... 10932 the gametheoretic risk management framework ... 10933 we present results from a multiwavelength st... 10934 one of the major hurdles toward automatic se... 10935 in this paper we describe easyinterface an o... 10936 we introduce the notion of the essential tan... 10937 machine learning applications often require ... 10938 we finish the classification begun in two ea... 10939 establishing accurate morphological measurem... 10940 multistart algorithms are a common and effec... 10941 estimation of the number of endmembers exist... 10942 the problem of threeuser multipleaccess chan... 10943 in the last two decades recurrence plots rps... 10944 the meta distribution of the signaltointerfe... 10945 the transport characteristics across the pul... 10946 large redshift surveys of galaxies and clust... 10947 learning high quality class representations ... 10948 gradient coding is a technique for straggler... 10949 the mev acceleratordriven subcritical syste... 10950 changes in the capital structure before and ... 10951 the evanescent field surrounding nanoscale o... 10952 the analysis of industrial processes modelle... 10953 increasing proton beam power on neutrino pro... 10954 this paper presents our approach to the quan... 10955 many protostellar gapped and binary discs sh... 10956 we study a supersymmetric version of the gar... 10957 many augmented reality ar applications opera... 10958 the problem for twodimensional steady water ... 10959 we study a neuroinspired model that mimics a... 10960 in this article we study the problem of cont... 10961 in portable d or ultrafast ultrasound us ima... 10962 this paper extends a conventional general fr... 10963 the two modeltheoretic concepts of weak satu... 10964 this paper is concerned with the behavior of... 10965 collective behavior among coupled dynamical ... 10966 human activity recognition using smart home ... 10967 we consider eigenvalue problems for elliptic... 10968 this article develops a framework for testin... 10969 quantum computing technologies have become a... 10970 recently encoderdecoder neural networks have... 10971 approximate dynamic programming algorithms s... 10972 spatiotemporal forecasting has various appli... 10973 recently machine learning has been used in e... 10974 we present the wifes atlas of galactic globu... 10975 the spread of new products in a networked po... 10976 we develop a linear algebraic framework for ... 10977 we present a projectively invariant descript... 10978 modern cities are growing ecosystems that fa... 10979 there are so many vehicles in the world and ... 10980 we describe categorical models of a circuitb... 10981 this works presents a formulation for visual... 10982 since the s population projections have in m... 10983 the existence of elliptic periodic solutions... 10984 suppression of interference from narrowband ... 10985 it is well known that the euler vortex patch... 10986 the effective interaction between the itiner... 10987 human collaborators coordinate effectively t... 10988 we consider the phenomenon of boseeinstein c... 10989 we study the stability of the electroweak va... 10990 we explore the spectral properties of a capi... 10991 electrolyte gating is widely used to induce ... 10992 in the past few years an action of mathrmpgl... 10993 we provide a novel notion of what it means t... 10994 in some laboratory and most astrophysical si... 10995 consider an undirected mixed membership netw... 10996 in this paper we derive the nonsingular gree... 10997 we report a survey of molecular gas in galax... 10998 the iterative ensemble kalman filter ienkf i... 10999 a statistical algorithm for categorizing dif... 11000 braincomputer interfaces bcis can provide an... 11001 we experimentally investigate the bursting d... 11002 we discuss a low energy ee collider for prod... 11003 we introduce and investigate different defin... 11004 in this study we examine a collection of hea... 11005 in their seminal work robust replication of ... 11006 we explore the effects of asymmetry of hoppi... 11007 purpose we propose a phenotypebased artifici... 11008 in this paper we address the problem of reco... 11009 the braids of binfty can be equipped with a ... 11010 the exciton relaxation dynamics of photoexci... 11011 many deployed learned models are black boxes... 11012 we use reinforcement learning rl to learn de... 11013 new index transforms with weber type kernels... 11014 many conventional statistical procedures are... 11015 with the increasing interest in the use of m... 11016 recent results by alagic and russell have gi... 11017 we examine the asymptotics of the spectral c... 11018 marchenko redatuming is a novel scheme used ... 11019 excitons and plasmons are the two most funda... 11020 we investigate the evolution of the flavour ... 11021 we analyse the limiting behavior of the eige... 11022 active communication between robots and huma... 11023 we present the results of our investigation ... 11024 introduction to deep neural networks and the... 11025 commercial photoncounting modules based on a... 11026 the shannon entropy in the atomic molecular ... 11027 thanks to modern sky surveys over twenty ste... 11028 the fitness of a species determines its abun... 11029 we first derive a general integralturnpike p... 11030 we study the vortex patch problem for dstrat... 11031 a onedimensional unsteady nozzle flow is mod... 11032 in this short note we provide an analytical ... 11033 channelreciprocity based key generation crkg... 11034 a rational projective plane mathbbqp is a si... 11035 progress in probabilistic generative models ... 11036 vector quantization aims to form new vectors... 11037 the effects of the spatial scale on the resu... 11038 in this paper we consider regression problem... 11039 with the rising number of interconnected dev... 11040 the widespread availability of gps informati... 11041 information extraction and user intention id... 11042 while cardiovascular diseases cvds are preva... 11043 this paper addresses the question of emotion... 11044 charge transfer among individual atoms in a ... 11045 we study how a single value of the shatter f... 11046 consider the moduli space of framed flat u c... 11047 nongaussianities of dynamical origin are dis... 11048 measure theory and integration is exposed wi... 11049 we propose a contextualbandit approach for d... 11050 we present an overview of techniques for qua... 11051 we present a new experimental approach to in... 11052 the positive definite kohnsham kinetic energ... 11053 in this paper we describe our attempt at pro... 11054 discerning how a mutation affects the stabil... 11055 we analyze the correlation between starspots... 11056 monotone systems preserve a partial ordering... 11057 isotopic ratios in comets are critical to un... 11058 the cosine dark matter search experiment has... 11059 in recent years quantum phenomena have been ... 11060 the efficiency of intracellular cargo transp... 11061 deep learning models have consistently outpe... 11062 using a semiclassical greens function formal... 11063 we introduce a new cosmic emulator for the m... 11064 in this paper we compare the performance of ... 11065 in this paper we consider burgers equation w... 11066 delaydifferential equations are functional d... 11067 vse is a transition metal dichaclogenide whi... 11068 procedural textures are normally generated f... 11069 multiple planet systems provide an ideal lab... 11070 conditional generative adversarial networks ... 11071 the attainability of modification of the app... 11072 we complement the argument of m z garaev wi... 11073 ybacuoag pressure point contacts with direct... 11074 we show that zamolodchikov dynamics of a rec... 11075 in most macroscale robotics systems propuls... 11076 longrange macrodimers formed by dstate cesiu... 11077 galactic winds from starforming galaxies pla... 11078 endtoend training of automated speech recogn... 11079 even though sequencetosequence neural machin... 11080 this tutorial introduces a new and powerful ... 11081 we investigate the minimum cases for realtim... 11082 we introduce the abstract notion of a neckli... 11083 application programming interfaces apis ofte... 11084 does the human lifespan have an impenetrable... 11085 object detection when provided imagelevel la... 11086 the coverage probability of a user in a mmwa... 11087 we study the application of polar codes in d... 11088 in this dissertation we focus on several imp... 11089 we consider how to connect a set of disjoint... 11090 in target tracking the estimation of an unkn... 11091 we give a detailed proof of some facts about... 11092 in many machine learning applications there ... 11093 we consider two greedy algorithms for minimi... 11094 we study the phase diagram of the triangular... 11095 on june turkey held a historical election ... 11096 insertion is a challenging haptic and visual... 11097 the lorentz offaxis electron holography tech... 11098 capturing both the structural and temporal a... 11099 in this article we develop algorithms for da... 11100 this paper describes a new algorithm for sol... 11101 we determine the group strucure of the rd ho... 11102 in this paper we investigate existence and n... 11103 purpose we present a new method to evaluate ... 11104 feature selection problems arise in a variet... 11105 we develop an approach to realize a quantum ... 11106 pemantle and steif provided a sharp threshol... 11107 the digital traces we leave behind when enga... 11108 for a free presentation to r to f to g to ... 11109 this work presents a new tool to verify the ... 11110 we consider layered decorated honeycomb latt... 11111 the optical vortex coronagraph ovc is one of... 11112 symbolic computation is an important approac... 11113 we present a general model allowing quantum ... 11114 network analysis techniques remain rarely us... 11115 online social networks osns have become one ... 11116 the stochastic variancereduced gradient meth... 11117 recently studies on deep reservoir computing... 11118 partandparcel of the study of multiplicative... 11119 topological dirac and weyl semimetals not on... 11120 this work considers the inclusion detection ... 11121 given a hermitian manifold mng the gauduchon... 11122 there has been growing interest in extending... 11123 we investigate finitesize effects on diffusi... 11124 it is known that boosting can be interpreted... 11125 we investigate the resistive switching behav... 11126 this paper proposes a convolutional neural n... 11127 quantum computing is moving rapidly to the p... 11128 we consider the problem of learning a onehid... 11129 the direct growth of graphene on semiconduct... 11130 we study nonconservative like sodes admittin... 11131 constrained markov decision process cmdp is ... 11132 the role of scalable highperformance workflo... 11133 the standard kernel quadrature method for nu... 11134 a quasirelativistic twocomponent approach fo... 11135 an important preprocessing step in most data... 11136 we consider a system of n particles interact... 11137 we study the complexity of geometric problem... 11138 we present a unified framework to analyze th... 11139 in this paper we propose an eigenvalue analy... 11140 in this article we present a brief narration... 11141 we prove that integer programming with three... 11142 dictionary learning and component analysis a... 11143 despite the wide use of machine learning in ... 11144 communities are ubiquitous in nature and soc... 11145 let xlambdaldotsxlambdan be dependent nonne... 11146 termresolution provides an elegant mechanism... 11147 this article is concerned with quantitative ... 11148 to enable electric vehicles evs to access to... 11149 betweenness centralitymeasuring how many sho... 11150 understanding the nature of the turbulent fl... 11151 neural field theory is used to quantitativel... 11152 we address the problem of cameratolaserscann... 11153 the use of volunteers has emerged as lowcost... 11154 objective the coupling between neuronal popu... 11155 synchronized measurements of a large power g... 11156 we study poolbased active learning with abst... 11157 many chemical systems cannot be described by... 11158 shape analyses of tephra grains result in un... 11159 the highperformance computing resources and ... 11160 visual question answering is a recently prop... 11161 for natural microswimmers the interplay of s... 11162 in this article we construct a twoblock gibb... 11163 understanding excited carrier dynamics in se... 11164 robots have gained relevance in society incr... 11165 rapport plays an important role during commu... 11166 the main theorems of this paper are there i... 11167 we present nearinfrared spectra for candida... 11168 an efficient bayesian technique for estimati... 11169 we have investigated tunneling current throu... 11170 the graph convolutional network gcn model an... 11171 there are many different relatedness measure... 11172 nowadays many companies have available large... 11173 we investigate the butterfly effect and char... 11174 although all superconducting cuprates displa... 11175 in this paper we use deep feedforward artifi... 11176 the purpose of this work is mostly expositor... 11177 simulationbased image quality metrics are ad... 11178 temporaldifference learning td sutton with ... 11179 we show that the first order theory of the l... 11180 a cloud server spent a lot of time energy an... 11181 we study smallscale and highfrequency turbul... 11182 hormozgan province located in the south of i... 11183 biological and cellular systems are often mo... 11184 we study empirical statistical and gap distr... 11185 mobile payment systems are increasingly used... 11186 deep convolutional neural networks cnn are t... 11187 we study spin deformedaklt models on the squ... 11188 we consider statistical estimation of superh... 11189 this paper proves that an irreducible subfac... 11190 the latest techniques from neural networks a... 11191 weak gravitational lensing alters the appare... 11192 solitons are of the important significant in... 11193 we explore several problems related to ruled... 11194 the recent nobelprizewinning detections of g... 11195 a selfdoping effect between outer and inner ... 11196 player selection is one the most important t... 11197 probabilistic modeling enables combining dom... 11198 while supermassive black holes are known to ... 11199 many different approaches for neural network... 11200 providing systems the ability to relate ling... 11201 in this paper we study the limitations of pa... 11202 applying the principle of equivalence analog... 11203 in demand response programs price incentives... 11204 in this letter we introduce a distributed ne... 11205 one of the most important features of mobile... 11206 it is well known that the normaized characte... 11207 to solve the spectrum scarcity problem the c... 11208 the growing interest for high dimensional an... 11209 extended dynamic mode decomposition edmd is ... 11210 r version patched has an issue with its ran... 11211 quasinormal modes qnm or ringdown phase of g... 11212 the investigations on higherorder type theor... 11213 an evaluation of fbst fully bayesian signifi... 11214 we propose a minimal solution for pose estim... 11215 embedding methods such as word embedding hav... 11216 rnabinding proteins rbps play crucial roles ... 11217 transition metal oxides tmos are complex ele... 11218 in the presence of background noise and inte... 11219 currently diagnosis of skin diseases is base... 11220 bayesian optimization bo has become an effec... 11221 we study networks of firms with leontief pro... 11222 in this paper we study the stochastic gradie... 11223 the consistent demand for better performance... 11224 covariate shift relaxes the widelyemployed i... 11225 across smartgrid and smartcity applications ... 11226 the common feature of various plasmonic sche... 11227 we present a method of memory footprint redu... 11228 in this note we prove the paynetype conjectu... 11229 the aim of this note is to give an alternati... 11230 the paper is primarily concerned with the as... 11231 this paper develops an inverse reinforcement... 11232 we consider the question of accurately and e... 11233 in this work we derive a new kind of rainbow... 11234 we reinterpret kims nonabelian reciprocity m... 11235 instance and labeldependent label noise iln ... 11236 we study the problem of community detection ... 11237 we give finite presentations of the saturate... 11238 we prove a characterization of tquery quantu... 11239 we present the parallel forwardbackward with... 11240 the detection of gravitational waves gws gen... 11241 a markovchain model is developed for the pur... 11242 note that this paper is superceded by blackb... 11243 a family mathcal fsubset nchoose k is usq of... 11244 electrostatic interactions play a fundamenta... 11245 the theory of receptorligand binding equilib... 11246 spincharge separation is known to be broken ... 11247 it is inconceivable how chaotic the world wo... 11248 in this paper we adopt a categorytheoretic a... 11249 the selfconsistent harmonic approximation is... 11250 to resolve conflicts among norms various non... 11251 we develop fast spectral algorithms for tens... 11252 we study the problem of testing conductance ... 11253 recently single crystalline carbon nitride d... 11254 automatic segmentation of liver lesions is a... 11255 in this work we characterize the combinatori... 11256 optical and nearinfrared photometry optical ... 11257 in this article we give a full description o... 11258 we suggest that ultrahighenergy uhe cosmic r... 11259 we study that the breakdown of epidemic depe... 11260 we consider the asymptotics of large externa... 11261 handbuilt verb clusters such as the widely u... 11262 the remoteness of the sun and the harsh cond... 11263 how atoms in covalent solids rearrange over ... 11264 models are often defined through conditional... 11265 estimation of the intensity of a point proce... 11266 we consider a particular type of sqrtliouvil... 11267 we give new constructions of two classes of ... 11268 the paper investigates the problem of fittin... 11269 this paper provides a link between timedomai... 11270 we propose an intelligent proactive content ... 11271 the juno orbiter has provided improved estim... 11272 generative adversarial networks gans have be... 11273 a characteristic feature of differentialalge... 11274 java platform and thirdparty libraries provi... 11275 this paper presents a light detection and ra... 11276 we propose a new blind source separation alg... 11277 upperdivision physics students spend much of... 11278 accurate and automated detection of anomalou... 11279 the magnetic properties of the pyrochlore ir... 11280 we report the discovery and the analysis of ... 11281 we present a singlechannel phasesensitive sp... 11282 for a monic polynomial dx of even degree exp... 11283 spatially resolving the immediate surroundin... 11284 in the low rank matrix completion lrmc probl... 11285 from just a glance humans can make rich pred... 11286 context clouds have already been detected in... 11287 we have found dirac nodal lines dnls in the ... 11288 hair cells of the auditory and vestibular sy... 11289 external localization is an essential part f... 11290 natural language elements eg todo comments a... 11291 information extraction ie from text has larg... 11292 domestic violence dv is a global social and ... 11293 we provide numerical evidence demonstrating ... 11294 electron ptychography has seen a recent surg... 11295 we have modeled laserinduced transient curre... 11296 isolated quantum manybody systems with integ... 11297 we first consider the additive brownian moti... 11298 in this paper we complete the study started ... 11299 mosquitoes are a major vector for malaria ca... 11300 this paper presents a generic bayesian frame... 11301 in this paper we propose a supervised learni... 11302 woodin has shown that if there is a measurab... 11303 collective effects in deformed atomic nuclei... 11304 we propose an efficient and scalable method ... 11305 we study a pumping lemma for the wordtree la... 11306 in order to alleviate data sparsity and over... 11307 cognitive arithmetic studies the mental proc... 11308 arbitrarily many pairwise inequivalent modul... 11309 while anomaly detection in static networks h... 11310 in this work we explore the utility of local... 11311 we propose a method for feature selection th... 11312 we demonstrate the existence of the excited ... 11313 in this paper we discuss the generalized ham... 11314 we examine systematically the inconsistency ... 11315 we theoretically investigate the spin inject... 11316 contactassisted protein folding has made ver... 11317 a semiorder is a model of preference relatio... 11318 let rn mathfrak mn n ge be an infinite seq... 11319 deep neural networks are notorious for being... 11320 we introduce a new model of teaching named p... 11321 we study a binary spinmixture of a zerotempe... 11322 in an ideal test of the equivalence principl... 11323 to understand emergent magnetic monopole dyn... 11324 the hexatic phase predicted by the theories ... 11325 despite the fact that the observed gradient ... 11326 traffic forecasting is a particularly challe... 11327 we consider two types of averaging of comple... 11328 this paper characterizes the capacity region... 11329 lifestyles are a valuable model for understa... 11330 with the availability of more powerful compu... 11331 we propose two algorithms that can find loca... 11332 the mean growth rate of the state vector is ... 11333 doctors often rely on their past experience ... 11334 machine learning ml and deep learning dl mod... 11335 we define the formal affine demazure algebra... 11336 homographs words with different meanings but... 11337 we show that a hitchin representation is det... 11338 digital pathology is not only one of the mos... 11339 we present an algorithm to generate syntheti... 11340 given the widespread popularity of spectral ... 11341 the stochastic block model is widely used fo... 11342 ego networks have proved to be a valuable to... 11343 in the space of less than one decade the sea... 11344 we performed a comparative study of extracti... 11345 we propose a conjectural explicit formula of... 11346 we describe a method for formationchange tra... 11347 bubbly flows as present in bubble column rea... 11348 in this paper we study the problem of sampli... 11349 the madry lab recently hosted a competition ... 11350 difficult problems described in terms of int... 11351 we describe sockeye version an opensource s... 11352 shape information is of great importance in ... 11353 in the present day aes is one the most widel... 11354 we establish a natural connection of the qvi... 11355 this paper examines the noise handling prope... 11356 despite its ubiquity in our daily lives ai i... 11357 d grigorievg koshevoy recently proved that t... 11358 we study the normal closure of a big power o... 11359 cyber physical systems cps are becoming ubiq... 11360 treatment effects can be estimated from obse... 11361 analytical electron microscopy and spectrosc... 11362 we consider the problem of global optimizati... 11363 this study proposes a fully convolutional ne... 11364 recent technological development has enabled... 11365 modern technology for producing extremely br... 11366 many realworld applications require robust a... 11367 the recombination of charges is an important... 11368 gaussian mixture models gmm are powerful par... 11369 we study the effect of constant shifts on th... 11370 joint visual attention is characterized by t... 11371 we consider the ibvp in exterior domains for... 11372 using a sample of galaxies selected from the... 11373 deep network pruning is an effective method ... 11374 we propose a systematic learningbased approa... 11375 vision sensors lie in the heart of computer ... 11376 we propose a methodology that adapts graph e... 11377 the electrical conductivity and dielectric p... 11378 one of the varieties of pores often found in... 11379 successful programs are written to be mainta... 11380 over the last decade both the neural network... 11381 memory has a great impact on the evolution o... 11382 the camassaholm equation and its twocomponen... 11383 in the hydrodynamic regime the evolution of ... 11384 maxmixture processes are defined as z maxax... 11385 the purpose of this paper is to point out a ... 11386 quantized neural networks qnns which use low... 11387 the frame problem fp is a puzzle in philosop... 11388 in this paper we present a data visualizatio... 11389 if the very early universe is dominated by t... 11390 we examine the relationship between the doub... 11391 during inflation massive fields can contribu... 11392 these lecture notes are concerned with the s... 11393 this text contains over three hundred specif... 11394 we present senmr measurements on singlecryst... 11395 the present study proposes litstoryteller an... 11396 conventional sound shielding structures typi... 11397 traditional dictionary learning methods are ... 11398 we introduce a stopcode tolerant sct approac... 11399 we introduce dual matroids of dimensional si... 11400 linear and nonlinear optical properties of l... 11401 we prove a general family of congruences for... 11402 completely positive and completely bounded m... 11403 in this paper we investigate the number of i... 11404 electronic and magnetic properties of dna st... 11405 in this paper a stochastic model with regime... 11406 employing ab initio calculations we discuss ... 11407 early and accurate identification of parkins... 11408 structured prediction energy networks spens ... 11409 the selfaction features of wave packets prop... 11410 we propose a network independent handheld sy... 11411 in this paper we show how controllers create... 11412 a rectangular grid formed by liquid filament... 11413 a cyberphysical system cps is defined by its... 11414 chemotaxis is a ubiquitous biological phenom... 11415 jupiters banded appearance may appear unchan... 11416 this paper offers a methodological contribut... 11417 this paper is an axiomatic study of consiste... 11418 we address the problem of predicting the sol... 11419 in this paper we study sharp generalizations... 11420 after the diagnosis of a disease one major o... 11421 let x be a smooth projective manifold with d... 11422 the ordered l feni phase tetrataenite is rec... 11423 an orientationpreserving branched covering f... 11424 this article introduces planar shape signatu... 11425 the paper investigates the asymptotic behavi... 11426 the interplay of almost degenerate levels in... 11427 as we know some global optimization problems... 11428 dictionaries are collections of vectors used... 11429 in recent years variation autoencoders have ... 11430 a complex projective manifold is rationally ... 11431 we define a koszul sign map encoding the kos... 11432 spaceborne lowto mediumresolution r transmis... 11433 we introduce the concept of multiplicatively... 11434 the concept of a hybrid readout of a time pr... 11435 we introduce and describe the results of a n... 11436 learning with reproducing kernel hilbert spa... 11437 we investigate the dynamics of a coupled wav... 11438 text extraction is an important problem in i... 11439 longlead forecasting for spatiotemporal syst... 11440 in imaging modalities recording diffraction ... 11441 we consider the problem of the annual mean t... 11442 the issue of how time reversible microscopic... 11443 motivated by relatively few delayoptimal sch... 11444 this is a survey on recent developments on t... 11445 we consider the theoretical properties of a ... 11446 the coupled evolution of the magnetic field ... 11447 in this paper we present a novel approach fo... 11448 several studies have shown that stellar acti... 11449 the distributions of species lifetimes and s... 11450 the problem of routing in graphs using noded... 11451 gaussian random fields are popular models fo... 11452 we show how the discovery of robust scalable... 11453 according to the principle of polyrepresenta... 11454 although bayesian inference is an immensely ... 11455 despite the outstanding achievements of mode... 11456 in this paper we investigate zeros of differ... 11457 if spreadsheets are not erroneous then who o... 11458 we investigate modulational instability mi i... 11459 discovering automatically the semantic struc... 11460 we present a new method of generating mixtur... 11461 let omegasubsetmathbb rn be a lipschitz doma... 11462 in this paper we address cardinality estimat... 11463 we consider a nonstationary sequential stoch... 11464 we report a study on spin conductance in ult... 11465 in this work we focus on on the approach by ... 11466 deep generative networks provide a powerful ... 11467 deep neural networks with their large number... 11468 persistent currents in bose condensates with... 11469 generality is one of the main advantages of ... 11470 model predictive control mpc is the principa... 11471 with a majority of yes votes in the constitu... 11472 this paper discusses the efficient bayesian ... 11473 colorado conducted risklimiting tabulation a... 11474 with hubble space telescope fine guidance se... 11475 there is a paradox in the model of social dy... 11476 the discrete truncated wigner approximation ... 11477 in this paper we investigate the parametric ... 11478 markov processes are well understood in the ... 11479 we present the analysis results of an eclips... 11480 calibration of individual based models ibms ... 11481 health insurance companies in brazil have th... 11482 in corteel savelief and vuleti generalized ... 11483 data driven research on android has gained a... 11484 humans are increasingly stressing ecosystems... 11485 recent experiments show that both natural an... 11486 when analyzing empirical data we often find ... 11487 technological developments call for increasi... 11488 the pulserecloser uses pulse testing technol... 11489 the network alignment problem asks for the b... 11490 we give a nonparametric methodology for hypo... 11491 sports channel video portals offer an exciti... 11492 we investigate how dynamic correlations of h... 11493 in this article we consider the problem of e... 11494 this letter adopts long shortterm memorylstm... 11495 there has been great progress recently in fo... 11496 lineage tracing the joint segmentation and t... 11497 we consider a generalization of kmedian and ... 11498 brain signal data are inherently big massive... 11499 every automorphisminvariant right nonsingula... 11500 we present visible spectra of aglike df and ... 11501 we introduce a gradient flow formulation of ... 11502 we present constraints on masses of active a... 11503 in this paper we present bubbleview an alter... 11504 we present a study of the influence of disor... 11505 we present the methodology for and detail th... 11506 synthesizing userintended programs from a sm... 11507 we performed simulations for solid molecular... 11508 a method is described for the detection and ... 11509 we derive the hilbert space formalism of qua... 11510 in this paper we construct global actionangl... 11511 the block maxima method in extreme value the... 11512 we demonstrate the active tuning of alldiele... 11513 we study the problem of semisupervised quest... 11514 we propose an approach for showing rationali... 11515 with the availability of large databases and... 11516 wte and its sister alloys have attracted tre... 11517 learning social media data embedding by deep... 11518 traditional supervised learning makes the cl... 11519 applied statisticians use sequential regress... 11520 interpretability has become incredibly impor... 11521 let e be a closed set in the riemann sphere ... 11522 ai applications have emerged in current worl... 11523 in monadic programming datatypes are present... 11524 we give faster algorithms for producing spar... 11525 we introduce a generalized kfl sequence and ... 11526 the crucial importance of metrics in machine... 11527 the kuramotosivashinsky pde on the line with... 11528 we present the full results of our decadelon... 11529 the velocity anisotropy parameter beta is a ... 11530 a computational flow is a pair consisting of... 11531 let n be a compact connected nonorientable s... 11532 electric and thermal transport properties of... 11533 we report that a longitudinal epsilonnearzer... 11534 with the trend of increasing wind turbine ro... 11535 p based vx communication uses stochastic med... 11536 we prove moment inequalities for a class of ... 11537 the multiarmed bandit mab problem is a class... 11538 we study the least squares regression proble... 11539 permutation tests are among the simplest and... 11540 gaussian belief propagation bp has been wide... 11541 static and dynamic properties of vortices in... 11542 advances in remote sensing technologies have... 11543 multiresolution analysis and matrix factoriz... 11544 let k be an algebraically closed field and a... 11545 magnesium and its alloys are being considere... 11546 in this article we discuss a probabilistic i... 11547 in most process control systems nowadays pro... 11548 the popular bfgs quasinewton minimization al... 11549 volunteer computing vc or distributed comput... 11550 we develop a theory of the quasiparticle int... 11551 almost twenty years ago er fernholz introduc... 11552 we introduce an approach based on the givens... 11553 silicon singlephoton detectors spds are the ... 11554 in many statistical applications that concer... 11555 we investigate the identification of hydroge... 11556 an empirical relation indicates that an incr... 11557 we investigate a family of regression proble... 11558 we consider the nonlinear schrdinger nls equ... 11559 in this paper we are interested in multifrac... 11560 we report on observation of the unusual kind... 11561 we study the commutative positive varieties ... 11562 we present a model of contagion that unifies... 11563 the luminous efficiency of meteors is poorly... 11564 a van der waals vdw density functional was i... 11565 we analyze the interiors of hdb and c which ... 11566 we give a complete classification up to isom... 11567 we prove that two smooth families of connect... 11568 we improve existing lower bounds of the hype... 11569 an important problem in many domains is to p... 11570 for the multivariate cogarch volatility proc... 11571 in this short essay we discuss some basic fe... 11572 the trigram i love being is expected to be f... 11573 deep neural networks dnns have achieved supe... 11574 the hylleraasbsplines basis set is introduce... 11575 a revival of the south equatorial belt seb i... 11576 regularization is important for endtoend spe... 11577 the maximum coercivity that can be achieved ... 11578 we formulate the n soliton solution of the w... 11579 repairing locality is an appreciated feature... 11580 kiyota murai and wada conjectured in that t... 11581 there exist many ways to build an orthonorma... 11582 we design new algorithms for the combinatori... 11583 tungsten oxide and its associated bronzes co... 11584 we examine the problem of transforming match... 11585 we critically review the recent debate betwe... 11586 it is needed to ensure the integrity of syst... 11587 network support is a key success factor for ... 11588 this paper shows that a perturbed form of gr... 11589 this article outlines different stages in de... 11590 reliable uncertainty estimation for time ser... 11591 in this paper we consider a vehicular networ... 11592 context information technology consumes up t... 11593 we introduce parseval networks a form of dee... 11594 high purity zinc selenide znse crystals are ... 11595 algorithms for equilibrium computation gener... 11596 we propose a probabilistic model to aggregat... 11597 debris disk morphology is wavelength depende... 11598 water pollution is a major global environmen... 11599 during the high luminosity lhc the cms detec... 11600 one of the most prevalent symptoms among the... 11601 nonconvex penalty methods for sparse modelin... 11602 mobile phones identification through their b... 11603 this paper demonstrates how to apply machine... 11604 the article outlines in memoriam prof pavel ... 11605 we consider the problem of classifying data ... 11606 the magnetism of ordered and disordered lani... 11607 partially observable markov decision process... 11608 multitask learning mtl has led to successes ... 11609 largearea simcm films of vertical heterostru... 11610 we conjecture a formula for the generating f... 11611 using variational bayes neural networks we d... 11612 theorems and techniques to form different ty... 11613 suppose that alice and bob are located in di... 11614 we study the bratteli diagram of sylow subgr... 11615 in this paper we prove that under proper con... 11616 recently he and owen proposed the use of hi... 11617 stratum the defacto mining communication pro... 11618 this paper provides a comparison between the... 11619 this paper introduces a new free library for... 11620 objectivity is often considered as an ideal ... 11621 in this work we report the synthesis and str... 11622 we consider the linear regression problem un... 11623 five simple soft sensor methodologies with t... 11624 we have developed a new datadriven paradigm ... 11625 deep neural networks are the stateoftheart m... 11626 in the present note we consider the problem ... 11627 this is the second companion paper of arxiv ... 11628 we consider a twophase flow of two incompres... 11629 mobas represent a huge segment of online gam... 11630 we study twoplayer inclusion games played ov... 11631 the migration of planets on nearly circular ... 11632 we have researched the motion of gas in the ... 11633 the implementation of optimal power flow opf... 11634 we present theoretical calculations to inter... 11635 the photoelectron spectrum of water has been... 11636 by virtue of balmers celebrated theorem the ... 11637 we study the underdamped langevin diffusion ... 11638 direct numerical simulation is performed to ... 11639 the development of spiking neural network si... 11640 we propose an algorithm to separate simultan... 11641 the quest for biologically plausible deep le... 11642 signed networks are a crucial tool when mode... 11643 recently we proposed a general ensemblebased... 11644 tasb has been predicted theoretically and pr... 11645 the training of generative adversarial netwo... 11646 this work is concerned with the prime factor... 11647 the purpose of this note is to prove dispers... 11648 if m is a finite volume complete hyperbolic ... 11649 solids deform and fluids flow but soft glass... 11650 we describe the technical effort used to pro... 11651 we show that the recently introduced iterati... 11652 we prove that for any winding number m patte... 11653 let afn be the normalized fourier coefficien... 11654 the present letter to the editor is one in a... 11655 in this paper we give explicit expressions o... 11656 we construct a new family of high genus exam... 11657 this thesis presents the design analysis and... 11658 recent results have suggested that active ga... 11659 degree ssortativity is the tendency for node... 11660 we propose a unified framework for establish... 11661 aggregate analysis such as comparing country... 11662 in this paper we investigate the behavior of... 11663 among several quantitative invariants found ... 11664 we present a novel method for obtaining high... 11665 bulk sensitive hard xray photoelectron spect... 11666 consider the graph that has as vertices all ... 11667 after being trained classifiers must often o... 11668 in this paper we find a condition under whic... 11669 we grow nearly freestanding singlelayer twte... 11670 this paper is concerned with structured mach... 11671 this paper investigates to identify the requ... 11672 we investigate the galaxy overdensity around... 11673 the dark matter search project by means of u... 11674 recurrent neural networks have been the domi... 11675 the physical mechanisms of the laserinduced ... 11676 ssds are currently replacing magnetic disks ... 11677 in a recent paper giardin giberti hofstad p... 11678 keyphrase boundary classification kbc is the... 11679 the aim of this article is the construction ... 11680 we present a new topic model that generates ... 11681 in this article a few problems related to mu... 11682 we revisit the problem of characterizing the... 11683 the mathcalgi distribution is able to charac... 11684 we present a novel optimization method named... 11685 information forms the basis for all human be... 11686 the paper evaluates the influence of the max... 11687 let zn be the finite commutative ring of res... 11688 we demonstrate the existence of a novel quas... 11689 future grid scenario analysis requires a maj... 11690 pumpprobe electron energyloss spectroscopy e... 11691 we consider families of symmetric linear pro... 11692 the chime telescope the canadian hydrogen in... 11693 in the present article we analyse the behavi... 11694 we theoretically investigate the mechanical ... 11695 a twolayer shallow water type model is propo... 11696 chondrules are primitive materials in the so... 11697 the edit distance under the dcj model can be... 11698 learningbased hashing methods are widely use... 11699 given a dimensional scheme mathbbx in a proj... 11700 there is widespread confusion about the role... 11701 in this work we derive relations between gen... 11702 considerable literature has been developed f... 11703 the mixedness of a quantum state is usually ... 11704 this paper introduces a new concept of stoch... 11705 we experimentally explore the topological ma... 11706 we report a detailed study of the transport ... 11707 in realworld scenarios it is appealing to le... 11708 newage is a directionsensitive darkmattersea... 11709 the lack of opensource tools for hyperspectr... 11710 we study the problem of searching for and tr... 11711 we prove regularity estimates for entropy so... 11712 we analyze the ground state localization pro... 11713 we propose a calibrated filtered reduced ord... 11714 the interaction of light with an atomic samp... 11715 technological advancement in wireless sensor... 11716 j willard gibbs elementary principles in sta... 11717 in this work we focus on multilingual system... 11718 spiders spectroscopic identification of eros... 11719 taskspecific word identification aims to cho... 11720 we introduce a simple subuniversal quantum c... 11721 we present psimssm a model based on a upsi e... 11722 reliable extraction of cosmological informat... 11723 given a geometric path the timeoptimal path ... 11724 we consider deep classifying neural networks... 11725 we study statistical inference for smallnois... 11726 visualization of tabular datafor both presen... 11727 strong electron interactions can drive metal... 11728 we use a variant of the technique in laca to... 11729 sterile neutrinos are natural extensions to ... 11730 probabilistic mixture models have been widel... 11731 this paper presents the kinematic analysis o... 11732 context the gravitational lensing time delay... 11733 in a projective plane piq not necessarily de... 11734 we present sketchrnn a recurrent neural netw... 11735 this paper presents privileged multilabel le... 11736 we refine a result of the last two authors o... 11737 trace norm regularization is a widely used a... 11738 reaction networks are mainly used to model t... 11739 in this paper we introduce the notions of rm... 11740 given a straightline drawing gamma of a grap... 11741 light curves show the flux variation from th... 11742 we consider the problem of performing invers... 11743 in this paper we introduce and analyse lange... 11744 the success of automated driving deployment ... 11745 americas transportation infrastructure is th... 11746 crosslaminated timber clt is a prefabricated... 11747 representing domain knowledge is crucial for... 11748 we investigate how the constraint results of... 11749 in classical mechanics a light particle boun... 11750 we introduce a new isomorphisminvariant noti... 11751 assistive robotic devices can be used to hel... 11752 influence diagrams are a decisiontheoretic e... 11753 we have obtained oh spectra of four transiti... 11754 graphene nanoribbons with armchair edges are... 11755 given the important role that the galaxy bis... 11756 this article is a brief introduction to the ... 11757 we measure the field dependence of spin glas... 11758 two channels are said to be equivalent if th... 11759 this paper presents transient numerical simu... 11760 charge modulations are considered as a leadi... 11761 this paper proposes a new approach to constr... 11762 this paper studies the problem of detection ... 11763 we demonstrate a new approach to calibrating... 11764 the field of discrete event simulation and o... 11765 we present deeply supervised object detector... 11766 data enables nongovernmental organisations n... 11767 the past decade has seen an increasing body ... 11768 necessary and sufficient conditions for fini... 11769 in this paper we introduce the notion of aus... 11770 current formal approaches have been successf... 11771 compared with conventional accelerators lase... 11772 we study the problem of detecting humanobjec... 11773 this paper presents a model for a dynamical ... 11774 in this paper scalable whole slide imaging s... 11775 motivation understanding functions of protei... 11776 we investigate the prospects for micronscale... 11777 this paper examines the problem of adaptive ... 11778 this work presents an evaluation study using... 11779 despite being popularly referred to as the u... 11780 deep neural networks are known to be difficu... 11781 the main aim of this paper is to extend one ... 11782 logarithmic score and information divergence... 11783 for each integer n we present an explicit fo... 11784 while online services emerge in all areas of... 11785 this paper the third in a series completes o... 11786 lowprofile patterned plasmonic surfaces are ... 11787 hamiltonian dynamics has been applied to stu... 11788 intense pulsed ion beams locally heat materi... 11789 we undertake a systematic comparison between... 11790 we propose a novel method to directly learn ... 11791 we address problems underlying the algorithm... 11792 we calculate model theoretic ranks of painle... 11793 we review some of the basic concepts and the... 11794 causal discovery broadens the inference poss... 11795 in this paper we combine concepts from riema... 11796 in this paper we introduce a combinatorial f... 11797 this paper will describe a novel approach to... 11798 a normal conductor placed in good contact wi... 11799 we study the parameter estimation for parabo... 11800 we consider the constrained assortment optim... 11801 we have obtained the energy spectra of cosmi... 11802 advanced optimization algorithms such as new... 11803 we propose a novel formulation for approxima... 11804 we prove a continuous embedding that allows ... 11805 the new cyber attack pattern of advanced per... 11806 autonomous driving is getting a lot of atten... 11807 though deep neural networks have achieved si... 11808 the issue on the effect of interactions in t... 11809 does academic engagement accelerate or crowd... 11810 we present a novel affinegradient based loca... 11811 we combine aspects of the notions of finite ... 11812 we consider steady nonlinear free surface fl... 11813 laxcaxmno lcmo has been studied in the frame... 11814 we analyze time evolution of statistical dis... 11815 in the era of vast spectroscopic surveys foc... 11816 by using the unfolding operators for periodi... 11817 in the sachdevyekitaev model we argue that t... 11818 inspired by the work of henn lannes and schw... 11819 in single star systems like our own solar sy... 11820 we study the twophoton laser excitation to t... 11821 a boseeinstein condensate confined in ring s... 11822 deep learning networks have achieved stateof... 11823 traditional web search forces the developers... 11824 in this paper we propose the first homomorph... 11825 we explore the competition and coupling of v... 11826 we demonstrate how electric fields with arbi... 11827 computation of semantic similarity between c... 11828 associated to any closed quantum subgroup gs... 11829 in the following we show the strong comparis... 11830 the distribution of metals in the intraclust... 11831 click through rate ctr prediction is very im... 11832 we consider the closest lattice point proble... 11833 capacity of a quantum channel characterizes ... 11834 conformally variational riemannian invariant... 11835 one of the most promising approaches to over... 11836 data poisoning is an attack on machine learn... 11837 macroscopic models for systems involving dif... 11838 monomolecular drug carriers based on calixna... 11839 in visual surveillance systems it is necessa... 11840 we study an extension of active learning in ... 11841 many digital functions studied in the litera... 11842 in psychological measurements two levels sho... 11843 line bundles of rational degree are defined ... 11844 linear structural equation models relate the... 11845 while an increasing number of twodimensional... 11846 in this paper we present a novel constructio... 11847 the tunka radio extension tunkarex is an ant... 11848 calculations of the correlations between the... 11849 animal groups exhibit emergent properties th... 11850 using the bmc beamline at the advanced photo... 11851 randomized quasimonte carlo rqmc sampling ca... 11852 relational data are usually highly incomplet... 11853 on many parallel machines the time lqcd appl... 11854 we describe a purelymultiplicative method fo... 11855 our daily perceptual experience is driven by... 11856 to reduce data collection time for deep lear... 11857 the mechanical behaviors of monolayer black ... 11858 the ward identities for the charge and heat ... 11859 short electron pulses are demonstrated to tr... 11860 models that can simulate how environments ch... 11861 the shockleyqueisser limit is one of the mos... 11862 in this communication we present a detailed ... 11863 model selection on validation data is an ess... 11864 motivation the scratch assay is a standard e... 11865 robust analysis of coauthorship networks is ... 11866 introduction identification of bloodbased me... 11867 this article considers the minimal nonzero ... 11868 let adelta be a weak multiplier hopf algebra... 11869 recent advances in bandit tools and techniqu... 11870 modern reinforcement learning algorithms rea... 11871 the antiferromagnetic ising chain in both tr... 11872 we give a rigorous analysis of the statistic... 11873 the task of multistep ahead prediction in la... 11874 a common approach for designing scalable alg... 11875 in this paper we describe simode separable i... 11876 we prove the following generalization of the... 11877 in this paper we introduce the online servic... 11878 the influence of superheat treatment on the ... 11879 this paper presents refinements to the execu... 11880 within the standard framework of quasisteady... 11881 in this paper we are interested in the probl... 11882 we study the categories governing infinity w... 11883 the rakingratio method is a statistical and ... 11884 predicting the efficacy of a drug for a give... 11885 vagueness is something everyone is familiar ... 11886 we present a unique application of oxram dev... 11887 we investigate the gooshanchen gh shifts ref... 11888 we discuss the potential advantages of calcu... 11889 a signed network is a network with each link... 11890 the fastica algorithm is a popular dimension... 11891 as an emerging single elemental layered mate... 11892 following wigert a great number of authors i... 11893 this article extends bimetric formulations o... 11894 we analyze the dynamics of an online algorit... 11895 integrated photonics is a leading platform f... 11896 when comparing the average citation impact o... 11897 generalizations of classical theta functions... 11898 a challenge for molecular quantum dynamics q... 11899 in this paper we consider the problem of pur... 11900 in the theory of secondorder nonlinear ellip... 11901 the purpose of this study is to investigate ... 11902 alternative expressions for calculating the ... 11903 learning cooperative policies for multiagent... 11904 the ablation of solid tin surfaces by an nan... 11905 the most precise local measurements of h rel... 11906 deep learning thrives with large neural netw... 11907 for conventional secret sharing if cheaters ... 11908 this paper presents a center of mass com bas... 11909 in the present paper a continuum model is in... 11910 the convergence speed of stochastic gradient... 11911 this paper studies a problem of inverse visu... 11912 we reconsider the minimization of the compli... 11913 to help with the planning of intervehicular ... 11914 as many different d volumes could produce th... 11915 we consider minimization of stochastic funct... 11916 we have performed highresolution powder xray... 11917 conditional generators learn the data distri... 11918 the need to develop models to predict the mo... 11919 we employ a hybrid approach in determining t... 11920 we study the impact of thermal inflation on ... 11921 we prove that the space of dominantnonconsta... 11922 time spent in leisure is not a minor researc... 11923 in this paper we are interested in the probl... 11924 anisotropy of friction force is proved to be... 11925 in combinatorial auctions a designer must de... 11926 the adaptability of the convolutional neural... 11927 a ylinked twosex branching process with muta... 11928 in this work we propose an effective lowener... 11929 a selfcontained method of obtaining effectiv... 11930 cell shape is an important biomarker previou... 11931 we explore the use of evolution strategies e... 11932 passive radiofrequency identification rfid s... 11933 we present a new method for numerical hydrod... 11934 an effective approach to nonparallel voice c... 11935 exchange hole is the principle constituent i... 11936 we investigate the environmental quenching o... 11937 we determine the bpmodule structure mod high... 11938 we consider the problem of learning the func... 11939 deep reinforcement learning methods attain s... 11940 school bus planning is usually divided into ... 11941 in this work we proivied a new simpler proof... 11942 deep generative models have been successfull... 11943 we present a brief review of discrete struct... 11944 this article is based on a series of lecture... 11945 feedback control actively dissipates uncerta... 11946 the superposition of temporal point processe... 11947 since the invention of wordvec the skipgram ... 11948 with the development of big data and cloud d... 11949 level consensus is a property of a preferenc... 11950 the sparsely spaced highly permeable fractur... 11951 the purpose of this paper is to investigate ... 11952 we address the problem of prescribing an opt... 11953 in this paper we show a variant of colorful ... 11954 we propose two classes of dynamic versions o... 11955 dense subgraph discovery is a key primitive ... 11956 convolutional neural networks provide visual... 11957 microrobots have the potential to impact man... 11958 this research investigates the implementatio... 11959 the dual crises of the subprime mortgage cri... 11960 in this paper we propose a novel neural lang... 11961 we study sampling as optimization in the spa... 11962 we study laser cooling of mg atoms in dipole... 11963 the problem of feature disentanglement has b... 11964 we consider the longterm collisional and dyn... 11965 learning individuallevel causal effects from... 11966 this article gives an overview of gammaray b... 11967 in this paper we study a class of discreteti... 11968 a problem of glasner now known as glasners p... 11969 many different methods to train deep generat... 11970 in this paper we study the online learning a... 11971 swelling media eg gels tumors are usually de... 11972 in this paper we generalize the definition o... 11973 v peg alias hs is a subdwarf b sdb pulsating... 11974 we study the convergence of an inexact versi... 11975 ultrasound diagnosis is routinely used in ob... 11976 we study the quantum phase transitions in th... 11977 we consider the defocusing nonlinear wave eq... 11978 a fundamental characteristic of computer net... 11979 we present a parallel hierarchical solver fo... 11980 we present two new largescale datasets aimed... 11981 as robotic systems are moved out of factory ... 11982 the important task of developing verificatio... 11983 we demonstrate for the first time an efficie... 11984 this paper analyzes a simple game with n pla... 11985 in this paper we tackle the accurate and con... 11986 this volume contains the proceedings of mars... 11987 when the electron density of highly crystall... 11988 deep generative models such as variational a... 11989 we develop new optimization methodology for ... 11990 a detailed development of the principal comp... 11991 the repulsive fermi hubbard model on the squ... 11992 a key phase in the bridge design process is ... 11993 automatic questionanswering is a classical p... 11994 changes to network structure can substantial... 11995 we show that the evolution of twocomponent p... 11996 we present a search for optical bursts from ... 11997 we report on the results of a de haasvan alp... 11998 an important yet challenging problem in unde... 11999 in this paper we study the classic problem o... 12000 independent component analysis ica decompose... 12001 the new horizons spacecrafts nominal traject... 12002 maintenance is an important activity in indu... 12003 stochastic gradient methods are the workhors... 12004 this paper proposes a general framework for ... 12005 given a finitely aligned kgraph lambda we le... 12006 a phenomenon can hardly be found that accomp... 12007 arrays of integers are often compressed in s... 12008 we study the kondo physics of a quantum magn... 12009 in the present note we study waldschmidt con... 12010 over the past two decades the main focus of ... 12011 in this paper we generalize three identifica... 12012 although for a number of semilinear stochast... 12013 we consider the problem of learning a lowran... 12014 this paper establishes the first performance... 12015 in this paper we introduce a new combinatori... 12016 connectionist temporal classification ctc is... 12017 buhrman showed that an efficient communicati... 12018 we propose a novel diminishing learning rate... 12019 the wasserstein metric is an important measu... 12020 it is shown that the unit ball in mathbb cn ... 12021 in this article recent progress on mlrandomn... 12022 with red supergiants rsgs predicted to end t... 12023 the symmetry algebra of the real elliptic li... 12024 due to its accuracy and generality monte car... 12025 we present a theoretical study of the finite... 12026 the chiral optical tamm state cots is a spec... 12027 in this paper our aim is to show some mean v... 12028 research objects ros are semantically enhanc... 12029 this work introduces our approach to the fla... 12030 pair creation on the cosmic infrared backgro... 12031 knowledge transfer kt techniques tackle the ... 12032 this article is an attempt to generalize rie... 12033 when applied to training deep neural network... 12034 this paper studies the detection of bird cal... 12035 in this paper we consider a bayesian framewo... 12036 we analyze the emission spectrum of the hot ... 12037 we propose an exploration method that incorp... 12038 singleimagebased view generation sivg is imp... 12039 with applications to many disciplines the tr... 12040 the concept of dynamical compensation has be... 12041 a mev ma cw rfq has been installed and com... 12042 softmax is a standard final layer used in ne... 12043 in this note we recall kummers fourier serie... 12044 in the study of extensions of polytopes of c... 12045 devs is a popular formalism for modelling co... 12046 several active areas of research in novel en... 12047 the machine recognition of crystallization o... 12048 this research investigated the potential for... 12049 magnetotransport measurements in combination... 12050 science education is a crucial issue with lo... 12051 we investigated the effect of outofplane cru... 12052 solutions of partial differential equations ... 12053 all four giant planets in the solar system f... 12054 semantic segmentation like other fields of c... 12055 photometric stereo methods seek to reconstru... 12056 we introduce a web of strongly correlated in... 12057 rainfall ensemble forecasts have to be skill... 12058 a basic problem in information theory is the... 12059 the computable model theory of modal logic w... 12060 deeptingle is a text prediction and classifi... 12061 the ability of physical layer relay caching ... 12062 the theoretical description of the thermodyn... 12063 we present bounds for the finite sample erro... 12064 butanol has received significant research at... 12065 mutual information mi is an useful tool for ... 12066 bayesian online changepoint detection bocpd ... 12067 let mathcalbd be the unital calgebra generat... 12068 the candecompparafac cp decomposition is a l... 12069 a potential flow around a circular cylinder ... 12070 bilateral trade is a fundamental economic sc... 12071 we report la and cu nmr investigation of the... 12072 field failures that is failures caused by fa... 12073 crowdsourcing has been successfully applied ... 12074 we study a class of onedimensional classical... 12075 in this letter we propose an algorithm for r... 12076 this contributions discusses the simulation ... 12077 with the wide adoption of the multicommunity... 12078 in this paper we introduce and investigate a... 12079 we propose an adaptive estimator for the sta... 12080 we describe a highperformance implementation... 12081 the multimodal web elements such as text and... 12082 we investigate the lightcurve properties of ... 12083 airbnb an online marketplace for accommodati... 12084 dynamic race detection is the problem of det... 12085 the process of exploring and exploiting oil ... 12086 we study a photonic analog of the chiral mag... 12087 the effects of pressure on the crystal struc... 12088 we link the theory of optimal transportation... 12089 this paper studies an intelligent ultimate t... 12090 this book introduces a temporal type theory ... 12091 we provide a direct construction of poletsky... 12092 drsubmodular continuous functions are import... 12093 a symmetric matrix is robinsonian if its row... 12094 the detection of gravity plays a fundamental... 12095 markov chain monte carlo mcmc methods such a... 12096 hurricanes are cyclones circulating about a ... 12097 a stochastic optimal control problem driven ... 12098 magnetic induction was first proposed as a p... 12099 we investigate possible signatures of halo a... 12100 we present the vortex image processing vip l... 12101 http h is a new standard for web communicati... 12102 let a in cal cn be an extremal copositive ma... 12103 we propose a method for dualarm manipulation... 12104 we develop an acbiased shift register introd... 12105 the emerging era of personalized medicine re... 12106 while the costs of human violence have attra... 12107 we give some examples of the existence of so... 12108 we present accurate mass and thermodynamic p... 12109 in this article we study the linearized anis... 12110 we prove that the teichmller space of surfac... 12111 decision making in multiagent systems mas is... 12112 we discuss several classes of integrable flo... 12113 it is a simple fact that a subgroup generate... 12114 transmission lines are vital components in p... 12115 the eigenstructure of the discrete fourier t... 12116 this paper introduces a new urban point clou... 12117 various defense schemes which determine the... 12118 black hole xray transients show a variety of... 12119 we define a generalization of the free lie a... 12120 in this paper we develop a generalized likel... 12121 in this paper we deal with the acceleration ... 12122 diffusion magnetic resonance imaging dmri is... 12123 the apelinergic system is an important playe... 12124 what happens to the most general closed osci... 12125 the widespread use of smartphones gives rise... 12126 the algorithms for lattice fermions package ... 12127 as a disruptive technology blockchain partic... 12128 we analytically construct an infinite number... 12129 tensor factorization models offer an effecti... 12130 in this work we first examine transverse and... 12131 this paper describes qcris machine translati... 12132 we consider one of the most important proble... 12133 in arkin et al initiated a systematic study... 12134 for two banach algebras a and b the tlau pro... 12135 accurately modeling contact behaviors for re... 12136 in retailer management the newsvendor proble... 12137 analyzing the temporal behavior of nodes in ... 12138 in this paper we present a novel cache desig... 12139 let x be a locally compact abelian group y b... 12140 ultrafast perturbations offer a unique tool ... 12141 in recent years the phenomenon of online mis... 12142 a conceptual design for a quantum blockchain... 12143 recent work on encoderdecoder models for seq... 12144 the capacity of a neural network to absorb i... 12145 in this paper we study principal components ... 12146 in metalearning an agent extracts knowledge ... 12147 we present an optical flow estimation approa... 12148 we propose a rankk variant of the classical ... 12149 in this manuscript we present exponential in... 12150 we consider selfavoiding lattice polygons in... 12151 temporal difference learning and residual gr... 12152 we present analytical studies of a bosonferm... 12153 existing works for extracting navigation obj... 12154 we present optimized source galaxy selection... 12155 the main result of this paper is that there ... 12156 optimization of highdimensional blackbox fun... 12157 at the core of understanding dynamical syste... 12158 we propose a method for semisupervised train... 12159 we introduce a refined sobolev scale on a ve... 12160 in this work we propose a goaldriven collabo... 12161 in this paper we introduce and evaluate prop... 12162 organisms use hairlike cilia that beat in a ... 12163 in multiserver distributed queueing systems ... 12164 convolutional neural networks cnns have stat... 12165 recently a repeating fast radio burst frb h... 12166 a vertex or edge in a graph is critical if i... 12167 we prove transverse weitzenbck identities fo... 12168 in this work we present an adaptive newtonty... 12169 in fedorov discovered that a convex domain ... 12170 the spectrum of l on a pseudounitary group u... 12171 objective predict patientspecific vitals dee... 12172 one of the key challenges of visual percepti... 12173 we discuss channel surfaces in the context o... 12174 this paper presents an acceleration framewor... 12175 we obtain lp regularity for the bergman proj... 12176 we present a simple encoding for unlabeled n... 12177 in this paper we investigate the numerical a... 12178 according to a result of ehresmann the torsi... 12179 many signal processing algorithms operate by... 12180 we study the hyperplane arrangements associa... 12181 we report an extension of a keras model call... 12182 a large user base relies on software updates... 12183 the analysis of telemetry data is common in ... 12184 motion planning is a key tool that allows ro... 12185 a repulsive coulomb interaction between elec... 12186 in this paper an improved thermal lattice bo... 12187 interactions and effect aliasing are among t... 12188 importanceweighting is a popular and wellres... 12189 a group of mobile agents is given a task to ... 12190 we propose a sourcechannel duality in the ex... 12191 we provide a new version of delta theorem th... 12192 interior tomography for the regionofinterest... 12193 in this paper we present a new algorithm for... 12194 extreme nanowires ens represent the ultimate... 12195 the advent of miniaturized biologging device... 12196 we study image classification and retrieval ... 12197 understanding the emergence of biological st... 12198 online experiments are a fundamental compone... 12199 we present here vri spectrophotometry of ne... 12200 in this paper we discuss stochastic comparis... 12201 mendelian randomization mr is a method of ex... 12202 we study improved approximations to the dist... 12203 this paper is devoted to the investigation o... 12204 we describe the dimensions of low hochschild... 12205 fracton models a collection of exotic gapped... 12206 topic modeling enables exploration and compa... 12207 let mathcalvplambda be the collection of all... 12208 the loss functions of deep neural networks a... 12209 urban areas with larger and more connected p... 12210 we investigate homological subsets of the pr... 12211 the phenomenon of selfsynchronization in pop... 12212 we study causal waveform estimation tracking... 12213 in this report we applied integrated gradien... 12214 the fast detection of terahertz radiation is... 12215 we investigate the lowdimensional structure ... 12216 we show a unified secondorder scheme for con... 12217 it is shown via theory and simulation that t... 12218 this paper presents a novel transformationpr... 12219 we present a dual subspace ascent algorithm ... 12220 awake is a protondriven plasma wakefield acc... 12221 in lieu of an abstract here is the first par... 12222 the purpose of this article is to study the ... 12223 as proved by rgnier and rsler the number of ... 12224 in this work we present a method to compute ... 12225 elastic dissipation through radiation toward... 12226 in this proceedings application of a fuzzy s... 12227 cylindrical couette flow is a subject where ... 12228 understanding the spatial extent of extreme ... 12229 we present a study of the connection between... 12230 we propose a novel architecture for kshot cl... 12231 we study the pairs of projections pifchiif ... 12232 this paper is concerned with the following f... 12233 social media expose millions of users every ... 12234 discrete statistical models supported on lab... 12235 boltzmann machines are physics informed gene... 12236 graph signal processing gsp is a promising f... 12237 we compare various notions of weak subsoluti... 12238 efficient assessment of convolved hidden mar... 12239 detailed numerical analyses of the orbital m... 12240 bottomup and topdown as well as lowlevel and... 12241 the sharp range of lpestimates for the class... 12242 through the hasimoto map various dynamical s... 12243 deduplication finds and removes longrange da... 12244 while deep neural networks take loose inspir... 12245 among the milky way satellites discovered in... 12246 we improve the best known upper bound on the... 12247 graphs are a fundamental abstraction for mod... 12248 characteristic classes in spacetime manifold... 12249 we describe high resolution observations of ... 12250 unraveling bacterial strategies for spatial ... 12251 behavioral annotation using signal processin... 12252 local properties of the fundamental group of... 12253 we present adaptive strategies for antenna s... 12254 we characterize the variation in photometric... 12255 selfhealing polymers crosslinked by solely r... 12256 in this paper we study an syk model and an s... 12257 the common assumption that thetaori c is the... 12258 the large majority of high energy sources de... 12259 one of the main computational and scientific... 12260 the propagation of charged cosmic rays throu... 12261 the space of khler potentials in a compact k... 12262 echo state networks are powerful recurrent n... 12263 in this paper we prove that some gaussian st... 12264 the disruptive power of blockchain technolog... 12265 we investigate the limiting behavior of solu... 12266 in this paper we estimate the fidelity of st... 12267 crossvalidation is widely used for selecting... 12268 in this work we formulate the problem of ima... 12269 mobile gaming has emerged as a promising mar... 12270 the seminal work of morgan and rubin consid... 12271 we present an approach for agents to learn r... 12272 to store information at extremely highdensit... 12273 in this paper morgan type uncertainty princi... 12274 early in researchers careers it is difficult... 12275 in this paper we consider the use of deep ne... 12276 in this paper we address the problem of cros... 12277 in recent years deep learning based on artif... 12278 we demonstrate autoparametric excitation of ... 12279 we present a communityled assessment of the ... 12280 unsupervised dependency parsing aims to lear... 12281 we report the results of broadband mum near... 12282 we give a survey on some results covering th... 12283 real time evolution of classical gauge field... 12284 dermoscopy image detection stays a tough tas... 12285 the current dominant paradigm for imitation ... 12286 in this paper we extend and complement previ... 12287 let f be a nonarchimedan local field g a con... 12288 accurate rates for energydegenerate lchangin... 12289 we study theoretically the usefulness of spi... 12290 the magnetic insulator yttrium iron garnet c... 12291 we characterize a multi tier network with cl... 12292 a class of nonlinear schrdinger equations in... 12293 matrix completion models are among the most ... 12294 this paper is concerned with twoperson dynam... 12295 in the context of dissipative systems we sho... 12296 in a recent paper we introduced the fuzzy b... 12297 the excitement and convergence of tweets on ... 12298 monte carlo method is a broad class of compu... 12299 we address the problem of bootstrapping lang... 12300 this article presents the parallel implement... 12301 tiev is an autonomous driving platform imple... 12302 we propose a novel decoding approach for neu... 12303 the classical halpernluchli theorem states t... 12304 we conduct an in depth study on the performa... 12305 we identify conditional parity as a general ... 12306 we consider caching in cellular networks in ... 12307 in this paper we consider the numerical appr... 12308 machinelearning techniques are widely used i... 12309 the sharpinterface limits of a phasefield mo... 12310 the first part of this notes provides a new ... 12311 characteristic cycles and leading term cycle... 12312 we propose a robust implementation of the ne... 12313 statistical relational models and more recen... 12314 we theoretically investigate a spinorbit cou... 12315 the celebrated auslanderreiten conjecture on... 12316 we explore the temperature effects in the su... 12317 time series as frequently the case in neuros... 12318 we study the automorphism group of halls uni... 12319 a linear or multilinear valuation on a finit... 12320 the evolution of structure in biology is dri... 12321 let f be a bandlimited function in lmathbbr ... 12322 distributed word representations are widely ... 12323 we present a new oblivious walking strategy ... 12324 energy statistics was proposed by szkely in ... 12325 a finitesupport constraint on the parameter ... 12326 neural circuits in the retina divide the inc... 12327 we develop an approach for unsupervised lear... 12328 in this paper we prove the dichotomy conject... 12329 we report an experimental investigation of t... 12330 a modelbased approach to forecasting chaotic... 12331 heavy metalferromagnetic layers with perpend... 12332 recently the separated fragment sf of firsto... 12333 we survey the theory of poisson traces or ze... 12334 we report on results of nonequilibrium trans... 12335 when performing a time series analysis of co... 12336 the frequency responses of the krbne comagne... 12337 coded caching scheme is a technique which re... 12338 previously published admissibility condition... 12339 grading in embedded systems courses typicall... 12340 let p be a prime number in this article we s... 12341 group i elements alkali metals li na k rb a... 12342 identifying significant subsets of the genes... 12343 new modelindependent compact representations... 12344 geosciences is a field of great societal rel... 12345 it is well known that the affine matrix rank... 12346 the entropy power inequality epi and the bra... 12347 the risk ratio is a popular tool for summari... 12348 the technical skill of surgeons directly imp... 12349 we develop a method to control discretetime ... 12350 the aim of this paper is to investigate the ... 12351 this paper investigates the effects of a pri... 12352 recent research has demonstrated the brittle... 12353 uniformity testing and the more general iden... 12354 it is known that connected sums of positive ... 12355 we study flows on calgebras with the rokhlin... 12356 recently we reported an enhanced superconduc... 12357 we introduce a new gametheoretic semantics g... 12358 we report on thermodynamic magnetization and... 12359 there are no solid arguments to sustain that... 12360 we describe the main scientific developments... 12361 we obtain a sufficient and necessary conditi... 12362 the fate of exotic spin liquid states with f... 12363 purpose the goal of this study is to show th... 12364 lexical features are a major source of infor... 12365 the tourism industry has a significant impac... 12366 covariate shift classification problems can ... 12367 relational probabilistic models have the cha... 12368 the entrepreneurial scene suffers from a sic... 12369 when used as a surrogate objective for maxim... 12370 we study the annealing stability of bottompi... 12371 eigenoptions eos have been recently introduc... 12372 we study some regularity properties in local... 12373 understanding patterns of demand is fundamen... 12374 the realization of highperformance smallfoot... 12375 this study concentrates on advancing mathema... 12376 diving induces large pressures during water ... 12377 synthetic data has proved increasingly usefu... 12378 we introduce a solvable model of driven ferm... 12379 the research data alliance is an internation... 12380 the paper reports new results of the fe mssb... 12381 we show that the zeroth coefficient of the c... 12382 the daya bay experiment consists of eight id... 12383 ordinary least square ols estimation of a li... 12384 under the riemann hypothesis we improve the ... 12385 extragalactic cosmic ray populations are imp... 12386 it has been widely accepted that electric fi... 12387 we report the sigma detection of a faint o... 12388 we exhibit an equivalence between the modelt... 12389 we propose new type of qdiffusive heat equat... 12390 we prove that for a strongly pseudoconvex do... 12391 we define a ring r of geometric objects g ge... 12392 we prove that a representation of the fundam... 12393 from a super extension of the wadati konno a... 12394 we introduce a combinatorial criterion for v... 12395 deep neural networks dnns transform stimuli ... 12396 even though the evolution of an isolated qua... 12397 we tackle the issue of classifier combinatio... 12398 we consider the problem of scheduling server... 12399 degeneracy loci of morphisms between vector ... 12400 homology of braid groups and artin groups ca... 12401 this study presents a smoothed particle hydr... 12402 ionization by relativistically intense short... 12403 a brane construction of an integrable lattic... 12404 measuring the corporate default risk is broa... 12405 we present results from a ks xmmnewton obse... 12406 in this paper we introduce a rational tau in... 12407 we consider the lattice mathcall of all subs... 12408 this paper studies different signaling techn... 12409 traveling wave solutions of dimensional zo... 12410 this paper continues the research started in... 12411 recently a technique called layerwise releva... 12412 we propose a new family of coherence monoton... 12413 we present a passivitybased wholebody contro... 12414 in this paper we present two main results fi... 12415 we consider the problem of multiobjective ma... 12416 it is argued that many of the problems and a... 12417 we study the ferromagnetic layer thickness d... 12418 a tetragonal photonic crystal composed of hi... 12419 the pullbased development process has become... 12420 given the success of the gated recurrent uni... 12421 we propose a new learning to rank algorithm ... 12422 representing a word by its cooccurrences wit... 12423 let m be a compact manifold and gammapim the... 12424 we study multifrequency quasiperiodic schrdi... 12425 we study model spaces in the sense of hairer... 12426 all watercovered rocky planets in the inner ... 12427 in the context of fitness coaching or for re... 12428 temporal resolution of visual information pr... 12429 we find explicit formulas for the radii and ... 12430 in the cryptographic currency bitcoin all tr... 12431 this paper presents a framework for controll... 12432 the early time regime of the kardarparisizha... 12433 subject of this article is the relationship ... 12434 temporal action proposal tap generation is a... 12435 most real world phenomena such as sunlight d... 12436 for a given smooth compact manifold m we int... 12437 in this paper we study the possibility of in... 12438 neuronal activity in the brain generates syn... 12439 we construct a point transformation between ... 12440 this paper explores improvements in predicti... 12441 we propose an optimization approach for dete... 12442 the goal of this thesis was to implement a t... 12443 translational motion of neurotransmitter rec... 12444 we show that a reduct of the zariski structu... 12445 statisticians have made great progress in cr... 12446 a wide range of learning tasks require human... 12447 in this work we present a numerical method b... 12448 the problem of textitvisual metamerism is de... 12449 sheep pox is a highly transmissible disease ... 12450 we describe a method for generating minimal ... 12451 language change involves the competition bet... 12452 user modeling plays an important role in del... 12453 testing for regime switching when the regime... 12454 let r be a commutative noetherian ring mathf... 12455 in industrial control systems devices such a... 12456 nonnegative matrix factorization nmf a dimen... 12457 border crossing delays between new york stat... 12458 scientific knowledge is constantly subject t... 12459 central pattern generators cpgs appear to ha... 12460 we investigate extremely luminous dusty gala... 12461 the least squares ls estimator and the best ... 12462 performing high level cognitive tasks requir... 12463 a facility based on a nextgeneration highflu... 12464 airborne lidar point cloud representing a fo... 12465 the temperature coefficients for all the dir... 12466 we present a generalpurpose method to train ... 12467 binary sidelnikovlempelcohneastman sequences... 12468 embeddings of knowledge graphs have received... 12469 deep convolutional networks have become a po... 12470 fitting stochastic kinetic models represente... 12471 imagetoimage translation is a class of visio... 12472 we consider the challenging problem of stati... 12473 do visual tasks have a relationship or are t... 12474 the potential failure of energy equality for... 12475 inference of spacetime varying signals on gr... 12476 in this sequel to earlier papers by three of... 12477 this paper introduces a probabilistic framew... 12478 this paper describes a method of nonlinear w... 12479 the mathbbz topological phase in the quantum... 12480 we propose an lbfgs optimization algorithm o... 12481 we present a new markov chain monte carlo al... 12482 we present the crystal structure and magneti... 12483 we construct an extended oriented epsilondim... 12484 this paper presents a new generator of chaot... 12485 the hawc gamma ray observatory consists of ... 12486 optical music recognition omr is an importan... 12487 the cable model is widely used in several fi... 12488 we consider conditionalmean hedging in a fra... 12489 we say that a finite metric space x can be e... 12490 the aim of this work is to establish that tw... 12491 the popular adjusted rand index ari is exten... 12492 we study the size and the external path leng... 12493 output from statistical parametric speech sy... 12494 meshfree solution schemes for the incompress... 12495 we propose a development of the analytic hie... 12496 the blooming availability of traces for soci... 12497 advances in artificial intelligence have ren... 12498 the keplerian distribution of velocities is ... 12499 recurrent neural networks like long shortter... 12500 trackbeforedetect tbd is a powerful approach... 12501 given a holomorphic principal bundle q longr... 12502 we propose to study equivariance in deep neu... 12503 lowdimensional wide bandgap semiconductors o... 12504 while recent developments in autonomous vehi... 12505 we identify peak and valley structures in th... 12506 given two independent sets i j of a graph g ... 12507 this work studies the entitywise topical beh... 12508 the exponential scaling of the wave function... 12509 we show that if a semisimple synchronizing a... 12510 recent developments within memoryaugmented n... 12511 we present analytical and numerical studies ... 12512 we study the optimal design of electricity c... 12513 we consider the minimization of an objective... 12514 we study the problem of learning overcomplet... 12515 atomistic rigid lattice kinetic monte carlo ... 12516 the paper aims at finding acyclic graphs und... 12517 this paper presents a robust matrix elastic ... 12518 visual question answering vqa has received a... 12519 wheeled planetary rovers such as the mars ex... 12520 we explore the sequential decision making pr... 12521 one of the goals of g wireless systems state... 12522 we consider the class of evolution equations... 12523 deep convolutional neural networks cnns are ... 12524 in this paper we study the moments of centra... 12525 graphs are a commonly used construct for rep... 12526 this paper addresses the problem of decentra... 12527 we discuss the understanding of geometry of ... 12528 in this paper we use refined approximations ... 12529 electrical forces are the background of all ... 12530 bone tissue mechanical properties and trabec... 12531 temporal pattern mining tpm is the problem o... 12532 we propose poweralert an efficient external ... 12533 it is an open question whether the linear ex... 12534 in this work we explored building automatic ... 12535 fallback authentication is used to retrieve ... 12536 web archiving services play an increasingly ... 12537 biclustering techniques have been widely use... 12538 deep learning methods achieve stateoftheart ... 12539 this letter studies joint transmit beamformi... 12540 we propose local segmentation of multiple se... 12541 we investigate the effect of annealing tempe... 12542 this article discusses the relationship betw... 12543 in this paper an optimized efficient vlsi ar... 12544 we give rather simple answers to two longsta... 12545 we present a general framework the coupled c... 12546 global and partial synchronization are the t... 12547 goals are results of pinpoint shots and it i... 12548 this report introduces and investigates a fa... 12549 surface plasmon polariton hyberbolic dispers... 12550 we investigate the ramifications of the lege... 12551 releasing full data records is one of the mo... 12552 automatic testing is a widely adopted techni... 12553 autonomous vehicles avs are on the road to s... 12554 we explore the feasibility of using fastslow... 12555 the online sports gambling industry employs ... 12556 this paper is based on the complete classifi... 12557 in this paper we show how a deepsubmicron fp... 12558 we propose a new algorithm for finite sum op... 12559 abridged in the typical giantimpact scenario... 12560 learning a regression function using censore... 12561 the degree distribution is one of the most f... 12562 a method is proposed to generate an optimal ... 12563 we consider the problem of optimizing heat t... 12564 we consider the wave equation with a boundar... 12565 we present an approach for a lightweight dat... 12566 many scientific and engineering challenges ... 12567 this paper proves that every finite volume h... 12568 the cospark of a matrix is the cardinality o... 12569 neural networks based vocoders typically the... 12570 in the last few years contributions of the g... 12571 in bounded smooth domains omegasubsetmathbbr... 12572 this paper deals with asymptotics for multip... 12573 the rapid development of deep learning a fam... 12574 in a wireless sensor network wsn data manipu... 12575 the coherent optical response from nm and nm... 12576 we present the luminosity function of z quas... 12577 the dawn of the fourth industrial revolution... 12578 given p independent normal populations we co... 12579 we consider the problem of detecting a defor... 12580 we propose a high signaltonoise extended dep... 12581 an oblivious computation is one that is free... 12582 inverse compton scattering ics is a unique m... 12583 the yarkovsky effect is a thermal process ac... 12584 in this short note we improve the best to da... 12585 we extend the global existence result for th... 12586 i examine a possible spectral distortion of ... 12587 in informationally efficient financial marke... 12588 we present a new method that combines alchem... 12589 largescale hierarchical classification hc in... 12590 we present an enumeration of orientablyregul... 12591 fitting machine learning models in the lowda... 12592 the plancherel decomposition of l on a pseud... 12593 we construct an absolutely normal number who... 12594 enticing users into exploring open data rema... 12595 reciprocity is a fundamental principle gover... 12596 photoacoustic computed tomography pact is an... 12597 we explore to what extent one may hope to pr... 12598 a concentration result for quadratic form of... 12599 the flexibility of short dna chains is inves... 12600 the picard code for the numerical solution o... 12601 we propose a simple and general variant of t... 12602 the complete set of maxwells and hydrodynami... 12603 the enhancement and detection of elongated s... 12604 life can be viewed as a localized chemical s... 12605 functional data analysis on nonlinear manifo... 12606 we characterize the fractional dehn twist co... 12607 rascal is a highlevel transformation languag... 12608 a regular ordered semigroup s is called righ... 12609 the twodimensional signed small ball inequal... 12610 from problem groups of prime power order vo... 12611 diffusion processes driven by fractional bro... 12612 the greenbergerhornezeilinger ghz argument p... 12613 we define and study the global okounkov mome... 12614 in this paper we perform a formal asymptotic... 12615 dynamically crosslinked semiflexible biopoly... 12616 we present a novel view of nonlinear manifol... 12617 malaysian airlines flight mh veered off cour... 12618 we investigate the addition of symmetry and ... 12619 the study of deep recurrent neural networks ... 12620 computational topology is an area that revis... 12621 in this work we formulated a realworld probl... 12622 in this paper we consider abelian varieties ... 12623 modeling of longitudinal data often requires... 12624 we show that the patterns in the abelian san... 12625 we propose a new indexing structure for para... 12626 the traction force of a kite can be used to ... 12627 we prove convergence results for expanding c... 12628 finiteprecision arithmetic computations face... 12629 we report the synthesis and structural chara... 12630 universal properties of entangled manybody s... 12631 we answer two questions raised by bryant fra... 12632 the degree splitting problem requires colori... 12633 let e be an arbitrary subset of mathbbrn not... 12634 availability of an explainable deep learning... 12635 the generalization properties of gaussian pr... 12636 we propose a new approach to the topological... 12637 exploiting the theory of state space models ... 12638 advances in technology have provided ways to... 12639 geometrical aspects of a perfect fluid space... 12640 heart disease is one of leading causes of mo... 12641 we show in this article that if a holomorphi... 12642 graph processing is becoming increasingly pr... 12643 in this paper we prove some classification r... 12644 we have investigated the ingap bound states ... 12645 it is true that the best neural network is n... 12646 we suggest a method to calculate hyperfine a... 12647 we investigate the elliptic integrable model... 12648 we apply moderatehighenergy inelastic neutro... 12649 we investigate the relation between quadrics... 12650 greedy algorithms are widely used for proble... 12651 we study the multiarmed bandit problem with ... 12652 we analyze the dynamics of inflationary mode... 12653 diffusion tensor imaging dti is an effective... 12654 the increasing popularity of the social netw... 12655 manual segmentation of the left ventricle lv... 12656 stabilizing defects in liquidcrystal systems... 12657 we report on the heterogeneous nucleation of... 12658 the quantum ising model with random coupling... 12659 femtosecond laser writing is applied to form... 12660 we introduce form a new minor release of th... 12661 clinical electroencephalographic eeg data va... 12662 the paper presents the first emphconcurrency... 12663 information transmission in the human brain ... 12664 eventdriven programming frameworks such as a... 12665 a stress is applied at the flat face and the... 12666 compact substructure is expected to arise in... 12667 comprehensive understanding of the worlds mo... 12668 a group law is said to be detectable in powe... 12669 classifiers deployed in the real world opera... 12670 due to the lack of enough generalization in ... 12671 we show that the bicrossproduct model\ncsubl... 12672 in many social systems groups of individuals... 12673 entity resolution er is the task of identify... 12674 tree adjoining grammars tags provide an ampl... 12675 we discuss such maltsev conditions that cons... 12676 social media datasets especially twitter twe... 12677 due to burdensome data requirements learning... 12678 in this paper we propose a simple variant of... 12679 the central problem with understanding brain... 12680 in this paper we investigate whether text fr... 12681 planetary exploration missions with mars rov... 12682 we address the mbestarm identification probl... 12683 amachine learning framework is developed to ... 12684 in this paper we propose a novel approach to... 12685 in the last few decades sociologists were tr... 12686 across a variety of scientific disciplines s... 12687 we use insights from epidemiology namely the... 12688 we initiate the study of a fundamental combi... 12689 we report very large array observations at ... 12690 motion capture is a widelyused technology in... 12691 if varphi and psi are two continuous realval... 12692 an identity stated by kimura and proved by r... 12693 the eigendeomposition of nearestneighbor nn ... 12694 astronomy light curves are sparse gappy and ... 12695 brillouin processes couple light and sound t... 12696 in this study we present swift linked data m... 12697 in this paper we discuss how machine learnin... 12698 an important and difficult challenge in buil... 12699 optimization algorithms that leverage gradie... 12700 the linear momentum and angular momentum of ... 12701 we study the eigenvalues of the semiclassica... 12702 delaycoordinate maps have been widely used r... 12703 we developed an automated deep learning syst... 12704 background in this paper we present the appr... 12705 the last decades have seen an unprecedented ... 12706 this paper presents a new method for d actio... 12707 given an equivalence relation on a set u th... 12708 in this short note we explain the proof that... 12709 we prove the banach strong novikov conjectur... 12710 a reliable and consistently reproducible tec... 12711 this research was conducted to develop a met... 12712 we study finite alphabet channels with unit ... 12713 consider a quadratic vector field on mathbbc... 12714 we design conduct and present the results of... 12715 we prove that along any marked point the gre... 12716 this paper sets up a framework for designing... 12717 the problem of how to coordinate a large fle... 12718 many of the recent approaches to polyphonic ... 12719 the family of multiscale hybridmixed mhm fin... 12720 associated with every quaternionic represent... 12721 the model studied in this paper is a stochas... 12722 compared to basic forkjoin queues a job in n... 12723 in elasticwave turbulence strong turbulence ... 12724 we report on the magnetic properties of zinc... 12725 in this paper we present the lsf parameters ... 12726 we show that a newly proposed shannonlike en... 12727 a new secondorder numerical scheme based on ... 12728 explaining and reasoning about processes whi... 12729 distributed algorithms are often beset by th... 12730 most popular word embedding techniques invol... 12731 let m be a compact constant mean curvature s... 12732 in this paper we discuss the maximum princip... 12733 the structure and nature of water confined b... 12734 although the motility of the flagellated bac... 12735 datadriven brain parcellations aim to provid... 12736 in this paper dark energy models of the univ... 12737 we obtain the solutions of the generic bilin... 12738 semantic instance segmentation remains a cha... 12739 imbalanced data with a skewed class distribu... 12740 in this paper we introduce a new variant of ... 12741 we define multiblock interleaved codes as co... 12742 this paper proposes a new method for solving... 12743 in this paper we study the probability distr... 12744 the magnetoelectric effects in the surface s... 12745 recent progress in logic programming eg the ... 12746 this paper studies improving solvers based o... 12747 online social networking sites are experimen... 12748 bayesian optimization is proposed for automa... 12749 this paper considers general rankconstrained... 12750 we study the problem of variable selection f... 12751 network systems and their control are highly... 12752 the function space of deeplearning machines ... 12753 the object of study in the present dissertat... 12754 literature mentions only incidentally a subd... 12755 recent high angular resolution observations ... 12756 we present a clustering comparison of galax... 12757 consider the supercritical branching random ... 12758 the aim of this paper is to study relations ... 12759 the star epic has been identified from a li... 12760 in our recent publication we have proposed a... 12761 entanglement is central to our understanding... 12762 we introduce a persistencelike pseudodistanc... 12763 we continue the first and second authors stu... 12764 we consider a piecewise deterministic markov... 12765 multiplex networks offer an important tool f... 12766 we establish zeroone laws and convergence la... 12767 we introduce here the concept of establishin... 12768 formation of membrane necks is crucial for f... 12769 information theory is a mathematical theory ... 12770 stochastic constraint programming scp is an ... 12771 kernel adaptive filters a class of adaptive ... 12772 we provide a selfcontained formulation of th... 12773 necessary conditions for existence of normal... 12774 a beam imaging detector was developed by cou... 12775 a widely studied nondeterministic polynomial... 12776 recently hashing methods have been widely us... 12777 we give sufficient conditions for when group... 12778 we present in this article a family of new c... 12779 chondrules are the dominant bulk silicate co... 12780 because of vast volume of data being produce... 12781 we suggest an efficient method to resolve el... 12782 we characterize the information dynamics of ... 12783 we study theoretically the velocity crosscor... 12784 the network of filaments with embedded clust... 12785 constructing rth nonresidue over a finite fi... 12786 with decreasing temperature srvo undergoes t... 12787 a matching in a twosided market often incurs... 12788 we study the one dimensional ttj model for g... 12789 this paper proposes concurrentaccess obfusca... 12790 automated software verification of concurren... 12791 the shortterm voltage stability svs problem ... 12792 macaulays inverse system is an effective met... 12793 in many complex networked systems such as on... 12794 we show that the border support rank of the ... 12795 given a large graph how can we determine sim... 12796 polystyrenebased phosphorene nanocomposites ... 12797 the main purpose of this paper is to provide... 12798 a fixedmobile bigraph g is a bipartite graph... 12799 design structure matrices dsms are useful to... 12800 transport and security protocols are essenti... 12801 recent work by richardson and kuhn ab richar... 12802 this phd thesis considers the performance ev... 12803 in this paper we consider polytopes given by... 12804 the dynamic behavior of a capacitive microel... 12805 the lorentz force law of classical electrody... 12806 we consider multivariate mathbblapproximatio... 12807 we show from a weak comparison principle the... 12808 the precise knowledge of the atomic order in... 12809 in this paper we obtain some possibilistic v... 12810 the highlyadaptivelassohaltmle is an efficie... 12811 an elementary proof of the twosidedness of t... 12812 richclub ordering and the dyadic effect are ... 12813 here we introduce the interstellar dust mode... 12814 modelbased clustering is a popular approach ... 12815 over the past decade asteroseismology has be... 12816 deep optical photometric data on the ngc re... 12817 construction of ambiguity set in robust opti... 12818 massive multiuser mu multipleinput multipleo... 12819 the formation and dynamics of freesurface st... 12820 in this note we show that voevodskys univale... 12821 demand response dr programs have emerged as ... 12822 our decisionmaking processes are becoming mo... 12823 we consider a halfsoliton stationary state o... 12824 the field of algorithmic fairness has highli... 12825 we revisit the present status of the stiffne... 12826 in this paper we use dynamical systems to an... 12827 adiabatic quantum computing has evolved in r... 12828 this paper analyzes pedestrians behavioral p... 12829 we define open gromovwitten invariants count... 12830 this article determines and characterizes th... 12831 we present a general framework for training ... 12832 multiplayer online battle arena has become a... 12833 a novel method for robust estimation called ... 12834 multivariate singular spectrum analysis mssa... 12835 in building intelligent transportation syste... 12836 a lion and a man move continuously in a spac... 12837 let h be a compact subgroup of a locally c... 12838 in the past acoustic scene classification sy... 12839 we propose an online convex optimization alg... 12840 this paper presents a feature encoding metho... 12841 molecular simulations produce very highdimen... 12842 while a large body of empirical results show... 12843 structural magnetic and electricaltransport ... 12844 we consider the problem of optimal transport... 12845 let mathcall be a schrdinger operator of the... 12846 the importance of microscopic details on coo... 12847 maximum a posteriori probability map inferen... 12848 one of the challenges in information retriev... 12849 brain tumour segmentation plays a key role i... 12850 we study fermionic matrix product operator a... 12851 the velocityspace moments of the often troub... 12852 machine learning ml techniques such as deep ... 12853 electrophysiological recordings of spiking a... 12854 understanding information processing in the ... 12855 how does one find dimensions in multivariate... 12856 rate change calculations in the literature i... 12857 we call a learner superteachable if a teache... 12858 we review the physics of grb production by r... 12859 elegant is an accelerator physics and partic... 12860 through the higgs mechanism the longrange co... 12861 we revisit the masseys method for rating and... 12862 a key objective in two phase b amp clinical ... 12863 we report the results of a pilot program to ... 12864 evolution of the parametric decay instabilit... 12865 shortened we determine the transformation ma... 12866 in structured populations the spatial arrang... 12867 demand side management dsm strategies are of... 12868 in this paper we consider a network scenario... 12869 classification and clustering algorithms hav... 12870 this paper investigates to what extent cogni... 12871 we report a highpressure study on the heavil... 12872 in this work we are concerned with existence... 12873 the complete characterization of spatial coh... 12874 network alignment consists of finding a corr... 12875 an industrial indoor environment is harsh fo... 12876 in this paper we introduce a new feature sel... 12877 this paper describes a neuralnetwork model w... 12878 we give strengthened versions of the herwigl... 12879 homological index of a holomorphic form on a... 12880 myxobacteria are social bacteria that can gl... 12881 we prove that bilinear fractional integral o... 12882 the bak sneppen bs model is a very simple mo... 12883 we classify the ribbon structures of the dri... 12884 due to the low xray photon utilization effic... 12885 we developed general approach to the calcula... 12886 the early layers of a deep neural net have t... 12887 we present a matrixfactorization algorithm t... 12888 this paper presents the design of the machin... 12889 here we discuss blackbody radiation within t... 12890 in this paper we study a family of binomial ... 12891 we investigate the collective behavior of ma... 12892 we analyse a new subdomain scheme for a time... 12893 we propose a novel adaptive importance sampl... 12894 we examine collective properties of closure ... 12895 we develop a hybrid system model to describe... 12896 we establish a link between trace modules an... 12897 at zero temperature the charge current opera... 12898 how selforganized networks develop mature an... 12899 electron polarimeters based on mott scatteri... 12900 many modern clustering methods scale well to... 12901 we review some recent results on geometric e... 12902 we study the recombination process of three ... 12903 this paper the second of a twopart series pr... 12904 a minimum in stellar velocity dispersion is ... 12905 recommendation systems are recognised as bei... 12906 the measurement problem and three other vexi... 12907 we describe dynamical symmetry breaking in a... 12908 real world networks are often subject to sev... 12909 the use of game theory in the design and con... 12910 evolutionary modeling applications are the b... 12911 the wasserstein distance received a lot of a... 12912 we provide the first information theoretic t... 12913 lowrank tensor regression a new model class ... 12914 the canonical polyadic decomposition cpd is ... 12915 in this study the authors develop a structur... 12916 the empirical mode decomposition emd provide... 12917 we study equilibrium properties of catalytic... 12918 convolutional neural networks cnns have beco... 12919 the recent observations of rippled structure... 12920 si li and author suggested in that in some c... 12921 this paper is devoted to the uniqueness prob... 12922 we measure the gate voltage vg dependence of... 12923 in this work we review a class of determinis... 12924 textdependent speaker verification is becomi... 12925 lactate threshold is considered an essential... 12926 it is shown that an equiprobability hypothes... 12927 we construct a special class of lorentz surf... 12928 since the limited power capacity finite iner... 12929 this paper extends fullyconvolutional neural... 12930 baconbo presents a system whose co ions have... 12931 a regular language l is nonreturning if in t... 12932 this paper proposes an extension to the gene... 12933 working over an infinite field of positive c... 12934 we present cfaar a program repair assistance... 12935 past work in relation extraction has focused... 12936 users organize themselves into communities o... 12937 recurrence networks and the associated stati... 12938 traditional optical imaging faces an unavoid... 12939 complex performance measures beyond the popu... 12940 in this paper we consider a novel machine le... 12941 phased array feed paf technology is the next... 12942 let x be a normal algebraic variety over a f... 12943 we introduce and study the problem of optimi... 12944 we present the results of very long baseline... 12945 in this paper we study several aspects relat... 12946 in this work we analyze the excitonic gap ge... 12947 preference elicitation is the task of sugges... 12948 we study the ginzburglandau equations on rie... 12949 in this paper a new class of frequency hoppi... 12950 scikitmultiflow is a multioutputmultilabel a... 12951 distributed computing platforms provide a ro... 12952 we prove that the sectional category of the ... 12953 planetary rings produce a distinct shape dis... 12954 we introduce a unified disentanglement netwo... 12955 this paper provides a unified framework to d... 12956 we study a class of determinant inequalities... 12957 power grids are critical infrastructure asse... 12958 many recent studies of the motor system are ... 12959 the effective field theory of dark energy an... 12960 processaware information systems pais is an ... 12961 dnnbased crossmodal retrieval has become a r... 12962 in this survey paper we give an overview of ... 12963 we completely determine all commutative semi... 12964 the availability of large scale event data w... 12965 deep neural networks are widely used in vari... 12966 detecting strong ties among users in social ... 12967 in many machine learning applications it is ... 12968 we present high energy xray diffraction stud... 12969 we have studied the structural electronic an... 12970 let mathbbb be the unit ball of a complex ba... 12971 the apache spark framework for distributed c... 12972 this paper is concerned with a compositional... 12973 for the polynomial ring over an arbitrary fi... 12974 deep generative neural networks have proven ... 12975 zinc oxide and aluminum ferrite were prepare... 12976 we introduce a notion of weakly logcanonical... 12977 if x is a compact hausdorff space and sigma ... 12978 the classical quadratic formula and some of ... 12979 in this paper we present a gated convolution... 12980 we study flat flrw alphaattractor mathrme an... 12981 let omegasubsetmathbbrn have minimal gaussia... 12982 continuum approximation ca is an efficient a... 12983 from minimal surfaces such as simons cone an... 12984 we first review traditional approaches to me... 12985 predictive modeling is increasingly being em... 12986 emotion cause extraction aims to identify th... 12987 machine learning on graphstructured data is ... 12988 a metric space x is quasisymmetrically cohop... 12989 we investigate a tightbinding electronic cha... 12990 we study revenue optimization learning algor... 12991 the occurrence of drugdruginteractions ddi f... 12992 in this article we study the stabilizing of ... 12993 we investigate some extremal problems in fou... 12994 knowledge bases are important resources for ... 12995 gaussian processes gps are highly flexible f... 12996 for the prediction with experts advice setti... 12997 in this paper a new adaptive multibatch expe... 12998 muonspin rotation data collected at ambient ... 12999 in this paper we describe the optical imagin... 13000 we estimate the average flux density of mini... 13001 we show that in textod invariant matrix theo... 13002 the underactuated lightweight tensegrity rob... 13003 analog network coding anc is a throughput in... 13004 a problem of paramount importance in both pu... 13005 security threats such as jamming and route m... 13006 intense spindown flows allow one to reach hi... 13007 the multiagent pathfinding mapf problem has ... 13008 we construct a matrix algebra lambdaab from ... 13009 the problem of retrosynthetic planning can b... 13010 a sparse modeling approach is proposed for a... 13011 polydimethylsiloxane pdms films possess diff... 13012 identifying undocumented or potential future... 13013 pathological lung segmentation pls is an imp... 13014 in this paper we investigate the convection ... 13015 we present absolute frequency measurement of... 13016 similarity search is essential to many impor... 13017 let l be the laplace operator on r d dgeq ... 13018 most bayesian responseadaptive designs unbal... 13019 point processes are becoming very popular in... 13020 with seven planets the trappist system has t... 13021 in this paper we focus on developing driveri... 13022 we present a generalization of the cauchylor... 13023 let x be a centered gaussian random variable... 13024 we report the evolution of structural magnet... 13025 we call a family of sets intersecting if any... 13026 this work explores maximum likelihood optimi... 13027 we measured the magnetic resonance of rubidi... 13028 this paper aims to decrease the time complex... 13029 lpmln is a recent addition to probabilistic ... 13030 in his seminal book the inmates are running ... 13031 an image is a very effective tool for convey... 13032 soft set theory and rough set theory are mat... 13033 to date developing a good model for early in... 13034 let varphiiiinfty be a sequence of orthono... 13035 the molecular dynamics of solid benzene are ... 13036 in this paper we propose a novel approach to... 13037 in the interest of finding the minimum addit... 13038 this document provides a detailed overview o... 13039 by using arakis relative entropy liebs conve... 13040 this work provides performance guarantees fo... 13041 a laboratory measurement of the alphadecay h... 13042 this paper develops an online inverse reinfo... 13043 deep learning has the potential to revolutio... 13044 we propose generalized magnetic mirrors that... 13045 we present the performances and characteriza... 13046 one of the key technologies for future large... 13047 background opioid misuse is a major public h... 13048 the geography of fuel prices has many variou... 13049 shape priors have been widely utilized in me... 13050 we report the detection of water absorption ... 13051 let kkkldotskr and lllldotsls be disjoint\ns... 13052 random matrix theory rmt is applied to analy... 13053 interface widely exists in carbon nanotube c... 13054 discovering and exploring the underlying str... 13055 consumers often react expressively to produc... 13056 we study the problem of cooperative inferenc... 13057 optimal subset selection is an important tas... 13058 cutelimination is one of the most famous pro... 13059 an improved understanding of turbulence is e... 13060 it is commonly agreed that the use of releva... 13061 epitaxial engineering of solidstate heteroin... 13062 estimating multiple sparse gaussian graphica... 13063 the widom line identifies the locus in the p... 13064 this is an annotated bibliography on estimat... 13065 virtual learning environments vles are space... 13066 batch normalization is a commonly used trick... 13067 cellular automata ca theory is a discrete mo... 13068 recently deep learning approaches with vario... 13069 the locomotion of swimming bacteria in simpl... 13070 i review the three principal methods to assi... 13071 this paper gives the exact solution in terms... 13072 nodes residing in different parts of a graph... 13073 we study the conditions for spontaneously ge... 13074 spatialsign covariance matrix sscm is an imp... 13075 recent work on developing novel integral equ... 13076 high temperature hightc superconductors like... 13077 simplicial complexes are now a popular alter... 13078 the present paper is devoted to local and lo... 13079 rigid motion computation or estimation is a ... 13080 measuring influence and determining what dri... 13081 anomaly detectors are often used to produce ... 13082 as roles for unmanned aerial vehicles uav co... 13083 maximum rankdistance mrd codes are extremal ... 13084 the boltzmann equation is an integrodifferen... 13085 backscatter of electrons from a beta spectro... 13086 timing attacks have been a continuous threat... 13087 finding the causes to observed effects and e... 13088 we study coupled motion of a d closed elasti... 13089 we consider the frw cosmological model in wh... 13090 classification is one of the widely used ana... 13091 we give sufficient conditions of the nonnega... 13092 the restricted boltzmann machine rbm an impo... 13093 we prove a logarithmic local energy decay ra... 13094 let c be a smooth irreducible projective cur... 13095 controllers in robotics often consist of exp... 13096 toxicity analysis and prediction are of para... 13097 this paper deals with cellular eg lte networ... 13098 we present a new random sampling strategy fo... 13099 in a graph g a sequence vvdotsvm of vertices... 13100 we provide comments on the article highdimen... 13101 variable clustering is important for explana... 13102 in its weak field limit scalartensorvector g... 13103 we develop several efficient algorithms for ... 13104 in the protein sequence space natural protei... 13105 the control of solute fluxes through either ... 13106 magnetohydrodynamically induced interface in... 13107 the clustering problem in its many variants ... 13108 we develop procedures based on minimization ... 13109 in this paper we investigate the problem of ... 13110 we study the problem of singleimage depth es... 13111 the complexity of a geodesic language has co... 13112 purpose the radial kspace trajectory is a we... 13113 efficient humanmachine networks require prod... 13114 dynamics reduces the orthorhombicity of magn... 13115 ideally by enabling multitenancy network vir... 13116 the bayesian estimation of the unknown param... 13117 the multiplicative theory of a set of number... 13118 recently lee and cha on two generalized cla... 13119 let g be the group of rational points of a r... 13120 we introduce two applications of polygraphs ... 13121 matter bounces refer to scenarios wherein th... 13122 approximate ripple carry adders rcas and car... 13123 the normality assumption on data set is very... 13124 this work proposes a novel solution to the p... 13125 this work is concerned with alaloxidealoxall... 13126 senior project is a typical essential course... 13127 the study of tensor network theory is an imp... 13128 the broad set of deep generative models dgms... 13129 in this paper we propose an unsupervised fac... 13130 this paper presents a new acoustic emission ... 13131 andersons paving conjecture now known to hol... 13132 we describe the amrex suite of astrophysics ... 13133 we present a translation of the lambek calcu... 13134 we present a distributed formation control s... 13135 in recent years rtbreal time bidding becomes... 13136 graphstructured data such as social networks... 13137 this paper describes a novel storyboarding s... 13138 the aim of my dissertation is to investigate... 13139 as part of a large investigation with hubble... 13140 in this paper we provide a first analysis of... 13141 many recent deep learning platforms rely on ... 13142 a significant amount of search queries origi... 13143 we prove the unpolarized shafarevich conject... 13144 computing steadystate distributions in infin... 13145 this paper presents a discretetime option pr... 13146 the performance of single channel source sep... 13147 we examine the problem of searching sequenti... 13148 in this paper we classify the isomorphism cl... 13149 the current article unveils and analyzes som... 13150 partbased representation has been proven to ... 13151 in this paper we present a novel approach ba... 13152 we provide a nontrivial measure of irrationa... 13153 we consider slowly evolving ie adiabatic ope... 13154 although shill bidding is a common auction f... 13155 we investigate the evolution of decorrelatio... 13156 in lyngso and pedersen proposed a conjectur... 13157 in this paper we study the asymptotic proper... 13158 a short account of recent existence and mult... 13159 a convex penalty for promoting switching con... 13160 blue waters is a petascalelevel supercompute... 13161 consider a time series of measurements of th... 13162 we study inflation in models with many inter... 13163 user engagement in online social networking ... 13164 we investigate statistical properties of a c... 13165 we prove a realization formula and a model f... 13166 self consistent gw approach scgw has been ap... 13167 intervalcensored data in which the event tim... 13168 the medical field stands to see significant ... 13169 this paper develops and compares two motion ... 13170 we study the galactic wind in the edgeon spi... 13171 objective to establish the performance of se... 13172 liouville type theorems for the stationary n... 13173 let p be a set of nodes in a wireless networ... 13174 we present alma co j and co j and\nco j ob... 13175 we consider the problem of computing the nea... 13176 fixed point iterations play a central role i... 13177 in prior work we addressed the problem of op... 13178 let p denote the problem of existence of a p... 13179 it is proved that the category mathbbem of e... 13180 we prove the nonvanishing of the twisted cen... 13181 we consider an elastic composite material co... 13182 we propose a method for the implementation o... 13183 let x be a compact connected strongly pseudo... 13184 we study the steiner tree problem in which a... 13185 a luminous stimulus which penetrates in a re... 13186 we present a significantly different reflect... 13187 we examine gradient descent on unregularized... 13188 we demonstrate the existence of longlived pr... 13189 we develop a systematic study of jahnteller ... 13190 in the article we present a general theory o... 13191 we introduce and study a oneparameter genera... 13192 frankl and fredi conjectured in that the ma... 13193 to accelerate research on adversarial exampl... 13194 complex networks analyses of many physical b... 13195 this paper describes a method for clustering... 13196 the goal of the paper is to investigate the ... 13197 in this paper we study algorithmic problems ... 13198 recent data indicate one or more moderately ... 13199 generative adversarial networks gans form a ... 13200 this paper analyzes the market impacts of ex... 13201 peer code review and continuous integration ... 13202 the tree inclusion problem is given two node... 13203 as a firm varies the price of a product cons... 13204 inverse reinforcement learning irl is the ta... 13205 a proper ideal i in a commutative ring with ... 13206 many realworld timeseries analysis problems ... 13207 the two major approaches to studying macroev... 13208 this is the second paper of a series aimed t... 13209 we introduce a new finite element fe discret... 13210 quench dynamics is an active area of study e... 13211 fermilab is committed to upgrade its acceler... 13212 deep generative models have shown promising ... 13213 we apply machine learning techniques in an a... 13214 we report frequency measurement of the clock... 13215 identifying the different varieties of the s... 13216 whether neural networks can learn abstract r... 13217 this paper was published in the special issu... 13218 the xo project aims at detecting transiting ... 13219 standard modelfree deep reinforcement learni... 13220 an electrified viscocapillary jet shows diff... 13221 a receiver with perfect channel state inform... 13222 we describe a deep learning approach for aut... 13223 robustness of any statistics depends upon th... 13224 we present a new proof of results of kurdyka... 13225 robots typically possess sensors of differen... 13226 in the framework of the gaps project we are ... 13227 we tackle the problem of deciding whether tw... 13228 colocalization analysis aims to study comple... 13229 given a vertex of interest in a network g th... 13230 passivity is an imperative concept and a wid... 13231 restricted boltzmann machines are key tools ... 13232 we discuss the connection between colorings ... 13233 let m be a real analytic riemannian manifold... 13234 the main objective of this thesis is the stu... 13235 we show that the dynamics of the higgs field... 13236 in topology a torus remains invariant under ... 13237 the proliferation of smallscale renewable ge... 13238 electrical brain stimulation is currently be... 13239 revealing a community structure in a network... 13240 we consider a variant of online convex optim... 13241 we investigate the nature of the superconduc... 13242 by means of firstprinciples calculations we ... 13243 a core technique used by popular proxybased ... 13244 we study the special fiber of the integral m... 13245 bayesian optimization has been successful at... 13246 in this article we study the problem of fair... 13247 in magnetic resonant coupling mrc enabled mu... 13248 this work introduces a class of rejectionfre... 13249 at airwater interfaces the lifshitz interact... 13250 we study the following basic machine learnin... 13251 collecting labeled data is costly and thus a... 13252 this letter presents a revised radiative tra... 13253 in this paper we find sufficient conditions ... 13254 education is increasingly being framed by a ... 13255 this article represents a first step toward ... 13256 we present in this paper a new algorithm for... 13257 we consider the problem of finding a proper ... 13258 we investigated the reliability and applicab... 13259 probabilistic timed automata ptas are timed ... 13260 in this paper we give some counting results ... 13261 in this paper we obtain a class of virasoro ... 13262 it has previously been shown that a dyefille... 13263 background ab initio manybody methods whose ... 13264 in this paper the existence the uniqueness a... 13265 we propose a gradientbased method for quadra... 13266 let a be an abelian variety defined over a g... 13267 we study swendsenwang dynamics for the criti... 13268 the question of the number of thermodynamic ... 13269 auxetic materials are of great engineering i... 13270 through experiments and numerical simulation... 13271 we construct a cosection localized virtual s... 13272 the column subset selection problem provides... 13273 in this paper we introduce an algorithm to d... 13274 we study a model introduced by perthame and ... 13275 the solution space of many classical optimiz... 13276 echo chambers ie situations where one is exp... 13277 applying a many mode floquet formalism for m... 13278 ic is a luminous infrared galaxy lirg classi... 13279 random key graphs were introduced to study v... 13280 we study convergence rates of variational po... 13281 eclipsing binaries remain crucial objects fo... 13282 a delayedacceptance version of a metropolish... 13283 for a calgebra a and a set x we give a stine... 13284 this paper presents a biasvariance tradeoff ... 13285 we propose in this paper a novel approach to... 13286 the community detection problem for graphs a... 13287 uncertainty quantification is a critical mis... 13288 complex statistical machine learning models ... 13289 this article is motivated by soccer position... 13290 we study the problem of initiation of excita... 13291 we aim to use statistical analysis of a larg... 13292 the regular separability problem asks for tw... 13293 support vector data description svdd is a ma... 13294 when comparing two distributions it is often... 13295 we investigate the effect of the dzyaloshins... 13296 random forests perform bootstrapaggregation ... 13297 aims recent observations have challenged our... 13298 recent experiments suggest that the interpla... 13299 we introduce pvscdtm parallel vectorized ste... 13300 we extend existing methods for using crossco... 13301 we propose a novel blockrow partitioning met... 13302 many image processing tasks involve imagetoi... 13303 exact lower and upper bounds on the best pos... 13304 the big graph database model provides strong... 13305 we present analytic selfsimilar solutions fo... 13306 we employ unsupervised machine learning tech... 13307 design of energyefficient access networks ha... 13308 i discuss the evolution of computer architec... 13309 person reidentification reid aims at matchin... 13310 bounded model checking is among the most eff... 13311 we survey and compare various generalization... 13312 let zgh be the homogeneous space of a real r... 13313 the purpose of this work is to introduce a g... 13314 statesponsored bad actors increasingly weapo... 13315 estimates for asteroid masses are based on t... 13316 markov regime switching models have been wid... 13317 the vipafleet project consists in developing... 13318 while the bayesian information criterion bic... 13319 we analyze low rank tensor completion tc usi... 13320 in recent years much effort has been concent... 13321 cardiac left ventricle lv quantification is ... 13322 this paper investigates properties of the cl... 13323 many realworld communication networks often ... 13324 we propose a novel technique to make neural ... 13325 computations over the rational numbers often... 13326 collaborative filtering often suffers from s... 13327 graphbased semisupervised learning is one of... 13328 listwise learning to rank methods are consid... 13329 we study the whitehead torsions of inertial ... 13330 as people rely on social media as their prim... 13331 quantum sensors with solid state electron sp... 13332 advanced motor skills are essential for robo... 13333 querying graph databases has recently receiv... 13334 we show a communication complexity lower bou... 13335 we consider graph turing machines a model of... 13336 many online social networks allow directed e... 13337 about six years ago semitoric systems on dim... 13338 we consider the kuser multipleinputsingleout... 13339 we simulate complex fluids by means of an on... 13340 motile organisms often use finite spatial pe... 13341 we study the asymptotic behaviour of the twi... 13342 boltzmann sampling is commonly used to unifo... 13343 we classify the ergodic invariant random sub... 13344 sparse subspace clustering ssc is a popular ... 13345 we consider a certain type of geometric prop... 13346 languages shared by people differ in differe... 13347 we study the phase diagram and edge states o... 13348 we overview the logic of bunched implication... 13349 let xi be the crown domain associated with a... 13350 in this paper we consider the continuous mat... 13351 let q be a finite quiver without loops and m... 13352 the traditional abstract domain framework fo... 13353 we study the integral transform which appear... 13354 quantitative cba is a postprocessing algorit... 13355 we consider the quermassintegral preserving ... 13356 in this article we consider cloaking for a q... 13357 we consider a novel stochastic multiarmed ba... 13358 clinical measurements collected over time ar... 13359 in fairly elementary terms this paper presen... 13360 we describe an embedding of the qwire quantu... 13361 we study the problem of learning classifiers... 13362 we study the algebraic and analytic structur... 13363 geometric phases are well known to be noiser... 13364 segmented aperture telescopes require an ali... 13365 we consider the problem of active feature ac... 13366 we give an asymptotic formula for the number... 13367 we consider an optimal execution problem in ... 13368 we give a description of the weighted reedmu... 13369 in the junction omega of several semiinfinit... 13370 this paper studies the stochastic optimal co... 13371 models and observations suggest that icepart... 13372 the splashback radius rrm sp the apocentric ... 13373 deep learning models dlms are stateoftheart ... 13374 robotic systems are increasingly relying on ... 13375 we consider solution of stochastic storage p... 13376 this is a general physics level overview art... 13377 fast byteaddressable nonvolatile memory nvm ... 13378 our experience of the world is multimodal w... 13379 consider the tate twist tau in hs in the mod... 13380 reliable diagnosis of depressive disorder is... 13381 targeted advertising is meant to improve the... 13382 we prove a gaussbonnet formula xg sumx kx w... 13383 social media are transforming global communi... 13384 infectious disease outbreaks recapitulate bi... 13385 multiplayer multiarmed bandits mab have been... 13386 in this paper we consider the estimation of ... 13387 lightshiningthroughawall experiments represe... 13388 the recent increase of interest in the graph... 13389 interpreting neural networks is a crucial an... 13390 intersections are hazardous places threats a... 13391 while convolutional sparse representations e... 13392 mms observations recently confirmed that cre... 13393 in an era where big and highdimensional data... 13394 we present autonovi a novel algorithm for au... 13395 stochastic gradient descent sgd is widely us... 13396 in this paper we deal with composite rationa... 13397 we introduce a geometry of interaction model... 13398 we present the results of a systematic searc... 13399 in this paper we study the geometry of the s... 13400 kpoint crossover operators and their recombi... 13401 with the advances in robotic technology rese... 13402 recently millimeterwave mmwave communication... 13403 quantum entanglement serves as a valuable re... 13404 we discuss the design and optimisation of tw... 13405 we present a threedimensional cubic lattice ... 13406 we advance the state of the art in polyphoni... 13407 in a previous joint work of xiao and the sec... 13408 we propose and demonstrate a method for cali... 13409 we study the laplacian in a smooth bounded d... 13410 geometrical and topological phases play a fu... 13411 we study the homotopy groups of generic leav... 13412 we exhibit relations between van kampenflore... 13413 let lambda lambdak denote a sequence of com... 13414 we investigate fine selmer groups for ellipt... 13415 we introduce a new feature map for barcodes ... 13416 our aim in this paper is to derive several n... 13417 during reactive transport modeling the compu... 13418 a pseudoedge graph of a convex polyhedron k ... 13419 in this paper we focus on learning structure... 13420 the italian national institute for statistic... 13421 the inertialess fluidstructure interactions ... 13422 encouraged by recent studies on the performa... 13423 elicitability is a property of mathbbrkvalue... 13424 a system of interacting brownian particles s... 13425 in this paper we first present a birmanmurak... 13426 in recent era prediction of enzyme class fro... 13427 the origin of populationscale coordination h... 13428 in this paper we present proslam a lightweig... 13429 we introduce right generating sets cayley gr... 13430 a branch flow model bfm is used to formulate... 13431 transfer learning aims to faciliate learning... 13432 group discussions are a way for individuals ... 13433 in this short note using results of bourgain... 13434 in this article we have modeled mortality ra... 13435 we propose a novel approach to parameter est... 13436 several prolog implementations include a fac... 13437 we introduce the notion of a dynamical topol... 13438 in this article we present pictorially the f... 13439 in this paper we study a non strictly system... 13440 the onedimensional symmetric exclusion proce... 13441 this paper classifies the equivalence classe... 13442 after a short review of the classical lie th... 13443 intersubband isb polarons result from the in... 13444 it is well known that markov chain monte car... 13445 one of the major challenges in minimally inv... 13446 this paper describes task of the dcase cha... 13447 the program dependence graph pdg represents ... 13448 we prove that the smallest nontrivial quotie... 13449 in this paper we present a new type of fract... 13450 in this research we employ accurate timedepe... 13451 in this note we prove that the borel class o... 13452 in this article we make a case for a systema... 13453 we estimate the maximumorder complexity of a... 13454 recent advances in neural networks have insp... 13455 we study interactions between bright matterw... 13456 we give geometric characterisations of patch... 13457 in about four years the national aeronautics... 13458 in the present paper we use the theory of ex... 13459 many program verification and synthesis prob... 13460 deep neural networks excel at function appro... 13461 many earth science applications require data... 13462 psychiatric neuroscience is increasingly awa... 13463 the maximum speed at which a liquid can wet ... 13464 the massive spread of digital misinformation... 13465 a vector field is called a beltrami vector f... 13466 couder and fort discovered that droplets wal... 13467 we investigate the languages recognized by w... 13468 we introduce a new family of integrable stoc... 13469 a large number of applications such as query... 13470 the context transformation and generalized c... 13471 in recent years numerous advanced malware ak... 13472 lowpressure gaseous tpcs are well suited det... 13473 due to the exponential complexity of the res... 13474 reconstructing network connectivity from the... 13475 consider a set of agents that wish to estima... 13476 during maintenance software developers deal ... 13477 upon employing the analysis in a new time do... 13478 nanostructures have the immense potential to... 13479 future generation of gravitational wave dete... 13480 the present work seeks to analyse the altmet... 13481 the impact of information dissemination on e... 13482 as artificial intelligence is increasingly a... 13483 this paper presents sufficient conditions fo... 13484 we present spectroscopic observations of the... 13485 metasurfaces are promising tools towards nov... 13486 we prove that the open gromovwitten invarian... 13487 this paper reviews the main estimation and p... 13488 when rough grains in standard packing condit... 13489 nonstationary domains where unforeseen chang... 13490 an important theorem in classical complexity... 13491 we present the first polynomialtime approxim... 13492 the emergence of smart wifi aps access point... 13493 the abella interactive theorem prover has pr... 13494 an arithmetic matroid is weakly multiplicati... 13495 multilabel submodular markov random fields m... 13496 we present a strategy to obtain explicit equ... 13497 in this paper we present a simple analysis o... 13498 by using numerical and analytical methods we... 13499 as deep neural networks become more complex ... 13500 using the six parameters truncated mittaglef... 13501 trending topic of newspapers is an indicator... 13502 magneticallydriven disk winds would alter th... 13503 we show a proof of principle for warping a m... 13504 we show that every tiling of a convex set in... 13505 recently tewari and van willigenburg constru... 13506 calculation of phase diagrams is one of the ... 13507 next generation sequencing ngs technology ha... 13508 the present contribution offers a simple met... 13509 we provide here a thermodynamic analog of th... 13510 in this paper we study the weighted gevrey c... 13511 soft random geometric graphs srggs have been... 13512 the media industry is increasingly personali... 13513 piecewise testable languages form the first ... 13514 we present superpivot an analysis method for... 13515 we study a stochastic control approach to ma... 13516 face recognition has made great progress wit... 13517 in this paper we propose a a restart schedul... 13518 the purpose of this work is to construct a s... 13519 ambientpressuregrown laofbis with a supercon... 13520 let mathcala ldots mathcalak be finite set... 13521 we present a systematic evaluation of jpeg i... 13522 deep reinforcement learning drl has been app... 13523 following the breakthrough of croot lev and ... 13524 in this paper we present a detailed computat... 13525 given any koszul algebra of finite global di... 13526 in this paper we produce a cellular motivic ... 13527 in this work we introduce the idea that the ... 13528 we study theoretically the edge fracture ins... 13529 we apply our symmetry based power tensor tec... 13530 this paper investigates the dependence of fu... 13531 we study local optima of the hamiltonian of ... 13532 regular expressions with capture variables a... 13533 we present a new approach to learning for pl... 13534 in the usual approaches to mechanics classic... 13535 we show that characteristic functions of dom... 13536 least angle regression lars by efron et al ... 13537 we present measurements of the velocity powe... 13538 in this paper we prove the lorentz space lqp... 13539 we prove sharp density upper bounds on optim... 13540 image diffusion plays a fundamental role for... 13541 this study compares various superlearner and... 13542 it is shown that newtons inequalities and th... 13543 understanding the influence of hyperparamete... 13544 in this paper we propose a generalized expec... 13545 this paper investigates the performance of a... 13546 big data problems frequently require process... 13547 developer forums contain opinions and inform... 13548 simulations of tidal streams show that close... 13549 we present a threespecies multifluid mhd mod... 13550 with the evergrowing amounts of textual data... 13551 software is a key component of solutions for... 13552 we performed geometric pulsar light curve mo... 13553 automation and computer intelligence to supp... 13554 two heuristics namely diversitybased dbtp an... 13555 using the katorosenblum theorem we describe ... 13556 we investigate separation properties of npoi... 13557 we introduce an algorithm for wordlevel text... 13558 in previous work we defined and studied sigm... 13559 we revisit the low energy physics of one dim... 13560 several methods for checking admissibility o... 13561 spark is a new promising platform for scalab... 13562 it is known that for every graph g there exi... 13563 in this paper we estimate the time resolutio... 13564 the area of handwritten signature verificati... 13565 fairness is a critical trait in decision mak... 13566 memorysafety violations are a prevalent caus... 13567 we study the problem of modeling spatiotempo... 13568 we rewrite poyntings theorem already used in... 13569 it victory ie underlinevienna underlinecompu... 13570 tumor stromal interactions have been shown t... 13571 we consider the problem of testing on the ba... 13572 phylodynamics is an area of population genet... 13573 social and affective relations may shape emp... 13574 this paper addresses the dynamic difficulty ... 13575 we characterize all varieties with a torus a... 13576 in this paper we study the interplay between... 13577 citation sentiment analysis is an important ... 13578 we present a hybrid method for latent inform... 13579 let k be a field this paper investigates the... 13580 the cosmic axion spin precession experiment ... 13581 the energy of a graph g is equal to the sum ... 13582 the linear attention recurrent neural networ... 13583 in this paper we consider the robust adaptiv... 13584 designing analog subthreshold neuromorphic c... 13585 the origin of the broad emission line region... 13586 we propose a consistent polynomialtime metho... 13587 we report time and angle resolved spectrosco... 13588 in this paper we consider a family of jacobi... 13589 the goal of the present paper is to introduc... 13590 this submission investigates alternative mac... 13591 growing digital archives and improving algor... 13592 in this paper we promote a method for the ev... 13593 we consider the flotation of deformable nonw... 13594 in this work we study the crystalline nuclei... 13595 electron cloud can lead to a fast instabilit... 13596 no man is an island as individuals interact ... 13597 let fxfx dots fmx be such that f dots fm ar... 13598 we consider several notions of genericity ap... 13599 cubesats are emerging as lowcost tools to pe... 13600 we study the cyclicity in weighted ellpmathb... 13601 in order to achieve a good level of autonomy... 13602 we devise an approach for targeted molecular... 13603 deep neural networks have achieved increasin... 13604 we give a new axiomatization of the npseudos... 13605 radiofrequency multipole traps have been use... 13606 visual data such as videos are often sampled... 13607 dynamics of waves generated by scopes in gas... 13608 in this paper we deal with a robust stackelb... 13609 in this paper five different approaches for ... 13610 srtio a quantum paraelectric becomes a metal... 13611 in the earliest socalled class phase of sun... 13612 we consider cosmological dynamics in the the... 13613 in this paper we present some extensions of ... 13614 english to indian language machine translati... 13615 the quantitative composition of metal alloy ... 13616 we tackle the problem of constructive prefer... 13617 recently two reports have demonstrated the a... 13618 we examine the relation between gasphase oxy... 13619 we prove riemann hypothesis generalized riem... 13620 we develop a second order primaldual method ... 13621 electronic medical records contain multiform... 13622 we give an new arithmetic algorithm to compu... 13623 we study a superconductor that is coupled to... 13624 we introduce multicolour partition algebras ... 13625 materials are central to our way of life and... 13626 lumpedelement kinetic inductance detectors l... 13627 knot floer homology is an invariant for knot... 13628 a new detailed mathematical model for dynami... 13629 experiments handling rydberg atoms near surf... 13630 quasars at high redshift provide direct info... 13631 acid solutions exhibit a variety of complex ... 13632 generating music has a few notable differenc... 13633 we study synaptically coupled neuronal netwo... 13634 motion planning for autonomous vehicles requ... 13635 we present a tool that primarily supports th... 13636 this work leverages recent advances in proba... 13637 this paper introduces the youtubem video und... 13638 sepsis is a condition caused by the bodys ov... 13639 this contribution is devoted to cover some t... 13640 we present a visibility based estimator name... 13641 software has long been established as an ess... 13642 we prove new exact formulas for the generali... 13643 this paper provides some explicit formulas r... 13644 witnesses of medieval literary texts preserv... 13645 there have been sustained interest in bifaci... 13646 in the era of big data reducing data dimensi... 13647 it is well known that neural networks with r... 13648 the aim of this paper is to introduce the no... 13649 in coming years residential consumers will f... 13650 recent work on follow the perturbed leader f... 13651 the ammonium halides present an interesting ... 13652 the linear fractional map fz fracaz bcz d... 13653 differential calculus on euclidean spaces ha... 13654 let p be a finite pgroup and p be an odd pri... 13655 in recent years deep generative models have ... 13656 we show that the standard stochastic gradien... 13657 most simulation schemes for partial differen... 13658 in this paper we present a translation from ... 13659 we report the experimental realization of di... 13660 understanding the d structure of a scene is ... 13661 motivated by applications in social and biol... 13662 we consider a problem of learning the reward... 13663 for a natural social humanrobot interaction ... 13664 we propose a novel online alternating minimi... 13665 sensing in complex systems requires largesca... 13666 we study the attractors of a class of holomo... 13667 graphene a honeycomb lattice of carbon atoms... 13668 the retina is a complex nervous system which... 13669 in emholm proc roy soc a stochastic fluid ... 13670 in this paper we consider solving a class of... 13671 we use information entropy to test the isotr... 13672 observations of diffuse starlight in the out... 13673 let a lambda oplus c be a trivial extension ... 13674 we study the spread of rnyi entropy between ... 13675 we explore lattice structures on integer bin... 13676 undetected overfitting can occur when there ... 13677 we suggest an inverse dispersion method for ... 13678 vehicletoinfrastructure vi communication may... 13679 manifolds with infinite cylindrical ends hav... 13680 we give a construction of a real number that... 13681 a strong interaction is known to exist betwe... 13682 quasirandom walks show similar features as s... 13683 endtoend learning treats the entire system a... 13684 most realworld document collections involve ... 13685 recent years have witnessed great success of... 13686 we study a class of flat bundles of finite r... 13687 appealing to the gibbs formalism for classi... 13688 smooth backfitting has proven to have a numb... 13689 locomotion at low reynolds numbers is a topi... 13690 assessment of multimedia quality relies heav... 13691 suppose that the inverse image of the zero v... 13692 we prove that certain coinduced actions for ... 13693 we study diffusion properties of an inertial... 13694 we prove that omegalanguages of nondetermini... 13695 despite having an important role supporting ... 13696 zeroshot recognition aims to accurately reco... 13697 in this study we developed an automated syst... 13698 the theoretical analysis of detection and de... 13699 future electricity distribution grids will h... 13700 in this work we report xray photoelectron xp... 13701 in this paper we consider a degenerate pseud... 13702 we use the ab initio bethe ansatz dynamics t... 13703 the human eye appears to be using a low numb... 13704 we study the problem of matrix estimation an... 13705 we are developing position sensitive silicon... 13706 we revisit the question of reducing online l... 13707 recently macdonald et al showed that many al... 13708 let g be a finite solvable or symmetric grou... 13709 according to a wellknown principle of thermo... 13710 almost all parameterizations of turbulence i... 13711 recent advancements in complex network analy... 13712 in several experimental reports on nonconvex... 13713 from a modern perspective cosmology is a his... 13714 we give a classification of semisimple and s... 13715 we study the equivalence of microcanonical a... 13716 this paper considers the problem of positive... 13717 we discuss various characterizations of synt... 13718 given a pedestrian image as a query the purp... 13719 recently methods have been proposed that per... 13720 the present work analyses a particular scena... 13721 administrators in all academic organizations... 13722 we introduce a condition on garside groups t... 13723 in this paper a new approach for classificat... 13724 the canonical and grandcanonical ensembles a... 13725 the partial representation extension problem... 13726 the main aim of this paper is to study the l... 13727 we propose an estimation method for the cond... 13728 we report results of isothermal magnetotrans... 13729 error backpropagation is a highly effective ... 13730 the mean field variational bayes method is b... 13731 the era of the next generation of giant tele... 13732 mastering the dynamics of social influence r... 13733 it is of great concern to produce numericall... 13734 we study gapless quantum spin chains with sp... 13735 a new area in which passive wifi analytics h... 13736 we introduce a new method for finding networ... 13737 the traditional bagofwords approach has foun... 13738 to date the only limit on graviton mass usin... 13739 artificial neural networks anns may not be w... 13740 for any channel with a convex constraint set... 13741 this paper presents a new algorithm for calc... 13742 generative adversarial networks gan are one ... 13743 we propose to estimate a metamodel and the s... 13744 neuronal and glial cells release diverse pro... 13745 we present autoperf a generalized software p... 13746 the way quantum mechanics qm is introduced t... 13747 we study the sample complexity of learning n... 13748 variational bayes vb also known as independe... 13749 we have studied a two dimensional lattice mo... 13750 we propose a dynamic network model where two... 13751 a stock market is considered as one of the h... 13752 in this article the notion of bimonotonic in... 13753 we present observations of the occulted acti... 13754 gender inequality starts before birth parent... 13755 hierarchical models for regionally aggregate... 13756 accelerometer measurements are the prime typ... 13757 we investigated the magnetic structure of th... 13758 one of the most compelling features of gauss... 13759 we consider the global optimization of a fun... 13760 over the years many multiprocessor locking p... 13761 topological cyclic homology is a refinement ... 13762 local graph partitioning is a key graph mini... 13763 understanding the detailed queueing behavior... 13764 although cluttered indoor scenes have a lot ... 13765 most commonly used distributed machine learn... 13766 the prevalence of smart wearable devices is ... 13767 qensembles are a modelfree approach where in... 13768 we report on the status of our cybersecurity... 13769 critical periods are phases in the early dev... 13770 in this work we present a wholebody nonlinea... 13771 unmanned aerial vehicles uavs represent a ne... 13772 recurrent neural networks rnn are a type of ... 13773 functionals of a stochastic process yt model... 13774 as efficient trafficmanagement platforms pub... 13775 we frame question answering qa as a reinforc... 13776 in this paper we present results on dynamic ... 13777 the design simulation and measurement of a b... 13778 the internet of mobile things encompasses st... 13779 during the space telescope and optical rever... 13780 we present the grasping system and design ap... 13781 we consider the semantics of prepositions re... 13782 random walks are at the heart of many existi... 13783 gated recurrent unit gru is a recentlydevelo... 13784 in this paper we reformulated the spell corr... 13785 twodimensional d transition metal dichalcoge... 13786 in this work we study permutation synchronis... 13787 associated varieties of vertex algebras are ... 13788 a new method is developed to deal with the p... 13789 this paper presents a semantic attribute mod... 13790 positiveunlabeled pu learning considers two ... 13791 juno is a multipurpose neutrino experiment w... 13792 sigmapisigma neural networks spsnns as a kin... 13793 proceedings of the adkdd and targetad works... 13794 due to the possible lack of primaldualtype e... 13795 expertise in programming traditionally assum... 13796 gaining a better understanding of how and wh... 13797 the advanced operation of future electricity... 13798 we propose a nonlinear discrete duality fini... 13799 nbody simulations study the dynamics of n pa... 13800 deep learning has started to revolutionize s... 13801 monte carlo mc sampling methods are widely a... 13802 in this paper we describe a novel local algo... 13803 this book chapter introduces to the problem ... 13804 obtaining detailed and reliable data about l... 13805 we study implicit regularization when optimi... 13806 we study the pareto frontier for two competi... 13807 deep neural networks are increasingly being ... 13808 the cern it provides a set of hadoop cluster... 13809 evolution sculpts both the body plans and ne... 13810 it has been known since ehrhard and regniers... 13811 we propose and apply two methods to estimate... 13812 we analyse a multilevel monte carlo method f... 13813 we provide a fast method for computing const... 13814 we present a deep radio search in the reticu... 13815 this paper investigates the problem of detec... 13816 learning representations that disentangle th... 13817 excellent ranking power along with well cali... 13818 the lowtemperature magnetic phases in the la... 13819 we introduce a general methodology for post ... 13820 we design jamming resistant receivers to enh... 13821 we discuss higher dimensional generalization... 13822 realistic implementations of the kitaev chai... 13823 a halfcentury after the discovery of the sup... 13824 geosocial data has been an attractive source... 13825 the randomeffects or normalnormal hierarchic... 13826 in this paper we continue our previous work ... 13827 we consider the problem of approximate kmean... 13828 here we suggest a method to represent genera... 13829 we introduce uncertainty regions to perform ... 13830 interstitial content is online content which... 13831 spiking neuronal networks are usually simula... 13832 a press release from the national institute ... 13833 reinforcement learning is a powerful paradig... 13834 the cegar loop in software model checking no... 13835 the sturmliouville operator with singular po... 13836 we describe some progress towards a new comm... 13837 this work presents an algorithm to generate ... 13838 we examine the bayesconsistency of a recentl... 13839 adaptive gradient methods such as adagrad an... 13840 an infinitely smooth convex body in mathbb r... 13841 motivated by wideranging applications such a... 13842 in this paper we present a novel approach to... 13843 the classes of depthbounded and namebounded ... 13844 the secretary problem is a classic model for... 13845 in order to understand the formation of soci... 13846 in this series of papers we develop the theo... 13847 we prove a liebschultzmattis theorem for the... 13848 we present a stabilized microwavefrequency t... 13849 we define and study a numericalrange analogu... 13850 it is of fundamental importance to find algo... 13851 although deep learning has historical roots ... 13852 social media is an useful platform to share ... 13853 this paper introduces a novel deep learning ... 13854 net asset value nav calculation and validati... 13855 the nonlinear kleingordon nlkg equation on a... 13856 we review studies of superintense laser inte... 13857 grasping skill is a major ability that a wid... 13858 we compute the hochschild cohomology ring of... 13859 we provide complete source code for a fronte... 13860 the pioneering work of brezismerle lishafri... 13861 we consider a scenario of broadcasting infor... 13862 this paper contributes to the techniques of ... 13863 in many practical problems a learning agent ... 13864 this paper investigates power control and re... 13865 we are working on a scalable interactive vis... 13866 in this note we determine all possible domin... 13867 consider a space x with the singular locus z... 13868 based on recent highresolution angleresolved... 13869 the renormalization method based on the newt... 13870 we present a largescale study of gender bias... 13871 this paper addresses deep face recognition f... 13872 we consider the massless nonlinear dirac nld... 13873 the twodimensional nonoriented bin packing p... 13874 to constrain models of highmass star formati... 13875 efficiency of the error control of numerical... 13876 this paper finds near equilibrium prices for... 13877 the twosample hypothesis testing problem is ... 13878 the least square monte carlo lsm algorithm p... 13879 humans can ground natural language commands ... 13880 we study a nonlocal venttsel problem in a no... 13881 we generalize the concept of the spinmomentu... 13882 the method of evaluation outlined in a previ... 13883 for distributed computing environment we con... 13884 it is known that inputoutput approaches base... 13885 online social media have become an integral ... 13886 a theory is proposed in which the basic elem... 13887 the segmentation of large scale power grids ... 13888 sb nuclear quadrupole resonance nqr was appl... 13889 there are many statistical tests that verify... 13890 in this paper we present a new method of mea... 13891 testing whether a probability distribution i... 13892 the peierlsnabarro pn model for dislocations... 13893 we consider partial torsion fields fields ge... 13894 data aggregation is a promising approach to ... 13895 digital games are one of the major and most ... 13896 in this letter we report our systematic cons... 13897 we prove an identity relating the product of... 13898 dialogue act recognition associate dialogue ... 13899 questions of noise stability play an importa... 13900 modern society generates an incredible amoun... 13901 we give a new proof of the strong arnold con... 13902 diderot is a parallel domainspecific languag... 13903 we consider the problem of semisupervised fe... 13904 we introduce and study the inhomogeneous exp... 13905 evidence accumulation models of simple decis... 13906 the radiative lifetime of molecules or atoms... 13907 the two most fundamental processes describin... 13908 a system modeling bacteriophage treatments w... 13909 spin waves in chiral magnetic materials are ... 13910 moran or wrightfisher processes are probably... 13911 preclinical magnetic resonance imaging often... 13912 the scalable calculation of matrix determina... 13913 over the years data has become increasingly ... 13914 this review paper fits in the context of the... 13915 understanding the generative mechanism of a ... 13916 we investigate the selforganization of stron... 13917 the virtual unknotting number of a virtual k... 13918 we describe an algorithm to evaluate all the... 13919 the rise in life expectancy is one of the gr... 13920 we explore the hunters and rabbits game on t... 13921 quantifying the relation between gut microbi... 13922 in this paper we study a wireless packet bro... 13923 any considerations on propagation of particl... 13924 we consider a point cloud xn x dots xn un... 13925 we modify the definable ultrapower construct... 13926 we present a novel notion of complexity that... 13927 given a graph on n vertices and an integer k... 13928 suppose we are given a set of n elements to ... 13929 kriging based on gaussian random fields is w... 13930 we study the problem of maximizing a monoton... 13931 multiarmed bandits are a quintessential mach... 13932 mantels test mt for association is conducted... 13933 we present an algorithm for approximating a ... 13934 time delay in general leads to instability i... 13935 primordial black holes pbh could be the cold... 13936 pegs were formalized by ford in and have se... 13937 a central question in neuroscience is how to... 13938 we present restframe optical spectra from th... 13939 we study the task of estimating the number o... 13940 we explore random scalefree networks of popu... 13941 we investigate the complexity of deep neural... 13942 we study the longrange longtime behavior of ... 13943 we study abelian varieties and k surfaces wi... 13944 considering a granular fluid of inelastic sm... 13945 to better understand the energy response of ... 13946 the present paper generalises the results of... 13947 this paper presents an automated approach fo... 13948 we study the problem of learning onehiddenla... 13949 absolute positioning is an essential factor ... 13950 intrinsically nonlinear coupled systems pres... 13951 in this article we consider cayley deformati... 13952 the pairwise maximum entropy model also know... 13953 we study the smooth structure of convex func... 13954 in this paper we study joint functional calc... 13955 full ranges of both hybrid plasmonmode dispe... 13956 it is well known thanks to laxwendroff theor... 13957 environmental changes failures collisions or... 13958 we compute the free energy of the planar mon... 13959 in this paper we consider several compressio... 13960 relativistic effects in the nonresonant twop... 13961 this article is concerned with the asymptoti... 13962 we show that dimensional systolic complexes ... 13963 the notion of computer capacity was proposed... 13964 we construct the base expansion of an absol... 13965 computational ghost imaging is a robust and ... 13966 estimated connectomes by the means of neuroi... 13967 we present photometry and spectroscopy of ni... 13968 the sharing economy se is a growing ecosyste... 13969 the hypothesis that computational models can... 13970 we report on the growth of ndfeasof thin fil... 13971 we measure the mass function for a sample of... 13972 we show that the galois cohomology groups of... 13973 this paper is a continuation of ctcmf where ... 13974 we investigate the time evolution of the ent... 13975 we proposed a new penalized method in this p... 13976 the upcoming skalow radio interferometer wil... 13977 neural networks have been widely used as pre... 13978 we consider jacobi matrices j whose paramete... 13979 in the present work we analyze some necessar... 13980 while the polls have been the most trusted s... 13981 seidel introduced the notion of a fukaya cat... 13982 the thermalization of hot carriers and phono... 13983 given any polynomial p in cx we show that th... 13984 significant training is required to visually... 13985 millions of users routinely use google to lo... 13986 evolutionary game dynamics in structured pop... 13987 in supervised machine learning an agent is t... 13988 we have undertaken an algorithmic search for... 13989 nonnegative matrix factorization is a basic ... 13990 the paper solves the problem of optimal port... 13991 statistical inference after model selection ... 13992 we study the problem of sampling a bandlimit... 13993 we present dltk a toolkit providing baseline... 13994 we show that the verdier quotients can be re... 13995 we prove that the grothendieck rings of cate... 13996 we study the optimal pricing strategy of a m... 13997 the present paper is devoted to the descript... 13998 we derive bounds on the extremal singular va... 13999 stanene has been predicted to be a twodimens... 14000 this paper introduces a framework for speedi... 14001 distributions of anthropogenic signatures im... 14002 we consider regret minimization in repeated ... 14003 given a network of nodes minimizing the spre... 14004 in this paper we consider the nonlinear inho... 14005 poisson distribution is used for modeling no... 14006 emil artin defined a zeta function for algeb... 14007 the forgotten topological index or findex of... 14008 we show that a problem of deleting a minimum... 14009 we propose using the storage ring edm method... 14010 time crystals are quantum manybody systems w... 14011 echocardiography is essential to modern card... 14012 anomaly detection in database management sys... 14013 in this paper we deal with seifert fibre spa... 14014 the ufmc modulation is among the most consid... 14015 humans can easily describe imagine and cruci... 14016 recently a paper of klimovskikh et al was pu... 14017 learning representation from relative simila... 14018 we present an updated version of the massmet... 14019 instanton partition functions of mathcaln d ... 14020 this paper presents the kinematic analysis o... 14021 bigdatalog is an extension of datalog that a... 14022 we present longbaseline alma observations of... 14023 the computation of the noether numbers of al... 14024 we are reporting that the lugiatolefever equ... 14025 models of percolation processes on networks ... 14026 the lintersection graphs are the graphs that... 14027 in the classical problem of scheduling on un... 14028 determination of the pairing symmetry in mon... 14029 this paper proposes a novel method to filter... 14030 we consider the question of extending propos... 14031 our world can be succinctly and compactly de... 14032 we present the concept of magnetic gas detec... 14033 in this article we present an automatic meth... 14034 this paper proposes a model of information c... 14035 we present inferences on the geometry and ki... 14036 providing longrange forecasts is a fundament... 14037 aa tau is the archetype for a class of stars... 14038 the paper describes the verifying methods of... 14039 objects moving in fluids experience patterns... 14040 given a real number beta we study the ass... 14041 we derive the expressions for configurationa... 14042 realtime safety analysis has become a hot re... 14043 we show that a conformal anomaly in weyldira... 14044 speaker recognition performance in emotional... 14045 uv absorption studies with fuse have observe... 14046 as radio telescopes become more sensitive th... 14047 we consider the eternal inflation scenario o... 14048 we present the first exact calculations of t... 14049 rigorous nonequilibrium actions for the many... 14050 the first step in statistical reliability st... 14051 in this work we introduce an online model fo... 14052 due to recent advances compute data models ... 14053 in order to find a way of measuring the degr... 14054 the horseshoe prior has proven to be a notew... 14055 current machine learning techniques proposed... 14056 the siberian solar radio telescope is now be... 14057 we present temperature dependent inelastic n... 14058 the goal of this study is to test two differ... 14059 superresolution fluorescence microscopy with... 14060 an astonishing fact was established by lee a... 14061 determination of the energy and flux of the ... 14062 what can we learn from a connectome we const... 14063 in the claw diamondfree edge deletion proble... 14064 caching popular contents at the edge of cell... 14065 we introduce orbital graphs and discuss some... 14066 we prove the existence of singular harmonic ... 14067 childhood obesity is associated with increas... 14068 the basic reproduction number r is a thresho... 14069 we demonstrate that an applied electric fiel... 14070 matrix divisors are introduced in the work b... 14071 pseudogap phase in superconductors continues... 14072 through a direct comparison of specific heat... 14073 it is of interest to determine the exit angl... 14074 a general methodology is proposed to differe... 14075 we have developed a semianalytic framework t... 14076 research on how hardware imperfections impac... 14077 preventable medical errors are estimated to ... 14078 person reidentification reid usually suffers... 14079 this paper illustrates how to calculate the ... 14080 we present new large samples of galactic cep... 14081 kristensen and mele developed a new approac... 14082 we study leinsters notion of magnitude for a... 14083 in this paper we show that the edge connecti... 14084 expertise of annotators has a major role in ... 14085 we rigorously derive a kirchhoff plate theor... 14086 the advent of microcontrollers with enough c... 14087 in this work we prove that the growth of the... 14088 internet protocol ip addresses are frequentl... 14089 in this short paper we generalise a theorem ... 14090 we construct optimal designs for group testi... 14091 complex oxides exhibit many intriguing pheno... 14092 in this article we show the duality between ... 14093 a generalization of the emdenfowler equation... 14094 exploiting the deep generative models remark... 14095 using atomic force microscopy afm we investi... 14096 in the article we discuss the architecture o... 14097 we analyze the lefttail asymptotics of defor... 14098 background test resources are usually limite... 14099 we make the case for studying the complexity... 14100 quantum technology is increasingly relying o... 14101 the wide adoption of dnns has given birth to... 14102 spectral clustering has found extensive use ... 14103 measurements of highvelocity clouds metallic... 14104 deep generative models trained with large am... 14105 we present a generalization bound for feedfo... 14106 in the preceding paper efroimsky we derived... 14107 in this work we introduce the moldavian and ... 14108 from the einstein field equations in a weakf... 14109 we propose a novel tree classification syste... 14110 we investigate flow instability created by a... 14111 the paper gives an introduction to rate equa... 14112 for many modern applications in science and ... 14113 in this study we address the question whethe... 14114 the declination is a quantitative method for... 14115 dynamic adaptive streaming over http dash ha... 14116 evolution and propagation of the worlds lang... 14117 this article is dedicated to the late giorgi... 14118 a categorical point of view about minimizati... 14119 devaney and krych showed that for the expone... 14120 motivated by ridesharing platforms efforts t... 14121 modern systems will increasingly rely on ene... 14122 the evolution of smart microgrid and its dem... 14123 our premise is that autonomous vehicles must... 14124 in this paper we study the problem of estima... 14125 planning safe paths is a major building bloc... 14126 in display advertising users online ad exper... 14127 the hallmark of weyl semimetals is the exist... 14128 we study the dynamic response of a superflui... 14129 we examine spectral operatortheoretic proper... 14130 mobile robots are cyberphysical systems wher... 14131 in spite of the recent success of neural mac... 14132 machine learning and data analysis now finds... 14133 in this paper we introduce new modules over ... 14134 this paper studies the eigenvalue problem on... 14135 this report is targeted to groups who are su... 14136 building interactive tools to support data a... 14137 we consider a classical risk process with ar... 14138 to conduct a more realistic evaluation on vi... 14139 information systems experience an evergrowin... 14140 recent studies show interest in materials wi... 14141 a common approach to analyzing categorical c... 14142 in this paper we study inhomogeneous diophan... 14143 a specific value for the cosmological consta... 14144 synthesis of rationally designed nanostructu... 14145 we propose a novel framework that reduces th... 14146 we present semianalytical models of galactic... 14147 learning algorithms that learn linear models... 14148 kustaanheimostiefel ks transformation depend... 14149 this paper presents a new safety specificati... 14150 we present a simple yet effective approach f... 14151 reinforcement learning ai commonly uses rewa... 14152 memorybased neural networks model temporal d... 14153 there is currently great interest in applyin... 14154 an infinite chain of drivendissipative conde... 14155 in this paper a projected primaldual gradien... 14156 although there is a significant literature o... 14157 aharoni and berger conjectured that in any b... 14158 this paper provides a general and abstract a... 14159 one of the most interesting features in the ... 14160 the deep qnetwork dqn and returnbased reinfo... 14161 recent studies regarding the habitability ob... 14162 we exhibit the first explicit examples of sa... 14163 we consider the hardcore model on finite tri... 14164 model reduction of the markov process is a b... 14165 we have carried out a campaign to characteri... 14166 when a d superconductor is subjected to a st... 14167 consider a regression problem where there is... 14168 although poissonvoronoi diagrams have intere... 14169 one promising avenue to study onedimensional... 14170 the use of kalman filtering as well as its n... 14171 advances in atomic resolution in situ enviro... 14172 this paper presents an extension of a recent... 14173 in their work on a sharp compactness theorem... 14174 in this brief note we connect the discrete l... 14175 convolutional neural networks cnns can be ap... 14176 this paper studies a textitpartial functiona... 14177 wireless rechargeable sensor networks consis... 14178 online social media are information resource... 14179 cooperation is the cornerstone of human evol... 14180 we show that the classical equivalence betwe... 14181 recent literature has demonstrated promising... 14182 we conduct a comprehensive set of tests of p... 14183 in this paper we construct an equivariant co... 14184 this paper is a continuation of our recent p... 14185 multilayer mos possesses highly anisotropic ... 14186 a novel surface interrogation technique is p... 14187 we propose general computational procedures ... 14188 we study electroweak scale dark matter dm wh... 14189 generalised hydrodynamics predicts universal... 14190 we propose to employ scale spaces of mathema... 14191 the paper deals with a construction of a sep... 14192 in this paper we present a method for simult... 14193 protein pattern formation is essential for t... 14194 artificial intelligence ai generally and mac... 14195 matrix completion is a problem that arises i... 14196 many applications infer the structure of a p... 14197 the influence of the bsite ion substitutions... 14198 this paper presents an exhaustive study on t... 14199 we derive a new exact evolution equation for... 14200 it is shown that for controlled moran constr... 14201 predictable feature analysis pfa richthofer ... 14202 elements composing complex systems usually i... 14203 many studies show that the acquisition of kn... 14204 uncertainty propagation of large scale discr... 14205 location fingerprinting locates devices base... 14206 we prove an explicit formula for the first n... 14207 we will characterize topologically conjugate... 14208 encrypted database systems provide a great m... 14209 the main aim of this survey paper is to gath... 14210 contactrich manipulation tasks in unstructur... 14211 let omegaleft abright subsetmathbbr min llef... 14212 we study the structure and stability of vort... 14213 estimating the tail index parameter is one o... 14214 metamaterial analogues of electromagneticall... 14215 in this paper we study a special case of the... 14216 for dgeq we study the simplicial structure o... 14217 in some problems there is information about ... 14218 we investigate the extension of monadic seco... 14219 for the constantstress layer of wall turbule... 14220 we consider a class of variational problems ... 14221 this paper presents a comparison of six mach... 14222 autoencoders are a deep learning model for r... 14223 ocean flows are routinely inferred from lowr... 14224 a flexible approach for modeling both dynami... 14225 as the core issue of blockchain the mining r... 14226 a general conjecture is stated on the cone o... 14227 in this work we propose a compositiondecompo... 14228 we establish that every kquasiconformal mapp... 14229 we prove that averaging operators are unifor... 14230 we consider the problem of computing firstpa... 14231 hamamatsu photonics introduced a new generat... 14232 we introduce dynamic deep neural networks dn... 14233 gaussian random fields grf are a fundamental... 14234 the computability power of a distributed com... 14235 this note corrects conditions in proposition... 14236 we demonstrate an application of the futamur... 14237 we report enhancing of complete synchronizat... 14238 we propose a novel method for compressed sen... 14239 in this paper an energy harvesting scheme fo... 14240 we investigate spectral properties of the te... 14241 we prove that if a smooth projective algebra... 14242 recurrent neural networks rnns are becoming ... 14243 deep learning has enabled remarkable progres... 14244 with the advancement of technology in the la... 14245 in this work thin magnetite films were depos... 14246 demand response dr is a costeffective and en... 14247 the goal of graph representation learning is... 14248 there is widespread sentiment that it is not... 14249 we study by means of the densitymatrix renor... 14250 application of fuzzy support vector machine ... 14251 we review the essentials of the formalism of... 14252 chemical substitution during growth is a wel... 14253 the relative root mean squared errors rmse o... 14254 the goal of the paper is to study the angle ... 14255 the ability to locally degrade the extracell... 14256 in mathematical physics the spacefractional ... 14257 we derive some positivstellensatz for noncom... 14258 in the wake of the vast population of smart ... 14259 we study the minus order on the algebra of b... 14260 while the dynamics of a fully flexible polym... 14261 we have created a cloudbased service that al... 14262 a ballean or coarse structure is a set endow... 14263 in this article we investigate large sample ... 14264 we consider the problem of generating releva... 14265 the dynamics along the particle trajectories... 14266 in this paper a resilient controller is desi... 14267 we prove that integrability of a dispersionl... 14268 in this note we propose a new approach towar... 14269 we use the maximum qloglikelihood estimation... 14270 groups of enterprises guarantee each other a... 14271 the vocal joystick vowel corpus by washingto... 14272 we examine salient trends of influenza pande... 14273 henrik bruus is professor of labchip systems... 14274 analysis tools like abstract interpreters sy... 14275 this paper considers the problem of solving ... 14276 unwanted variation including hidden confound... 14277 the purpose of this short contribution is to... 14278 bandt and pompe introduced permutation entro... 14279 chest radiography is an extremely powerful i... 14280 this paper presents a convolutional neural n... 14281 let xnninfty be a sequence on the torus math... 14282 conventional generators in power grids are s... 14283 onesided matching mechanisms are fundamental... 14284 we introduce midivae a neural network model ... 14285 in this work we present gumbel graph network... 14286 majorana bound states mbs are wellestablishe... 14287 an upgrade of the atlas experiment for the h... 14288 recently several endtoend speaker verificati... 14289 we prove a recognition principle for motivic... 14290 correlation functions of dimer operators the... 14291 with the advent of the th generation of wire... 14292 fullerenes have attracted interest for their... 14293 using the existing simplified model framewor... 14294 in this paper we study methods to estimate d... 14295 in order to make a proper reaction to the co... 14296 based on properties of nsubharmonic function... 14297 we propose a simple approach which given dis... 14298 there is a forgetful functor from the catego... 14299 we evaluate integrals of certain polynomials... 14300 the intermetallic semiconductor fega acquire... 14301 we show that topology can protect exponentia... 14302 we find boundaries of borelserre compactific... 14303 public speaking is an important aspect of hu... 14304 let k be an algebraically closed field of an... 14305 bibliometrics offers a particular representa... 14306 traditional automatic evaluation measures fo... 14307 we investigate the effect of explicitly enfo... 14308 traditionally classifying large hierarchical... 14309 we have experimentally quantified the tempor... 14310 automatic compiler phase selectionordering h... 14311 shot noise is an important ingredient to any... 14312 we establish the sharp growth rate in terms ... 14313 hypothesis generation is becoming a crucial ... 14314 we consider several previously studied onlin... 14315 we study blackbox attacks on machine learnin... 14316 this work addresses the problem of kinematic... 14317 integrated information theory iit is a promi... 14318 let m be a compact oriented threemanifold wh... 14319 in this paper we propose two novel bounds fo... 14320 in this paper we design fabricate and experi... 14321 conventional shape sensing techniques using ... 14322 distributed control as a potential solution ... 14323 allpay auctions a common mechanism for vario... 14324 we examine volume computation of generaldime... 14325 diluted meanfield models are spin systems wh... 14326 we analyze the clustering problem through a ... 14327 comparison data arises in many important con... 14328 we generalize the chimney model by introduci... 14329 fast radio bursts are a new class of transie... 14330 finetuning of a deep convolutional neural ne... 14331 this work investigates the fundamental limit... 14332 i rebut some erroneous statements and attemp... 14333 we demonstrate that a weakly disordered meta... 14334 this is an epidemiological sirv model based ... 14335 we study a model of seed dispersal that cons... 14336 we propose a new integral probability metric... 14337 in this paper we present a number of robust ... 14338 we calculate the oneloop electron selfenergy... 14339 in this paper we consider the problem of fin... 14340 we show that for each positive integer k the... 14341 many real world practical problems can be fo... 14342 in various economic environments people obse... 14343 this paper proposes a new architecture for s... 14344 the purpose of this note is to explain what ... 14345 this paper presents a framework for automati... 14346 in the first part of this paper we establish... 14347 recent versions of the observed cosmic starf... 14348 alfaburst has been searching for fast radio ... 14349 graphitic carbon nitride nanosheets are amon... 14350 in this paper we develop a way of obtaining ... 14351 the main object of this article is to presen... 14352 it was recently shown that the phase retriev... 14353 the vis instrument on board the euclid missi... 14354 for a set of points in the plane a emphcross... 14355 multinational corporations use highly comple... 14356 magnetised exoplanets are expected to emit a... 14357 we present a new algorithm having a time com... 14358 clinicallyrelevant forms of acute cell injur... 14359 a twostep photoionization strategy of an ult... 14360 the purpose of the present paper is to inves... 14361 in this paper we study moment sequences of m... 14362 in this paper we propose a novel explanation... 14363 dynamic models and statistical inference for... 14364 pretraining of models in pruning algorithms ... 14365 semantic segmentation constitutes an integra... 14366 the main purpose of this paper is to study m... 14367 highresolution observations of the solar chr... 14368 let dilangle xrangle be the free dialgebra o... 14369 discrete event simulators such as omnet prov... 14370 social messages classification is a research... 14371 the rd international workshop on overlay arc... 14372 type diabetes mellitus tdm is a chronic dis... 14373 in this article we study the kapustinwitten ... 14374 a fundamental challenge in developing semant... 14375 there have been many discriminative learning... 14376 differential privacy dp has received increas... 14377 let g be a finite group with the property th... 14378 we study an unbiased estimator for the densi... 14379 variational autoencoder frameworks have demo... 14380 geochemical studies of planetary accretion a... 14381 graph convolutional networks gcns have shown... 14382 for integers kgeq and ngeq k the kneser gra... 14383 we introduce a class of fixed points of prim... 14384 r beheshti showed that for a smooth fano hyp... 14385 the structure of a certain subgroup s of the... 14386 every constraint programming cp solver expos... 14387 the restricted boltzmann machine is a networ... 14388 d convolutional neural networks dcnn have be... 14389 by excluding some regions in which each eige... 14390 variational systems allow effective building... 14391 we consider the problem of nonparametric reg... 14392 using established principles from statistics... 14393 in this work we develop a coupled layer cons... 14394 we study local asymptotic normality of mesti... 14395 the polarization exchange effect in a twiste... 14396 presentday clusters are massive halos contai... 14397 cascading failures may lead to dramatic coll... 14398 the hamiltonian of the quantum calogerosuthe... 14399 we define the it wirtinger number of a link ... 14400 augmenting a neural network with memory that... 14401 we develop a liouville perturbation theory f... 14402 to solve deep metric learning problems and p... 14403 we consider a class of onedimensional compas... 14404 it is shown that the orlikterao algebra is g... 14405 we investigate a principle way to progressiv... 14406 in this paper we address the problem of lear... 14407 a novel capsule target design to improve the... 14408 when a single cell senses a chemical gradien... 14409 formal models of games help us account for a... 14410 in hybrid normed ideal perturbations of ntup... 14411 this paper is concerned with radially symmet... 14412 let g be a simple and finite graph without i... 14413 i make some basic observations about hard ta... 14414 dna methylation has been the most extensivel... 14415 we consider the problem of planning a closed... 14416 we study decay of small solutions of the bor... 14417 there does not exist a general positive corr... 14418 we investigate the defect structures forming... 14419 this paper establishes the almost sure conve... 14420 this paper contributes to an emerging litera... 14421 we investigate the impact of spin anisotropi... 14422 a wellstudied coloring problem is to assign ... 14423 we present a simple result that allows us to... 14424 axon guidance is a crucial process for growt... 14425 motivated by applications in game theory opt... 14426 highmass stars form within star clusters fro... 14427 in this paper we deal with the null controll... 14428 this work is a part of iclr reproducibility ... 14429 we consider the problem of estimating the jo... 14430 here i introduce an extension to demixed pri... 14431 this paper deals with the asymptotic behavio... 14432 we propose an endtoend approach to the natur... 14433 with access to large datasets deep neural ne... 14434 the objective of this paper is to develop an... 14435 we prove that the generalised fibonacci grou... 14436 a rotabaxter operator is an algebraic abstra... 14437 the mass function of galaxy clusters is a se... 14438 with the advent of largescale heterogeneous ... 14439 we obtain the rigorous uniform asymptotics o... 14440 for any undirected and weighted graph gvew w... 14441 readout chips of hybrid pixel detectors use ... 14442 the paper presents a novel analysis of a tra... 14443 the terms acousticelastic metamaterials desc... 14444 blind source separation is a common processi... 14445 recently by chen and o j garay studied point... 14446 we propose a dataefficient gaussian processb... 14447 modern knowledge base systems frequently nee... 14448 we derive an algorithm to compute satisfiabi... 14449 this paper is concerned with optimal control... 14450 a novel minutiabased fingerprint matching al... 14451 suppose ffldotsfn is a system of random nvar... 14452 the majority of online content is written in... 14453 in this paper we study the adaptive learnabi... 14454 the details of an image with noise may be re... 14455 this contribution deals with image restorati... 14456 membrane proteins and lipids can selfassembl... 14457 we show that every uniformly recurrent subgr... 14458 in monotone submodular function maximization... 14459 standard models of reaction kinetics in cond... 14460 monocular d facial shape reconstruction from... 14461 waveparticle duality is the most fundamental... 14462 tensor train tt decomposition provides a spa... 14463 we calculate the energy of threshold fluctua... 14464 excitation of waves in a threelayer acoustic... 14465 in this article we introduce a simple dynami... 14466 a filling dehn surface in a manifold m is a ... 14467 most information spreading models consider t... 14468 we show that under a low complexity conditio... 14469 under very general conditions it is shown th... 14470 we report an easy and versatile route for th... 14471 this paper is intended to be a further step ... 14472 one of the main advantages of prolog is its ... 14473 superconductivity was recently observed in c... 14474 we present the synthesis and a detailed inve... 14475 in this paper we focus our attention on the ... 14476 we investigate superconductivity that may ex... 14477 relativizing computations of turing machines... 14478 electrical conductivity and high dielectric ... 14479 which of your teams possible lineups has the... 14480 observability of complex systemsnetworks is ... 14481 continuous appearance shifts such as changes... 14482 we present our implementation of an automate... 14483 we investigate the time evolution towards th... 14484 coded caching scheme which is an effective t... 14485 online learning with streaming data in a dis... 14486 we report on the perpendicular magnetic anis... 14487 we investigate the universal cover of a topo... 14488 synchrotron emitting bubbles arise when the ... 14489 efimov effect refers to quantum states with ... 14490 an edited version is given of the text of gd... 14491 in this paper we present temperature and fie... 14492 minimax lower bounds are pessimistic in natu... 14493 humans and animals have the ability to conti... 14494 zdextensions of probabilitypreserving dynami... 14495 the use of renewable energy sources is a maj... 14496 as companies increase their efforts in retai... 14497 the recent observation of discrepancies in t... 14498 halfmetallic properties of tlcrs tlcrse and ... 14499 we study interfacial magnetocrystalline anis... 14500 nature inspired neuromorphic architectures a... 14501 an ade dynkin diagram gives rise to a family... 14502 we study a network utility maximization num ... 14503 with the advent of deep learning object dete... 14504 this paper examines the cosmic ray he and c ... 14505 symmetric nonnegative matrix factorization s... 14506 the total mass mgcs in the globular cluster ... 14507 we present a database of parliamentary debat... 14508 this paper deals with model order reduction ... 14509 ensembles of nitrogenvacancy centers in diam... 14510 topological spin liquids are robust quantum ... 14511 in semisymbolic controlexplicit datasymbolic... 14512 dimer algebras arise from a particular type ... 14513 the subject is traces of sobolev spaces with... 14514 models with many signals highdimensional mod... 14515 training of discrete latent variable models ... 14516 biological organisms have to cope with stoch... 14517 to improve the performance of intensive care... 14518 this paper proposes two lowcomplexity iterat... 14519 in this paper we describe the routine photom... 14520 we report on the electronic transport and th... 14521 it is shown that for a solvable subgroup g o... 14522 gene expression ge data capture valuable con... 14523 a problem faced by many instructors is that ... 14524 most recent cnn architectures use average po... 14525 abridged we used the fourth internal data re... 14526 robust stable marriage rsm is a variant of t... 14527 we know that in empty space there is no pref... 14528 an intelligent personal agent ipa is an agen... 14529 with the increased use of internet governmen... 14530 we evaluate a curious determinant first ment... 14531 this entry discusses the problem of describi... 14532 this paper introduces deep neural networks d... 14533 we apply three data science techniques nonne... 14534 motivated by truncated em method introduced ... 14535 this expository paper is concerned with the ... 14536 dual spectral computed tomography dsct can a... 14537 the timed pattern matching problem is an act... 14538 we report on g r and i band observations of ... 14539 we propose a method for variable selection i... 14540 generative adversarial networks gan goodfell... 14541 a basic and still largely unanswered questio... 14542 we present a recurrent encoderdecoder deep n... 14543 personalized search has been a hot research ... 14544 sobol sequences are widely used for quasimon... 14545 a high order wavelet integral collocation me... 14546 weaklycoupled tevscale particles may mediate... 14547 we present generalized versions of the conce... 14548 as the size and complexity of software syste... 14549 we propose two coded schemes for the distrib... 14550 we study the gevrey character of a natural p... 14551 on a periodic basis publicly traded companie... 14552 a new pathway to nuclear magnetic resonance ... 14553 a meticulous assessment of the risk of extre... 14554 this paper deals with the homogenization pro... 14555 in this paper rungekuttagegenbauer rkg stabi... 14556 we develop a tensor network technique that c... 14557 recent advances in ultrafast measurement in ... 14558 phonetic segmentation is the process of spli... 14559 implicit models which allow for the generati... 14560 traditional centralized energy systems have ... 14561 generative adversarial networks gans are a p... 14562 the introduction of serious games as pedagog... 14563 in this paper we investigate the complexity ... 14564 it has recently been found that bosonic exci... 14565 the dynamic dipole polarizabilities of the l... 14566 the fifth generation of mobile communication... 14567 we investigate the structural electronic tra... 14568 in this work exact solutions for the equatio... 14569 recent research in psycholinguistics has pro... 14570 the standard cosmographic approach consists ... 14571 discourse parsing has long been treated as a... 14572 in this paper we study the combinatorial mul... 14573 deep neural networks achieve unprecedented p... 14574 droplet evaporation in turbulent sprays invo... 14575 let mathbbx d mu be a proper metric measur... 14576 we show how simultaneous backaction evading ... 14577 though theoretically expected the charge exc... 14578 we consider friedlanders wave equation in tw... 14579 this paper represents a systematic way for g... 14580 in this paper we study the following multipa... 14581 recent years witnessed an extensive developm... 14582 in todays era of big data robust leastsquare... 14583 in this paper we prove a global result for t... 14584 implicit schemes have been extensively used ... 14585 we give a complete description of the congru... 14586 let sf x be a symplectic orbifold groupoid w... 14587 we use logmmodot quiescent and starforming ... 14588 the main purpose of this paper is to propose... 14589 this paper is focused on dimensionfree pacba... 14590 the paper surveys topological problems relev... 14591 we propose a novel guessandcheck principle t... 14592 the formation of correlated electron pairs o... 14593 the gikn construction was introduced by goro... 14594 we consider the problem of sampling from pos... 14595 the gibbs sampler is a particularly popular ... 14596 in this paper we argue why and how the integ... 14597 this article sets forth results on the exist... 14598 in this paper we characterize planar central... 14599 water fountain stars wfs are evolved objects... 14600 subordinate diffusions are constructed by ti... 14601 graph embedding is an effective method to re... 14602 we introduce a novel approach to perform fir... 14603 without access to large compute clusters bui... 14604 semiconductor nanowires provide an ideal pla... 14605 in the setting of finite type invariants for... 14606 automatic segmentation in mr brain images is... 14607 we present a brief review on integrability o... 14608 clinical trial registries can be used to mon... 14609 we adapt the wellknown spectral decimation t... 14610 we develop a calculus for diagrams of knotte... 14611 schmidts game and other similar intersection... 14612 kernel kmeans clustering can correctly ident... 14613 the classification of time series data is a ... 14614 this paper is mainly inspired by the conject... 14615 this paper proposes distributed algorithms f... 14616 product distribution matching pdm is propose... 14617 last decade witnesses significant methodolog... 14618 machine learningguided protein engineering i... 14619 the inner structure of a material is called ... 14620 utilizing the hirsch index h and some of its... 14621 although darwinian models are rampant in the... 14622 collaborations are an integral part of scien... 14623 for a second order operator on a compact man... 14624 we develop a theory based on the formalism o... 14625 we present a dataset with models of articul... 14626 we relate the minimax game of generative adv... 14627 it has recently been discovered that some if... 14628 the size of a planet is an observable proper... 14629 we prove that for any dimension function h w... 14630 pushdown systems pdss and recursive state ma... 14631 we discuss the averagefield approximation fo... 14632 in chemical or physical reaction dynamics it... 14633 the radial drift problem constitutes one of ... 14634 as a counterpart of the classical yamabe pro... 14635 in this paper we discuss the stability prope... 14636 compound distributions allow construction of... 14637 identifying influential nodes in a network i... 14638 for population systems modeled by agestructu... 14639 we provide an explicit presentation of an in... 14640 bayesian hierarchical models are increasingl... 14641 the comparison of observed brain activity wi... 14642 there has been a recent surge of interest in... 14643 we consider a kepler problem in dimension tw... 14644 slow light propagation in structured materia... 14645 highresolution imaging has delivered new pro... 14646 in a recent paper a alberucci c jisha n smyt... 14647 place recognition is a challenging problem i... 14648 in this paper we assess the predictive power... 14649 we present a smooth distributed nonlinear co... 14650 the milky way bulge shows a boxpeanut or xsh... 14651 this paper analyzes the impact of peer effec... 14652 the hitomi xray satellite has provided the f... 14653 autoencoding generative adversarial networks... 14654 edwin powel hubble is regarded as one of the... 14655 fully convolutional neural networks fcn have... 14656 we extend some of the results proved for sca... 14657 this paper introduces a new approach to cost... 14658 the tensorflow distributions library impleme... 14659 we present a oneparameter family of mathemat... 14660 we mine the tychoit gaia astrometric solutio... 14661 when each data point is a large graph graph ... 14662 accurately predicting machine failures in ad... 14663 collective adaptive systems cas consist of a... 14664 the use of functional brain imaging for rese... 14665 a presentation at the scineghe conference of... 14666 knaster continua and solenoids are wellknown... 14667 we introduce a class of theories called meta... 14668 we study the mutual alignment of radio sourc... 14669 graph based semisupervised learning gssl has... 14670 peertopeer pp botnets have become one of the... 14671 galaxyscale outflows are nowadays observed i... 14672 deep neural networks dnns are one of the mos... 14673 we prove by a computer aided proof the exist... 14674 recent work in fairness in machine learning ... 14675 predicting the future location of vehicles i... 14676 the metriplectic formalism couples poisson b... 14677 we introduce a hierarchical architecture for... 14678 finding similar user pairs is a fundamental ... 14679 square arrays of submicrometer columnar defe... 14680 gathering information about forest variables... 14681 recently many studies have demonstrated deep... 14682 sentiment analysis aims to uncover emotions ... 14683 we address the statistical and optimization ... 14684 we report on the observation of magnon therm... 14685 extensions and generalizations of alzers ine... 14686 we present oncilla robot a novel mobile quad... 14687 generating graphs that are similar to real o... 14688 quadratic regression goes beyond the linear ... 14689 this paper addresses the problems of quantum... 14690 let m be ternary homogeneous and simple we p... 14691 amyloid beta peptides abeta implicated in al... 14692 let mathbbk be the algebraic closure of a fi... 14693 the study of continuous phase transitions tr... 14694 many stateoftheart reinforcement learning rl... 14695 understanding cell identity is an important ... 14696 it is shown that continuously changing the e... 14697 the densitymatrixrenormalizationgroup dmrg m... 14698 at the interface between two distinct materi... 14699 deep learning models are very effective in s... 14700 let kbellpnbellqn be the ndimensional pqboh... 14701 with rapid progress and significant successe... 14702 neural architecture search nas has been prop... 14703 network embeddings have become very popular ... 14704 there are two major questions that neuroimag... 14705 light axionic dark matter motivated by strin... 14706 we use the information present in a bipartit... 14707 in textual information extraction and other ... 14708 in this paper we design and analyze a new ze... 14709 we consider the stochastic damped navierstok... 14710 a compact circlepacking p of the euclidean p... 14711 nowadays a hot challenge for supermarket cha... 14712 in this paper the concept of multirate parti... 14713 this paper considers the optimal modificatio... 14714 we consider the binary classification proble... 14715 we examine the effect of carrier localizatio... 14716 information in neural networks is represente... 14717 given a connected real lie group and a contr... 14718 the large synoptic survey telescope lsst wil... 14719 a monte carlo method based on the geant tool... 14720 a general theory of presentations for dframe... 14721 automata expressiveness is an essential feat... 14722 nowadays protecting trust in social sciences... 14723 this paper is a continuation of the second a... 14724 modeling buildings heat dynamics is a comple... 14725 we present a decentralized and scalable appr... 14726 we propose an alternative evaluation of quan... 14727 conjugate gradient cg methods are a class of... 14728 kalman filters are routinely used for many d... 14729 fully reconfigurable metasurfaces would enab... 14730 we present an approach to automatic detectio... 14731 as illustrated in recent years superstorm sa... 14732 we present a new technique for learning visu... 14733 in this paper we investigate the coolingoff ... 14734 we unveil a novel and unexpected manifestati... 14735 experiments and simulations have established... 14736 the transition mechanism of jump processes b... 14737 we use globular cluster kinematics data prim... 14738 we study the dynamics of the bogoliubov wave... 14739 the heaviest of the transuranic elements kno... 14740 speckle reduction is a longstanding topic in... 14741 we define the radon transform functor for sh... 14742 we propose foundations for a synthetic theor... 14743 highorder parametric models that include ter... 14744 in this article i discuss the relationship o... 14745 we extend the constructive dependent type th... 14746 in this article we give the explicit solutio... 14747 we quantify the accuracy of various simulato... 14748 let q be a power of a prime p and let uq be ... 14749 we deal with zerodelay source coding of a ve... 14750 we develop a unified description via the bol... 14751 in this paper we define a notion of calibrat... 14752 we present the design and manufacturing of h... 14753 we consider the dynamics of message passing ... 14754 in the first part of this paper we will prov... 14755 in this paper we propose the first computati... 14756 we have already developed the recommendation... 14757 a seminal result in decentralized control is... 14758 optical clocks benefit from tight atomic con... 14759 a special type of rotarywing unmanned aerial... 14760 traffic congestion is a widespread problem d... 14761 in this note we expand on some technical iss... 14762 nontrivial connectivity has allowed the trai... 14763 there is a significant literature on methods... 14764 mahlmann and schindelhauer defined a markov... 14765 simultaneous localization and mapping slam i... 14766 noting the importance of the latent variable... 14767 in the present work weighted area integral m... 14768 based on firstprinciples calculations and ef... 14769 water plays a major role in biosystems great... 14770 let mathfrakg be a hyperbolic kacmoody algeb... 14771 affine policies or control are widely used a... 14772 we give the sharp conditions for boundedness... 14773 in this paper we introduce transformations o... 14774 convolutional neural networks cnns have been... 14775 we prove the superhedging duality for a disc... 14776 we take advantage of the gaiaeso survey idr ... 14777 in we proved that for every symmetric repet... 14778 we present three new semilagrangian methods ... 14779 the integrated nested laplace approximation ... 14780 supervisory signals can help topic models di... 14781 we study the spatial fluctuations of the cas... 14782 nonlinear kernel methods can be approximated... 14783 though suicide is a major public health prob... 14784 an rna sequence is a word over an alphabet o... 14785 motivated by recent findings that human mobi... 14786 we present a sufficient condition for irredu... 14787 triplet networks are widely used models that... 14788 recovering pairwise interactions ie pairs of... 14789 the boundary algebraic bethe ansatz for a su... 14790 strengthening or destroying a network is a v... 14791 reparameterization of variational autoencode... 14792 the case of the classical hill problem is nu... 14793 this paper addresses a task allocation probl... 14794 in this paper we construct the simultaneous ... 14795 nanometalsemiconductor junction dependent po... 14796 the paper approaches the problem of imagetot... 14797 humanoid soccer robots perceive their enviro... 14798 this paper considers the problem of inferrin... 14799 the fermilab muon campus will host the muon ... 14800 in this research we investigate the nonlinea... 14801 many modern unsupervised or semisupervised m... 14802 in a multiagent system transitioning from a ... 14803 largebatch training approaches have enabled ... 14804 standard deep learning systems require thous... 14805 we propose a novel method called robust kern... 14806 we analyse families of codes for classical d... 14807 we study the training process of deep neural... 14808 in this paper we explore the theoretical bou... 14809 let fcolon m to m be a uniformly quasiregula... 14810 our method of density elimination is general... 14811 in this article we use linear algebra to imp... 14812 the concept of leaderfollower or stackelberg... 14813 it is widely perceived that the correlation ... 14814 while deep learning is remarkably successful... 14815 bayesian inference for models that have an i... 14816 the impact of neutral impurity scattering of... 14817 batyrev constructed a family of calabiyau hy... 14818 transfer learning tl aims to transfer knowle... 14819 we show that every periodic virtual knot can... 14820 computing optimal transport distances such a... 14821 women have become better represented in busi... 14822 we establish the monotonicity property for t... 14823 creating tetrahedral meshes with anatomicall... 14824 dropout is a very effective way of regulariz... 14825 this paper is a continuation of arxiv we pre... 14826 we illustrate the advantages of distance wei... 14827 accurate state estimation of largescale lith... 14828 the goal of this paper is not to introduce a... 14829 this paper presents a new multitask learning... 14830 the fast iterative soft thresholding algorit... 14831 we introduce a regression model for data on ... 14832 a convolutional neural network was used to p... 14833 we briefly review the recent results of cons... 14834 supersymmetry plays an important role in sup... 14835 using the tridiagonal representation approac... 14836 in this paper we systematically explore ques... 14837 by applying measurements of the dielectric c... 14838 samples of two characteristic semiconductor ... 14839 databases are widespread yet extracting rele... 14840 the dominative plaplace operator is introduc... 14841 we show that every free amalgamation class o... 14842 elliptically contoured distributions general... 14843 the classification of shapes is of great int... 14844 we present a clustering analysis of a sample... 14845 this work exploits the logical foundation of... 14846 we study radiative neutrino pair emission in... 14847 the mdl twopart coding textitindex of resol... 14848 the current work combines the cluster dynami... 14849 one dimensional hybrid systems play an impor... 14850 pearson correlation and mutual information b... 14851 we construct an explicit projective bimodule... 14852 modern deep neural networks dnns spend a lar... 14853 structured prediction is ubiquitous in appli... 14854 as mentioned by schwartz and cokelet it wa... 14855 the effects of high pressure on the crystal ... 14856 the aim of this research is to design and im... 14857 we use integratedlight spectroscopic observa... 14858 the recent series of the asp system clingo ... 14859 flexible duplex is proposed to adapt to the ... 14860 in this paper we establish the carleman esti... 14861 doubts have been expressed in a comment eur ... 14862 a notion of delegated causality is introduce... 14863 resonating valence bond rvb theory of high t... 14864 in this paper we consider numerical approxim... 14865 the kleinkramers equation governing the brow... 14866 learning an optimal policy from a multimodal... 14867 several fourier transformations of functions... 14868 shunt facts devices such as a static var com... 14869 the established spin splitting in monolayer ... 14870 completeness of a dynamic priority schedulin... 14871 in this paper we obtain a description of the... 14872 colletotrichum represent a genus of fungal s... 14873 the space of based loops in slnmathbbc also ... 14874 we study le potiers strange duality conjectu... 14875 graph signals offer a very generic and natur... 14876 we present an evaluation of several represen... 14877 many policy search algorithms have been prop... 14878 the ideas that we forge creatively as indivi... 14879 elucidating the interaction between magnetic... 14880 sylvester factor an essential part of the as... 14881 we study analytically and numerically envelo... 14882 decision making based on behavioral and neur... 14883 inspired by mirror symmetry we investigate s... 14884 for sputter depth profiling often sample ero... 14885 using a quantum wave packet simulation inclu... 14886 we propose a theoretical framework for think... 14887 this work focuses on reliable detection and ... 14888 telephone call centers offer a convenient co... 14889 areal level spatial data are often large spa... 14890 the ecir halfday workshop on taskbased and a... 14891 determining the velocity distribution of hal... 14892 in this paper we study the asymptotic behavi... 14893 symbolpair codes introduced by cassuto and b... 14894 we present a baseline approach for crossmoda... 14895 from topology of the order parameter of the ... 14896 van der waals vdw heterostructures are recei... 14897 one of the longstanding challenges in artifi... 14898 we prove under two sufficient conditions tha... 14899 experimental data availability is a cornerst... 14900 mra multilingual report annotator is a web a... 14901 we consider sis contagion processes over net... 14902 we propose a multilayer approach to simulate... 14903 here we construct the conformal mappings wit... 14904 neural networks are known to be vulnerable t... 14905 let k be a field and denote by kt the polyno... 14906 deep neural networks dnns are powerful nonli... 14907 societies are complex systems which tend to ... 14908 measurements on a subset of the boundary are... 14909 in this paper we propose a new optimization ... 14910 time domain terahertz spectroscopy typically... 14911 robust optimization has traditionally taken ... 14912 multidimensional time series are sequences o... 14913 we show that for any positive integer k the ... 14914 in this paper we have proposed a modified ma... 14915 we propose a dynamic programming solution to... 14916 we consider the dynamics of overdamped mems ... 14917 in this paper we theoretically address three... 14918 in a puzzling transition was discovered in ... 14919 we review different constructions of the sup... 14920 i present a discussion of the hierarchy of t... 14921 it is well known that in the context of gene... 14922 the main purpose of this macrostudy is to sh... 14923 a policy is said to be robust if it maximize... 14924 a vector bundle e on a projective variety x ... 14925 the aperture synthesis simulator is a simple... 14926 an expression for the dimensionless dissipat... 14927 markov chain monte carlo is widely used in a... 14928 previous research using evolutionary computa... 14929 ensemble averaging experiments may conceal m... 14930 joint analysis of data from multiple informa... 14931 algebraic methods have a long history in sta... 14932 we explore theoretically the magnetoresistan... 14933 the availability of data sets with large num... 14934 several growth models have been proposed in ... 14935 selfpaced learning spl is a new methodology ... 14936 while the emerging evidence indicates that t... 14937 we study harmonic soft spheres as a model of... 14938 we introduce diffusively coupled networks wh... 14939 recent advances in visual tracking showed th... 14940 we construct a fixed parameter algorithm par... 14941 we formalize the arithmetic topology ie a re... 14942 deep neural networks have become invaluable ... 14943 we introduce the notion of a crystallographi... 14944 the paper analyzes special cyclic jacobi met... 14945 applied researchers often construct a networ... 14946 with the tremendous increase in the number o... 14947 for an affine toric variety mathrmspeca we g... 14948 machine learning methods in general and deep... 14949 for a signed cyclic graph g we can construct... 14950 a singleparticle mobility edge spme marks a ... 14951 abridged lowluminosity gasrich blue compact ... 14952 tuning cellular network performance against ... 14953 navigation has been a popular area of resear... 14954 we investigate the onset of superconductivit... 14955 we study the boundary behavior of the socall... 14956 in this work we consider the problem of comb... 14957 in many smart infrastructure applications fl... 14958 when trying to maximize the adoption of a be... 14959 we study a superconducting transmission line... 14960 relativistic newtonian dynamics rnd was intr... 14961 this paper introduces a new sparse spatiotem... 14962 parameterized algorithms are a way to solve ... 14963 discovering community structure in complex n... 14964 in this paper we assume that all isoparametr... 14965 learning rich and diverse representations is... 14966 antiunitary representations of lie groups ta... 14967 motivation\nautomatically testing changes to... 14968 we study xxz spin systems on general graphs ... 14969 there is growing interest in estimating and ... 14970 we consider the problem of the combinatorial... 14971 we show that standard candles can provide so... 14972 understanding exoplanet formation and findin... 14973 we extend the standard bayesian multivariate... 14974 how diverse are sharing economy platforms ar... 14975 we consider the estimation accuracy of indiv... 14976 modeling and parameter estimation for neuron... 14977 in this paper we prove the uniqueness and ra... 14978 we consider the problem of differential priv... 14979 scattertext is an open source tool for visua... 14980 we consider complements of standard seifert ... 14981 we compute the modular transformation formul... 14982 contributions of the codalemaextasis experim... 14983 clustering samples according to an effective... 14984 solar filamentsprominences are one of the mo... 14985 stochastic convex optimization algorithms ar... 14986 we combine conditions found in wh with resul... 14987 direct impact excitation by precipitating el... 14988 current methods to optimize vaccine dose are... 14989 we consider the problem of efficiently learn... 14990 we prove that if p equiv pmod is prime and ... 14991 many social networks exhibit some underlying... 14992 online social systems have become important ... 14993 the presence of very few statistical studies... 14994 the future generation networks internet of t... 14995 the challenge of understanding hightemperatu... 14996 in this work we apply the coles nonstandard ... 14997 magnetic oxyselenides have been the topic of... 14998 this paper presents a novel framework for in... 14999 to design a uniaxial anisotropic metamateria... 15000 as a first approach to the study of systems ... 15001 data processing pipelines represent an impor... 15002 stationary stellar systems with radially elo... 15003 in the past calculation of wakefields genera... 15004 minimizing the nuclear norm of a matrix has ... 15005 this paper presents a novel approach for sta... 15006 measurement of the energy eigenvalues spectr... 15007 fix a quadratic order over the ring of integ... 15008 neural autoregressive models are explicit de... 15009 a stochastic orbital approach to the resolut... 15010 game maps are useful for human players gener... 15011 the paper is focused on the problem of estim... 15012 conventional text classification models make... 15013 the akari irc allsky survey provided more th... 15014 we demonstrate that a prior influence on the... 15015 we consider the multicomponent widomrowlison... 15016 graph theory provides a language for studyin... 15017 metric search is concerned with the efficien... 15018 in this paper we study solutions possibly un... 15019 in this paper we present a new and significa... 15020 the question of selecting the best amongst d... 15021 imaging assays of cellular function especial... 15022 using the language of riordan arrays we stud... 15023 we observe and explain theoretically a drama... 15024 in portfolio analysis the traditional approa... 15025 this paper studies the characteristics and a... 15026 many neural systems display avalanche behavi... 15027 ontology alignment is widelyused to find the... 15028 we consider the design and modeling of metas... 15029 we introduce the connection scan algorithm c... 15030 we consider two stage estimation with a nonp... 15031 this paper shows that the conditional quanti... 15032 we present a principled technique for reduci... 15033 the formation of deuterated molecules is fav... 15034 models involving branched structures are emp... 15035 with the recent success of embeddings in nat... 15036 in this paper we study electron wavepacket d... 15037 we consider corotational wave maps from the ... 15038 roxs mass j is a young star hosting a direc... 15039 we study the emergence of dissipation in an ... 15040 satellite conjunction analysis is the assess... 15041 recently a proposal has been advanced to det... 15042 affine lambdaterms are lambdaterms in which ... 15043 chemotherapeutic response of cancer cells to... 15044 we propose a technique for calculating and u... 15045 in the present paper new classes of wavelet ... 15046 soft microrobots based on photoresponsive ma... 15047 we investigate using the density matrix reno... 15048 advances in machine learning ml have led to ... 15049 the wolynes theory of electronically nonadia... 15050 densityfunctional theory dft has revolutioni... 15051 since the seminal observation of roomtempera... 15052 spin and angleresolved photoemission spectro... 15053 modern machine learning techniques can be us... 15054 trending topics in microblogs such as twitte... 15055 various optical methods for measuring positi... 15056 we explore the correlations between velocity... 15057 a new type of endtoend system for textdepend... 15058 process mining allows analysts to exploit lo... 15059 let pdots pn and qdots qn be convex polytope... 15060 consider a coloring of a graph such that eac... 15061 in several literatures the authors give a ne... 15062 the belief propagation approximation or cavi... 15063 observational learning is a type of learning... 15064 packet parsing is a key step in sdnaware dev... 15065 we address the question concerning the birat... 15066 we present a microscopic theory for the rama... 15067 we show that the distribution of symmetry of... 15068 we fabricate highmobility ptype fewlayer wse... 15069 in the field of reinforcement learning there... 15070 in this thesis we study two problems based o... 15071 comparative molecular dynamics simulations o... 15072 we study the nonstationary stochastic multia... 15073 a main goal of nasas kepler mission is to es... 15074 convolutional neural networks cnns has shown... 15075 we present a position paper advocating the n... 15076 we provide expressions for the nonperturbati... 15077 we develop refined strichartz estimates at l... 15078 we present a test for determining if a subst... 15079 search engines play an important role in our... 15080 the reverse spacetime rst sinegordon sinhgor... 15081 we present a study on the impact of mn subst... 15082 given a sample of bids from independent auct... 15083 contemporary web pages with increasingly sop... 15084 in this work we conducted a survey on differ... 15085 person reidentification person reid is a cru... 15086 let sxxdotsxn be a set of distinct positive ... 15087 this paper investigates two strategies to re... 15088 suppose omega a subseteq rrsetminusset are t... 15089 modern investigation in economics and in oth... 15090 in this work we have characterized changes i... 15091 given a field f of operatornamecharf we defi... 15092 being able to recognize emotions in human us... 15093 sufficient statistics are derived for the po... 15094 in this paper we study the bernstein polynom... 15095 the emphlongest common extension emphlce pro... 15096 materials design and development typically t... 15097 we propose a unified framework to speed up t... 15098 power prediction demand is vital in power sy... 15099 there has been growing interest in developin... 15100 in relativistic quantum field theories compa... 15101 in this work we make two improvements on the... 15102 vehicle climate control systems aim to keep ... 15103 the truncated fourier operator mathscrfmathb... 15104 we prove that the regular ntimes n square gr... 15105 given a list of k sourcesink pairs in an edg... 15106 label shift refers to the phenomenon where t... 15107 there has been an increasing interest in lea... 15108 the first billion years of the universe is a... 15109 often when multiple labels are obtained for ... 15110 we introduce the concept of floquet topologi... 15111 inspired by recent interests of developing m... 15112 global recruitment into radical islamic move... 15113 interpretable machine learning tackles the i... 15114 this doctoral work focuses on three main pro... 15115 many complex systems can be represented as n... 15116 a new variation of blockchain proof of work ... 15117 an extensive precise and robust recognition ... 15118 linear parametervarying lpv systems with jum... 15119 we consider the problem of identity testing ... 15120 we present a thorough tightbinding analysis ... 15121 an increasing number of sensors on mobile in... 15122 the recently introduced mixed timeaveraging ... 15123 in this paper we establish squarefunction es... 15124 the aim of this paper is to study a poset is... 15125 one of the main challenges in probing the re... 15126 linearquadraticgaussian lqg control is conce... 15127 detection tracking and pose estimation of su... 15128 this paper is about computing constrained ap... 15129 a promising paradigm for achieving highly ef... 15130 the problem of nongaussian component analysi... 15131 acoustic ranging based indoor positioning so... 15132 semisupervised learning ssl provides a power... 15133 we are concerned with the inverse scattering... 15134 we introduce a workable notion of degree for... 15135 in this paper we further develop the theory ... 15136 to guarantee the security of uniform random ... 15137 email cryptography applications often suffer... 15138 we study topological excitations in twocompo... 15139 statistical inference for exponentialfamily ... 15140 we propose a mixed integer programming mip m... 15141 the recent announcement of a neptunesized ex... 15142 we present a datadriven framework called gen... 15143 eradicating hunger and malnutrition is a key... 15144 stress urinary incontinence sui or urine lea... 15145 in this paper we study the compressibility o... 15146 spacefilling designs are popular choices for... 15147 adaptive stochastic gradient descent methods... 15148 this paper studies scenarios of cyclic domin... 15149 deep networks have recently been shown to be... 15150 we investigate anomaly detection in an unsup... 15151 rapid miniaturization and cost reduction of ... 15152 we investigate the effect of bandlimited whi... 15153 signaltonoiseplusinterference ratio sinr out... 15154 one of the most important tools for the deve... 15155 revealing adverse drug reactions adr is an e... 15156 it is wellknown that the problem to solve eq... 15157 predicting traffic conditions has been recen... 15158 the article addresses a longstanding open pr... 15159 this paper is a comprehensive introduction t... 15160 the rise of usercontributed open source soft... 15161 the design of sparse spatially stretched tri... 15162 the almost sure hausdorff dimension of the l... 15163 as power electronics shrinks down to submicr... 15164 let vvv be a triple of even dimensional vect... 15165 in strassen shocked the world by showing th... 15166 spiking neural network snn naturally inspire... 15167 the emphvitality of an arcnode of a graph wi... 15168 this paper presents a new approach in unders... 15169 the ability of the mammalian ear in processi... 15170 we derive general expressions for resonant i... 15171 in this paper we investigate hamiltonian pat... 15172 we address the task of ranking objects such ... 15173 multiple design iterations are inevitable in... 15174 we consider the inverse ising problem ie the... 15175 we studied the emergence process of active ... 15176 let f be a lipschitz map from a subset a of ... 15177 sleep plays a vital role in human health bot... 15178 we study which algebras have tilting modules... 15179 deep neural network models used for medical ... 15180 gaining a detailed understanding of water tr... 15181 recently the authors and de wolff introduced... 15182 fairnessaware classification is receiving in... 15183 community identification in a network is an ... 15184 stateoftheart static analysis tools for veri... 15185 application of naitl detectors in the search... 15186 the finitedifference timedomain fdtd method ... 15187 this work considers a stochastic nash game i... 15188 in algebraic terms the insertion of npowers ... 15189 the origin and nature of extreme energy cosm... 15190 we propose a precise ellipsometric method fo... 15191 singleuser multipleinput multipleoutput sum... 15192 bistability and multistationarity are proper... 15193 background in silico drugtarget interaction ... 15194 penaltybased variable selection methods are ... 15195 in the last three decades we have seen a sig... 15196 the impact of the maximally possible batch s... 15197 we consider compositecomposite testing probl... 15198 a databased policy for iterative control tas... 15199 in this paper we investigate the metric prop... 15200 transition metal dichalcogenides tmds exhibi... 15201 we review and modify the active set algorith... 15202 let m be a ii factor with a von neumann suba... 15203 in statistics and machine learning approxima... 15204 in this work which is based on an essential ... 15205 classical linear regression is considered fo... 15206 in this paper we consider the witten laplaci... 15207 for p let a function varphipx x if xle a... 15208 here we report smallangle neutron scattering... 15209 we derive asymptotic formulas for the soluti... 15210 we develop the general theory for the constr... 15211 social network analysis provides meaningful ... 15212 understanding the nature of bulges in disc g... 15213 growth in both size and complexity of modern... 15214 we report a measurement of kll dielectronic ... 15215 growing interest in automatic speaker verifi... 15216 face deidentification is an active topic amo... 15217 comment on dependency distance a new perspec... 15218 precision pulsar timing requires optimizatio... 15219 this article was withdrawn because it was u... 15220 traffic speed is a key indicator for the eff... 15221 we construct a family of vertex algebras ass... 15222 approximate model counting for bitvector smt... 15223 we develop a family of reformulations of an ... 15224 we examine dense selfgravitating stellar sys... 15225 we propose a new type of hopf semimetals ind... 15226 we present an extensive study of the key pro... 15227 we report experimental studies of the influe... 15228 this paper provides a set of sensitivity ana... 15229 online writers and journalism media are incr... 15230 accurate prediction of suitable discourse co... 15231 although reinforcement learning methods can ... 15232 in this paper we propose a novel splitting r... 15233 the paper establishes the equality condition... 15234 the gap between our ability to collect inter... 15235 this paper is about models for a vector of p... 15236 the family of information dispersal algorith... 15237 a group theoretical formulation of schrammlo... 15238 although the explicit commutativitiy conditi... 15239 radiative alphacapture alphagamma reactions ... 15240 we recall first gallaisimplicial complex del... 15241 ensuring that classifiers are nondiscriminat... 15242 currently extensible access control markup l... 15243 based on the results published recently j ph... 15244 purpose mri cell tracking can be used to mon... 15245 we present a novel algorithm for learning th... 15246 we prove an equivalence between the infinite... 15247 we analyze threedimensional hydrodynamical s... 15248 this paper tackles the reduction of redundan... 15249 we consider the lasso for a noiseless experi... 15250 transformer lifetime assessments plays a vit... 15251 future projection of climate is typically ob... 15252 random impedance networks are widely used as... 15253 purpose to compare two methods that use xray... 15254 in many environments only a tiny subset of a... 15255 we study the dynamics of overdamped brownian... 15256 the ensemble kalman methodology in an invers... 15257 positron emission tomography pet is a functi... 15258 electrochemistry is the underlying mechanism... 15259 we build new algebraic structures which we c... 15260 given the n vertices of a convex polygon in ... 15261 for the analysis of molecular processes the ... 15262 we present microlensing events in the korea... 15263 as researchers use computational methods to ... 15264 skeletonbased human action recognition has a... 15265 in this work we propose a novel method for q... 15266 a cognitive radar adapts the transmit wavefo... 15267 imitation learning algorithms learn viable p... 15268 shape memory alloys often show a complex hie... 15269 recent advances in representation learning o... 15270 deep convolutional neural networks cnns base... 15271 we introduce a bayesian approach for modelin... 15272 we consider the minimization of submodular f... 15273 the evolution from superconducting litiodelt... 15274 classes of locally compact groups having qua... 15275 additively separable hedonic games and fract... 15276 we present a novel method to solve image ana... 15277 the inverse problem of antiplane elasticity ... 15278 we present a construction of a hilbert space... 15279 this article describes the final solution of... 15280 brain electroencephalography eeg classificat... 15281 we present a casestudy demonstrating the use... 15282 ensemble kalman filter enkf is an important ... 15283 this note is devoted to the study of the hom... 15284 this paper provides an alternative approach ... 15285 the construction of anisotropic triangulatio... 15286 principal component analysis pca and singula... 15287 twentyseven years ago one of the biggest soc... 15288 we present the second release of valueadded ... 15289 machine learning can impact people with lega... 15290 recently resources and tasks were proposed t... 15291 a generic model for the shape optimization p... 15292 the manifold which admits a genus reducible ... 15293 the use of programming languages can wax and... 15294 we establish the link between mathematical m... 15295 this book chapter introduces regression appr... 15296 data and knowledge representation are fundam... 15297 the artificial axon is a recently introduced... 15298 in this paper a multiobjective mathematical ... 15299 in this article we study the treewidth of th... 15300 two meromorphic functions fz and gz sharing ... 15301 during rutherford cable production the wires... 15302 interpreting the smallscale clustering of ga... 15303 the synthesis physical photocatalytic and an... 15304 suppose we are sending out k robots from to... 15305 we present an implementation of the relativi... 15306 the problem of efficiently characterizing de... 15307 convolutional sparse representations are a f... 15308 principal component analysis pca has welldoc... 15309 single molecule magnets smms with singleion ... 15310 compressive sensing cs combines data acquisi... 15311 we explore solutions for automated labeling ... 15312 for robots to coexist with humans in a socia... 15313 i give a brief overview of arxiv history and... 15314 in recent years realistic hydrodynamical sim... 15315 chargeneutral circ domain walls that separat... 15316 android apps should be designed to cope with... 15317 strongly disordered spin chains invariant un... 15318 the use of optothermal molecular energy stor... 15319 using hybrid exchangecorrelation functional ... 15320 during genomics life science research the da... 15321 in the framework of the laplacian transport ... 15322 deep generative models have been wildly succ... 15323 we obtain the optimal bayesian minimax rate ... 15324 we solve a lifecycle model in which the cons... 15325 we present a complete and consistent quantum... 15326 we investigate drag reduction due to the flo... 15327 the success of deep learning has led to a ri... 15328 in this paper an original heuristic algorith... 15329 we derive in a direct way the exact controll... 15330 the strategy of sustainable development in t... 15331 this paper addresses the problem of automati... 15332 we prove the following conjecture of leighto... 15333 we study transient behaviour in the dynamics... 15334 by assuming some widelybelieved arithmetic c... 15335 recently proposed model of foam impact on th... 15336 this paper discusses the synthesis character... 15337 the use of secure connections using https as... 15338 this paper addresses the question of whether... 15339 we generalise the notion of a separating int... 15340 the limbimaging ionospheric and thermospheri... 15341 calculating onebody density profiles in equi... 15342 security exploits can include cyber threats ... 15343 we study the quantum dynamics of the bosehub... 15344 the inception network has been shown to prov... 15345 we analyse kepler lightcurves of the exoplan... 15346 we present an efficient and practical algori... 15347 previous experiments have found mixed result... 15348 a deep learning model is proposed for predic... 15349 we define causal estimands for experiments o... 15350 in this paper we show that sparse signals f ... 15351 we report the results of xray spectroscopy a... 15352 forthcoming applications concerning humanoid... 15353 forwardbackward selection is one of the most... 15354 we explore the impact of dimensionality on t... 15355 a new type of quadrature is developed the ga... 15356 the protection number of a plane tree is the... 15357 for e in s the unit sphere in mathbbr let pi... 15358 the classical galois theory deals with certa... 15359 in our recent paper ws rossi p frasca and f ... 15360 runtime monitoring is a lightweight and dyna... 15361 questions that require counting a variety of... 15362 the choice of model class is fundamental in ... 15363 we study a deep linear network expressed und... 15364 reynolds parametricity theory captures the p... 15365 a program schema defines a class of programs... 15366 polarized topics often spark discussion and ... 15367 we study the problem of cooperative multiage... 15368 machine learning is increasingly prevalent i... 15369 let mathbb qnc be the complete simplyconnect... 15370 plasticity in zirconium alloys is mainly con... 15371 fourier optics the principle of using fourie... 15372 densitybased clustering relies on the idea o... 15373 this report provides an introduction to some... 15374 let us say that an nsided polygon is semireg... 15375 the class of cressieread empirical likelihoo... 15376 the aim of this paper is to prove a generali... 15377 a set of density functionals coming from dif... 15378 we use a direct numerical integration of the... 15379 the efficient simulation of isotropic gaussi... 15380 this paper is concerned with the initialboun... 15381 we examine the velocity profile of coherent ... 15382 estimating the human longevity and computing... 15383 deep learning has given way to a new era of ... 15384 fracinstitutions have been introduced as an ... 15385 it has been postulated that a good represent... 15386 a boundary value problem which could represe... 15387 when a ddimensional quantum system is subjec... 15388 the data torrent unleashed by current and up... 15389 the ancient phrase all roads lead to rome ap... 15390 in this paper we study an anisotropic varian... 15391 in this paper we first study partial regular... 15392 this paper studies an optimal control proble... 15393 kernelbased methods exhibit welldocumented p... 15394 deep neural networks have gained tremendous ... 15395 in this paper we construct some regular sequ... 15396 we perform zeeman spectroscopy on a rydberg ... 15397 we propose a principled method for gradientb... 15398 larger and deeper neural network architectur... 15399 this paper describes the experience of prepa... 15400 drone delivery has been a hot topic in the i... 15401 the past decade has seen significant advance... 15402 let x be a locally compact zerodimensional s... 15403 we show that the gurarij space mathbbg and i... 15404 in securitysensitive applications the succes... 15405 the conventional cryptography solutions are ... 15406 we consider the online oneclass collaborativ... 15407 controlling nanocircuits at the single elect... 15408 autonomous ai systems will be entering human... 15409 as the complexity and size of software proje... 15410 this paper studies an auction design problem... 15411 one of the fundamental tasks in understandin... 15412 we compute the effects of generic shortrange... 15413 the refraction index of the quantized lossy ... 15414 the method of model averaging has become an ... 15415 deep neural networks dnns achieve stateofthe... 15416 we consider a refinement of differential pri... 15417 we define holomorphic quadratic differential... 15418 in this paper we use python to implement two... 15419 due to freely available tailored software ba... 15420 this work addresses the problem of path trac... 15421 we study time decay estimates of the fourtho... 15422 the problem of recovering a signal from its ... 15423 the purpose of this note is to verify that t... 15424 in this paper we develop methods to extend t... 15425 concentration inequalities form an essential... 15426 we consider the four structures mathbbz math... 15427 the kotliar and ruckenstein slaveboson repre... 15428 deep neural networks trained using a softmax... 15429 we consider decidability problems in selfsim... 15430 we find that negative charges on an armchair... 15431 deep neural networks dnns have become increa... 15432 attributed graphs model real networks by enr... 15433 thermochemical models have been used in the ... 15434 antibodies are a critical part of the immune... 15435 kcualoso is a highly onedimensional spin\nin... 15436 we offer an umbrella type result which exten... 15437 parsing expression grammars pegs are a forma... 15438 this paper describes the pressure ulcers onl... 15439 the study of brain networks including derive... 15440 in this paper we obtain new results related ... 15441 the major challenges of automatic track coun... 15442 recently impressive denoising results have b... 15443 structure based ligand discovery is one of t... 15444 the bayesian update can be viewed as a varia... 15445 we report the finding of unidirectional elec... 15446 in this paper we propose a mixture model spa... 15447 image registration is a fundamental issue in... 15448 many privacy mechanisms reveal highlevel inf... 15449 in the present work we consider multifidelit... 15450 statistical performance bounds for reinforce... 15451 a proper semantic representation for encodin... 15452 we consider a variation of the problem of co... 15453 we describe and analyze an algorithm for com... 15454 in this paper we propose a distributed itera... 15455 let mathcala be the subhopf algebra of the m... 15456 every rational number pq defines a rational ... 15457 many efficient algorithms with strong theore... 15458 connections between nodes of fully connected... 15459 we use boltzmann transport equation be to st... 15460 we obtain a formula for the turaevviro invar... 15461 the detection of frauds in credit card trans... 15462 a popular approach to semisupervised learnin... 15463 when applying machine learning techniques to... 15464 we consider a system of differential equatio... 15465 a lowcomplexity point orthogonal approximate... 15466 the classical descartes rule of signs limits... 15467 multiple sequence alignment msa plays a key ... 15468 evergreens in science are papers that displa... 15469 in this paper we propose a method to model s... 15470 in many applications and in systemssynthetic... 15471 banachs fixed point theorem for contraction ... 15472 this paper addresses the problem of coordina... 15473 in this note we give a socalled representati... 15474 the importance of being able to verify quant... 15475 we introduce a spreading out technique to de... 15476 deep learning algorithms for connectomics re... 15477 we consider the problem of classifying busin... 15478 the problem of analyzing the number of numbe... 15479 we introduce a new formulation of the hidden... 15480 sampling from the lattice gaussian distribut... 15481 we propose the sleaping algorithm for the ac... 15482 the goal of the present study is to develop ... 15483 if several independent algorithms for a comp... 15484 unprecedented high volumes of data are becom... 15485 this paper focuses on bestarm identification... 15486 this work introduces a novel reinterpretatio... 15487 stateoftheart automatic speech recognition a... 15488 we consider a compound testing problem withi... 15489 researchers often have datasets measuring fe... 15490 we consider the framework proposed by burgar... 15491 the th symposium on educational advances in ... 15492 the arrangements of particles and forces in ... 15493 we introduce several new constructions for p... 15494 we show that nonlinear schwarzian differenti... 15495 state estimation in heavytailed process and ... 15496 we study a squeezed vacuum field generated i... 15497 in this paper we describe improved algorithm... 15498 in this paper we consider multistage stochas... 15499 constrained model predictive control mpc is ... 15500 traditional recommendation systems rely on p... 15501 recently endtoend models have become a popul... 15502 sheng and zuos characteristic forms are inva... 15503 we investigate quantum graphs with infinitel... 15504 recently ciufolini et al reported on a test ... 15505 ngc p is an ultraluminous xray source harbo... 15506 a new largescale parallel multiconfiguration... 15507 with the start of the gaia era the time has ... 15508 we propose a multiobjective framework to lea... 15509 diarization of audio recordings from adhoc m... 15510 a model of incentive salience as a function ... 15511 these are lecture notes based on three lectu... 15512 we report the detection of extended halpha e... 15513 we consider the problem of estimating a larg... 15514 in this paper the parameter estimation probl... 15515 we introduce a new method to qualify the goo... 15516 for nongaussian stochastic dynamical systems... 15517 we study modal team logic mtl the teamsemant... 15518 we propose cooperative training cot for trai... 15519 we associate to each iterated function syste... 15520 in this paper we study the energy decay for ... 15521 we study a scenario in which the baryon asym... 15522 noinsulation ni rebco magnets have many adva... 15523 in this paper we propose an implicit gradien... 15524 we compute the frobenius number for sequence... 15525 solitary waves propagation of baryonic densi... 15526 recent einsteinpodolskyrosenbohm experiments... 15527 there exist tilings of the plane with pairwi... 15528 in this paper we study the cauchy problem fo... 15529 we propose a general framework called networ... 15530 in this paper we study the systole growth of... 15531 a featured transition system is a transition... 15532 we introduce a schrdinger model for the unit... 15533 when analysing new emerging infectious disea... 15534 we evolve binary mux trees for up to genera... 15535 openstreetmap offers a valuable source of wo... 15536 detection of a planetary ring of exoplanets ... 15537 scientific discovery via numerical simulatio... 15538 dimension reduction is often a preliminary s... 15539 a flag domain of a real from g of a complex ... 15540 the nominal transition systems ntss of parro... 15541 we solve a problem of r nandakumar by provin... 15542 phase limitations of both continuoustime and... 15543 we investigate using d hydrodynamic simulati... 15544 we propose a simple and generic layer formul... 15545 stellar shells are low surface brightness ar... 15546 we present a monitoring approach for verifyi... 15547 in recent years deep learning algorithms hav... 15548 in this paper adaptive nonuniform compressiv... 15549 in order to automate verification process re... 15550 we survey problems and results from combinat... 15551 a recently proposed learning algorithm for m... 15552 we consider the recovery of regression coeff... 15553 by way of the nonequilibrium greens function... 15554 the liar paradox is widely seen as not a ser... 15555 this chapter highdimensional abc is to appea... 15556 unlike the web where each web page has a glo... 15557 in this chapter we introduce digital hologra... 15558 data compression is a popular technique for ... 15559 the task of translating between programming ... 15560 initializing all elements of an array to a s... 15561 we present a simple generative framework for... 15562 this paper presents a probabilistic method f... 15563 mobileedge computing mec is an emerging para... 15564 we discuss the three spacetime dimensional m... 15565 we observed of the solartype binaries withi... 15566 for integers n and k the density halesjewett... 15567 this paper explores the entertainment experi... 15568 blind deconvolution is a ubiquitous problem ... 15569 we illustrate the potential applications in ... 15570 in the paper we investigate power law for pa... 15571 wholesale electricity market designs in prac... 15572 fan et al recently introduced a remarkable ... 15573 with the goal of making highresolution forec... 15574 paws is a tool to analyse the behaviour of w... 15575 measurements of plasma electric fields are e... 15576 r is a popular language and programming envi... 15577 humans are routinely asked to evaluate the p... 15578 path planning is an important problem in rob... 15579 a deeplearning inference accelerator is synt... 15580 the problem of determining those multiplets ... 15581 over the last decade researchers and enginee... 15582 based on independently distributed x sim npt... 15583 interpretation of electroencephalogram eeg s... 15584 feiginstoyanovskys type subspaces for affine... 15585 we present two related methods for deriving ... 15586 we present a measurement of baryon acoustic ... 15587 we examine the gammaray and optical light c... 15588 the ground state of the diatomic molecules i... 15589 tk tokaitokamioka is a longbaseline neutrino... 15590 for a general class of contractions of a var... 15591 we present the first simultaneous photometri... 15592 we realize scattering states in a lossy and ... 15593 we present a simple model of a nonequilibriu... 15594 a theoretical study of the currentdriven dyn... 15595 in this paper we prove a rigidity result for... 15596 we introduce an algebra model to study highe... 15597 for the problems of nonparametric hypothesis... 15598 a major goal of unsupervised learning is to ... 15599 a conformal coating technique with nanocarbo... 15600 context the th release of the sdss moving ob... 15601 the critical behavior of the random transver... 15602 in this paper we extend the known methodolog... 15603 user participation in online communities is ... 15604 the detection of software vulnerabilities or... 15605 we investigate the problem of learning discr... 15606 we consider orthogonal decompositions of inv... 15607 in this paper we propose a novel object prop... 15608 we study the effects of quantum fluctuations... 15609 independent component analysis ica is a corn... 15610 as a general and thus popular model for auto... 15611 in barber and candes introduced a new varia... 15612 this paper is a sequel to he and gh in he a ... 15613 we propose soaalloc a dynamic object allocat... 15614 the radiological characterization of contami... 15615 in this note we derive the backward automati... 15616 fundamental atomic parameters such as oscill... 15617 hamiltonian truncation aka truncated spectru... 15618 a critical and challenging problem in reinfo... 15619 high penetration of renewable energy source ... 15620 we summarize our recent findings where we pr... 15621 intensive studies for more than three decade... 15622 the vector autoregressive moving average var... 15623 by investigating information flow between a ... 15624 most popular strategies to capture subjectiv... 15625 the world is connected through the internet ... 15626 random network models play a prominent role ... 15627 largescale dipolar surface magnetic fields h... 15628 the focusing nls equation is the simplest un... 15629 we present the first discoveries from a surv... 15630 we prove that if a solution of the timedepen... 15631 one of the most puzzling features of hightem... 15632 thermal noise is expected to be one of the n... 15633 in an effort to understand the meaning of th... 15634 we investigate how star formation efficiency... 15635 in hybrid digitalanalog hda systems resource... 15636 we present an experimental study on the none... 15637 to aid a variety of research studies we prop... 15638 the protection of user privacy is an importa... 15639 we have studied the peculiarities of selecti... 15640 the lambdacalculus is a peculiar computation... 15641 this paper can be viewed as a sequel to the ... 15642 this paper proposes a new algorithm for reco... 15643 the mechanical properties of the cell depend... 15644 the widespread adoption and dissemination of... 15645 the interaction of chchptch\nmethylcyclopent... 15646 we examine the hbeta lick index in a sample ... 15647 we present a collective coordinate approach ... 15648 the class of selfdecomposable distributions ... 15649 in cloud storage systems hot data is usually... 15650 the binomial system is an electoral system u... 15651 we prove a highly uniform stability or almos... 15652 pandapower is a python based bsdlicensed pow... 15653 we consider lightinduced binding and motion ... 15654 we study rates of convergence in central lim... 15655 anomaly detection aims to detect abnormal ev... 15656 a magnetic adatom chain proximity coupled to... 15657 certain fibered hyperbolic manifolds admit a... 15658 graph representations offer powerful and int... 15659 computational fluid dynamics cfd is a hugely... 15660 while firstorder optimization methods such a... 15661 we consider the stochastic shortest path ssp... 15662 we study existence and properties of onedime... 15663 a turmit is a turing machine that works over... 15664 bitcoin and other cryptocurrencies have surg... 15665 let mathbbk be an infinite field we prove th... 15666 we present the properties of a magnetooptica... 15667 in this paper we construct a nonautonomous v... 15668 performancecritical machine learning models ... 15669 this paper presents a realization of the app... 15670 fractional quantum hallsuperconductor hetero... 15671 in this paper we present the first results o... 15672 encoderdecoder gans architectures eg bigan a... 15673 in this paper we are concerned with the exis... 15674 we study the action of monads on categories ... 15675 evacuation is one of the main disaster manag... 15676 the discovery of topological insulators has ... 15677 deep convolutional neural network cnn infere... 15678 the formation of large voids in the cosmic w... 15679 the stability of sequence replication was cr... 15680 in this paper we obtain the variational char... 15681 recent work has demonstrated that neural net... 15682 we present a first internal delensing of cmb... 15683 by introducing programmability automated ver... 15684 in todays cyberenabled smart grids high pene... 15685 in this article we provide a new algorithm f... 15686 the geodetic vlbi technique is capable of me... 15687 an unbiased estimator for the ellipticity of... 15688 there have been several spectral bounds for ... 15689 in this paper we extend the works of tancer ... 15690 in this paper we present our approach to sol... 15691 acquisition of labeled training samples for ... 15692 in this paper a sparse markov decision proce... 15693 the dustforming nova v oph is unique in that... 15694 this article consists of two parts in part ... 15695 data stream mining problem has caused widely... 15696 we investigate the lowenergy scaling behavio... 15697 positively resp negatively associated point ... 15698 with the increasing abundance of digital foo... 15699 we present a finite difference time domain f... 15700 this paper investigates the achievable rates... 15701 we consider the problem of probabilistic pro... 15702 persistent homology typically studies the ev... 15703 using focused electronbeaminduced deposition... 15704 developing efficient numerical algorithms fo... 15705 we study optical forces acting upon semicond... 15706 intersubject variability between individuals... 15707 bell inequalities are usually derived by ass... 15708 in this paper we find explicit formulas for ... 15709 eastrogam enhanced astrogam is a breakthroug... 15710 we report magnetic and thermodynamic propert... 15711 in this paper we introduce the concept of ev... 15712 this work proposes a new online algorithm fo... 15713 given an orthogonal polygon p with n ver... 15714 a standard theorem in nonsmooth analysis sta... 15715 we propose a class of intrinsic gaussian pro... 15716 most existing approaches to coexisting commu... 15717 in many settings it is important that a mode... 15718 in a language corpus the probability that a ... 15719 many prediction problems such as those that ... 15720 we propose a universal experiment to measure... 15721 we derive an explicit formula for the scalar... 15722 this paper presents a multipose face recogni... 15723 the twisted equivariant ktheory given by fre... 15724 we report observations of magnetoresistance ... 15725 frchet mean and variance provide a way of ob... 15726 the backward simulation of a stochastic proc... 15727 we present spectral inference networks a fra... 15728 appropriate models for spatially autocorrela... 15729 we investigate learning of the differential ... 15730 to investigate whether training load monitor... 15731 we spectroscopically investigate the hyperfi... 15732 we describe a hopf ring structure on the dir... 15733 in oneway quantum computation wqc model an i... 15734 in this note we shall compute the categorica... 15735 with the development and widespread use of w... 15736 in the study of subdiffusive wavepacket spre... 15737 the origin of the activity in the solar coro... 15738 online creative communities have been able t... 15739 the mutualexclusion property of locks stands... 15740 the concepts of unitary evolution matrices a... 15741 gene regulatory networks play a crucial role... 15742 in this paper we discuss recent results abou... 15743 in the present paper we demonstrate the resu... 15744 visionlanguage navigation vln is the task of... 15745 fermilab is committed to upgrading its accel... 15746 for a given clustertilted algebra a of tame ... 15747 this article discusses how the automation of... 15748 conventional methods of estimating latent be... 15749 we propose a rescaled lasso by premultipying... 15750 we present the results of smoothed particle ... 15751 redox flow batteries rfbs are potential solu... 15752 in this work we have analyzed the magnetocal... 15753 in the framework of mssm inflation matter an... 15754 blind spots are one of the causes of road ac... 15755 in this paper we study rotabaxter modules wi... 15756 viral videos can reach global penetration tr... 15757 in this work we find an equation that relate... 15758 the logic programming through prolog has bee... 15759 in the paper we show that the transformation... 15760 let ngeq kgeq be two integers and s a subse... 15761 electromagnetic properties of single crystal... 15762 we set out to quantify the number density of... 15763 probabilistic load forecasts provide compreh... 15764 we show nonlinear stability and instability ... 15765 in this article the jags software program is... 15766 model based iterative reconstruction mbir al... 15767 negotiation diagrams are a model of concurre... 15768 the theory of hitchin systems is something l... 15769 confidence is a fundamental concept in stati... 15770 we investigate symmetry reduction of optimal... 15771 we provide a new and simple characterization... 15772 accelerated gradient ag methods are breakthr... 15773 we use energy packet network paradigms to in... 15774 in this paper we prove a refined version of ... 15775 in a recent paper m lopezsuarez i neri and l... 15776 let sigmadelta be a quasi derivation of a ri... 15777 the aim of this paper is to define a bivaria... 15778 despite its attractive features congruentmel... 15779 taobao as the largest online retail platform... 15780 we consider recursive decoding techniques fo... 15781 we report on the design and performance of a... 15782 this paper provides efficient solutions to m... 15783 we study the higher gradient integrability o... 15784 careful analyses of photometric and star cou... 15785 the global crisis of provoked a heightened ... 15786 identifying arbitrary topologies of power ne... 15787 gaussian belief propagation bp has been wide... 15788 we provided an analogue banachalaoglu theore... 15789 we consider the problem of enabling robust r... 15790 incentivized advertising is a new ad format ... 15791 the selfannihilation of dark matter particle... 15792 we prove the orbifold version of zvonkines r... 15793 we study connected locally compact metric sp... 15794 we prove an abstract theorem giving a langle... 15795 userbased collaborative filtering cf is one ... 15796 direct imaging of exoplanets requires the de... 15797 the rapidly growing number of large network ... 15798 in this paper we prove that the gradient ide... 15799 image instance retrieval is the problem of r... 15800 we study phase transitions in a two dimensio... 15801 in this work the study of thermal conductivi... 15802 we investigate the forecasting ability of th... 15803 recent years have seen the increasing need o... 15804 the massive popularity of online social medi... 15805 we investigate the characteristics of factua... 15806 in this paper we develop a conservative shar... 15807 among several developments the field of econ... 15808 twodimensional d materials such as graphene ... 15809 we perform ultrasound velocity measurements ... 15810 we propose a oneclass neural network ocnn mo... 15811 an opensource vehicle testbed to enable the ... 15812 we consider the minimization of nonconvex fu... 15813 following the advent of electromagnetic meta... 15814 community structure describes the organizati... 15815 weak attractive interactions in a spinimbala... 15816 the aim of this paper is to study twoweight ... 15817 we say that an algorithm is stable if small ... 15818 turing test was long considered the measure ... 15819 we investigate the basic thermal mechanical ... 15820 we present magnetohydrodynamic mhd simulatio... 15821 discovering statistical structure from links... 15822 the signature of closed oriented manifolds i... 15823 we develop new closed form representations o... 15824 we studied intermediate filaments ifs in the... 15825 using the purple mountain observatory deling... 15826 when we test a theory using data it is commo... 15827 this paper presents a clustering approach th... 15828 doublestranded dna may contain mismatched ba... 15829 in the setting of a weighted combinatorial f... 15830 in this paper we characterize the surjective... 15831 existing visual reasoning datasets such as v... 15832 in this article we characterize all possible... 15833 base station cooperation in heterogeneous wi... 15834 srruo sro films are known to exhibit insulat... 15835 we prove local wellposedness in regular spac... 15836 we study a question which has natural interp... 15837 in this paper we propose a dynamical systems... 15838 in this paper we consider a general matrix f... 15839 error bound conditions ebc are properties th... 15840 the runtime performance of modern sat solver... 15841 little is known about how different types of... 15842 te nmr studies were carried out for the bism... 15843 we discuss the ricciflat model metrics on ma... 15844 motivated by stationkeeping applications in ... 15845 we carried out molecular dynamics simulation... 15846 we show that a subcategory of the mcluster c... 15847 the solid collaboration have developed an in... 15848 in this paper we propose a novel scheme for ... 15849 we consider asymptotic normality of linear r... 15850 this document contains the notes of a lectur... 15851 we demonstrate the presence of chaos in stoc... 15852 questionanswering qa on video contents is a ... 15853 this work proposes a study of quality of ser... 15854 we introduce the notion of kideals associate... 15855 given functional data samples from a surviva... 15856 we determine three invariants arnolds jinvar... 15857 being motivated by the problem of deducing l... 15858 biomedical sciences are increasingly recogni... 15859 given a classical channel a stochastic map f... 15860 model compression is significant for the wid... 15861 thunderstorms produce strong electric fields... 15862 cox proportional hazards model with measurem... 15863 in this paper we study the efficiency of ego... 15864 learning to drive faithfully in highly stoch... 15865 anomaly detection ad task corresponds to ide... 15866 an accurate calculation of proton ranges in ... 15867 we show that the level sets of automorphisms... 15868 machine learning algorithms are typically ru... 15869 in this work we consider the detection of ma... 15870 the recent rapid progress in observations of... 15871 the memorytype control charts such as ewma a... 15872 in this short note we obtain error estimates... 15873 the observed constraints on the variability ... 15874 in this work we introduce pose interpreter n... 15875 a regularized risk minimization procedure fo... 15876 one of the primary objectives of human brain... 15877 deep generative models have achieved impress... 15878 face recognition fr methods report significa... 15879 ellenberg and gijswijt gave recently a new e... 15880 we study the role of environment in the evol... 15881 we investigate the configuration space of th... 15882 earlier this decade the socalled feast algor... 15883 for an element a of a monoid h its set of le... 15884 in the increasing interests on spinorbit tor... 15885 static program analysis is used to summarize... 15886 a major challenge in solar and heliospheric ... 15887 in this paper we construct explicit smooth s... 15888 common clustering algorithms require multipl... 15889 in implicit models one often interpolates be... 15890 in we consider an optimal control problem s... 15891 in this paper we consider a stochastic model... 15892 we describe a set of tools services and stra... 15893 in this article we investigate the duisterma... 15894 this paper examines the behavior of the pric... 15895 in line with its terms of reference the icfa... 15896 many scientific data sets contain temporal d... 15897 as the first step to model emotional state o... 15898 in many situations across computational scie... 15899 we present a tutorial on the determination o... 15900 in this work we propose a simple but effecti... 15901 adversarial learning of probabilistic models... 15902 inference using deep neural networks is ofte... 15903 we consider the factorization problem of mat... 15904 this paper presents a study of the metaphori... 15905 we show that the orthogonal projection opera... 15906 we determine the joint limiting distribution... 15907 in this paper we prove some fundamental theo... 15908 we use the ldau approach to search for possi... 15909 in the last decades a vaste amount of eviden... 15910 nuclear starburst discs nsds are starforming... 15911 despite their vast morphological diversity m... 15912 it is wellknown that randomcoefficient ar pr... 15913 hilsumskandalis maps from differential geome... 15914 we present an explicit version of berger cob... 15915 the paper provides results for the applicati... 15916 polyethylene naphtalate pen is a mechanicall... 15917 this is an expanded version of the third aut... 15918 we consider the prehomogeneous vector space ... 15919 tasks like code generation and semantic pars... 15920 the derivation of approximate wave functions... 15921 oumuamua the first bonafide interstellar pla... 15922 the implementation of discontinuous galerkin... 15923 the quantity and distribution of land which ... 15924 we conduct an extensive empirical study on s... 15925 let h be a subgroup of the fundamental group... 15926 we analyze a dataset providing the complete ... 15927 we present a systematical study via scanning... 15928 in this paper we propose novel generative mo... 15929 we investigate a mixed conic quadratic opti... 15930 the atmospheres of exoplanets reveal all the... 15931 in concurrent systems some form of synchroni... 15932 gaussian graphical models are used for deter... 15933 while deep learning models have achieved sta... 15934 for a unit vector field on a closed immersed... 15935 the lyapunov rank of a proper cone k in a fi... 15936 detecting feature interactions is imperative... 15937 molecular adsorption on surfaces plays an im... 15938 we theoretically investigate the mechanism t... 15939 the analysis of cancer genomic data has long... 15940 the graph fourier transform gft is in genera... 15941 neural networks are capable of learning rich... 15942 in the prizecollecting steiner forest pcsf p... 15943 there is a large literature on semiparametri... 15944 we study discretizations of polynomial proce... 15945 in this paper we propose a new method for es... 15946 we present an extragalactic survey using obs... 15947 for a degenerate autonomous kirchhoff equati... 15948 the doppler tracking data of the change lun... 15949 modern tracking technology has made the coll... 15950 we propose a topic compositional neural lang... 15951 we numerically investigate the electronic tr... 15952 generative modeling of high dimensional data... 15953 in this paper we consider a ddimensional d p... 15954 in this paper we prove explicit formulas for... 15955 we consider the problem of optimal budget al... 15956 we study unsupervised generative modeling in... 15957 in this paper we study the gauss map of a fr... 15958 computational approaches to finding nontrivi... 15959 we present a variation of the autoencoder ae... 15960 planning motions for two robot arms to move ... 15961 the shortbaseline neutrino sbn program is a ... 15962 a novel algorithm is proposed for candecompp... 15963 testing conditional independence of multivar... 15964 despite their overwhelming capacity to overf... 15965 the jintegral is recognized as a fundamental... 15966 revealed preference theory studies the possi... 15967 our view of the universe of genomic regions ... 15968 in this article we discuss a verification st... 15969 we use plasmon rulers to follow the conforma... 15970 it is shown that the total set of equations ... 15971 short circuit ratio scr is widely applied to... 15972 in this work we addressed the issue of apply... 15973 largebatch sgd is important for scaling trai... 15974 recent years have seen a flurry of activitie... 15975 new numerical solutions to the socalled sele... 15976 we report on sptclj a giant system of arcs c... 15977 one of the most interesting features of baye... 15978 in this paper we prove the existence of a no... 15979 the paper aims to apply the complex octonion... 15980 knowledge graphs are a versatile framework t... 15981 with the emerging of smart grid techniques c... 15982 thanks to multispacecraft mission it has rec... 15983 for a field k we prove that the ith homology... 15984 highsignal to noise observations of the lyal... 15985 the intermediatevalence compound smb is a we... 15986 the dramatic increase in data and connectivi... 15987 techniques known as nonlinear set membership... 15988 despite enormous progress in object detectio... 15989 this paper considers a network of sensors wi... 15990 recently an open geometry fourier modal meth... 15991 we apply liebrobinson bounds for multicommut... 15992 cloud users have little visibility into the ... 15993 in this paper a new hpadaptive strategy for ... 15994 recent space missions have provided informat... 15995 titanium dioxide tio is a wide band gap semi... 15996 generative adversarial nets gans represent a... 15997 at present the cloud storage used in searcha... 15998 the control of the electron spin by external... 15999 we report on the observation of phase space ... 16000 for a unimodular random graph grho we consid... 16001 this paper presents a selfsupervised method ... 16002 traquad is an autonomous tracking quadcopter... 16003 persistence diagrams have been widely recogn... 16004 in a pair of recent papers andrews fraenkel ... 16005 mobile computing is one of the main drivers ... 16006 the midinfrared mir spectral range pertainin... 16007 networks of elastic fibers are ubiquitous in... 16008 an elliptic curve e defined over a padic fie... 16009 android apps cooperate through message passi... 16010 the usability of small devices such as smart... 16011 we construct a complexitybased morphospace t... 16012 we use the coupled cluster method ccm to stu... 16013 we study a polyhedron with n vertices of fix... 16014 we develop a theory of weakly interacting fe... 16015 the heterogeneitygap between different modal... 16016 this paper analyzes the iterationcomplexity ... 16017 vehicle bypassing is known to negatively aff... 16018 we use a secular model to describe the nonre... 16019 this note investigates the stability of both... 16020 we develop terminology and methods for worki... 16021 this paper introduces a new surgical endeffe... 16022 assisted by the availability of data and hig... 16023 can deep learning dl guide our understanding... 16024 quantum functional inequalities eg the logar... 16025 this paper proposes a new family of algorith... 16026 we propose a generalization of the best arm ... 16027 in this paper we study a new class of finsle... 16028 optimal transport has recently gained intere... 16029 we present a novel analysis of the metalpoor... 16030 recently the intervention calculus when the ... 16031 in this note we present a new proof that the... 16032 we study the stochastic homogenization for a... 16033 this article presents a survey on automatic ... 16034 the technical details of a balloon stratosph... 16035 selfdriving technology is advancing rapidly ... 16036 a synoptic view on the longestablished theor... 16037 the nucleation and growth of calcite is an i... 16038 the galactic magnetic field gmf plays a role... 16039 the mechanisms by which organs acquire their... 16040 with the national toxicology program issuing... 16041 we answer the following longstanding questio... 16042 we investigated an outofplane exchange bias ... 16043 recommendation systems are widely used by di... 16044 complex event processing cep has emerged as ... 16045 in electroencephalography eeg source imaging... 16046 we present a multiwavelength compilation of ... 16047 the concept of distance covariancecorrelatio... 16048 this letter presents a novel method to estim... 16049 we show that in contrast to the free electro... 16050 decisionmakers are faced with the challenge ... 16051 we present a new qfunction operator for temp... 16052 we study the entanglement entropy of gapped ... 16053 this paper is concerned with two frequencyde... 16054 gravitational clustering in the nonlinear re... 16055 independent component analysis ica is the pr... 16056 the round trip time of the light pulse limit... 16057 the continuity of the gauge fixing condition... 16058 asymptotic theory for approximate martingale... 16059 malignant melanoma has one of the most rapid... 16060 we consider the problem of improving kernel ... 16061 various measures can be used to estimate bia... 16062 the entropy of a quantum system is a measure... 16063 when studying tropical cyclones using the fp... 16064 we present the voice conversion challenge d... 16065 in a companion paper we developed an efficie... 16066 we introduce imaginationaugmented agents ias... 16067 we study the impact of quenched disorder ran... 16068 a remotesensing system that can determine th... 16069 can an algorithm create original and compell... 16070 the paper discusses the challenges of facete... 16071 the reconstruction of a species phylogeny fr... 16072 a new amortized variancereduced gradient avr... 16073 this paper considers a novel framework to de... 16074 nanostructures with open shell transition me... 16075 in the inverse problem of the calculus of va... 16076 let mathbbk be an algebraically closed field... 16077 conventional textbook treatments on electrom... 16078 with a large number of sensors and control u... 16079 confidence interval procedures used in low d... 16080 surfacefunctionalized nanomaterials can act ... 16081 nyquist ghost artifacts in epi images are or... 16082 in the classical binary search in a path the... 16083 the adam optimizer is exceedingly popular in... 16084 wholesale electricity markets are increasing... 16085 it has been recently demonstrated that textu... 16086 research on automated image enhancement has ... 16087 the radially outward flow of fluid through a... 16088 even though transitivity is a central struct... 16089 the hohenbergkohn theorem plays a fundamenta... 16090 digital sculpting is a popular means to crea... 16091 since a tweet is limited to characters it i... 16092 in this paper we consider precoder designs f... 16093 sampling random graphs is essential in many ... 16094 forecasting fault failure is a fundamental b... 16095 new upper limit on a mixing parameter for hi... 16096 the three gap theorem also known as the stei... 16097 st century astrophysicists are confronted w... 16098 we give an elementary proof for the fact tha... 16099 predicting unobserved entries of a partially... 16100 browsing and finding relevant information fo... 16101 let p be a graph with a vertex v such that p... 16102 we extend the theory of computation on real ... 16103 capsule networks have shown encouraging resu... 16104 an adversarial attack is an exploitative pro... 16105 a detailed monte carlostudy of the satisfiab... 16106 the feast eigenvalue algorithm is a subspace... 16107 planar magnetic structures pmss are periods ... 16108 the feature map obtained from the denoising ... 16109 learning algorithms for energy based boltzma... 16110 the dark energy plus cold dark matter lambda... 16111 alternating minimization heuristics seek to ... 16112 in this paper we prove that positivity of de... 16113 for primordial black holes pbh to be the dar... 16114 supervised speech separation uses supervised... 16115 a challenge in isogeometric analysis is cons... 16116 this paper provides a theoretical justificat... 16117 we report the first experimental demonstrati... 16118 we study upper bounds on weierstrass primary... 16119 we prove that certain conditions on multigra... 16120 recent work in learning ontologies hierarchi... 16121 in the past decade the discovery of active p... 16122 we define and study a probability monad on t... 16123 design of robotic systems that safely and ef... 16124 the aim of this paper is to show both analyt... 16125 scalable quantum photonic systems require ef... 16126 tasks such as search and recommendation have... 16127 we investigate the groundstate properties an... 16128 waves can be used to probe and image an unkn... 16129 we investigate the anderson localization in ... 16130 using a d lift of nonperturbative volume sta... 16131 background pairwise and network metaanalyses... 16132 a central question in statistical learning i... 16133 in machine learning ensemble methods have de... 16134 we demonstrate the full functionality of a c... 16135 in this paper we derive a family of fast and... 16136 this paper develops variational continual le... 16137 in the multiple testing problem with indepen... 16138 this paper investigates from information the... 16139 the invariant is one of central topics in sc... 16140 windowed orthogonal frequencydivision multip... 16141 neural networks have recently had a lot of s... 16142 we investigate that noknowledge measurementb... 16143 earthquakes at seismogenic plate boundaries ... 16144 we study a continuoustime assetallocation pr... 16145 the proliferation of fake news on social med... 16146 there has recently been a growing interest i... 16147 we seek to infer the parameters of an ergodi... 16148 textcnn the convolutional neural network for... 16149 as political polarization in the united stat... 16150 we present a probabilistic approach to gener... 16151 recent advances in generative adversarial ne... 16152 feature extraction becomes increasingly impo... 16153 sentiment classification and sarcasm detecti... 16154 this review paper discusses how context has ... 16155 a pair of typeii dirac cones in pdte was rec... 16156 we propose a novel metropolishastings algori... 16157 we present a weak lensing analysis of a samp... 16158 the complexity of knowledge production on co... 16159 we classify certain subcategories in quotien... 16160 here we present a new approach to search for... 16161 statistical analyses of urban environments h... 16162 in this paper a technique is suggested to in... 16163 in this manuscript we generalize fcalculus t... 16164 a longstanding goal of behaviorbased robotic... 16165 this paper introduces a new member of the fa... 16166 results in wasan geometry of tangents circle... 16167 the beta family owes its privileged status w... 16168 we investigate the mean curvature flows in a... 16169 finitedifference methods are widely used in ... 16170 in this work we propose an ontology to suppo... 16171 we present a technique for efficiently synth... 16172 we study the size and the complexity of comp... 16173 artificial intelligence federates numerous s... 16174 elementary net systems ens are the most fund... 16175 the three exceptional lattices e e and e hav... 16176 analysis of conjugate natural convection wit... 16177 anosov representations of word hyperbolic gr... 16178 we examine the role of memorization in deep ... 16179 recent advances in d fully convolutional net... 16180 we study the phase diagram of a minority gam... 16181 the complexity of philip wolfes method for t... 16182 in this work by using strong gravitational l... 16183 hydrogen peroxide ho is an important signali... 16184 many organisms repartition their proteome in... 16185 we present an investigation into the intrins... 16186 we present an explicit construction of the m... 16187 we report the development and validation of ... 16188 global registration of multiview robot data ... 16189 in this paper we introduce variable exponent... 16190 the robust pca problem wherein given an inpu... 16191 we study the postnikov tower of the classify... 16192 using a dataset of over million messages po... 16193 the muon g experiment plans to use the fermi... 16194 collecting training data from the physical w... 16195 alternating minimization or fienup methods h... 16196 in this work we develop an importance sampli... 16197 the existence or absence of nonanalytic cusp... 16198 we explore ways of creating cold kevscale da... 16199 developing algorithms for solving highdimens... 16200 spatiotemporal data and processes are preval... 16201 we develop an optimization model and corresp... 16202 superhydrophobic surfaces shss have the pote... 16203 this paper considers the problem of recoveri... 16204 speech separation is the task of separating ... 16205 in reinforcement learning the state of the r... 16206 we assess the range of validity of sgoldstin... 16207 foveal vision makes up less than of the vis... 16208 in a previous paper we assembled a collectio... 16209 let mathbbfp be a prime field of order p and... 16210 we prove that the family of lattices rm slma... 16211 clustering is one of the most universal appr... 16212 we discuss the parametric oscillatory instab... 16213 suppose that we have a compact khler manifol... 16214 in lobachevski entertained the possibility ... 16215 in this note we show that for a given irredu... 16216 we present the analysis of microlensing even... 16217 misunderstanding of driver correction behavi... 16218 the internet of things iot is intended for u... 16219 graphs are naturally sparse objects that are... 16220 a finite dimensional operator that commutes ... 16221 a probabilistic framework is proposed for th... 16222 when an upstream steady uniform supersonic f... 16223 one of the consequences of passing from mass... 16224 we provide a new perspective on fracton topo... 16225 with the largescale penetration of the inter... 16226 in this paper we propose a novel supervised ... 16227 in this paper we develop a system for the lo... 16228 it is well known that every finite simple gr... 16229 the electronic and magneto transport propert... 16230 new types of machine learning hardware in de... 16231 nowadays we have many methods allowing to ex... 16232 we introduce the persistent homotopy type di... 16233 in this paper we determine the optimal conve... 16234 the superconductivity of the angstrom single... 16235 the behavior of the simplex algorithm is a w... 16236 in this paper we present a regression framew... 16237 recently along with the emergence of food sc... 16238 we study topological structure of the omegal... 16239 the discovery of topological states of matte... 16240 we propose a dynamical system of tumor cells... 16241 explaining the unexpected presence of duneli... 16242 the challenge of sharing and communicating i... 16243 the use of sparse precision inverse covarian... 16244 let s geq be a fixed positive integer and a... 16245 one possible approach to tackle the class im... 16246 in this paper we propose a new robustness no... 16247 fusing satellite observations and station me... 16248 the goal of this paper is to examine experim... 16249 person identification technology recognizes ... 16250 the present paper is motivated by one of the... 16251 we characterize the approximate monomial com... 16252 we present a nonperturbative numerical techn... 16253 in the present paper we introduce some new f... 16254 knowledge graphs enable a wide variety of ap... 16255 in several geophysical applications such as ... 16256 a directed acyclic graph g v e is pseudotra... 16257 a networkbased approach is presented to inve... 16258 this study is devoted to the polynomial repr... 16259 today in digital forensics images normally p... 16260 topological metrics of graphs provide a natu... 16261 reservoir characterization involves the esti... 16262 deep learning applies hierarchical layers of... 16263 we study the multiarmed bandit mab problem w... 16264 weyl points with monopole charge pm have be... 16265 a theoretical investigation of extremely hig... 16266 the act and experience of programming is at ... 16267 partiallyobserved boolean dynamical systems ... 16268 political polarization in public space can s... 16269 program termination is an undecidable yet im... 16270 we investigate the effect on disorder potent... 16271 let rfrakm be a ddimensional cohenmacaulay l... 16272 free electron lasers fel are commonly regard... 16273 the family of exponential maps faz eza is of... 16274 as part of the fornax deep survey with the e... 16275 the wellknown demilloliptonschwartzzippel le... 16276 the backpressure algorithm has been widely u... 16277 in kondo lattice systems with mixed valence ... 16278 we study transitivity in directed acyclic gr... 16279 a method of transmitting information in inte... 16280 in application domains such as healthcare we... 16281 automated detection of voice disorders with ... 16282 we perform direct numerical simulations dns ... 16283 one of the most fundamental questions one ca... 16284 ordered chains such as chains of amino acids... 16285 based on ab initio evolutionary crystal stru... 16286 in the past decade optical wdm networks wave... 16287 we consider the linearly transformed spiked ... 16288 deep learning has revolutionized vision via ... 16289 diverse fault types fast reclosures and comp... 16290 a tensor t in a given tensor space is said t... 16291 let g be a connected reductive group in a pr... 16292 we apply a generalized kepler map theory to ... 16293 a famous theorem of weyl states that if m is... 16294 the online interval coloring and its variant... 16295 this paper is devoted to the factorization o... 16296 we study the geometry and the singularities ... 16297 the immense amount of daily generated and co... 16298 an rna secondary structure is designable if ... 16299 we consider f h homeomorphims generating a f... 16300 fault localization is a popular research top... 16301 the basins of convergence associated with th... 16302 the irreducible representations of full supp... 16303 models which postulate lognormal dynamics fo... 16304 this paper is concerned with the simultaneou... 16305 in this paper we review the recent progress ... 16306 this paper introduces a simple and efficient... 16307 the planning in the early medieval landscape... 16308 the population recovery problem is a basic p... 16309 multibugs this https url is a new version of... 16310 we present an overview of recently developed... 16311 the largescale study of human mobility has b... 16312 we study the problem of assigning nonoverlap... 16313 let f be a continuous real function defined ... 16314 in this paper we present formulas for the va... 16315 we consider the schrdinger operator on a com... 16316 anions of the molecules zno o and atomic zn ... 16317 we describe the category of integrable sln m... 16318 how to selflocalize large teams of underwate... 16319 we have developed a system combining a backi... 16320 in this paper we propose a new coding scheme... 16321 the aim of this comment is to show that anis... 16322 in this paper we proposed a novel twostage o... 16323 we investigate possible pathways for the for... 16324 spectral shape descriptors have been used ex... 16325 we consider the inverse dynamical problem fo... 16326 jacobsthals function was recently generalise... 16327 due to the iterative nature of most nonnegat... 16328 because of the open access nature of wireles... 16329 we study threedimensional gauge theories bas... 16330 consider the classical gaussian unitary ense... 16331 we derive equations of motion for the reduce... 16332 the weyl semimetallic compound euiro along w... 16333 winds are predicted to be ubiquitous in lowm... 16334 we present a compact current sensor based on... 16335 to understand the evolution of extinction cu... 16336 this is a simple reading report of professor... 16337 recent work using plasmonic nanosensors in a... 16338 we consider a twodimensional ginzburglandau ... 16339 this twopart paper details a theory of solva... 16340 we have introduced evolutionary game dynamic... 16341 quantum moves is a citizen science game that... 16342 in seismic monitoring one is usually interes... 16343 two procedures for checking bayesian models ... 16344 let k be a field of characteristic zero math... 16345 following roos we say that a local ring r is... 16346 population protocols are a well established ... 16347 the purpose of this note is to point out tha... 16348 to efficiently answer queries datalog system... 16349 let mg be a complete noncompact riemannian m... 16350 bizarrely shaped voting districts are freque... 16351 disordered manyparticle hyperuniform systems... 16352 modern industrial automatic machines and rob... 16353 most approaches to machine learning from ele... 16354 we present new viscosity measurements of a s... 16355 the problem of estimating a highdimensional ... 16356 we implemented various dftu schemes includin... 16357 tests on bl symmetry breaking models are imp... 16358 gradient boosted decision trees are a popula... 16359 in this paper the problem of road friction p... 16360 collective animal behaviors are paradigmatic... 16361 it has been shown that increasing model dept... 16362 speech recognition systems have achieved hig... 16363 adhoc social networks have become popular to... 16364 this paper presents an a posteriori error an... 16365 security is a critical and vital task in wir... 16366 the geologic activity at enceladuss south po... 16367 there has been a recent surge of interest in... 16368 system development often involves decisions ... 16369 cyber defence exercises are intensive handso... 16370 we develop a continuous kleene omegaalgebra ... 16371 recently researchers proposed various lowpre... 16372 in this paper we examine the convergence of ... 16373 multipath communications at the internet sca... 16374 the present paper reports on our effort to c... 16375 in this paper we extend state of the art mod... 16376 we study the relationship between geometry a... 16377 we developed control and visualization progr... 16378 we identify four countable topological space... 16379 cryoelectron microscopy provides d projectio... 16380 in this paper we prove lqestimates for gradi... 16381 for various applications the relations betwe... 16382 based on the median and the median absolute ... 16383 in this paper we consider the cluster estima... 16384 representing data in hyperbolic space can ef... 16385 i investigate the nightly mean emission heig... 16386 the spinelperovskite heterointerface gammaal... 16387 we give a finite axiomatization for the vari... 16388 we show that for every ell there is a counte... 16389 zeta functions for linear codes were defined... 16390 classical spectral analysis is based on the ... 16391 modern corporations physically separate thei... 16392 we study the koszul property of a standard g... 16393 deep neural networks are currently among the... 16394 yes\n 16395 endtoend training from scratch of current de... 16396 most optical and ir spectra are now acquired... 16397 most of the recent successful methods in acc... 16398 we study the mth gauss map in the sense of f... 16399 if mathcalg is the group under composition o... 16400 previous secondary eclipse observations of t... 16401 using a combination of analytic and numerica... 16402 as a largescale instance of dramatic collect... 16403 the classical linear blackscholes model for ... 16404 at the heart of the bitcoin is a blockchain ... 16405 the regret bound of an optimization algorith... 16406 a set of points x xb cup xr subseteq mathbb... 16407 magnetic fields are ubiquitous in the univer... 16408 the multiple colliding laser pulse concept f... 16409 in this work we jointly address the problem ... 16410 water and hydroxyl once thought to be found ... 16411 we propose a general framework for studying ... 16412 we have recently suggested that dust growth ... 16413 the paradigm shift from shallow classifiers ... 16414 in this paper we present a novel approach fo... 16415 it is of practical significance to define th... 16416 a task of clustering data given in the ordin... 16417 alice a large ion collider experiment is the... 16418 this paper proposes an approach to domain tr... 16419 we report the results of the dfvst atlas col... 16420 we construct a toy a model which demonstrate... 16421 we develop a metalearning approach for learn... 16422 we present the procedure to build and valida... 16423 generative adversarial networks gans are a f... 16424 we discuss memory models which are based on ... 16425 published by reporters without borders every... 16426 advanced satellitebased frequency transfers ... 16427 in this paper we investigate the problem of ... 16428 in this paper we propose an encoderdecoder c... 16429 we consider a finitedimensional quantum syst... 16430 the modelbased control of building heating s... 16431 we propose a formal approach for relating ab... 16432 owing to their capability of summarising int... 16433 the atacama millimetersubmillimeter array al... 16434 we simulate a rotating d bec to study the me... 16435 in coronary ct angiography a series of ct im... 16436 let mathcala be a finitedimensional subspace... 16437 the world wide web www has fundamentally cha... 16438 shanchen model is a numerical scheme to simu... 16439 in this thesis we study the deformation prob... 16440 the complexity of a learning task is increas... 16441 a general greedy approach to construct cover... 16442 the formalism of the reduced density matrix ... 16443 we report muon spin relaxation musr measurem... 16444 advances in unsupervised learning enable rec... 16445 open bisimilarity is the original notion of ... 16446 cities across the united states are undergoi... 16447 bayesian statistical models allow us to form... 16448 flowbased generative models dinh et al are ... 16449 by virtue of a suitable approximation argume... 16450 this is an expository survey on recent sumpr... 16451 using the method of eliashogancamp and combi... 16452 for any rgeq and mathbfn in mathbbzgeqr set... 16453 colloidal migration in temperature gradient ... 16454 this paper proposes an ultrawideband uwb aid... 16455 sensor fusion is a fundamental process in ro... 16456 growth electronic and magnetic properties of... 16457 nand flash memory is ubiquitous in everyday ... 16458 a common practice in most of deep convolutio... 16459 recent advances in weakly supervised classif... 16460 the halting probability of a turing machinea... 16461 when we are faced with challenging image cla... 16462 deep learning refers to a set of machine lea... 16463 multilevel converters have found many applic... 16464 this is the english translation of my old pa... 16465 in the present work we develop a delayed log... 16466 we investigate a hybrid quantumclassical sol... 16467 modern deep transfer learning approaches hav... 16468 this paper introduces a novel method to perf... 16469 perceptual aliasing is one of the main cause... 16470 among the more important hallmarks of human ... 16471 the modified gramschmidt mgs orthogonalizati... 16472 firstly we derive in dimension one a new cov... 16473 we present algorithms for real and complex d... 16474 unsupervised representation learning for twe... 16475 brny kalai and meshulam recently obtained a ... 16476 in this paper theoretical and numerical stud... 16477 our infrastructure touches the daytoday life... 16478 surveying d scenes is a common task in robot... 16479 the distribution of no abundance ratios calc... 16480 this paper presents the recently published c... 16481 estimating distributions of node characteris... 16482 traditional recurrent neural networks assume... 16483 the multivariate probit model mvp is a popul... 16484 leclerc and zelevinsky motivated by the stud... 16485 for ngeq we show that generic closed rieman... 16486 we propose a novel design of a parallel mani... 16487 we introduce a novel loss maxpooling concept... 16488 in this work we study the nonlinear travelin... 16489 internal gravity waves play a primary role i... 16490 siliconvacancy color centers in nanodiamonds... 16491 online reviews provided by consumers are a v... 16492 we compare the results of the semiclassical ... 16493 we introduce an algebraic fourier transform ... 16494 semisupervised learning deals with the probl... 16495 measurements of rootzone soil moisture acros... 16496 we study discrete time linear constrained sw... 16497 the challenge of taking many variables into ... 16498 a fundamental component of the game theoreti... 16499 the idea of combining different twodimension... 16500 we construct examples of cohomogeneity one s... 16501 in regression analysis of multivariate data ... 16502 in this paper we study matrix scaling and ba... 16503 we present the data profile and the evaluati... 16504 the illustristng project is a new suite of c... 16505 in this paper we present a fast implementati... 16506 gallium arsenide gaas is the widest used sec... 16507 in this paper we use detailed monte carlo si... 16508 social networks contain implicit knowledge t... 16509 consolidation of synaptic changes in respons... 16510 this paper investigates gradient recovery sc... 16511 let y be the complement of a plane quartic c... 16512 collective motion is an intriguing phenomeno... 16513 we present the first cmb power spectra from ... 16514 community detection in networks is a very ac... 16515 in this paper new index coding problems are ... 16516 we report on the result of a campaign to mon... 16517 ultrafaint dwarf galaxies ufds are the faint... 16518 enterprise resource planning erp systems hav... 16519 a general approach to selective inference is... 16520 for future mmwave mobile communication syste... 16521 in all approaches to convergence where the c... 16522 neural machine translation nmt has achieved ... 16523 the internet of things iot enables numerous ... 16524 we use positive sequivariant symplectic homo... 16525 in global modelspriors for example using wav... 16526 we prove new upper and lower bounds on the v... 16527 we compare performances of wellknown numeric... 16528 due to its wide field of view conebeam compu... 16529 while the internet of things iot promises to... 16530 the weakly compact reflection principle text... 16531 techniques such as ensembling and distillati... 16532 finding an easytobuild coils set has been a ... 16533 we propose a new cellular network model that... 16534 aims in this paper we focus on the occurrenc... 16535 we consider generation and comprehension of ... 16536 the human brain is one of the most complex l... 16537 feature aided tracking can often yield impro... 16538 the heavyweight stellar initial mass functio... 16539 deep learning has enabled traditional reinfo... 16540 abridged the formation of largescale hundred... 16541 computational quantum technologies are enter... 16542 in this paper a mixedeffect modeling scheme ... 16543 the distributed singlesource shortest paths ... 16544 the formation of vortices is usually conside... 16545 securityconstrained unit commitment scuc is ... 16546 we construct constant mean curvature surface... 16547 we consider a hyperkhler reduction and descr... 16548 we introduce a novel approach to maximum a p... 16549 we prove an inverse theorem for the gowers u... 16550 we extensively explore networks of weakly un... 16551 human movement is used as an indicator of hu... 16552 realtime instrument tracking is a crucial re... 16553 blockchain systems are designed to produce b... 16554 we theoretically study a onedimensional d mu... 16555 in this paper we consider a privacy preservi... 16556 we consider the problem of recovering a ddim... 16557 the rgbd camera maintains a limited range fo... 16558 this letter provides conditions determining ... 16559 random geometric graphs consist of randomly ... 16560 motivation wordbased or alignmentfree method... 16561 we show how geodesics jacobi vector fields a... 16562 in finite mixture models apart from underlyi... 16563 this article explains phase noise jitter and... 16564 in order to pursue the vision of the robocup... 16565 a novel low cost near equiatomic alloy compr... 16566 project is a tritium endpoint neutrino mass... 16567 in this report two general concepts for prop... 16568 this paper provides an outline of the algori... 16569 we derive a general statistical model of int... 16570 a sparse stochastic block model sbm with two... 16571 given constant data of density rho velocity ... 16572 xray observations of two metaldeficient lumi... 16573 corotb is one of the rare longperiod p days ... 16574 the paper derives and analyses the semidiscr... 16575 deep learning models aka deep neural network... 16576 topological data analysis tda is a novel sta... 16577 we build on autoencoding sequential monte ca... 16578 we show that the uniformly accelerated refer... 16579 we propose a deep learningbased approach to ... 16580 assuming a conjecture on distinct zeros of d... 16581 it is well known that parameters for strongl... 16582 sumproduct networks have recently emerged as... 16583 we propose a novel numerical approach for th... 16584 autonomous driving presents one of the large... 16585 we present a novel time and phaseresolved ba... 16586 optimized spatial partitioning algorithms ar... 16587 this paper addresses the problem of handling... 16588 a basic goal in complexity theory is to unde... 16589 effective gauge fields have allowed the emul... 16590 we investigate the interplay between a modal... 16591 modularity maximization using greedy algorit... 16592 we generalise surface cluster algebras to th... 16593 we investigate the impact of choosing regres... 16594 let hqp p vq be a degree of freedom mechan... 16595 a comprehensive theoretical analysis of phot... 16596 in this paper we propose a novel framework c... 16597 we consider the kernel partial least squares... 16598 we define a homology theory of virtual links... 16599 the purpose of this paper is to investigate ... 16600 we formulate and study a general family of c... 16601 in kinetic inductance detectors kids and oth... 16602 smoothing is one technique to overcome data ... 16603 structural discrimination appears to be a pe... 16604 robots and control systems rely upon precise... 16605 magnetic domain wall dw motion induced by a ... 16606 this paper presents an algorithm that enhanc... 16607 in this paper we introduce the flashtext alg... 16608 logistics network is expected that opened fa... 16609 we carried out dimensional resistive mhd sim... 16610 standard probabilistic linear discriminant a... 16611 deep learning on graph structures has shown ... 16612 kinetic equations play a major rule in model... 16613 the meteoric rise of deep learning models in... 16614 purpose to develop generic optimization stra... 16615 in this paper we will investigate the contri... 16616 recent theoretical predictions of unpreceden... 16617 the unsteady characteristics of the flow ove... 16618 in this research was implemented the use of ... 16619 extremal graph theory aims to determine boun... 16620 we develop an algorithm that forecasts casca... 16621 dz cha is a weaklined t tauri star wtts surr... 16622 a bayesian filtering algorithm is developed ... 16623 we propose a generic algorithmic building bl... 16624 the past years have shown a remarkable growt... 16625 we construct exact solutions representing a\... 16626 in this paper we investigate the robustness ... 16627 the singular value matrix decomposition play... 16628 complex network reconstruction is a hot topi... 16629 we study the twodimensional stochastic nonli... 16630 twisted electromagnetic waves of which the h... 16631 effective file transfer between vehicles is ... 16632 in a bayesian context prior specification fo... 16633 we consider the problem of automated assignm... 16634 regularization methods are commonly used in ... 16635 unsupervised clustering is one of the most f... 16636 the pepper robot has become a widely recogni... 16637 the ensemble kalman filter enkf is a monte c... 16638 fullduplex fd technology is likely to be ado... 16639 unmanned aerial vehicles uavs have recently ... 16640 in this paper we give an infinite family of ... 16641 tactile sensing can enable a robot to infer ... 16642 safe interaction with human drivers is one o... 16643 in this paper we consider the final state pr... 16644 when performing localization and mapping wor... 16645 we prove that for a generic lefschetz pencil... 16646 many state of the art methods for the thermo... 16647 we construct for any finite commutative ring... 16648 the lz dark matter detector like many other ... 16649 we present models for singleparticle dispers... 16650 microcolonies are aggregates of a few dozen ... 16651 estimators computed from adaptively collecte... 16652 alignment of curve data is an integral part ... 16653 we introduce a new class of sequential monte... 16654 the classical cuntz semigroup has an importa... 16655 as of of the earths population resides in ... 16656 direct comparison of areal and profile rough... 16657 we present the vlacosmos ghz large project ... 16658 point source detection at low signaltonoise ... 16659 codesign conditions for the design of a jump... 16660 we study the ground state of a onedimensiona... 16661 rust represents a major advancement in produ... 16662 game theory gt has been used with significan... 16663 the general theoretical description of the i... 16664 robots performing manipulation tasks must op... 16665 in mexico per cent of the urban population ... 16666 based on the work of schoenyau we derive an ... 16667 we present easeml a declarative machine lear... 16668 encrypting data before sending it to the clo... 16669 let icd c d qin c irightarrowinfty be a f... 16670 we demonstrate a close connection between ob... 16671 we report on the realization of a transverse... 16672 we present experimental measurements of the ... 16673 summary\n infectious disease outbreaks in pl... 16674 we investigated a way to predict the gender ... 16675 information technology it has been used wide... 16676 in this paper we consider an online recommen... 16677 in this paper we present and expand upon pro... 16678 we consider optimal designs for general mult... 16679 learning to optimize the idea that we can l... 16680 in the well known logistic map the parameter... 16681 advanced brain imaging techniques make it po... 16682 we present a deep neural network for a model... 16683 we introduce an arbitragefree framework for ... 16684 we apply the method of nonlinear steepest de... 16685 in this paper we consider coding of short da... 16686 we report the three main ingredients to calc... 16687 we present harp a novel method for learning ... 16688 when a signal is recorded in an enclosed roo... 16689 the current generation of radio and millimet... 16690 this is the first paper that estimates the p... 16691 kenmotsus formula describes surfaces in eucl... 16692 in this paper the structural controllability... 16693 strongly coupled quantum fluids are found in... 16694 in this paper we study the problem of hyperb... 16695 from critical infrastructure to physiology a... 16696 l systems generalise contextfree grammars by... 16697 one of the key aspects of the united states ... 16698 in this work we study the kmeans cost functi... 16699 the internet of things iot is revolutionizin... 16700 a new form of the variational autoencoder va... 16701 matrix product vectors form the appropriate ... 16702 deep learning has recently become hugely pop... 16703 alastair graham walker cameron was an astrop... 16704 we demonstrate how nonconvex time crystal la... 16705 in this paper we introduce a novel method of... 16706 dynamic pushdown networks dpns are a natural... 16707 a new approach of solving the illconditioned... 16708 most deep reinforcement learning algorithms ... 16709 we demonstrate a technique for obtaining the... 16710 we prove the first rigidity and classificati... 16711 for inhomogeneous interacting electronic sys... 16712 this paper analyzes the use of d convolution... 16713 the kernel embedding algorithm is an importa... 16714 this paper is the first attempt to systemati... 16715 consider a compact lie group g and a closed ... 16716 an algorithm for constructing a control func... 16717 over the last few years there has been a gro... 16718 computers are increasingly used to make deci... 16719 opioid addiction is a severe public health t... 16720 we examine by a perturbation method how the ... 16721 we discuss computability and computational c... 16722 estimating the d pose of known objects is im... 16723 the steiner forest problem is among the fund... 16724 we analyze the origins of the luminescence i... 16725 we define a new class of languages of omegaw... 16726 maximum regularized likelihood estimators mr... 16727 while the enhancement of the spinspace symme... 16728 from morita theoretic viewpoint computing mo... 16729 limited annotated data available for the rec... 16730 generating molecules with desired chemical p... 16731 this survey is a short version of a chapter ... 16732 optimization of the fidelity of control oper... 16733 layered neural networks have greatly improve... 16734 this chapter a guide to generalpurpose abc s... 16735 feature selection can facilitate the learnin... 16736 robots have the potential to assist people i... 16737 hierarchical attention networks have recentl... 16738 let t be a positive real number a graph is c... 16739 in vitro and in vivo spiking activity clearl... 16740 we propose a simple objective evaluation mea... 16741 we present many new results related to relia... 16742 in this work we investigate a novel training... 16743 pairwise comparison data arises in many doma... 16744 decoupling multivariate polynomials is usefu... 16745 in a voicecontrolled smarthome a controller ... 16746 this paper introduces an evolutionary approa... 16747 plasmonics currently faces the problem of se... 16748 we consider the problem of minimizing a smoo... 16749 economic evaluations from individuallevel da... 16750 in the past years calorimeters have become ... 16751 recent experiments have revealed that the di... 16752 this paper introduces a new approach to auto... 16753 we propose a datadriven filtered reduced ord... 16754 the linear feast algorithm is a method for s... 16755 a recent heuristic argument based on basic c... 16756 we establish upper bounds of bit complexity ... 16757 we recalculate the leading relativistic corr... 16758 we establish interior lipschitz estimates at... 16759 most people simultaneously belong to several... 16760 we present a proof of concept for solving a ... 16761 range anxiety the persistent worry about not... 16762 the nystrm method is a popular technique for... 16763 we present a quantitative analysis on the re... 16764 future multiprocessor chips will integrate m... 16765 we give an explicit description for the weig... 16766 we prove the moore and the myhill property f... 16767 objective the learning health system lhs req... 16768 simplified molecular input line entry system... 16769 we approach the tomographic problem in terms... 16770 we give an elementary combinatorial proof of... 16771 composite materials comprised of ferroelectr... 16772 we study the kernel of the evaluated burau r... 16773 in this paper we study possibilities of inte... 16774 we have constructed the database of stars in... 16775 general relativistic effects have long been ... 16776 the role of phase separation in the emergenc... 16777 primordial black holes pbhs have long been s... 16778 we consider the highdimensional inference pr... 16779 gaussian processes gps offer a flexible clas... 16780 the paper explores various special functions... 16781 it is common to model inductive datatypes as... 16782 let mathcaldnm be the algebra of the quantum... 16783 this study here suggests a classification of... 16784 with a triangulation of a planar polygon wit... 16785 we present kband multiobject spectrograph km... 16786 for the gas near a solid planar wall we prop... 16787 donohos jcgs in press paper is a spirited ca... 16788 the demographics of dwarf galaxy populations... 16789 risk prediction is central to both clinical ... 16790 we address the problem of activity detection... 16791 regularization is one of the crucial ingredi... 16792 in this paper we examine the statistical sou... 16793 n hindman i leader and d strauss proved that... 16794 even when confronted with the same data agen... 16795 in addition to hardware walltime restriction... 16796 we recently showed that several local group ... 16797 we present a method for scalable and fully d... 16798 we consider a network of binaryvalued sensor... 16799 largescale gaussian process inference has lo... 16800 diffusion mri measurements using hyperpolari... 16801 understanding the nature of twolevel tunneli... 16802 we propose an algorithm for the adaptation o... 16803 generalizations of the hermite polynomials t... 16804 interactions between people are the basis on... 16805 dynamic topic models dtms model the evolutio... 16806 in the setting of the picalculus with binary... 16807 modularity in military vehicle designs enabl... 16808 under certain general conditions an explicit... 16809 in this work we study the problem of dispers... 16810 early prognosis of alzheimers dementia is ha... 16811 automatic music transcription amt is one of ... 16812 we prove the gaschtz lemma holds for all met... 16813 we present a simplified description for spin... 16814 the interconnected nature of graphs often re... 16815 a compact version of the variation evolving ... 16816 convolutional neural networks cnns have beco... 16817 we design differentially private algorithms ... 16818 acoustic neutrino detection is a promising a... 16819 deep reinforcement learning rl methods gener... 16820 we present deep illumination a novel machine... 16821 recurrent neural networks rnns are important... 16822 the behrensfisher problem is a wellknown hyp... 16823 understanding the mechanisms underlying the ... 16824 active learning aims to train a classifier a... 16825 we compute the polarization function in a do... 16826 unsupervised machine learning via a restrict... 16827 we study the thermodynamics of ideal bose ga... 16828 using a highfrequency expansion in periodica... 16829 this paper deals with two related problems n... 16830 most past work on social network link fraud ... 16831 we show that whenever delta eta is real and ... 16832 compositional game theory is a new recently ... 16833 let x ldots xn be iid sample in mathbbrp wit... 16834 variational autoencoders vaes as well as oth... 16835 the space of all probability measures having... 16836 in this article we study automorphisms of to... 16837 recent results by alagic and russell have gi... 16838 in the present work we use information theor... 16839 collaborative filtering is a broad and power... 16840 we define a lattice model for rock absorbers... 16841 we consider an extension of the contextual b... 16842 using the theory of cohomology support locus... 16843 analyzing temperature dependent photoemissio... 16844 although proportional hazard rate model is a... 16845 we propose a las vegas transformation of mar... 16846 we show that if a noncollapsed cdkn space x ... 16847 data warehouse performance is usually achiev... 16848 bayesian optimization bo methods are useful ... 16849 the aim of this work is to study from an int... 16850 the cosmic ray electrons measured by voyager... 16851 in the following we present example illustra... 16852 for monomial special multiserial algebras wh... 16853 context considering the importance of softwa... 16854 this article provides a short review of some... 16855 we study a data model in which the data matr... 16856 the power sum n n cdots xn has been of in... 16857 indexing massive data sets is extremely expe... 16858 we develop a new theoretical framework to an... 16859 closedloop field development clfd optimizati... 16860 a regular tbalanced cayley map rbcmt for sho... 16861 transition metal oxides are promising candid... 16862 we analyze the motion of a rod floating in a... 16863 we prove some basic results on the dimension... 16864 can an ideal i in a polynomial ring kx over ... 16865 it has been shown by mccoy that a right idea... 16866 we propose a new generic type of stochastic ... 16867 randomly generated programs are popular for ... 16868 preexposure prophylaxis prep consists in the... 16869 based on the observation that the correlatio... 16870 for accommodating more electric vehicles evs... 16871 let g be a reductive algebraic group over a ... 16872 despite the increasing use of social media p... 16873 this paper contains a nontrivial generalizat... 16874 magnetic particle imaging mpi has been shown... 16875 community detection is a key data analysis p... 16876 let k be an infinite perfect field we provid... 16877 momentum is a simple and widely used trick w... 16878 we investigate the equilibrium behavior for ... 16879 in this paper a linear model of diffusion pr... 16880 among the proposals for joint disease mappin... 16881 we show that in decaying hydromagnetic turbu... 16882 we prove that for any two finite volume hype... 16883 we provide the first quantum exact protocol ... 16884 fog computing is seen as a promising approac... 16885 we present a computerassisted proof of heter... 16886 we present millimetre dust emission measurem... 16887 experiments are reported on the performance ... 16888 in this paper we consider the problem of att... 16889 there has been a recent explosion in applica... 16890 aims the purpose of this paper is to detect ... 16891 we introduce perfect half space games in whi... 16892 the research challenge of current wireless s... 16893 we address the computation of groundstate pr... 16894 inverse uncertainty quantification uq or bay... 16895 mendelian randomization mr is a popular inst... 16896 trace alignment algorithms have been used in... 16897 topological insulator surfaces in proximity ... 16898 let g be a finite simple connected graph an ... 16899 the study of neuronal interactions is curren... 16900 we present an analysis of the main systemati... 16901 peridynamics pd represents a new approach fo... 16902 continuous attractor neural networks generat... 16903 in this paper we develop a framework for an ... 16904 we show that the smallest nonabelian quotien... 16905 this paper explores the informationtheoretic... 16906 in this paper we show that the category of m... 16907 we present a family of python modules for th... 16908 diffusionbased classifiers such as those rel... 16909 active learning al methods have proven costs... 16910 we introduce torchbearer a model fitting lib... 16911 lineintensity mapping surveys probe largesca... 16912 classifiers can be trained with datadependen... 16913 several studies have shown that the network ... 16914 this paper explores the characteristics of d... 16915 we obtain strong consistency and asymptotic ... 16916 in the article proposed is a new elearning i... 16917 the eulerpoissonalignment epa system appears... 16918 new bispectral orthogonal polynomials are ob... 16919 unsupervised node embedding methods eg deepw... 16920 twodimensional spin affleckkennedyliebtasaki... 16921 efficient management of low blood pressure b... 16922 the power of the press to shape the informat... 16923 selecting a representative vector for a set ... 16924 esa gaia mission is producing the more accur... 16925 we present an amelioration of current known ... 16926 seven of the nine known mars trojan asteroid... 16927 the abundance of metals in galaxies is a key... 16928 we show that quantum communication by means ... 16929 terramechanics plays a critical role in the ... 16930 we provide novel characterizations of multiv... 16931 we consider multitask regression models wher... 16932 since social interactions have been shown to... 16933 cohomological and ktheoretic stable bases or... 16934 the amount of information available to the m... 16935 this paper presents a convergence analysis o... 16936 we combine the bondaluehara method for produ... 16937 due to the proliferation of online social ne... 16938 as deep learning advances algorithms of musi... 16939 suppose that yn is obtained by observing a u... 16940 supervised deep learning often suffers from ... 16941 clustering problems are wellstudied in a var... 16942 the order preserving pattern matching oppm p... 16943 we present a simple categorical framework fo... 16944 let k be a standard hlder continuous caldern... 16945 the effects of including the hubbard onsite ... 16946 we present a construction of a multiscale ga... 16947 a functional risk curve gives the probabilit... 16948 the paper provides global optimization algor... 16949 during visuomotor tasks robots must compensa... 16950 in this article we present a cut finite elem... 16951 we explore the problem of learning under sel... 16952 we present a model for the evolution of supe... 16953 prospection is an important part of how huma... 16954 the classical weisfeilerlehman method wl use... 16955 we explore the properties of bytelevel recur... 16956 combining material informatics and highthrou... 16957 we study a nonlocal variant of a diffuse int... 16958 although gradient descent gd almost always e... 16959 let l be the nth order linear differential o... 16960 the traditional humanism of the twentieth ce... 16961 loss functions with a large number of saddle... 16962 this paper addresses the automatic generatio... 16963 the article deals with the connection betwee... 16964 modern mobile and embedded platforms see a l... 16965 we show that there is no iterated identity s... 16966 the goal of this tutorial is to introduce ke... 16967 partial least squares pls methods have been ... 16968 we study the asymptotic behaviour of the sol... 16969 internetwide scans are a common active measu... 16970 we present a method for metric optimization ... 16971 we suggested an algorithm for searching the ... 16972 to the best of our knowledge this paper pres... 16973 many complex systems in biology physics and ... 16974 a second derivativebased moment method is pr... 16975 a sequence in a calgebra a is called complet... 16976 a conflictfree kcoloring of a graph assigns ... 16977 we study the problem of utility maximization... 16978 globular clusters gcs are amongst the oldest... 16979 given an infinitycategory c one can naturall... 16980 training d object detectors for autonomous d... 16981 we study the changes of opinions about vacci... 16982 casp is an extension of asp that allows for ... 16983 we study production of primordial black hole... 16984 typical reinforcement learning rl agents lea... 16985 deep generative models have recently shown g... 16986 in this paper we discuss the possible usage ... 16987 this paper presents scenecut a novel approac... 16988 in this paper we show that different body pa... 16989 the objective of this work is to take advant... 16990 about years ago semitoric systems were clas... 16991 in this paper we study emphthreefolds isogen... 16992 we observe standard transfer learning can im... 16993 fast carrier cooling is important for high p... 16994 pattern matching is a powerful tool which is... 16995 the beams at the ilc produce electron positr... 16996 the hamming graph hdn is the cartesian produ... 16997 android the mobile app framework enforces t... 16998 among the many anticipated roles for robots ... 16999 for certain quasisplit reductive groups g ov... 17000 in earlier work helen wong and the author di... 17001 this note is a short summary of the workshop... 17002 current stateoftheart approaches for spatiot... 17003 percolation based graph matching algorithms ... 17004 we establish the rate region of an extended ... 17005 we introduce the problem of simultaneously l... 17006 there are many problems and configurations i... 17007 in the use of deep neural networks it is cru... 17008 tumor cells acquire different genetic altera... 17009 predicting properties of nodes in a graph is... 17010 this paper studies the daily connectivity ti... 17011 what happens when a new social convention re... 17012 in this article we propose a new class of pr... 17013 the uniform boundary condition in a normed c... 17014 in recent years there has been widespread co... 17015 we present a reinforcement learning framewor... 17016 plasmas with varying collisionalities occur ... 17017 we study vcdimension of short formulas in pr... 17018 traffic accident data are usually noisy cont... 17019 thirdparty library reuse has become common p... 17020 bacteria are easily characterizable model or... 17021 data augmentation is an essential part of th... 17022 knowledge bases are employed in a variety of... 17023 machine scheduling problems are a longtime k... 17024 the conditional mutual information ixyz meas... 17025 an interesting attempt for solving infrared ... 17026 we consider the spectral structure of indefi... 17027 in this paper we study the integral curvatur... 17028 for convex cocompact subgroups of slz we con... 17029 the massive parallel approach of neuromorphi... 17030 we first study the discrete schrdinger equat... 17031 greedy optimization methods such as matching... 17032 we analyze the relation between the emission... 17033 this article offers a personal perspective o... 17034 if e is an elliptic curve over mathbbq then ... 17035 a unified fluidstructure interaction fsi for... 17036 the transverse momentum pt spectra from heav... 17037 toxicity prediction of chemical compounds is... 17038 we introduce a general scheme that permits t... 17039 multinomial choice models are fundamental fo... 17040 we study the limit shape of successive coron... 17041 properties of galaxies like their absolute m... 17042 stochastic gradient langevin dynamics sgld i... 17043 more than million people are suffered by he... 17044 the combination of strong correlation and em... 17045 a practical biologically motivated case of p... 17046 multivariate generalized pareto distribution... 17047 in the alvarezmacovski method the line integ... 17048 let g be an adjoint quasisimple group define... 17049 the bboundary is a mathematical tool used to... 17050 lattice quantum chromodynamics lattice qcd i... 17051 a new mhd solver based on the nektar spectra... 17052 we describe the results of a qualitative stu... 17053 the problem of low rank matrix completion is... 17054 we report magnetic and calorimetric measurem... 17055 we consider the following control problem on... 17056 we use cnns to build a system that both clas... 17057 this paper presents a method to generate hig... 17058 engine for likelihoodfree inference elfi is ... 17059 deep neural networks are vulnerable to adver... 17060 the most critical time for information to sp... 17061 this paper discusses the potential of applyi... 17062 the general video game ai gvgai competition ... 17063 in this paper we consider pure infiniteness ... 17064 convex sparsitypromoting regularizations are... 17065 exoplanets smaller than neptune are numerous... 17066 the surge in political information discourse... 17067 in open set recognition osr almost all exist... 17068 the projection factor p is the key quantity ... 17069 the united states spends more than b each ye... 17070 we propose stochastic nonparametric activati... 17071 we analyze a proprietary dataset of trades b... 17072 this is a list of questions raised by our jo... 17073 zrse is a band semiconductor studied long ti... 17074 in this study we map out the largescale stru... 17075 a large class of modified theories of gravit... 17076 the notion of entropyregularized optimal tra... 17077 in this paper we present a methodology to es... 17078 we introduce the problem of variablelength s... 17079 dpolarized light imaging dpli reconstructs n... 17080 the pair density wave pdw superconducting st... 17081 neuroscience has been carried into the domai... 17082 we have developed a recently proposed joseph... 17083 background unstructured and textual data is ... 17084 we present a study of the continuum polariza... 17085 this study deals with contentbased musical p... 17086 res is considered as a promising candidate f... 17087 in this paper we deal with the problem of ex... 17088 in this paper we present an algorithm for th... 17089 in contrast with the wellknown methods of ma... 17090 bioinspired paradigms are proving to be usef... 17091 viral zoonoses have emerged as the key drive... 17092 operationalizing machine learning based secu... 17093 the objective of this research was to design... 17094 given a positive linear combination of five ... 17095 this paper studies the landscape of empirica... 17096 with the aim of understanding the effect of ... 17097 recommender systems play a crucial role in m... 17098 this work addresses the instability in async... 17099 this work presents an algorithm for changing... 17100 given an ideal mathcali on omega we show tha... 17101 gravitons possess a berry curvature due to t... 17102 allgoals updating exploits the offpolicy nat... 17103 key to structured prediction is exploiting t... 17104 nanocommunications understood as communicati... 17105 winogradbased convolution has quickly gained... 17106 in this paper we investigate the properties ... 17107 we propose a new method for learning the str... 17108 the maximum gap gf of a polynomial f is the ... 17109 in this paper we have analyzed the stability... 17110 we present an elladic trace formula for satu... 17111 we present the results from an extensive spe... 17112 superconducting bulk rebacuox materials rera... 17113 we exhibit an exact simulation algorithm for... 17114 we consider a nonparametric bayesian approac... 17115 topological superconductor tsc hosting major... 17116 consider a henselian rank one valued field k... 17117 we report the first observation of the magno... 17118 italy adopted a performancebased system for ... 17119 in this study we performed an initial invest... 17120 from a numerical analysis perspective assess... 17121 this paper defines homology in homotopy type... 17122 we investigate a timedependent spatial vecto... 17123 recently the principal component pursuit has... 17124 axionlike particles alps might constitute th... 17125 the stochastic knapsack problem is the stoch... 17126 we study the problem of using iid samples fr... 17127 we introduce a new setting where a populatio... 17128 the present work analyzes the distribution f... 17129 we propose a new partial decoding algorithm ... 17130 in this article we generalize the wellknown ... 17131 we consider the relationship between two suf... 17132 we show that any selfcomplementary graph wit... 17133 we study the asymptotic behavior of estimato... 17134 the paper discusses the magnetic state of ze... 17135 determining wavelengthdependent exoplanet ra... 17136 the major system is a mnemonic system that c... 17137 we present experimental results on the contr... 17138 we extend the theoretical analysis of a rece... 17139 endtoend neural network based approaches to ... 17140 fully programmable valve array fpva has emer... 17141 we define the extremal length of elements of... 17142 we investigate properties of the ground stat... 17143 a gyrokinetic reduction is based on a specif... 17144 in this paper we study the properties of car... 17145 a general phase reduction method for a netwo... 17146 knowledge graphs are large useful but incomp... 17147 many relevant tasks require an agent to reac... 17148 recently we gave arguments that only two uni... 17149 this paper is a tutorial on formal concept a... 17150 we present the results of a multiwavelength ... 17151 recently the educational initiative teded ha... 17152 we consider the tuning parameter selection r... 17153 todays internet traffic is mostly dominated ... 17154 in this paper we consider the weak convergen... 17155 nowadays a problem of historical beadworks c... 17156 in work of higsonroe the fundamental role of... 17157 tensor decomposition methods are popular too... 17158 consider the discrete quadratic phase hilber... 17159 the tree augmentation problem tap is a funda... 17160 generative source separation methods such as... 17161 we consider the problem of finding confidenc... 17162 we report the magnetoresistance and nonlinea... 17163 this volume contains the proceedings of fide... 17164 animals especially humans have an amazing ab... 17165 in this paper we present a new approach to v... 17166 epidemiological models for the spread of pat... 17167 we study with the help of a computer program... 17168 we introduce a new class of mean regression ... 17169 large eddy simulation les has become the def... 17170 surface stress and surface energy are fundam... 17171 the biaxial magneticfield setup for angular ... 17172 we investigate the dynamics of a dilute susp... 17173 the formalism of partial information decompo... 17174 we study the asymptotic behavior of a sequen... 17175 in this paper we present two new results to ... 17176 ultrathin twodimensional nanosheets raise a ... 17177 resonant xray scattering at the dy m and ni ... 17178 we answer a question of durham hagen and sis... 17179 deep learning requires data a useful approac... 17180 the anomalously large radii of strongly irra... 17181 bands of vectorvalued functions ftmapstomath... 17182 in general underestimation of risk is someth... 17183 the atomic swap protocol allows for the exch... 17184 we design analyse and implement an arbitrary... 17185 it is known that one can construct nonparame... 17186 we extend the classic convergence rate theor... 17187 we introduce a practical calculation scheme ... 17188 we prove that if h is a topological group su... 17189 differentiable systems in this paper means s... 17190 the simulation of pedestrian crowd that refl... 17191 the structural description for the intriguin... 17192 purpose this paper focuses on an automated a... 17193 a strong mode of a probability measure on a ... 17194 motivated by the theory of quasideterminants... 17195 we introduce a multimodal neural machine tra... 17196 phase retrieval algorithms have become an im... 17197 the cobaltgermanium coge is a fascinating co... 17198 many imagetoimage translation problems are a... 17199 this paper addresses the optimal control pro... 17200 deep neural networks dnns have transformed s... 17201 let mn denote the maximum size of a family o... 17202 test mass charging caused by cosmic rays wil... 17203 we propose a memorymodelaware static program... 17204 we present an evaluation update or simply up... 17205 we analyse extreme event statistics of exper... 17206 the selfconsistent nonlinear interaction of ... 17207 we present the first adaptive strategy for a... 17208 synthesizing images of the eye fundus is a c... 17209 we investigate the growth of the graphene bu... 17210 vaccine hesitancy has been recognized as a m... 17211 personal electronic devices including smartp... 17212 we study the least squares regression functi... 17213 the thermal stability of most electronic and... 17214 in this paper we study emergent irreducible ... 17215 this paper concerns the low mach number limi... 17216 in this paper the formulas of some exponenti... 17217 preserving the privacy of individuals by pro... 17218 the interplay between superconductivity and ... 17219 background the quality of a software product... 17220 although the gaia catalogue on its own will ... 17221 we use quarters of the textitkepler mission... 17222 the reconstruction of water wave elevation f... 17223 the schatten quasinorm was introduced to bri... 17224 consider a truncated circular unitary matrix... 17225 in this paper the taskrelated fmri problem i... 17226 motivated by the task of clustering either d... 17227 we present widefield deg weak lensing mass ... 17228 finite difference methods are traditionally ... 17229 kinetic energy density functionals kedfs are... 17230 the mutilayer information bottleneck ib prob... 17231 we propose a new mathematical model for nkdi... 17232 a central problem of algebraic topology is t... 17233 optimization is becoming a crucial element i... 17234 in this paper we study convergence propertie... 17235 the direct detection of gravitational wave b... 17236 approximations during program analysis are a... 17237 through the development of efficient algorit... 17238 nonlinear wave interactions affect the evolu... 17239 the singleparticle spectral function measure... 17240 the purpose of this article is to determine ... 17241 in this work we introduce a new type of line... 17242 multilabel image classification is a fundame... 17243 the atmospheres of between one quarter and o... 17244 we present a quantization of an isomorphism ... 17245 this paper is concerned with a multiasset me... 17246 deep learning has enabled major advances in ... 17247 undesired unintentional doping and doping li... 17248 in recent years many research works propose ... 17249 for applications exploiting the valley pseud... 17250 predicting highrisk vascular diseases is a s... 17251 understanding the evolution of human society... 17252 autonomic nervous system ans activity is alt... 17253 unsupervised learning of lowdimensional sema... 17254 in the bestkarm problem we are given n stoch... 17255 we study equilibrium measures kenmki measure... 17256 we present a thermal emission spectrum of th... 17257 deep learning yields great results across ma... 17258 neural networks have been used prominently i... 17259 precise knowledge of the static density resp... 17260 the magnetocrystalline anisotropy exhibited ... 17261 in this paper we experimentally demonstrate ... 17262 the continuous dynamical system approach to ... 17263 with the popularity of linked open data lod ... 17264 wave motion in two and threedimensional peri... 17265 in this paper we formulate an analogue of wa... 17266 many realworld multilayer systems such as cr... 17267 the reconstruction of sparse signals require... 17268 in this paper we propose a fault detection a... 17269 we study numerically a constantinlaxmajdade ... 17270 we consider the fitting of heavy tailed data... 17271 this paper introduces deep incremental boost... 17272 we consider linear structural equation model... 17273 we show how solutions to a large class of pa... 17274 in reinhardt conjectured that the shape of ... 17275 we study the heating mechanisms and lyalpha ... 17276 in this chapter we explain briefly the funda... 17277 the electronic structure of thrusi was studi... 17278 factorable surfaces ie graphs associated wit... 17279 the paper presents two results first it is s... 17280 sequential changepoint detection when the di... 17281 we give algorithms to construct the nron des... 17282 in recent years deep learning has made treme... 17283 we consider the problem of training generati... 17284 ontologybased query answering obqa asks whet... 17285 despite their popularity the practical perfo... 17286 in this paper we study a new learning paradi... 17287 we determine which amalgamated products of s... 17288 understanding shading effects in images is c... 17289 let s be the power series ring or the polyno... 17290 generative adversarial networks gans are inn... 17291 causal mediation analysis aims to estimate t... 17292 in this work a novel subspacebased method fo... 17293 we extend a previously introduced semianalyt... 17294 in this article we study the existence and s... 17295 we report on the selective fabrication of hi... 17296 in this note we prove an lfracnenergy gap re... 17297 pomsets are a model of concurrent computatio... 17298 the ecological invasion problem in which a w... 17299 nonlocality is a key feature of many physica... 17300 we introduce deephits a rotation invariant c... 17301 in various approaches to learning notably in... 17302 the principle of common cause asserts that p... 17303 when three species compete cyclically in a w... 17304 we study the multiclass online learning prob... 17305 deep learning techniques have been hugely su... 17306 in this paper we study the infinitesimal sym... 17307 the studying of anomalous diffusion by pulse... 17308 we report a nontrivial transition in the cor... 17309 multiarmed bandit mab is a class of online l... 17310 we investigate the initialboundary value pro... 17311 we demonstrate that a deep neural network ca... 17312 the development of needlefree injection syst... 17313 in this paper we initiate a rigorous theoret... 17314 classical reversemode automatic differentiat... 17315 manydegreescale gammaray halos are expected ... 17316 in this work we investigate a onedimensional... 17317 we present generative adversarial capsule ne... 17318 zoonotic diseases are a major cause of morbi... 17319 the exploitation of the excellent intrinsic ... 17320 we investigate a steady planar flow of an id... 17321 this article demonstrates that convolutional... 17322 due to the success of deep learning to solvi... 17323 let r be a commutative ring with identity an... 17324 in the following paper we analyse the idpric... 17325 characterization of the uncertainty in robot... 17326 patchbased denoising algorithms like bmd hav... 17327 we have studied disordering effects on the c... 17328 simulationbased inference plays a major role... 17329 knearest neighbours knn is a popular classif... 17330 in this paper we extend the work by ryuzo sa... 17331 we report results of a search for light weak... 17332 the orionis group was discovered almost a d... 17333 this paper proposes xmldefined network polic... 17334 this paper discusses a roadmap to investigat... 17335 we discuss the effect of dissipation on heat... 17336 the goal of compressed sensing is to estimat... 17337 several researchers have described twopart m... 17338 along with the deraining performance improve... 17339 statistical inference based on lossy or inco... 17340 nearest neighbor imputation is popular for h... 17341 we demonstrate that a semiconductor laser pe... 17342 in this paper we propose a new deep feature ... 17343 to detect and segment salient objects accura... 17344 we provide a complete picture of asymptotica... 17345 this paper studies the secrecy rate maximiza... 17346 stochastic integration textitwrt gaussian pr... 17347 we naturally associate a measurable space of... 17348 this paper focuses on automated synthesis of... 17349 in the present work we prove a nikolski ineq... 17350 inferring model parameters from experimental... 17351 this paper establishes an upper bound for th... 17352 by considering a limiting case of a kronecke... 17353 in this paper we consider the temporal patte... 17354 we propose in this paper a new approach to t... 17355 we prove a conjecture of medvedev and scanlo... 17356 the asymptotic behaviour of the commonly use... 17357 we compute physical properties across the ph... 17358 we introduce minimalrnn a new recurrent neur... 17359 let bqpn be a boolean quadric polytope lopm ... 17360 analyzing arraybased computations to determi... 17361 independent component analysis ica one of t... 17362 we study weighted hinfty spaces of analytic ... 17363 cauchy and exponential transforms are charac... 17364 we report extensive theoretical calculations... 17365 we consider the multiview data completion pr... 17366 we consider the problem of gridforming contr... 17367 we characterize the nearinfrared nir dust at... 17368 using tape or optical devices for scaleout s... 17369 noisy pn learning is the problem of binary c... 17370 we present a neural model for representing s... 17371 robust data association is necessary for vir... 17372 we study the effect of dynamical tides assoc... 17373 we consider a boseeinstein condensate bec wi... 17374 the execution of sequential programs allows ... 17375 specify a randomized algorithm that given a ... 17376 in this paper we prove modularity results of... 17377 for future networks ie the fifth generation ... 17378 many of the existing methods for learning jo... 17379 keplerb is currently the best example of an ... 17380 we report the propagation of a square wave s... 17381 we present sequential attend infer repeat sq... 17382 we present a new local descriptor for d shap... 17383 we present theoretical guarantees for an alt... 17384 in recent years there have been increasing c... 17385 in this paper we propose to utilize convolut... 17386 in this paper we consider the derivation of ... 17387 this paper introduces the variational implic... 17388 transformation optics methods and gradient i... 17389 lanthanum family of hightemperature cuprate ... 17390 capable of reaching similar magnitudes to la... 17391 general nsolitons in three recentlyproposed ... 17392 we revisit the mathematical models for wirel... 17393 symbolic data analysis sda is an emerging ar... 17394 many realworld data mining applications need... 17395 the cherenkov telescope array cta is the nex... 17396 the restricted isometry property rip is a un... 17397 nonparametric kernel density estimation is a... 17398 we applied machine learning to predict wheth... 17399 this paper investigates the algorithmic dime... 17400 inference in loglinear models scales linearl... 17401 when an ordered spin system of a given dimen... 17402 we report the bright solitons of the general... 17403 the most recent experimental advances could ... 17404 stronger selection implies faster evolutiont... 17405 lj savage once hoped to show that the superf... 17406 stochastic gradient descent sgd is the centr... 17407 the kontsevich integral is a powerful link i... 17408 in this note we prove a selection of commuta... 17409 short message service sms spam is a serious ... 17410 measuring and analyzing the performance of s... 17411 we present a method for calculating the comp... 17412 literature on the modeling and simulation of... 17413 in this paper we study a new type of spatial... 17414 in the game theory literature there appears ... 17415 superior performance and ease of implementat... 17416 wavelet frame systems are known to be effect... 17417 a recently proposed exact algorithm for the ... 17418 privatizing data is a useful strategy for in... 17419 cellular electron cryotomography cect is a p... 17420 largescale deep convolutional neural network... 17421 we report evidence for an enstrophy cascade ... 17422 we study contextual multiarmed bandit proble... 17423 variational inference for latent variable mo... 17424 to understand the selfsustenance of subcriti... 17425 learning would be a convincing method to ach... 17426 this paper addresses the trajectory tracking... 17427 though there has been a significant amount o... 17428 this paper gives new results for synchroniza... 17429 we apply both distancebased jin and matteson... 17430 we study the local geometry of testing a mea... 17431 two of the most fundamental prototypes of gr... 17432 we study the problem of subsampling in diffe... 17433 assigning a satisfactory truly concurrent se... 17434 we propose a technique for multitask learnin... 17435 we present a probabilistic language model fo... 17436 the multiple scattering of ultra relativisti... 17437 we give necessary and sufficient conditions ... 17438 the photoelectric effect established by eins... 17439 we apply sequencetosequence model to mitigat... 17440 we investigate the use of ghz ho masers for... 17441 the free energy principle has been proposed ... 17442 in this paper we study the setting where fea... 17443 contextual bandit algorithms are sensitive t... 17444 smart solar inverters can be used to store m... 17445 despite recent advances in face recognition ... 17446 citizen science projects recruit members of ... 17447 we study the category of representations of ... 17448 complex networks have been found to provide ... 17449 we analyze short cadence k light curve of th... 17450 as robots become increasingly prevalent in a... 17451 let t be a consistent ominimal theory extend... 17452 standard bayesian analyses can be difficult ... 17453 large area xray proportional counter laxpc i... 17454 we give a counterexample to the vector gener... 17455 in this work we ask two questions can we pr... 17456 hilberts th problem studies the finite gener... 17457 we design a stochastic algorithm to train an... 17458 we find evidence for a strong thermal invers... 17459 the magneticfieldtemperature phase diagram o... 17460 extended kalman filter ekf does not guarante... 17461 we establish new approximation results in th... 17462 in this paper a multiagent coordination prob... 17463 for the first time intermodulation distortio... 17464 ingaasbased gateallaround gaa fets with mode... 17465 in this paper we study the integral of type\... 17466 in this paper we define the notion of pullba... 17467 the simplex algorithm for linear programming... 17468 in diffusionbased communication as for molec... 17469 modified hamiltonian monte carlo mhmc method... 17470 this whitepaper proposes the design and adop... 17471 in this paper we introduce dicod a convoluti... 17472 we study uniqueness of dirichlet problems of... 17473 at interfaces between oxide materials lattic... 17474 a mathematical model for emerging contaminan... 17475 deep generative models based on generative a... 17476 approximate vanishing ideal which is a new c... 17477 xray free electron lasers xfels have been pr... 17478 avenues of majorana bound states mbss have b... 17479 research is a tertiary priority in the ehr w... 17480 we show that whereas spin onedimensional u q... 17481 in this paper two portfolio choice models ar... 17482 we study some basic properties of the class ... 17483 to realize and test advanced accelerator con... 17484 we investigated the magnetic behavior of met... 17485 cloud computing helps reduce costs increase ... 17486 password security can no longer provide enou... 17487 this paper presents a practical approach tow... 17488 recent advances in deep learning especially ... 17489 the mechanical failure of amorphous media is... 17490 the validity of the strong law of large numb... 17491 in this letter we study the mean sizes of ha... 17492 motivated by a host of empirical evidences r... 17493 we consider the spectral dirichlet problem f... 17494 we examine the meaning and the complexity of... 17495 recently thas et al introduced a new statis... 17496 we present the strongest constraints to date... 17497 in this paper we introduce a system for unsu... 17498 one of the most significant challenges invol... 17499 this paper examines the speaker identificati... 17500 in this paper by using the idea of linearizi... 17501 we look at interval exchange transformations... 17502 consider the parabolic equation with measure... 17503 as the number of contributors to online peer... 17504 this brief note highlights some basic concep... 17505 we present novel experimental results on pat... 17506 the purpose of the paper is to study yamabe ... 17507 we investigate exceedances of the process ov... 17508 a problem of classification of local field p... 17509 we give a few explicit examples which answer... 17510 we consider inference about the history of a... 17511 in this paper ellipsoid method for linear pr... 17512 we experimentally demonstrate a ring geometr... 17513 we explore the possibility of discovering ex... 17514 recently integrability conditions ics in mut... 17515 we consider the estimation of the multiperio... 17516 tests of gravity at the galaxy scale are in ... 17517 by mapping the most advanced elements of the... 17518 we prove that the generating functions for t... 17519 we study the n supersymmetric solutions of d... 17520 in this paper we show that the recent integr... 17521 this paper proposes a segmentationfree autom... 17522 we have determined new relations between ubv... 17523 we study numerically the bloch electron wave... 17524 sequential monte carlo has become a standard... 17525 decades of psychological research have been ... 17526 we present a collection of conjectural trace... 17527 targeted attacks against network infrastruct... 17528 reinforcement learning and symbolic planning... 17529 when pristine material surfaces are exposed ... 17530 we develop the theory of hydrodynamic charge... 17531 predicting how a proposed cancer treatment w... 17532 rechargeable redox flow batteries with serpe... 17533 we present a list of open questions in mathe... 17534 online advertising and product recommendatio... 17535 the goal of population spectral synthesis ps... 17536 in citechenfgi we proposed a differential op... 17537 in this paper a new restarting method for kr... 17538 in this paper nil extensions of some special... 17539 we examine a class of embeddings based on st... 17540 probabilistic modeling is fundamental to the... 17541 there has been considerable research on auto... 17542 despite remarkable successes deep reinforcem... 17543 we demonstrate that in diffusive superconduc... 17544 although a majority of the theoretical liter... 17545 in this paper we use an iterative algorithm ... 17546 kernel quadratures and other kernelbased app... 17547 in this work we introduce a conditional acce... 17548 generative moment matching network gmmn is a... 17549 we study the multipartite entanglement of a ... 17550 thermal properties of graphene monolayers ar... 17551 the summary presented in this paper highligh... 17552 a stochastic model of excitatory and inhibit... 17553 we present a new monte carlo methodology for... 17554 we study the unitary representations of the ... 17555 in this paper we describe the problem of pai... 17556 in this paper we will establish an elliptic ... 17557 due to one of the most representative contri... 17558 environmental pollutants such as colors from... 17559 this paper provides the generating series fo... 17560 we report results of simultaneous xray refle... 17561 the observation of micron size spin relaxati... 17562 advanced gravitationalwave detectors such as... 17563 the design of spacecraft trajectories for mi... 17564 we prove that for every bushnellkutzko type ... 17565 let k mathbbfqt be the rational function fi... 17566 we present a result on the number of decoupl... 17567 learning to remember long sequences remains ... 17568 increasingly internet of things iot domains ... 17569 it has recently been shown that yield in amo... 17570 we present a review of data types and statis... 17571 we provide sufficient conditions to guarante... 17572 the paper as a new contribution aims to expl... 17573 classification performances of the supervise... 17574 we propose an autoencoding sequencebased tra... 17575 we prove effective nullstellensatz and elimi... 17576 let q be a prime power of a prime p n a posi... 17577 zebrafish pretectal neurons exhibit specific... 17578 being able to predict whether a song can be ... 17579 we train multitask autoencoders on linguisti... 17580 time series forecasting is a crucial compone... 17581 we investigate the ground state properties o... 17582 recent determination of the hubble constant ... 17583 automatic generation of caption to describe ... 17584 swirlswitching is a lowfrequency oscillatory... 17585 a key advance in learning generative models ... 17586 in this paper we propose a novel learning me... 17587 the sensitivity of molecular dynamics on cha... 17588 in this work we study a multiagent coordinat... 17589 pattern lock has been widely used for authen... 17590 many analysis and machine learning tasks req... 17591 in the last decades there have been an incre... 17592 we conjecture the universal probability dist... 17593 we carry out a study of the statistical dist... 17594 bin packing problems have been widely studie... 17595 human populations exhibit complex behaviorsc... 17596 although timely sepsis diagnosis and prompt ... 17597 in this paper we prove the hlder regularity ... 17598 there exists a critical speed of propagation... 17599 this paper describes our submission clac to ... 17600 a local existence and uniqueness theorem for... 17601 the mapper produces a compact summary of hig... 17602 this paper presents a three dimensional coll... 17603 in this paper we consider the problems for c... 17604 we examine how the institutional context aff... 17605 a great variety of text tasks such as topic ... 17606 endovascular sealing is a new technique for ... 17607 mapreduce framework is the de facto standard... 17608 we consider the topic of multivariate regres... 17609 we study the problem of finding a small subs... 17610 sketchbased modeling strives to bring the ea... 17611 we study the problem of ranking a set of ite... 17612 saga is a fast incremental gradient method o... 17613 the effects of nitridation on the density of... 17614 we derive the finite temperature keldysh res... 17615 this work introduces a tensorbased method to... 17616 given a set of baseline assumptions a breakd... 17617 we study detection methods for multivariable... 17618 singular limits of d ftheory compactificatio... 17619 crystal structures and the bloch theorem pla... 17620 we consider a multiway massive multipleinput... 17621 in this paper we introduce and study motives... 17622 this work extends the elsner wandelt itera... 17623 selfconsistent treatment of cosmological str... 17624 let kf be a finite extension of number field... 17625 we consider the class of rudinshapirolike po... 17626 we highlight how rulebased integration rubi ... 17627 in this paper we analyze the performance of ... 17628 we show that polarization states of electrom... 17629 in empirical work in economics it is common ... 17630 we prove two results concerning an ulamtype ... 17631 in this communication we describe a novel te... 17632 despite significant advances in artificial i... 17633 this paper generalises moris famous theorem ... 17634 we investigate the dynamics of water confine... 17635 the main objective of this paper is to study... 17636 planetary cores consist of liquid metals low... 17637 followership is generally defined as a strat... 17638 we present improved mars odyssey neutron spe... 17639 let varphimathbbrrightarrow mathbbr be a con... 17640 the navigation problem is classically approa... 17641 this paper presents a thorough evaluation of... 17642 we present deeppicar a lowcost deep neural n... 17643 considering structure functions of the strea... 17644 compact modeling of interdevice radiationind... 17645 in this note it is shown that the class of a... 17646 we consider using a battery storage system s... 17647 the nervous system encodes continuous inform... 17648 we present an investigation of clumpy galaxi... 17649 we propose the use of incomplete dot product... 17650 let a be a commutative noetherian ring conta... 17651 this is the last part of a series of three p... 17652 in the cost per click cpc pricing model an a... 17653 an important task for many if not all the sc... 17654 the planar linear restricted fourbody proble... 17655 we investigate the mechanical properties of ... 17656 skin cancer is a major public health problem... 17657 this article introduces the notion of arbitr... 17658 we define a class of surfaces and surface pa... 17659 an efficient descriptor model for fast scree... 17660 we prove combinatorially that the product of... 17661 topological nodal line dnl semimetals formed... 17662 variational inference is a popular technique... 17663 monolayers of transition metal dichalcogenid... 17664 exact solutions for laminar stratified flows... 17665 a large class of machine learning techniques... 17666 the covariant canonical formalism is a covar... 17667 we study cascading failures in a system comp... 17668 for any geodesic current we associated a qua... 17669 trivial events are ubiquitous in human to hu... 17670 in this paper we investigate the casacore ta... 17671 we report the experimental observation of th... 17672 in absence of a lens to form an image incohe... 17673 multiview video supports observing a scene f... 17674 the objective of the present work is to cons... 17675 we propose a simple technique for encouragin... 17676 loosely speaking the shannon entropy rate is... 17677 aspects of the preparation process and perfo... 17678 a mixed manna contains goods that everyone l... 17679 how can we explain the predictions of a blac... 17680 we study analytically and numerically the op... 17681 progress in science has advanced the develop... 17682 each family mathcalm of means has a natural ... 17683 we propose a fully distributed actorcritic a... 17684 we describe the structure of hausdorff local... 17685 electrons that are confined to a single land... 17686 over the last decades numerous security and ... 17687 in this review we discuss how channel simula... 17688 a nonparametric method for ranking stock ind... 17689 plastic deformation of metallic glasses perf... 17690 this work is closely related to the theories... 17691 detection of cell nuclei in microscopic imag... 17692 given a heegaard splitting of a threemanifol... 17693 modeling network traffic is gaining importan... 17694 quantum coherence phenomena driven by electr... 17695 recently a wide range of smart devices are d... 17696 an element e of an ordered semigroup scdotle... 17697 let pi be a heckemaass cusp form for slmathb... 17698 it is known that the implied volatility skew... 17699 we calculate the amplitudetophase amtopm noi... 17700 direct frequencycomb spectroscopy is used to... 17701 a variety of energy resources has been ident... 17702 inferring walls configuration of indoor envi... 17703 experience replay is a key technique behind ... 17704 we investigate the problem of dynamic portfo... 17705 we report a sample of highmass starless clu... 17706 artificial neural networks that learn to per... 17707 the problem of object localization and recog... 17708 we propose a fast simple and robust algorith... 17709 recently the deep learning community has giv... 17710 the s heisenberg spin chain compound srcuo d... 17711 in this joint introduction to an asterisque ... 17712 many realworld systems are characterized by ... 17713 the field of biomedical imaging has undergon... 17714 a new initiative from the international swap... 17715 hierarchical models are utilized in a wide v... 17716 atomistic simulations were carried out to an... 17717 hyperspectralmultispectral imaging hsimsi co... 17718 among the large number of promising twodimen... 17719 starting from a langevin formulation of a th... 17720 we present a feature functional theory bind... 17721 one of the serious issues in communication b... 17722 weighted automata wa are an important formal... 17723 let g be a finite group and let pdotspn be d... 17724 generalize kobayashis example for the noethe... 17725 we study the continuity of space translation... 17726 in this study we propose shrinkage methods b... 17727 we formulate bayesian updates in markov proc... 17728 scanning tunnelling microscopy and low energ... 17729 a real hypersurface in the complex quadric q... 17730 the quest towards expansion of the max desig... 17731 deep learning has proven to be a powerful to... 17732 we determine the value of some search games ... 17733 we report the discovery of four short period... 17734 we formulate a general criterion for the exa... 17735 the use of cva to cover credit risk is widel... 17736 ensemble pruning selecting a subset of indiv... 17737 the paper is devoted to the relationship bet... 17738 we study shimura curves of pel type in maths... 17739 datadriven anomaly detection methods suffer ... 17740 selfsimilarity was recently introduced as a ... 17741 highly principled data science insists on me... 17742 we study a class of focusing nonlinear schro... 17743 following some previous studies on restartin... 17744 in this work nonparametric statistical infer... 17745 the symbol is used to describe the springer ... 17746 while harms of allocation have been increasi... 17747 the xray spectra of the neutron stars locate... 17748 we prove various inequalities between the nu... 17749 overabundances in highly siderophile element... 17750 we consider a bayesian model for inversion o... 17751 a promising route to the realization of majo... 17752 in this paper we introduce raduls the fastes... 17753 deterministic neural nets have been shown to... 17754 this work relates to the famous experiments ... 17755 the shortest paths problem spp is no longer ... 17756 in this paper we present a short and element... 17757 cosmology in the near future promises a meas... 17758 liquidphaseexfoliation is a technique capabl... 17759 designing an exoskeleton to reduce the risk ... 17760 todays researchers in the field of pulmonary... 17761 we point out that most of the classical ther... 17762 hightransmissivity alldielectric metasurface... 17763 we proposed a probabilistic approach to join... 17764 quantum key distribution qkd offers a way fo... 17765 deep neural networks are a family of computa... 17766 in an economy with asymmetric information th... 17767 ordering theorems characterizing when partia... 17768 as the foundation of driverless vehicle and ... 17769 existing markov chain monte carlo mcmc metho... 17770 we embed a flipped rm su times rm u gut mode... 17771 the interactive computation paradigm is revi... 17772 iin recent years there has been a growing in... 17773 we propose and analyze an efficient spectral... 17774 mendelian randomization uses genetic variant... 17775 direct acousticstoword aw models in the endt... 17776 convolutional dictionary learning cdl or spa... 17777 we present latetime optical rband imaging da... 17778 in this article we consider markov chain mon... 17779 we generalise a multiple string pattern matc... 17780 the correspondence between definable connect... 17781 a family qbetabeta geq of markov chains is ... 17782 we present a scheme to deterministically pre... 17783 bayesian optimization is a sampleefficient m... 17784 in recent years the attack which leverages r... 17785 we report the discovery of a system of two s... 17786 a new electron beamoptical procedure is prop... 17787 due to its excellent shockcapturing capabili... 17788 this paper presents an educational code writ... 17789 this document outlines the approach to suppo... 17790 how does the smallscale topological structur... 17791 the principle of the glitch states that for ... 17792 in this article we perform an asymptotic ana... 17793 recent interest in topological semimetals ha... 17794 recent research has shown the usefulness of ... 17795 random geometric graphs in hyperbolic spaces... 17796 we study the efficient learnability of geome... 17797 editorial board members who are considered t... 17798 this paper examines the standard model under... 17799 we introduce flexible robust functional regr... 17800 in this paper we are concerned with determin... 17801 dual energy ct dect enhances tissue characte... 17802 in wind farms wake interaction leads to loss... 17803 we show how an ensemble of qfunctions can be... 17804 two modestsized symbolic corpora of posttona... 17805 existing urban boundaries are usually define... 17806 peer review is the foundation of scientific ... 17807 generating random variates from highdimensio... 17808 we show under mild topological assumptions t... 17809 we present a systematic method for designing... 17810 terrorism has become one of the most tedious... 17811 i present here the first results from an ong... 17812 it is wellknown that gans are difficult to t... 17813 acute respiratory infections have epidemic a... 17814 under model uncertainty empirical bayes eb p... 17815 in this paper we introduce a finite field an... 17816 in this article we consider twoway twotape a... 17817 circ video requires human viewers to activel... 17818 zeroshot learning zsl is a challenging task ... 17819 speaker change detection scd is an important... 17820 in this paper we develop a bivariate discret... 17821 over new people in the united states are di... 17822 users of online social networks osns interac... 17823 we present an approach to path following usi... 17824 we theoretically study scattering process an... 17825 model selection in mixed models based on the... 17826 we study the ground state energy of the neum... 17827 we develop and implement automated methods f... 17828 testing the simplifying assumption in highdi... 17829 in this paper we study a natural special cas... 17830 it is shown that using the similarity transf... 17831 recent studies have shown that reinforcement... 17832 artificial neural network ann is a very usef... 17833 determinantal point processes dpps have wide... 17834 double machine learning provides sqrtnconsis... 17835 we perform direct numerical simulations of s... 17836 latent factor models for recommender systems... 17837 we establish large sample approximations for... 17838 wordvec mikolov et al has proven to be succ... 17839 we study extremal and algorithmic questions ... 17840 the selection of west java governor is one e... 17841 the next generation of ai applications will ... 17842 temporary work is an employment situation us... 17843 transition metal dichalcogenides represent a... 17844 we demonstrate identification of position ma... 17845 we prove that the set of symplectic lattices... 17846 a viterbilike decoding algorithm is proposed... 17847 in multiferroic bifeo a cycloidal antiferrom... 17848 this project proposes to reuse the dafne acc... 17849 understanding planetary interiors is directl... 17850 the occurrence of new events in a system is ... 17851 in this work the conduction of ionwater solu... 17852 extreme values modeling has attracting the a... 17853 systems subject to uncertain inputs produce ... 17854 the combination of large open data sources w... 17855 the discrete cosine transform dct is the key... 17856 it is well known that the initialization of ... 17857 boundary value problem for complete second o... 17858 change point analysis is a statistical tool ... 17859 realtime monitoring of functional tissue par... 17860 the interaction that occurs between a light ... 17861 compared with relational database rdb graph ... 17862 in this paper we present an algorithm for th... 17863 twodimensional d materials are among the mos... 17864 this article provides the first survey of co... 17865 tensor network methods are taking a central ... 17866 we present four logic puzzles and after that... 17867 exploration bonus derived from the novelty o... 17868 much of the success of single agent deep rei... 17869 synthetic aperture imaging systems achieve c... 17870 in designing most software applications much... 17871 principal component analysis is an important... 17872 in recent years several convex programming r... 17873 building on recent work of bhargavaelkiessch... 17874 drug repositioning dr refers to identificati... 17875 in this work we investigate the dynamics of ... 17876 our aim is to characterize the lipschitz fun... 17877 we consider a thin normal metal sandwiched b... 17878 we consider the privacy implications of publ... 17879 the nash equilibrium paradigm and rational c... 17880 the predictions of parameteric property mode... 17881 split manufacturing is a promising technique... 17882 autonomous sorting is a crucial task in indu... 17883 the whittle likelihood is widely used for ba... 17884 geophysical model domains typically contain ... 17885 a map merging component is crucial for the p... 17886 this paper introduces a family of local feat... 17887 in this paper we demonstrate subharmonic inj... 17888 we have studied the longitudinal spin seebec... 17889 we complete the picture available in the lit... 17890 approximate bayesian computation abc is a me... 17891 regression problems are pervasive in realwor... 17892 we define a new method to estimate centroid ... 17893 calculation of nearneighbor interactions amo... 17894 the evolution and the present status of the ... 17895 we propose a hybrid quantum system where an ... 17896 video games and the playing thereof have bee... 17897 learning the latent representation of data i... 17898 sensor selection refers to the problem of in... 17899 we introduce the discrete distribution of a ... 17900 coherent control of the resonant response in... 17901 recently we have demonstrated the presence o... 17902 we study a relationship between the ultrapro... 17903 a fundamental issue for statistical classifi... 17904 the problem of machine learning with missing... 17905 this paper provides an entry point to the pr... 17906 in this digital era one thing that still hol... 17907 this paper proposes a gamma process for mode... 17908 suppose one has data from one or more comple... 17909 let b autx be the doldlashof classifying spa... 17910 sophisticated gated recurrent neural network... 17911 we study manybody localization properties of... 17912 deep neural networks show great potential as... 17913 in this paper two robust model predictive co... 17914 hidden markov models hmms are a ubiquitous t... 17915 network growth processes can be understood a... 17916 advances in data analytics bring with them c... 17917 the present paper is dedicated to the global... 17918 we present largefield times deg mapping obse... 17919 unseen data conditions can inflict serious p... 17920 we study the generation of the matterantimat... 17921 this paper introduces the acoustic scene cla... 17922 we propose a class of particleincell pic met... 17923 methodological research rarely generates a b... 17924 deep learning is an established framework fo... 17925 demographic studies suggest that changes in ... 17926 in this review we will study rigorously the ... 17927 background the chromatin remodelers of the s... 17928 we consider two questions at the heart of ma... 17929 we provide a full analysis of ghost free hig... 17930 we introduce a novel approach for predicting... 17931 many of the baryons in our galaxy probably l... 17932 supercontinuum generation using chipintegrat... 17933 through a series of examples we illustrate s... 17934 we give a rigorous characterization of what ... 17935 we present a new class of service for locati... 17936 we characterize the completeness and frameba... 17937 deep learning models are often successfully ... 17938 computer based recognition and detection of ... 17939 let a be an expanding dtimes d matrix with i... 17940 in this paper we consider the dvali and gmez... 17941 we consider the problem of convergence to a ... 17942 we investigate to what extent mobile use pat... 17943 in a previous study the algebraic formulatio... 17944 micro aerial vehicles mavs are limited in th... 17945 we describe algorithms to compute elliptic f... 17946 magnetic skyrmions are localized nanometric ... 17947 generative models have long been the dominan... 17948 for hidden markov models one of the most pop... 17949 this paper considers insertion and deletion ... 17950 periodic supercell models of electric double... 17951 in this paper we present crowdtone a system ... 17952 restricted boltzmann machines rbms are energ... 17953 compound random measures corms are a flexibl... 17954 the test of gravitational force on antimatte... 17955 attentionbased sequencetosequence models for... 17956 we propose a new approach to train the gener... 17957 the seminal work of gatys et al demonstrated... 17958 we aim at characterizing the largescale dist... 17959 we consider a certain quotient of a polynomi... 17960 blog is becoming an increasingly popular med... 17961 meaningful laws of nature must be independen... 17962 characterization of the primary events invol... 17963 we consider implementations of highorder fin... 17964 for lattice monte carlo simulations parallel... 17965 we prove upper and lower bounds on the effec... 17966 d morphable models dmms are powerful statist... 17967 in medicine visualizing chromosomes is impor... 17968 based on agile transformation cases over y... 17969 a symboliccomputational algorithm fully impl... 17970 hess j is an unidentified hard spectrum sour... 17971 we investigate how nextgeneration laser puls... 17972 social dilemmas where mutual cooperation can... 17973 the casimir free energy of dielectric films ... 17974 pharmacoepidemiology pe is the study of uses... 17975 a new form of variational autoencoder vae is... 17976 we prove that there exist hypersurfaces that... 17977 inverse problems where in broad sense the ta... 17978 this work presents a model reduction approac... 17979 stochastic gradient descent sgd is a popular... 17980 precise trajectory control near ground is di... 17981 this communication presents a longitudinal m... 17982 this new book by cosmologists geraint f lewi... 17983 a novel sparsitybased algorithm for audio in... 17984 identifying palindromes in sequences has bee... 17985 remanufacturing is a significant factor in s... 17986 a temperature tdependent coarsegrained cg ha... 17987 in this paper we present libdirectional a ma... 17988 a novel idea is proposed for a natural solut... 17989 selfpaced learning and hard example mining r... 17990 to investigate the electronic structure of w... 17991 the purpose of this study is to analyze cybe... 17992 we develop the theory of weak fraisse catego... 17993 music recommendation services collectively s... 17994 this paper studies the large time behavior o... 17995 this paper studies mathematical properties o... 17996 chemical reaction networks with generalized ... 17997 in this paper we study the missing sample re... 17998 as one kind of skin cancer melanoma is very ... 17999 we extend rubio de francias extrapolation th... 18000 in layered transition metal dichalcogenides ... 18001 we consider the problem of zero distribution... 18002 we have discovered two novel types of planar... 18003 our manuscript investigates a selfconsistent... 18004 we examine in this article the pricing of ta... 18005 we revisit the blind deconvolution problem w... 18006 we present a unified perspective on symmetry... 18007 this volume contains the proceedings of the ... 18008 we analyze the effect of quenched disorder o... 18009 knowledge graphs are structured representati... 18010 we consider the multi armed bandit problem i... 18011 we propose a new randomized coordinate desce... 18012 we investigate the performance of the standa... 18013 in this paper algebroid bundle associated to... 18014 the control of complex networks is a signifi... 18015 despite their fundamental role in determinin... 18016 surface observations indicate that the speed... 18017 in many studies of environmental change of t... 18018 the illposed analytic continuation problem f... 18019 program slicing provides explanations that i... 18020 synthetic dimensions alter one of the most f... 18021 the managedmetabolism hypothesis suggests th... 18022 silicon drift detectors sdds revolutionized ... 18023 online learning to rank is a core problem in... 18024 we extend a technique called compiling contr... 18025 largescale vortices in protoplanetary disks ... 18026 this paper introduces a new nonlinear dictio... 18027 smillie proved an interesting result on the... 18028 geospatial semantics is a broad field that i... 18029 in this paper we continue the study in citem... 18030 this technical note describes a new baseline... 18031 even as we advance the frontiers of physics ... 18032 we study the energy functional on the set of... 18033 viewing the trajectory of a patient as a dyn... 18034 we consider the schrdinger equation on a hal... 18035 background\nthe nuclear structure of the clu... 18036 we investigate the terminalpairibility probl... 18037 meta learning of optimal classifier error ra... 18038 event detection is a critical feature in dat... 18039 this paper locally classifies finitedimensio... 18040 this work sets out to compute and discuss ef... 18041 in this paper we provide an axiomatic charac... 18042 we investigate the constraints on the sum of... 18043 we show that the number of unique function m... 18044 blackbox explanation is the problem of expla... 18045 we derive the finitevolume correction to the... 18046 additive models such as produced by gradient... 18047 we formulate a quasiclassical theory omegact... 18048 context the rosetta orbiter spectrometer for... 18049 walking quadruped robots face challenges in ... 18050 as the field of neuroimaging grows it can be... 18051 the number of trees t in the random forest r... 18052 this study investigates shortcrested wave br... 18053 transition metal dichalcogenides tmdcs with ... 18054 we theoretically study bilayer superconducti... 18055 in this paper we consider a threenode cooper... 18056 let f be a nonarchimedean locally compact fi... 18057 game semantics is a rich and successful clas... 18058 we present a proposal for applying nanoscale... 18059 preprocessing tools for automated text analy... 18060 we propose a new method for embedding graphs... 18061 we develop a feedback control method for net... 18062 we prove that the number of iterations taken... 18063 we prove an analogue of the hardylittlewood ... 18064 besides enabling an enhanced mobile broadban... 18065 in this work we prove the existence of local... 18066 we prove the following superexponential dist... 18067 since the beginning of the new millennium st... 18068 the superconducting energy gap in rm dynibc ... 18069 in this paper we study the problem of findin... 18070 although there is ample work in the literatu... 18071 using age of information as the freshness me... 18072 we applied predefined kernels also known as ... 18073 this paper proposes a neural network archite... 18074 let mathcalk subseteq be a universal class ... 18075 the superneptune exoplanet waspb is an excit... 18076 logical models have been successfully used t... 18077 in this work we present scalable balancing d... 18078 a fluxsplitting method is proposed for the h... 18079 we address unsupervised optical flow estimat... 18080 autonomous driving requires d perception of ... 18081 we present a search for cii emission over co... 18082 we complete the proof of the generalized sma... 18083 reinforcement learning rl algorithms involve... 18084 a multiscale analysis of d stochastic bistab... 18085 interpretability has emerged as a crucial as... 18086 we propose a new technique singular vector c... 18087 this paper establishes a general equivalence... 18088 we prove a hardy inequality for ultraspheric... 18089 bayesian neural networks bnns have recently ... 18090 in several realistic situations an interacti... 18091 this paper compares the results of applying ... 18092 acoustical radiation force arf induced by a ... 18093 we construct two infinite series of moufang ... 18094 in the paper formality conjecture kontsevic... 18095 many similaritybased clustering methods work... 18096 in this paper we apply shrinkage strategies ... 18097 let m be a transitive model of set theory th... 18098 we propose a paralleldatafree voiceconversio... 18099 leastsquares models such as linear regressio... 18100 we present a new map of interstellar reddeni... 18101 seasonal patterns associated with stress mod... 18102 in this paper we consider the existence and ... 18103 we present a study of andreev quantum dots q... 18104 we introduce the helsinki neural machine tra... 18105 phase transformations ruled by nonsimultaneo... 18106 this work considers resilient cooperative st... 18107 a critical challenge in the observation of t... 18108 for autonomous robots in dynamic environment... 18109 we analyze invariant measures of two coupled... 18110 any virtually free group h containing no non... 18111 this letter presents a performance compariso... 18112 in this paper we consider stochastic dual co... 18113 regularized inversion methods for image reco... 18114 three dimensional galaxy clustering measurem... 18115 let lubeginbmatrix u endbmatrix and rvbegi... 18116 this work presents a methodology for modelin... 18117 we study the problem of designing models for... 18118 in this paper we consider a markov chain cho... 18119 sas introduced type iii methods to address d... 18120 parents and teachers often express concern a... 18121 existing logical models do not fairly repres... 18122 we study the critical behavior of the d ncol... 18123 we study the conductance of a junction betwe... 18124 training of neural machine translation nmt m... 18125 chromosome conformation capture and hic tech... 18126 it is wellknown that the verification of par... 18127 we study the growth of entanglement entropy ... 18128 in this work we show that saturating output ... 18129 we defined a notion of quantum torus ttheta ... 18130 we release two artificial datasets simulated... 18131 we introduce a new probabilistic approach to... 18132 tropical cyclone windintensity prediction is... 18133 given pairwise distinct vertices alphai bet... 18134 cirquent calculus is a proof system manipula... 18135 dualfunctional nanoparticles with the proper... 18136 photometric observations of planetary transi... 18137 while there exist a number of mathematical a... 18138 when recorded in an enclosed room a sound si... 18139 the sizes of entire systems of globular clus... 18140 the field enhancement factor at the emitter ... 18141 as demand drives systems to generalize to va... 18142 in this paper market values of the football ... 18143 the huanghilbert transform is applied to sei... 18144 we prove that the exceptional group e is not... 18145 the rapid development of artificial intellig... 18146 let m be a smooth manifold and let om be the... 18147 it is a wellknown fact that adding noise to ... 18148 we deal with hypersurfaces in the framework ... 18149 we present a fully edible pneumatic actuator... 18150 stateoftheart methods for proteinprotein int... 18151 decision making is a process that is extreme... 18152 recent reports claiming tentative associatio... 18153 simplistic estimation of neural connectivity... 18154 in this paper we provide an update concernin... 18155 reason and inference require process as well... 18156 the pharmaceutical industry has witnessed ex... 18157 let k be a simply connected compact lie grou... 18158 we performed magnetic field and frequency tu... 18159 in this paper a new smartphone sensor based ... 18160 depthsensing is important for both navigatio... 18161 in this work answerset programs that specify... 18162 we develop a variant of multiclass logistic ... 18163 approximate bayesian computation abc and syn... 18164 in this paper we introduce the notions of an... 18165 this paper considers the scenario that multi... 18166 peer code review locates common coding rule ... 18167 considering a sphericallysymmetric nonstatic... 18168 this paper reproduces the text of a part of ... 18169 private information retrieval pir protocols ... 18170 iterative algorithms like gradient descent a... 18171 commented translation of the paper universel... 18172 electronic charge carriers in ionic material... 18173 in this paper metric reduction in generalize... 18174 we consider the forecast aggregation problem... 18175 in this paper cyber attack detection and iso... 18176 in this paper we study the nonself dual exte... 18177 the lieb lattice exhibits intriguing propert... 18178 it is analyzed the effects of both bulk and ... 18179 in most realistic models for quantum chaotic... 18180 this paper combines the fast zeromomentpoint... 18181 this work investigates the influence of geom... 18182 several recent works have empirically observ... 18183 a major challenge in designing neural networ... 18184 in this paper we study a smoothness regulari... 18185 the painleveiv equation has three families o... 18186 we numerically study the behavior of selfpro... 18187 rdma is increasingly adopted by cloud comput... 18188 we recently introduced a method to approxima... 18189 we answer a question of k mulmuley in efreme... 18190 we develop a onedimensional notion of affine... 18191 listed as no among the one hundred famous u... 18192 in this paper we develop a distributed inter... 18193 the paper conducts a secondorder variational... 18194 interpreting the performance of deep learnin... 18195 we apply the acyclicity theorem of hess kerd... 18196 this study aims to analyze the methodologies... 18197 the expedient design of precision components... 18198 this article presents the use of answer set ... 18199 in this paper we define ainftykoszul duals f... 18200 this paper introduces a class of backward st... 18201 in this paper we present a thorough analysis... 18202 the superconductorinsulator transition sit i... 18203 we introduce a novel formulation of motion p... 18204 the injective polynomial modules for a gener... 18205 the goal of this present manuscript is to in... 18206 the least absolute shrinkage and selection o... 18207 wireless sensor networks are deployed in man... 18208 whitebox test generator tools rely only on t... 18209 we study the b rings complex optical depth s... 18210 we determined the shockdarkening pressure ra... 18211 in this paper we study the global fluctuatio... 18212 this paper analyzes publication efficiency i... 18213 eventbased cameras have shown great promise ... 18214 deep learning has yielded stateoftheart perf... 18215 many methods exist for a bipedal robot to ke... 18216 inspired by the tremendous success of deep c... 18217 federated learning is a recent advance in pr... 18218 okapi is a new causally consistent georeplic... 18219 epithelial cell monolayers exhibit traveling... 18220 in the context of the complexanalytic struct... 18221 initialization of parameters in deep neural ... 18222 we consider a multitask estimation problem w... 18223 we report mm continuum chcn and cs line obs... 18224 highfrequency measurements and images acquir... 18225 in the kpartition problem kpp one is given a... 18226 the present study reports interesting findin... 18227 we show that the definition of the city boun... 18228 the radio intensity and polarization footpri... 18229 we investigate the formation of optical loca... 18230 the most intriguing properties of emergent m... 18231 the nature of threedimensional reconnection ... 18232 we observe that any finitedimensional centra... 18233 crosslingual text classificationcltc is the ... 18234 we map an interacting helical liquid system ... 18235 we consider nonnegative solutions to delta u... 18236 rapidly growing product lines and services r... 18237 the entanglement entropy ee of quantum syste... 18238 we argue that the preferred classical variab... 18239 the momentum conservation law is applied to ... 18240 whereas maintenance has been recognized as a... 18241 in the s hopf gave examples of nonround conv... 18242 we revisit the linear programming approach t... 18243 lightmatter interaction processes are signif... 18244 bechgaard salts tmtsfx tmtsf tetramethyl te... 18245 we introduce an inhomogeneous bosonic mixtur... 18246 we introduce new natural generalizations of ... 18247 this paper presents klout topics a lightweig... 18248 studying the effects of groups of single nuc... 18249 the theme of this paper is threephase distri... 18250 we develop a general framework for cvectors ... 18251 in this thesis we study the lateral electros... 18252 in this paper we study sectional curvature b... 18253 this paper proposes a novel method to automa... 18254 the paper is devoted to the contribution in ... 18255 this paper studies dynamic complexity under ... 18256 this report documents the implementation of ... 18257 we show that stateoftheart services for crea... 18258 this paper is a contribution to the classica... 18259 wikipedia is a communitycreated online encyc... 18260 people change their physical contacts as a p... 18261 we study the problem of nonparametric estima... 18262 direct imaging suggests that there is a jovi... 18263 in this paper we propose a quantum variation... 18264 for the gegenbauer weight function wlambdatt... 18265 we produce precise estimates for the kogbetl... 18266 we identify a strong equivalence between neu... 18267 we use the empirical normalized smoothed per... 18268 ultracold atomic fermi gases in twodimension... 18269 in this paper instead of the usual gaussian ... 18270 complex spatiotemporal patterns called chime... 18271 the estimation of unknown values of paramete... 18272 we address the boundary value problem for th... 18273 octahedral tilting is most common distortion... 18274 elastic weight consolidation ewc kirkpatrick... 18275 following the decision to reduce the l from ... 18276 transition metal oxide memristors or resisti... 18277 in this paper deep neural network dnn is uti... 18278 as program comprehension is a vast research ... 18279 the socalled binary perfect phylogeny with p... 18280 we develop a uniform asymptotic expansion fo... 18281 understanding a visual scene goes beyond rec... 18282 we investigate the apparent powerlaw scaling... 18283 the aim of this paper is to present some res... 18284 we study dynamical properties of the one and... 18285 we propose a direct estimation method for rn... 18286 mixtures of mallows models are a popular gen... 18287 optimal scheduling of hydrogen production in... 18288 a modified ac method based on microfabricate... 18289 this project explores public opinion on the ... 18290 let pn be the set of all posets with n eleme... 18291 advancement in technology has generated abun... 18292 neural models in particular the dvector and ... 18293 methods for detecting structural changes or ... 18294 statecharts are frequently used as a modelin... 18295 recently the dynamics of signed networks whe... 18296 stagnation of grain growth is often attribut... 18297 we present three natural combinatorial prope... 18298 we study the cauchy problem for effectively ... 18299 the uniform electron gas at finite temperatu... 18300 we study a connection between mapping spaces... 18301 area law violations for entanglement entropy... 18302 to guarantee the integrity and security of d... 18303 we present a new largescale square degrees ... 18304 matrixvalued covariance functions are crucia... 18305 we propose a new dynamic stochastic blockmod... 18306 context visual aesthetics is increasingly se... 18307 a largescale multiobject tracker based on th... 18308 the coefficient of determination known as r ... 18309 a gpsdenied uav agent b is localised through... 18310 the inner surface of superconducting cavitie... 18311 in a recent paper by lasseux valdsparada and... 18312 highly distributed training of deep neural n... 18313 we present a haloindependent determination o... 18314 deep reinforcement learning has achieved man... 18315 in his seminal paper chua presented a fundam... 18316 the differential event rate in weakly intera... 18317 in the past few years datacenter dc energy c... 18318 the numerical analysis of the diffraction fe... 18319 we show that any dcolored set of points in g... 18320 with the purpose of modeling specifying and ... 18321 we consider higher order parabolic operator ... 18322 the fashion industry is establishing its pre... 18323 fluidstructure interactions are ubiquitous i... 18324 the early universe could feature multiple re... 18325 we propose an intuitive method called timede... 18326 predicting epidemic dynamics is of great val... 18327 limitations in processing capabilities and m... 18328 the problem of synchronization of coupled ha... 18329 semantic segmentation remains a computationa... 18330 motivated by applications of mixed longitudi... 18331 the recent nobelprizewinning detections of g... 18332 i outline a construction of a local floer ho... 18333 this paper presents contributions on nonline... 18334 we consider the problem of estimating the th... 18335 different questions related with analysis of... 18336 inductive kindependent graphs generalize cho... 18337 we prove that the word problem is undecidabl... 18338 the current processes for building machine l... 18339 we show that any totally geodesic submanifol... 18340 we show that klocally the smash product of t... 18341 in this paper we explore various forms of os... 18342 small pvalues are often required to be accur... 18343 researchers have previously shown that coinc... 18344 we observe the effects of the three differen... 18345 in this paper we consider the use of structu... 18346 we show that for a quantale v and a mathsfse... 18347 we compute the leading postnewtonian pn cont... 18348 tangent categories provide an axiomatic appr... 18349 an objective bayesian approach to estimate t... 18350 navigation in unknown chaotic environments c... 18351 artificial intelligence ai is an effective s... 18352 headline generation is a special type of tex... 18353 we observed the galactic mixedmorphology sup... 18354 software systems are not static they have to... 18355 we explore efficient neural architecture sea... 18356 for the purpose of uncertainty quantificatio... 18357 we present here a new model and algorithm wh... 18358 this paper studies the sobolev regularity es... 18359 despite recent advances large scale visual a... 18360 this work proposes a process for efficiently... 18361 the multilabel classification framework wher... 18362 in this work we establish the tightest lower... 18363 web archives are large longitudinal collecti... 18364 we begin by summarizing the relevance and im... 18365 expanding upon earlier results arxiv we pres... 18366 in this paper we present awesome airborne wi... 18367 we propose a onedimensional model for collec... 18368 we prove the existence of a oneparameter fam... 18369 haptic feedback is essential to acquire imme... 18370 although the recent progress in the deep neu... 18371 recently continuous cache models were propos... 18372 dyson demonstrated an equivalence between in... 18373 we establish lower bounds on the volume and ... 18374 a previously unreported pbbased perovskite p... 18375 most long memory forecasting studies assume ... 18376 source code plagiarism detection is a proble... 18377 early attempts to apply asteroseismology to ... 18378 semantic labeling for numerical values is a ... 18379 a statistical model assuming a preferential ... 18380 descent theory for linear categories is deve... 18381 we give topological and game theoretic defin... 18382 theory of the influence of the thermal fluct... 18383 we demonstrate optomechanical interference i... 18384 we propose algorithms for online principal c... 18385 crossterm spatiotemporal encoding xspen is a... 18386 we derive formulas for the performance of ca... 18387 apart from solving complicated problems that... 18388 this article considers algorithmic and stati... 18389 privacy has become a serious concern for mod... 18390 we give a brief description of the birchswin... 18391 unmanned aerial vehicles uavs have gained a ... 18392 we present a denotational account of dynamic... 18393 deep networks thrive when trained on large s... 18394 in the restricted threebody problem consecut... 18395 this paper presents the notion of andor redu... 18396 the present work shows the application of tr... 18397 in this paper we study simple splines on a r... 18398 the hand is one of the most complex and impo... 18399 we study the popular centrality measure know... 18400 here we detail the dynamic evolution of loca... 18401 most risk analysis models systematically und... 18402 a curve theta ito e in a metric space e equi... 18403 we consider learning of fundamental properti... 18404 artificial intelligence methods to solve con... 18405 the workhorse of atomic physics quantum elec... 18406 feedback control theory has been extensively... 18407 users suffering from mental health condition... 18408 the famous pentagon identity for quantum dil... 18409 traditional linear genetic programming lgp a... 18410 given a link lsubset s a representation pisl... 18411 it is wellknown that every nonnegative univa... 18412 we discuss the existence of injectively univ... 18413 numerous embedding models have been recently... 18414 in the present paper we propose and study es... 18415 the complex kohn variational method for elec... 18416 we develop a geometric approach to quantum m... 18417 given a relatively projective birational mor... 18418 current theories hold that brain function is... 18419 as computer scientists working in bioinforma... 18420 convolution is a critical component in moder... 18421 in this paper we present results of our stud... 18422 we apply the firstorder reversal curve forc ... 18423 the datadriven economy has led to a signific... 18424 motivated by safetycritical applications tes... 18425 in this paper we proposed a nonuniform power... 18426 competition to bind micrornas induces an eff... 18427 long range frequency chirping of bernsteingr... 18428 type inference is an application domain that... 18429 we introduce a multifactor stochastic volati... 18430 singlephoton avalanche diodes spad are affor... 18431 we give a complete picture of when the tenso... 18432 we establish that firstorder methods avoid s... 18433 connectivity related concepts are of fundame... 18434 generative adversarial networks gans are an ... 18435 we study fingering instabilities and pattern... 18436 informationtheoretic bayesian optimisation t... 18437 h is a ubiquitous and important astronomical... 18438 the generalized linear model glm plays a key... 18439 test case prioritization tcp techniques aim ... 18440 birhythmicity occurs in many natural and art... 18441 el nino is probably the most influential cli... 18442 recent results of grepstad and lev are used ... 18443 we investigate the ordinal invariants height... 18444 with xml becoming a standard for business in... 18445 we deal with kernel theorems for modulation ... 18446 artificial neural networks anns have receive... 18447 the potential lack of fairness in the output... 18448 the vertices of the four dimensional cell fo... 18449 the study of singlecrystal raman spectra of ... 18450 in a realworld setting visual recognition sy... 18451 a repulsive hubbard model with both spinasym... 18452 optical properties of color centers in diamo... 18453 julian besag was an outstanding statistical ... 18454 dielectric lined waveguides are under extens... 18455 the rotational and hyperfine spectrum of the... 18456 the domain name system translates human frie... 18457 in this article we study the plasmonic reson... 18458 we investigate numerically and experimentall... 18459 we show that onedimensional circle is the on... 18460 in the field of software engineering there a... 18461 d feature descriptor provide information bet... 18462 we propose and throughly investigate a tempo... 18463 in this paper we introduce and provide a sho... 18464 this paper presents a randomized algorithm f... 18465 obtaining reliable numerical simulations of ... 18466 by using among other things the fourier anal... 18467 we study focusfocus singularities also known... 18468 using implicit loci in geogebra eulers rgeq ... 18469 we study the physical and dynamical properti... 18470 recovery of multispecies oral biofilms is in... 18471 the multicommodity flowcut gap is a fundamen... 18472 poststarbursts psbs are candidate for rapidl... 18473 we point out that two of milnes fourthorder ... 18474 the conventional theory of hydrodynamics des... 18475 we consider the problems of compressed sensi... 18476 for the problem of nonparametric estimation ... 18477 we show that gradient descent on fullwidth l... 18478 in this work we study degradation of clofibr... 18479 the stability against quench is one of the m... 18480 this paper presents new methods to estimate ... 18481 the turlab facility is a laboratory equipped... 18482 electrical machines employing superconductor... 18483 deterministic recursive algorithms for the c... 18484 we provide a method to solve optimization pr... 18485 it is shown that the ising distribution can ... 18486 multiagent systems mas is able to characteri... 18487 streaming instability is a powerful mechanis... 18488 the microlocal gevrey regularity of a class ... 18489 we give a new formulation and proof of a the... 18490 we construct a linear basis of a free gdn su... 18491 in this article we investigate an inexact it... 18492 mixture models combine multiple components i... 18493 most of the existing medicine recommendation... 18494 deep neural networks dnns have achieved grea... 18495 magnetic resonance imaging mri is a widely a... 18496 speech enhancement model is used to map a no... 18497 double edge swaps transform one graph into a... 18498 background has played an important role in x... 18499 widespread interest in the emerging area of ... 18500 using a dimensional bosonvortex duality betw... 18501 a new coding technique based on textitfixed ... 18502 transport of excitations along proteins can ... 18503 solubility of dyes in amphiphilic associatio... 18504 many modelbased visual odometry vo algorithm... 18505 prediction of popularity has profound impact... 18506 in the smart grid smart meters and numerous ... 18507 we consider the homogeneous equation mathcal... 18508 crowded environments modify the diffusion of... 18509 we study the effect of coupling a spin bath ... 18510 the quest for large and low frequency band g... 18511 a search for instability of nucleons bound i... 18512 massive stars like company here we provide a... 18513 we analyze the behavior of the eigenvalues o... 18514 using a formalism based on the twobody smatr... 18515 srruo is the best candidate for spintriplet ... 18516 we are concerned with the regularity of solu... 18517 the european space agency esa defines an ear... 18518 the minimum error correction mec approach is... 18519 we present opinion recommendation a novel ta... 18520 we formulate an optimization problem for max... 18521 we propose boundary conditions for the diffu... 18522 we consider a stable coxingersollross proces... 18523 this paper presents millimeter wave mmwave p... 18524 the electron spectrometer spede has been dev... 18525 a control design approach is developed for a... 18526 we introduce a pipeline including multifract... 18527 the goal of the osirisrex mission is to retu... 18528 we modify the standard relativistic dispersi... 18529 we present an algorithm for construction ste... 18530 fragmentation of filaments into dense cores ... 18531 what transpires from recent research is that... 18532 this paper studies problems on locally stopp... 18533 we present the characteristics and the perfo... 18534 we consider a class of a nested optimization... 18535 designing a new drug is a lengthy and expens... 18536 this paper deals with feature selection proc... 18537 the origins of rapid dynamical slow down in ... 18538 technological civilizations may rely upon la... 18539 this paper addressed the issue of estimating... 18540 nonavailability of reliable and sustainable ... 18541 we express the coefficients of the hirzebruc... 18542 let xi be a function relating to the riemann... 18543 background many researchers have studied the... 18544 we achieve an explicit construction of the l... 18545 the linked data principles provide a decentr... 18546 i apply the recently developed formalism of ... 18547 we study a multiparametric family of quadrat... 18548 these are notes from introductory lectures a... 18549 firms should keep capital to offer sufficien... 18550 angleresolved photoemission arpes experiment... 18551 we prove the theorem on the completeness of ... 18552 we define web categories describing intertwi... 18553 one version of the concept of structural con... 18554 we study the structure of martingale transpo... 18555 a branched covering surfaceknot is a surface... 18556 a wellknown question in classical differenti... 18557 we attach to each langle vee ranglesemilatt... 18558 a quasigray code of dimension n and length e... 18559 recent theoretical work has shown that the p... 18560 we present a quantummechanical model for sur... 18561 we explore the existence of global weak solu... 18562 we resolve a number of longstanding open pro... 18563 we performed an empirical comparison of ica ... 18564 the band structure of a si inverse diamond s... 18565 in the last decade digital footprints have b... 18566 we argue that timesensitive networking tsn w... 18567 sparse subspace clustering ssc is a stateoft... 18568 measurements of ac losses in a htstape place... 18569 we examine the performance of efficient and ... 18570 we propose a new a ccg parsing model in whic... 18571 we have developed polynomialtime algorithms ... 18572 the assumption that action and perception ca... 18573 in this article we develop a cliquebased met... 18574 we extend the formalism of matrix product st... 18575 on their roller coaster ride through turbule... 18576 we study a static game played by a finite nu... 18577 we study bivariate stochastic recurrence equ... 18578 we present a unified classical treatment of ... 18579 the main goal of modeling human conversation... 18580 principal component analysis pca is a very s... 18581 in this work a design is proposed for an act... 18582 how do we learn an object detector that is i... 18583 linear arrays of trapped and laser cooled at... 18584 in this work we revisit the problem of unifo... 18585 refraction deflects photons that pass throug... 18586 we describe a multiphased wizardofoz approac... 18587 argument component detection acd is an impor... 18588 we present vunet a novel viewvu synthesis me... 18589 we introduce a new class of priors for bayes... 18590 in this paper a novel multitaper modified gr... 18591 this paper studies deterministic consensus n... 18592 we investigate possible links between the la... 18593 we consider the searching for a trail in a m... 18594 the main aim of this article is to give a ne... 18595 we consider relative error low rank approxim... 18596 boolean matrix factorisation aims to decompo... 18597 using a negative gradient flow approach we g... 18598 we show that every countable group h with so... 18599 topological defects unavoidably form at symm... 18600 we formulate and present a numerical method ... 18601 we introduce the coherent state mapping ring... 18602 stochastic gradient descent in continuous ti... 18603 we consider a family of commuting local home... 18604 this paper proposes a new approach to a nove... 18605 we study the problem of recovering a structu... 18606 we describe a new cognitive ability ie funct... 18607 let m be a compact connected smooth riemanni... 18608 we present a formal measure of argument stre... 18609 the property in proposition from the paper... 18610 the rasch model is widely used for item resp... 18611 one of the most directly observable features... 18612 we investigate the atmospheric dynamics of t... 18613 as the focus of applied research in topologi... 18614 we prove that for ple qinfty qpgeq p or pqge... 18615 the low frequency array lofar radio telescop... 18616 there is a growing interest in learning data... 18617 we consider the nonunitary quantum dynamics ... 18618 we propose a slightly revised millerhagberg ... 18619 our understanding of topological insulators ... 18620 most reinforcement learning algorithms are i... 18621 quantum technologies can be presented to the... 18622 the question of continuousversusdiscrete inf... 18623 backgroundforeground classification is a fun... 18624 we investigate the problem of computing a ne... 18625 based on a version of dudleys wiener process... 18626 path planning for autonomous vehicles in arb... 18627 training deep networks is expensive and time... 18628 the electroencephalogram eeg provides a noni... 18629 we derive new variance formulas for inferenc... 18630 in this paper we propose a method to solve t... 18631 the key idea of current deep learning method... 18632 halide perovskite hap semiconductors are rev... 18633 data cube materialization is a classical dat... 18634 the success of deep convolutional architectu... 18635 in this paper we aim at the completion probl... 18636 in this paper we introduce a family of delig... 18637 for an embedded fano manifold x we introduce... 18638 a fog radio access network fran is a cellula... 18639 intel software guard extensions sgx aims to ... 18640 volume transmission is an important neural c... 18641 the mixture of factor analyzers model was fi... 18642 this is a semiexpository update and rewrite ... 18643 by performing xrays measurements in the cosm... 18644 we investigate corecollapse supernova ccsn n... 18645 many technologies have been developed to hel... 18646 an interactive session of videoondemand vod ... 18647 in this paper we show how polynomial walks c... 18648 we prove the global existence of the unique ... 18649 this study concerned the active use of wikip... 18650 deep learning dl a newgeneration of artifici... 18651 the ccnssim project is an open source implem... 18652 in this paper a new approach is proposed for... 18653 every time a person encounters an object wit... 18654 in the paper we prove an analogue of the kat... 18655 a peculiar infrared ringlike structure was d... 18656 the question of suitability of transfer matr... 18657 this paper studies bayesian ranking and sele... 18658 in this paper we propose a perturbation fram... 18659 this paper claims that a new field of empiri... 18660 we propose an automatic diabetic retinopathy... 18661 we present the dryvr framework for verifying... 18662 novice programmers often struggle with the f... 18663 in this article we will construct the additi... 18664 partial differential equations are central t... 18665 manifold calculus is a form of functor calcu... 18666 in this paper a quick and efficient method i... 18667 infants are experts at playing with an amazi... 18668 a computational method based on ellminimizat... 18669 current flow closeness centrality cfcc has a... 18670 the work in the paper presents an animation ... 18671 networks capture pairwise interactions betwe... 18672 we present emphnustar observations of neutro... 18673 motivated by comparative genomics chen et al... 18674 we study the algebraic structures of the vir... 18675 in games of friendship links and behaviors i... 18676 proxies for regulatory reforms based on cate... 18677 we apply the theory of ground states for cla... 18678 we show that relative property t for the abe... 18679 we study the distributional properties of th... 18680 despite impressive advances in simultaneous ... 18681 we overview our recent work defining and stu... 18682 in this paper robust nonparametric estimator... 18683 numerical simulations of einsteins field equ... 18684 this paper develops a method to construct un... 18685 we investigate the superconductinggap anisot... 18686 the class of lqregularized least squares lql... 18687 in this paper we firstly exploit the interus... 18688 inspired by the recent work of carleo and tr... 18689 a central claim in modern network science is... 18690 we extend the deep and important results of ... 18691 we propose a simple mathematical model for u... 18692 while the success of deep neural networks dn... 18693 the sachdevyekitaev is a quantum mechanical ... 18694 higher category theory is an exceedingly act... 18695 the supercdms experiment is designed to dire... 18696 in standard general relativity the universe ... 18697 recurrent neural networks rnns achieve state... 18698 we study classes of borel subsets of the rea... 18699 recently prakash et al have discovered bulk ... 18700 in the present paper we provide a descriptio... 18701 many graphical gaussian selection methods in... 18702 angiogenesis the growth of new blood vessel... 18703 we present in this article the work of henri... 18704 a homomorphism from a graph g to a graph h i... 18705 the normalized subband adaptive filter nsaf ... 18706 in this paper we introduce the novel framewo... 18707 we propose a graphbased process calculus for... 18708 in this paper we will prove the weyls law fo... 18709 we prove zagiers conjecture regarding the ad... 18710 we develop an approximate formula for evalua... 18711 the objective of this paper is to introduce ... 18712 in conventional chemisorption model the dban... 18713 extracting significant places or places of i... 18714 generalizing several previous results in the... 18715 hllhc federates the efforts and rd of a larg... 18716 various approaches have been proposed to lea... 18717 in the derivation of the generating function... 18718 we are now witnessing the increasing availab... 18719 in this paper we consider a network of agent... 18720 we analyze generic sequences for which the g... 18721 machine learning qualifies computers to assi... 18722 network classification has a variety of appl... 18723 in this paper we show that mathrmrtmathsfwkl... 18724 this paper considers the joint design of use... 18725 armed conflict has led to an unprecedented n... 18726 here we deconstruct and then in a reasoned w... 18727 we study the problem of generating adversari... 18728 we introduce a dynamic model of the default ... 18729 in this paper we propose a novel receptiontr... 18730 a correlation between giantplanet mass and a... 18731 cooperative geolocation has attracted signif... 18732 we define a family of intuitionistic nonnorm... 18733 this paper investigates the impact of link f... 18734 consider the problem given data pair mathbfx... 18735 we treat utility maximization from terminal ... 18736 learningbased binary hashing has become a po... 18737 the idea of incompetence as a learning or ad... 18738 we analyze the informationtheoretic limits f... 18739 we axiomatize the molecularbiology reasoning... 18740 we briefly recall the history of the nijenhu... 18741 recently a hydrodynamic description of local... 18742 plane poiseuille flow the pressure driven fl... 18743 with an exponentially growing number of scie... 18744 in many phase ii trials in solid tumours pat... 18745 we provide explicit formulas of evans kernel... 18746 what is the current stateoftheart for image ... 18747 let mu ge dotsc ge mun and mu dotsm mun ... 18748 making the right decision in traffic is a ch... 18749 we present sequential neural likelihood snl ... 18750 generating diverse questions for given image... 18751 we demonstrated sympathetic cooling of a sin... 18752 we determine the stability and instability o... 18753 agent modelling involves considering how oth... 18754 let q be a power of a prime and let v be a v... 18755 bayesian networks have been widely used in t... 18756 in this paper we will demonstrate how manhat... 18757 we analyzed the performance of a biologicall... 18758 application of humanoid robots has been comm... 18759 the goal of this note is to show that also i... 18760 the rapid advancement in highthroughput tech... 18761 we review instrumentation for nuclear magnet... 18762 it is shown that ch implies the existence of... 18763 information about intrinsic dimension is cru... 18764 optimal dimensionality reduction methods are... 18765 the oseledets multiplicative ergodic theorem... 18766 electronic health records ehr data provide a... 18767 a framework for the generation of bridgespec... 18768 the ubiquity of systems using artificial int... 18769 subsampling can acquire directly a passband ... 18770 we give a moment map interpretation of some ... 18771 we examine the impact of adversarial actions... 18772 this paper presents two novel control method... 18773 variational bayes vb is a common strategy fo... 18774 the weighted tree augmentation problem wtap ... 18775 social media such as tweets are emerging as ... 18776 we deal with the problem of maintaining a sh... 18777 the coupling of human movement dynamics with... 18778 various models have been recently proposed t... 18779 in this paper we consider the problem of seq... 18780 we present some observations on the taufunct... 18781 representational similarity analysis rsa aim... 18782 in this article we explore an algorithm for ... 18783 in this paper we give a characterization of ... 18784 topological optical states exhibit unique im... 18785 in this paper we propose and explore the kne... 18786 proportional mean residual life model is stu... 18787 in this paper we consider an extension of th... 18788 the state of the art for integral evaluation... 18789 our aims are to determine flux densities and... 18790 synapses in real neural circuits can take di... 18791 with the increasing interest in applying the... 18792 the penetration of distributed renewable ene... 18793 in this paper we consider the x multiuser ... 18794 autonomous driving and electric vehicles are... 18795 identifying community structure of a complex... 18796 we show that the solutions obtained in the p... 18797 researchers at the national institute of sta... 18798 the aim of process discovery originating fro... 18799 we obtain alternative explicit specht filtra... 18800 network embeddings which learn lowdimensiona... 18801 axionlike particles are promising candidates... 18802 we obtain restrictions on the persistence ba... 18803 carbon materials have a range of properties ... 18804 in this paper we use a new approach to prove... 18805 life is a complex biological phenomenon repr... 18806 we study truncated point schemes of connecte... 18807 handcrafted features extracted from dynamic ... 18808 in this paper we present a new dataset for d... 18809 the purpose of this document is to create a ... 18810 we use markov state models msms to analyze t... 18811 current induced magnetization manipulation i... 18812 orientation effects on the resistivity of co... 18813 by applying the classic telescoping summatio... 18814 in this paper we explore the connection betw... 18815 it is a longstanding debate concerning the a... 18816 a complete family of solutions for the onedi... 18817 in this paper we develop a numerical method ... 18818 in the pursuit of realtime motion planning a... 18819 we consider estimation of the parameters of ... 18820 nine transiting earthsized planets have rece... 18821 we study front propagation phenomena for a l... 18822 we study the problem of designing distribute... 18823 in this contribution we extend the methodolo... 18824 many researches demonstrated that the dna me... 18825 a toymodel of publications and citations pro... 18826 laserinduced adiabatic alignment and mixedfi... 18827 we developed and used a collection of statis... 18828 distributed algorithms for solving additive ... 18829 network analysis needs tools to infer distri... 18830 we consider stationary autoregressive proces... 18831 most current results on coverage control usi... 18832 a selfadjoint first order system with hermit... 18833 informally information inconsistency is the ... 18834 material mixing induced by a rayleightaylor ... 18835 we construct nonlinear oblique projections a... 18836 it becomes increasingly popular to perform m... 18837 in this article a dnnbased system for detect... 18838 a key challenge in multirobot and multiagent... 18839 in this work we study the extent to which st... 18840 a robust markov decision process rmdp is a s... 18841 the fisher information matrix fim is a funda... 18842 in this paper we study the extension problem... 18843 univariate isotonic regression ir has been u... 18844 measuring domain relevance of data and ident... 18845 cyber attacks are growing in frequency and s... 18846 in this paper and its sequels we give an uni... 18847 we present the results of an optical spectro... 18848 an algorithm for solving smooth nonconvex op... 18849 we consider an inverse boundary value proble... 18850 we discuss the process of building semantic ... 18851 multimodal sensory data resembles the form o... 18852 blind gain and phase calibration bgpc is a b... 18853 empirical observations show that ecological ... 18854 we have discovered that the extremely red lo... 18855 we determine the abundances of neutroncaptur... 18856 the identification of the stuxnet worm in p... 18857 the objective assessment of the prestige of ... 18858 the ab initio description of the spectral in... 18859 we analyze the rank gradient of finitely gen... 18860 fuel cells batteries thermochemical and othe... 18861 comments play an important role within onlin... 18862 we develop new numerical schemes for vlasovp... 18863 markov chain monte carlo based bayesian data... 18864 we use nonabelian poincar duality to recover... 18865 in this report an automated bartender system... 18866 for spaces of constant linear and quadratic ... 18867 it is known that the primary source of dieta... 18868 we propose a new tabletop experimental confi... 18869 micropanel data are collected and analysed i... 18870 ab initio lowenergy effective hamiltonians o... 18871 in clinical practice and biomedical research... 18872 we present a new model of the optical nebula... 18873 column closed pattern subgroups u of the fin... 18874 multicomponent nanoparticles can be synthesi... 18875 unsupervised neural nets such as restricted ... 18876 in nathan fine gave a beautiful product for... 18877 under noisy environments to achieve the robu... 18878 in this paper we consider zerosum repeated g... 18879 random codetrees with necks were introduced ... 18880 let r be a commutative ring with unity m a m... 18881 we give the first polynomialtime algorithms ... 18882 previous studies have found that a significa... 18883 cell nuclei detection is a challenging resea... 18884 recently the vertical shear instability vsi ... 18885 in this paper we study the optimal convergen... 18886 braincomputer interface bci uses brain signa... 18887 we provide a uniform framework to study the ... 18888 in the following paper we present a simple i... 18889 oxygen functional groups are one of the most... 18890 we study asymptotic properties of conditiona... 18891 this paper is concerned with minimization of... 18892 let g be a simplyconnected semisimple algebr... 18893 machine learning models have been widely use... 18894 the main aim of this paper is to give a new ... 18895 stochastic user equilibrium is an important ... 18896 we investigate quantifier alternation hierar... 18897 let mathcali be an analytic pideal respectiv... 18898 the unprecedented demand for large amount of... 18899 the hardness of the learning with errors lwe... 18900 the nature of the bipolar gammaray fermi bub... 18901 in this paper we revisit primaldual dynamics... 18902 the distribution of the sum of rth power of ... 18903 we propose a dynamic boosted ensemble learni... 18904 in this paper a novel framework is proposed ... 18905 we consider the problem of training generati... 18906 sound event detection sed is typically posed... 18907 we study optimally doped\nbisrcaycuodelta bi... 18908 ordering dynamics of selfpropelled particles... 18909 we discuss the amplification of loop correct... 18910 reinforcement learning rl while often powerf... 18911 motivation epigenetic heterogeneity within a... 18912 grangercausality in the frequency domain is ... 18913 asymmetric segregation of key proteins at ce... 18914 we consider an exchange who wishes to set su... 18915 spontaneous symmetry breaking ssb is an impo... 18916 evolutionary algorithms have recently been u... 18917 in this paper we prove a sharp limit on the ... 18918 nonlocal neural networks have been proposed ... 18919 the main aim of the present paper is to repr... 18920 the nature of aerosols in hot exoplanet atmo... 18921 we introduce a family of mathematical object... 18922 a considerable amount of machine learning al... 18923 we identify the organization of a human soci... 18924 we show that for any solvable lie group of r... 18925 recently it has become feasible to generate ... 18926 the zap qlearning algorithm introduced in th... 18927 in recent years the rapidly increasing amoun... 18928 in this work we address the problem of disen... 18929 in the paper optimal control of a vlasovpois... 18930 we observe that a certain kind of algebraic ... 18931 in recent years a great deal of interest has... 18932 discussions about the choice of a tree hash ... 18933 in this paper we present a neurally plausibl... 18934 advances in artificial intelligence ai will ... 18935 recurrent neural networks rnns are a key tec... 18936 mathematical modelling has shown that activi... 18937 lederer and van de geer introduced a new or... 18938 justification logics are modallike logics wi... 18939 in the number on the forehead nof multiparty... 18940 a key challenge in online learning is that c... 18941 let phi be a spherical heckemaass cusp form ... 18942 newtons mechanical revolution unifies the mo... 18943 datadriven predictive analytics are in use t... 18944 we give an new proof of the wellknown compet... 18945 random differential equations provide a natu... 18946 given a set of attributed subgraphs known to... 18947 we present a new technique to probe the cent... 18948 we propose the ambiguity problem for the for... 18949 generalized polyhedral convex sets generaliz... 18950 proteins are commonly used by biochemical in... 18951 in order to handle intense time pressure and... 18952 recently a link between lorentzian and finsl... 18953 recently grynkiewicz et al it israel j math ... 18954 in order for robots to perform missioncritic... 18955 based on the convex leastsquares estimator w... 18956 there is often a significant tradeoff betwee... 18957 this paper addresses the problem of selectin... 18958 we derive estimators of the density of the e... 18959 we propose a new approach to the mirror symm... 18960 empirical researchers often trim observation... 18961 in this paper a realtime channel data acquis... 18962 substitution of isovalent nonmagnetic defect... 18963 higherorder logic programming is an interest... 18964 we describe an approach based on direct nume... 18965 while all organisms on earth descend from a ... 18966 we introduce two models of taxation the late... 18967 we provide a novel approach to model spaceti... 18968 we study the stability of coupled impedance ... 18969 in this paper we consider the estimation of ... 18970 in this paper we consider a dense vehicular ... 18971 we relate the old and new cohomology monoids... 18972 stateoftheart methods in convex and nonconve... 18973 we report the effects of ce substitution on ... 18974 we propose gaussian processes for signals ov... 18975 to derive recommendations on how to analyze ... 18976 we consider alternate formulations of recent... 18977 during the flyby in the osiris camera onboa... 18978 we show that for a given compact or discrete... 18979 in identification of dynamical systems the p... 18980 learning graphical models from data is an im... 18981 we consider restless multiarmed bandit rmab ... 18982 we use gaugegravity duality to write down an... 18983 we develop and analyze new protocols to veri... 18984 we focus on autonomously generating robot mo... 18985 the planar equilateral restricted fourbody p... 18986 the secular approximation of the hierarchica... 18987 for calgebras a and b we generalize the noti... 18988 we study pattern formation in a d reactiondi... 18989 in modern biomedical research it is ubiquito... 18990 improving distant speech recognition is a cr... 18991 this paper describes a preliminary study for... 18992 the combination of highcontrast imaging and ... 18993 lowrank structures play important role in re... 18994 many scenarios require a robot to be able to... 18995 in jpmorgan accumulated a usd billion loss ... 18996 we develop a topology data analysisbased met... 18997 one of the defining features of manybody loc... 18998 we study the action of the dihedral group on... 18999 as a living information and communications s... 19000 we present a new class of decentralized firs... 19001 having the right assortment of shipping boxe... 19002 we present flipper a natural language interf... 19003 this article presents a rigorous analysis fo... 19004 we report a methodology for measuring krkr i... 19005 we address the problem of executing toolusin... 19006 motivated by understanding majorana zero mod... 19007 we have investigated the band structure of t... 19008 there is a great need to stock materials for... 19009 the autoencoder is an effective unsupervised... 19010 in this article we are interested in the non... 19011 it is common practice to decay the learning ... 19012 if qcd axions form a large fraction of the t... 19013 in the bestk identification problem bestkarm... 19014 in a recent paper baker and bowler introduce... 19015 we consider a binary branching process struc... 19016 computer science would not be the same witho... 19017 recently some ecommerce sites launch a new i... 19018 calibration of the advanced ligo detectors i... 19019 the probability of large deviations of the s... 19020 largescale systems with arrays of solid stat... 19021 we provide justifications for two questions ... 19022 as a competitive alternative to least square... 19023 the understanding of epidemics on networks h... 19024 hybrid graphene photoconductorphototransisto... 19025 this paper proposes a realtime embedded fall... 19026 in this paper we consider the problem of sol... 19027 we present the results of the investigation ... 19028 the stochastic block model sbm is a probabil... 19029 it is well known that an extreme order stati... 19030 material recognition enables robots to incor... 19031 this paper presents a method for the optimiz... 19032 thermal effects are already important in cur... 19033 we show some rigidity properties of divergen... 19034 the first goal of this note is to study the ... 19035 we consider the quantum complexity of comput... 19036 we define mixed states associated with subma... 19037 a precision measurement by ams of the antipr... 19038 we derive analogues of the classical rayleig... 19039 we propose a superconducting spintriplet val... 19040 learning has propelled the cutting edge of p... 19041 we prove sharp upper and lower bounds for ge... 19042 transition metal dichalcogenides tmds are in... 19043 we give a formula for computing the characte... 19044 the process to certify highly automated vehi... 19045 the phase shifts influence of two strong pul... 19046 we present a novel mechanism for resolving t... 19047 we present a new kind of structural markov p... 19048 we introduce fisher consistency in the sense... 19049 the notion of disentangled autoencoders was ... 19050 global hypothesis tests are a useful tool in... 19051 we prove that the ordinary leastsquares ols ... 19052 motivated by applications in protein functio... 19053 we study properties of quantim wires with sp... 19054 the paper presents a new state estimation al... 19055 the group affect or emotion in an image of p... 19056 d beamforming is a promising approach for in... 19057 we study sharp detection thresholds for degr... 19058 driven by the visions of internet of things ... 19059 neural networks offer highaccuracy solutions... 19060 multirate digital signal processing and mode... 19061 recent work has shown that stateoftheart cla... 19062 for nanotechnology the semiconductor device ... 19063 locationbased social network data offers the... 19064 representing largescale motions and topologi... 19065 a strong certification process is required t... 19066 evolutionary game dynamics in structured pop... 19067 in this paper we study the robust consensus ... 19068 we analyze the higher rank gauge theories th... 19069 let k be a local field whose residue field h... 19070 galactic orbits have been constructed over l... 19071 motion planning for underwater vehicles must... 19072 hot dustobscured galaxies or hot dogs are a ... 19073 surface scattering is the key limiting facto... 19074 systems engineering se is the set of process... 19075 we reduce the exponent in the error term of ... 19076 this paper introduces primal a general priva... 19077 the online problem of computing the top eige... 19078 using maple we implement a sat solver based ... 19079 we consider submanifolds into riemannian man... 19080 superconducting electronic devices have reem... 19081 these notes correspond to a minicourse given... 19082 investigating friedel oscillations in ultrac... 19083 while variational methods have been among th... 19084 metric learning aims at learning a distance ... 19085 this paper introduces a fast algorithm for s... 19086 abridged we investigate the signatures left ... 19087 data analytics such as association rule mini... 19088 using the firstprinciples and monte carlo me... 19089 in this note we present a fast algorithm tha... 19090 we investigate the role of transition metal ... 19091 we introduce an algorithm to generate not so... 19092 the processes that led to the formation of t... 19093 galaxy clusters are thought to grow by accre... 19094 a metamaterial made by stacked holearray lay... 19095 we develop a novel policy synthesis algorith... 19096 reduced motor control is one of the most fre... 19097 recent work of md johnston et al has produce... 19098 a persons weight status can have profound im... 19099 this paper proposes a new method which build... 19100 we study the correlators of irregular vertex... 19101 we introduce a new variant of the game of co... 19102 we prove new pinching estimate for the inver... 19103 we present an easytouse pythonbased framewor... 19104 an experiment conducted in the framework of ... 19105 let fn denote the nth fibonacci number relat... 19106 based on their formation mechanisms dirac po... 19107 we consider a class of fractional stochastic... 19108 a finitedimensional algebra a over an algebr... 19109 this paper studies the nonparametric modal r... 19110 the ability to use a d map to navigate a com... 19111 average radio pulse profile of a pulsar b in... 19112 coreperiphery networks are structures that p... 19113 the last decade has seen a surge of interest... 19114 regarding the analysis of web communication ... 19115 in recent work redressed warped frames have ... 19116 for the multiterminal secret key agreement p... 19117 constructing a smart wheelchair on a commerc... 19118 kernel methods have produced stateoftheart r... 19119 when you see a person in a crowd occluded by... 19120 this article presents john an opensource sof... 19121 the real energy spectrum from the ptsymmetri... 19122 virtually all realworld networks are dynamic... 19123 b cells develop high affinity receptors duri... 19124 merging mobile edge computing mec which is a... 19125 in the realm of delone sets in locally compa... 19126 in this paper we study biconservative surfac... 19127 in an effort to increase the versatility of ... 19128 we investigate the asymptotic behavior of so... 19129 for a point set of n elements in the ddimens... 19130 we have performed angleresolved photoemissio... 19131 in the hierarchical formation model galaxy c... 19132 using a novel rewriting problem we show that... 19133 we construct two examples of invariant manif... 19134 we determine barycentric coordinates of tria... 19135 during active learning an effective stopping... 19136 in this paper a random clique network model ... 19137 the paucity of videos in current action clas... 19138 we introduce and study the game of selfish c... 19139 the snook prize has been awarded to diego t... 19140 we provide a new computationallyefficient cl... 19141 in biology there are several questions that ... 19142 multipartite viruses replicate through a puz... 19143 collective cell migration is a highly regula... 19144 we consider the problem of learning function... 19145 steganography involves hiding a secret messa... 19146 euler and navierstokes have variant systems ... 19147 we define a holographic dual to the donaldso... 19148 we systematically analyzed magnetodielectric... 19149 we develop a commuting vector field method f... 19150 we conducted a search for an exotic spin and... 19151 deep learning models have lately shown great... 19152 although block compressive sensing bcs makes... 19153 a consistent treatment of the coupling of su... 19154 we prove that recent breaking by zahl of the... 19155 we establish existence of stein kernels for ... 19156 synchronizations of processing elements pes ... 19157 for future application of automated vehicles... 19158 the swift test was originally proposed as a ... 19159 strong gravitational lensing by galaxy clust... 19160 e opdam introduced the tool of spectral tran... 19161 we propose batchexpansion training bet a fra... 19162 coordinate descent methods usually minimize ... 19163 the set of dimensional packing problems buil... 19164 a review of the replica symmetric solution o... 19165 to solve deep neural network dnns huge train... 19166 hierarchy is an efficient way for a group to... 19167 bioinformatics tools have been developed to ... 19168 given a nonconvex function that is an averag... 19169 we present a bounded model checking techniqu... 19170 in this paper we study the cubic fractional ... 19171 cryptovirological augmentations present an i... 19172 various alexandrovfenchel type inequalities ... 19173 in this paper we consider the role of nonmod... 19174 face modeling has been paid much attention i... 19175 in this paper we consider timeinhomogeneous ... 19176 for a compact connected metric graphs with a... 19177 the mongekantorovich problem for the infinit... 19178 we use a nonperturbative renormalization gro... 19179 given a tournament t and a positive integer ... 19180 we prove szegwidom asymptotics for the cheby... 19181 timings of human activities are marked by ci... 19182 in computational d geometric problems involv... 19183 near infrared spectroscopy nirs is an imagin... 19184 generalization performance of classifiers in... 19185 measurements of element abundances in galaxi... 19186 with the aim of getting closer to the perfor... 19187 machine learning models benefit from large a... 19188 starting from the integral representation of... 19189 we introduce the concept of requilateral mgo... 19190 according to kearnes and oman an ordered se... 19191 drawing on some recent results that provide ... 19192 in the current article our primary objects o... 19193 a thirdorder threedimensional symmetric trac... 19194 strang splitting is a well established tool ... 19195 in this paper we introduce a new class of no... 19196 we derive a cramrrao lower bound for the var... 19197 lack of moderation in online communities ena... 19198 we develop numerical tools for diagrammatic ... 19199 there is an increasing interest on accelerat... 19200 zeroshot learning zsl endows the computer vi... 19201 grid cells in the medial entorhinal cortex m... 19202 online social network osn discussion groups ... 19203 image stitching is challenging in consumerle... 19204 probabilistic modeling provides the capabili... 19205 semantic segmentation of d point clouds is a... 19206 motivated by posted price auctions where buy... 19207 we analyse certain haar systems associated t... 19208 numerical and experimental data analysis oft... 19209 we propose a new active learning strategy de... 19210 nowadays the security information and event ... 19211 adaptive methods such as adam and rmsprop ar... 19212 films of cukinse were coevaporated at varied... 19213 over the course of last decade the nice mode... 19214 using the natural action of sinfty we show t... 19215 the cost of attending college has been stead... 19216 users of virtual reality vr systems often ex... 19217 in this paper we present a comprehensive vie... 19218 we examine the sensitivity of the love and t... 19219 let varphimathbbfqtomathbbfq be a rational m... 19220 we form realanalytic eisenstein series twist... 19221 we study closed ndimensional manifolds of wh... 19222 using quantum representations of mapping cla... 19223 in this work we propose an infinite restrict... 19224 we present the discovery of four lowmass m m... 19225 perovskite solar cells with record power con... 19226 giant radio galaxies grgs are one of the lar... 19227 we propose a general yet simple theorem desc... 19228 we study an extreme scenario in multilabel l... 19229 to explore largescale population indoor inte... 19230 highly robust and efficient estimators for t... 19231 we present lifestate rulesan approach for ab... 19232 restricted boltzmann machines rbms are a cla... 19233 it is becoming increasingly clear that compl... 19234 principal component regression is a linear r... 19235 we propose an efficient metaalgorithm for ba... 19236 we consider the boundary rigidity problem fo... 19237 we consider the spontaneous breaking of tran... 19238 the method of brackets is an efficient metho... 19239 the r package optimparallel provides a paral... 19240 some key results obtained in joint research ... 19241 we show that rashba spinorbit coupling at th... 19242 fraud has severely detrimental impacts on th... 19243 systems which can spontaneously reveal perio... 19244 the analysis of the demographic transition o... 19245 cyberphysical systems cps revolutionize vari... 19246 this paper gives a selfcontained grouptheore... 19247 a measurable function mu on the unit disk ma... 19248 we give a detailed account of the socalled u... 19249 an asymmetric resonant cavity can be used to... 19250 the and micron characteristics of agb vari... 19251 effective teams are crucial for organisation... 19252 given a semigroup s with zero which is leftc... 19253 a generalization of classical determinant in... 19254 we propose a new reinforcement learning algo... 19255 we introduce the notion of stpairs of triang... 19256 we introduce features for massive data strea... 19257 we study the problem of learning to rank fro... 19258 in order for a robot to be a generalist that... 19259 we give an explicit formula for the second v... 19260 the idea that black hole spin is instrumenta... 19261 the distance covariance of two random vector... 19262 we investigate nonparametric regression meth... 19263 a number of optimal decision problems with u... 19264 the iterated posterior linearization filter ... 19265 we consider a system where randomly generate... 19266 most analyses of randomised trials with inco... 19267 let r be a family of n axisparallel rectangl... 19268 we present a new method to derive oxygen and... 19269 we study the extent to which we can infer us... 19270 the abalone photosensor technology us patent... 19271 in large scale coverage operations such as m... 19272 we study fairness in collaborativefiltering ... 19273 graph inference methods have recently attrac... 19274 this paper presents a provably correct metho... 19275 the resolvent krylov subspace method builds ... 19276 the best known manifestation of the fermidir... 19277 this paper proves the approximate intermedia... 19278 the ultraviolet uv light from a host star in... 19279 we construct a doublewell potential for whic... 19280 social ties are strongly related to wellbein... 19281 we analyze spectral properties of two mutual... 19282 given a positive function uin wn we define i... 19283 the recent literature on deep learning offer... 19284 recent advances show that twodimensional lin... 19285 distinct striation patterns are observed in ... 19286 this paper presents a motion planner for sys... 19287 can we learn a binary classifier from only p... 19288 it is wellknown that kernel regression estim... 19289 to harness the complexity of their highdimen... 19290 we prove that tildethetak d varepsilon samp... 19291 we present a heuristic based algorithm to in... 19292 manipulation of deformable objects such as r... 19293 we derive upper and lower bounds for the pol... 19294 the dynamical characteristics of electromagn... 19295 in this paper we give three functors mathfra... 19296 we define the notion of a hierarchically coc... 19297 an explosion of highthroughput dna sequencin... 19298 quantum effects prevalent in the microscopic... 19299 this paper presents a deep learning framewor... 19300 the significant halogenation effects on the ... 19301 we propose an informationtheoretic framework... 19302 we present a theoretical assessment of the e... 19303 the normalized maximum likelihood nml is one... 19304 existing memory management mechanisms used i... 19305 the regular icosahedron is connected to many... 19306 this paper demonstrates the feasibility of i... 19307 we develop gametheoretic semantics gts for t... 19308 the wide usage of machine learning ml has le... 19309 we analyse a linear regression problem with ... 19310 the topological data analysis method concurr... 19311 as is known an elementary excitation of a ma... 19312 in a previous paper arxiv we described the... 19313 in this work we introduce malware detection ... 19314 in this paper we investigate the model check... 19315 we prove that the moduli space of complete r... 19316 we consider the problem of optimal dynamic i... 19317 the celebrated theorem of robertson and seym... 19318 in this paper we consider the problem of dis... 19319 the magnetic thermodynamic and dielectric pr... 19320 a classification algorithm called the linear... 19321 in this paper we address the problem of spat... 19322 the formation and the interaction of multipl... 19323 machinelearning potentials mlps for atomisti... 19324 in this paper we consider a network of proce... 19325 the lowfrequency vibrational and lowtemperat... 19326 this paper deals with the initial value prob... 19327 the cev model subsumes some of the previous ... 19328 classical results of chentsov and campbell s... 19329 smartphones have become the most pervasive d... 19330 blockchain which is a technology for distrib... 19331 we propose a multinomial logistic regression... 19332 traditionally kernel learning methods requir... 19333 dense suspensions are nonnewtonian fluids wh... 19334 one of the open challenges in designing robo... 19335 we study rewriting for equational theories i... 19336 in this work we addressed the issue of apply... 19337 wilcoxon rankbased tests are distributionfre... 19338 we propose a method for simultaneously detec... 19339 in this paper we analyze the behavior of the... 19340 we describe the approximation of a continuou... 19341 the wasserstein distance between two probabi... 19342 several recent works have proposed and imple... 19343 a proof of concept for high speed nearfield ... 19344 we introduce the notion of stationary action... 19345 in supervised machine learning for author na... 19346 recent successes in word embedding and docum... 19347 the present online social media platform is ... 19348 designing adaptive classifiers for an evolvi... 19349 this paper aims to establish theoretical fou... 19350 a variety of complex systems exhibit differe... 19351 controlling chaos could be a big factor in g... 19352 we investigate relaxation in the recently di... 19353 a saliency guided hierarchical visual tracki... 19354 the present study shows that the performance... 19355 this article develops a novel operational se... 19356 we provide a compact and unified treatment o... 19357 the magnetic anisotropy ma of moaucofeaumgo ... 19358 ionic solutions are often regarded as fully ... 19359 network embedding methodologies which learn ... 19360 in this paper we continue to study pairwise ... 19361 internship assignment is a complicated proce... 19362 quantum mechanical calculations had been pre... 19363 this paper addresses the question why do neu... 19364 in this paper we tackle the problem of visua... 19365 we present a new nonarchimedean model of evo... 19366 we present a new approach to the design of d... 19367 we propose a statistical model for weighted ... 19368 we report a dynamical cluster approximation ... 19369 this paper formalises the problem of online ... 19370 we construct periodic solutions of nonlinear... 19371 attributebased recognition models due to the... 19372 in this paper a scale mixture of normal dist... 19373 we study the systematic numerical approximat... 19374 as a fundamental challenge in vast disciplin... 19375 in this paper we consider nonlinear equation... 19376 in recent works we have constructed axisymme... 19377 we implement the coupled cluster method to v... 19378 clouds have a strong impact on the climate o... 19379 magnetic resonance imaging mri has been prop... 19380 in crowdfunding platforms people turn their ... 19381 learning to infer bayesian posterior from a ... 19382 we discuss the distributed matching scheme i... 19383 we complement the characterization of the gr... 19384 multitask learning mtl can enhance a classif... 19385 in this note we discuss the cobordism maps o... 19386 we give necessary and sufficient conditions ... 19387 this is the proceedings of the icml worksho... 19388 we study the quantum phase transition betwee... 19389 a dimensional riemannian manifold equipped w... 19390 modern software systems provide many configu... 19391 we review andr luiz barbosas paper p np pro... 19392 we consider the minimax setup for the twoarm... 19393 traditional intelligent fault diagnosis of r... 19394 in one perspective the main theme of this re... 19395 in this paper we introduce an easily verifia... 19396 we study the problems of clustering locally ... 19397 the osirisrex visible and infrared spectrome... 19398 we prove boundedness results for integral op... 19399 we consider a large portfolio limit where th... 19400 we introduce a spectrum of monotone coarse i... 19401 coexistence of a newtype antiferromagnetic a... 19402 grigni and hungcitegh conjectured that hmino... 19403 mexico city tracks groundlevel ozone levels ... 19404 the elastic scattering cross sections for a ... 19405 predicting finegrained interests of users wi... 19406 quantitative extraction of highdimensional m... 19407 recently two new indicators equalized meanba... 19408 we show that willwachers cyclic formality th... 19409 process control systems pcss are the operati... 19410 for the quantum kinetic system modelling the... 19411 over the past few years the futures market h... 19412 deep neural networks are playing an importan... 19413 the public transports provide an ideal means... 19414 let mathcalpr denote an almostprime with at ... 19415 we use recent results by bainbridgechengendr... 19416 interference arises when an individuals pote... 19417 we present a unifying framework to solve sev... 19418 machine learning models are notoriously diff... 19419 inferring interactions between processes pro... 19420 the alvarezmacovski method alvarez r e and m... 19421 using our results about lorentzian kacmoody ... 19422 we study the elementary characteristics of t... 19423 an extensive empirical literature documents ... 19424 motivated by expansion in cayley graphs we s... 19425 we introduce a class of normal complex space... 19426 with the rapid increase of compound database... 19427 we study the sample covariance matrix for re... 19428 lung nodule classification is a class imbala... 19429 we introduce and examine a collection of unu... 19430 skorobogatov constructed a bielliptic surfac... 19431 we define locally nameless permutation types... 19432 we study dimensionfree lp inequalities for r... 19433 the oneparticle density matrix of the onedim... 19434 we propose a d generalization to the mband c... 19435 we introduce the nonlinear cauchyriemann equ... 19436 deep neural networks have been shown to succ... 19437 participants enrolled into randomized contro... 19438 effects of subgridscale gravity waves gws on... 19439 cricket is a game played between two teams w... 19440 we study basic geometric properties of some ... 19441 isogeometric analysis iga is used to simulat... 19442 in this paper we study behavior of bidders i... 19443 the internet has become a central medium thr... 19444 representation learning is at the heart of w... 19445 topological data analysis tda is a recent an... 19446 the resemblance between the methods used in ... 19447 we study how to effectively leverage expert ... 19448 we investigate the effects of social interac... 19449 a powerful data transformation method named ... 19450 cascading failures are a critical vulnerabil... 19451 despite its extremely weak intrinsic spinorb... 19452 we present a blind multiframe imagedeconvolu... 19453 we consider the framework of aggregative gam... 19454 condensed matter systems that simultaneously... 19455 the paper presents the application of variat... 19456 in this paper we propose a new algorithm for... 19457 the answer is yes we indeed find that intera... 19458 dual fabryperot cavity based optical refract... 19459 we introduce the selfannotated reddit corpus... 19460 we use a model of aerosol microphysics to in... 19461 opinion formation in the population has attr... 19462 given data over variables xxm y we consider ... 19463 we study the evolution of the eccentricity a... 19464 we discuss various forms of definitions in m... 19465 fix any field k of characteristic p such tha... 19466 we consider the minimax estimation problem o... 19467 the effect of the coulomb repulsion of holes... 19468 multiplayer online battle arena moba games h... 19469 tendondriven hand orthoses have advantages o... 19470 for years security machine learning research... 19471 software reusability has become much interes... 19472 we consider classical merton problem of term... 19473 the lack of efficiency in urban diffusion is... 19474 we derive a new bayesian information criteri... 19475 combinatorial interaction testing is an impo... 19476 we consider the habitability of earthanalogs... 19477 unsupervised learning is about capturing dep... 19478 convolutional neural networks cnns have show... 19479 in this paper we address the rigid body pose... 19480 in this paper we propose definitions and exa... 19481 we study the relationship between performanc... 19482 beyond traditional security methods unmanned... 19483 in this paper we extend two classical result... 19484 in this paper we use replica analysis to det... 19485 we discuss the local properties of weak solu... 19486 the real vector space of nonoriented graphs ... 19487 in order to address the need for an affordab... 19488 texture classification is a problem that has... 19489 contingent convertible bonds cocos are debt ... 19490 egeneralization computes common generalizati... 19491 we study quartic double fivefolds from the p... 19492 thermal atmospheric tides can torque telluri... 19493 obtaining enough labeled data to robustly tr... 19494 we provide an integral formula for the maslo... 19495 as modern precision cosmological measurement... 19496 morava etheory e is an einftyring with an ac... 19497 we consider numerical schemes for root findi... 19498 inspired by the recent evolution of deep neu... 19499 the hyperbolic pascal triangle cal hptq qge ... 19500 we report on an empirical study of the main ... 19501 much effort has been devoted to device and m... 19502 motivation proteinprotein interactions ppis ... 19503 componentbased development is a software eng... 19504 sales forecast is an essential task in ecomm... 19505 in this study we provide mathematical and pr... 19506 let f be a padic fied e be a quadratic exten... 19507 a simple doubledecker molecule with magnetic... 19508 we consider nonlinear transport equations wi... 19509 sampling from large networks represents a fu... 19510 recent works have shown that social media pl... 19511 can we make a famous rap singer like eminem ... 19512 we present a robust deep learning based deg... 19513 we study a generalization of a crossdiffusio... 19514 in distributed storage systems locally repai... 19515 syntaxguided synthesis aims to find a progra... 19516 in this paper we are concerned with the exis... 19517 we analyse spectral properties of a class of... 19518 there are tradeoffs between current sharing ... 19519 we prove a new offdiagonal asymptotic of the... 19520 networks are powerful instruments to study c... 19521 we present the davis challenge on video obj... 19522 context the success of stack overflow and ot... 19523 massive multipleinput multipleoutput mimo sy... 19524 surface parameterizations have been widely a... 19525 in this paper we consider a distributed stoc... 19526 in a wide variety of applications including ... 19527 let delta be a simplicial complex of a matro... 19528 we propose a maxpooling based loss function ... 19529 in packet scheduling with adversarial jammin... 19530 despite the progress in high performance com... 19531 in this paper we propose a deep learning bas... 19532 on the surface of icy dust grains in the den... 19533 we revisit the fundamental problem of liquid... 19534 we demonstrate the control of resonance char... 19535 a surrogate model approximates a computation... 19536 the most dataefficient algorithms for reinfo... 19537 this work explores the tradeoff between the ... 19538 the stability or instability of synchronizat... 19539 vortices turbulence and unsteady nonlaminar ... 19540 direct numerical simulation of liquidgassoli... 19541 this paper focuses on temporal localization ... 19542 we present here numerical modelling of granu... 19543 like it or not attempts to evaluate and moni... 19544 widespread usage of complex interconnected s... 19545 recent developments have established the vul... 19546 we study loss functions that measure the acc... 19547 performing diagnostics in it systems is an i... 19548 we prove a generalization of the davenporthe... 19549 neural networks are known to be vulnerable t... 19550 we present a novel method for learning the w... 19551 we found analytically a first order quantum ... 19552 combining bayesian nonparametrics and a forw... 19553 achieving superhuman playing level by alphag... 19554 we consider estimating the de facto or effec... 19555 recent studies in social media spam and auto... 19556 we explore the power of spatial context as a... 19557 we present a statistical analysis of the var... 19558 the line spectral estimation problem consist... 19559 monte carlo methods approximate integrals by... 19560 let f mathbbrd tomathbbr be a lipschitz func... 19561 despite the success of deep learning on repr... 19562 we study a frequencydependent damping model ... 19563 geometric variations of objects which do not... 19564 we discuss in the context of energy flow in ... 19565 floer theory was originally devised to estim... 19566 bayesian inference for stochastic volatility... 19567 we study simple root flows and liouville cur... 19568 this paper is a review of the evolutionary h... 19569 imitation is widely observed in populations ... 19570 complex finsler vector bundles have been stu... 19571 development and growth are complex and tumul... 19572 generating structured input files to test pr... 19573 using the setup of deformation categories of... 19574 we developed a simple physical and selfconsi... 19575 fermi large area telescope data reveal an ex... 19576 the european xray free electron laser xfeleu... 19577 in this paper for the first time we study la... 19578 appearing on the stage quite recently the lo... 19579 the impacts of climate change are felt by mo... 19580 among asteroids there exist ambiguities in t... 19581 learning preferences implicit in the choices... 19582 the use of laplacian eigenfunctions is ubiqu... 19583 significant parts of cultural heritage are p... 19584 we study a system consisting of a luttinger ... 19585 jittered sampling is a refinement of the cla... 19586 analysis and quantification of brain structu... 19587 this work proposes a visual odometry method ... 19588 autoignition delay experiments for the isome... 19589 in this paper we prove that for every intege... 19590 we investigate an inverse problem in timefre... 19591 in this paper we present a system that assoc... 19592 in this paper the kelvin wave and knot dynam... 19593 we develop the noncommutative polynomial ver... 19594 we introduce an integrated meshing and finit... 19595 in this note we show the class of finite epi... 19596 motivated by the problem of domain formation... 19597 in this paper we investigate the reconstruct... 19598 robotics enables a variety of unconventional... 19599 the present numerical study aims at shedding... 19600 for a positive parameter beta the betabounde... 19601 pipelines are used in a huge range of indust... 19602 the quadratic unconstrained binary optimizat... 19603 in order to address the economical dispatch ... 19604 we develop an importance sampling is type es... 19605 with a few hundred spacecraft launched to da... 19606 there exists various proposals to detect cos... 19607 recent works on planetary migration show tha... 19608 the general ai challenge is an initiative to... 19609 a key enabler for optimizing business proces... 19610 lorenzens algebraische und logistische unter... 19611 online interactive recommender systems striv... 19612 lowrank matrix completion mc has achieved gr... 19613 we obtain results on mixing for a large clas... 19614 many cognitive sensory and motor processes h... 19615 in this paper we sharpen earlier work of the... 19616 bilevel optimization is defined as a mathema... 19617 this paper proposes a speaker recognition sr... 19618 governing equations for twodimensional invis... 19619 we prove a global limiting absorption princi... 19620 in this paper we explore the role of duality... 19621 a looming question that must be solved befor... 19622 autoignition experiments of stoichiometric m... 19623 crowdsourced gps probe data has become a maj... 19624 generating and detection coherent highfreque... 19625 for classical manybody systems our recent st... 19626 we consider a generalized dirac operator on ... 19627 the discovery of influential entities in all... 19628 we consider learning of submodular functions... 19629 an irreducible weight module of an affine ka... 19630 we study the behavior of a real pdimensional... 19631 in this paper we propose an online learning ... 19632 we device a new method to calculate a large ... 19633 the escape mechanism of orbits in a star clu... 19634 we present atacama large millimeter submilli... 19635 we have modelled the evolution of cometary h... 19636 this paper uses a classical approach to feat... 19637 we match analytic results to numerical calcu... 19638 we tackle the problem of template estimation... 19639 bayesian inverse modeling is important for a... 19640 oneclass classification occ has been prime c... 19641 introduction\nthis papers deals with partial... 19642 machine learning models have been shown to b... 19643 in cellular massive machinetype communicatio... 19644 we report the first detection of sodium abso... 19645 choreographies are widely used for the speci... 19646 the reproducibility crisis has been a highly... 19647 scisports is a dutch startup company special... 19648 we consider the problem of segmenting a larg... 19649 in this report it is shown that cr doped int... 19650 we present a technique for automatically tra... 19651 hierarchical neural architectures are often ... 19652 research in analysis of microblogging platfo... 19653 logicbased paradigms are nowadays widely use... 19654 mixture models have been around for over ye... 19655 in this work we study the pointwise and ergo... 19656 latent features learned by deep learning app... 19657 in the near future cosmology will enter the ... 19658 the crowdsourcing consists in the externalis... 19659 we study positive solutions to the heat equa... 19660 this paper considers an alternative method f... 19661 virtual network services that span multiple ... 19662 using the semiclassical wkb approximation an... 19663 natural language and symbols are intimately ... 19664 feature extraction and dimension reduction f... 19665 let q be a prime power we estimate the numbe... 19666 in the present paper using a replica analysi... 19667 researchers often summarize their work in th... 19668 liquid metal lm is of current core interest ... 19669 the local model for differential privacy is ... 19670 a lowcost robust and simple mechanism to mea... 19671 in this paper we study the following classic... 19672 the newly emerging field of wave front shapi... 19673 in largescale agile projects product owners ... 19674 we analyse a simple extension of the sm with... 19675 consider a gaussian vector mathbfzmathbfxmat... 19676 we present a method for synthesizing a front... 19677 scaling clustering algorithms to massive dat... 19678 in this paper we consider the existence of m... 19679 we study estimators with generalized lasso p... 19680 according to data from the united nations mo... 19681 the currentvoltage iv conversion characteriz... 19682 we characterize the neutron output of a deut... 19683 we describe how turbulence distributes trace... 19684 in this paper we give a correspondence betwe... 19685 this paper reviews the checkered history of ... 19686 algorithms working with linear algebraic gro... 19687 this article studies the monotonicity logcon... 19688 epilepsy is a neurological disorder arising ... 19689 in this paper we study a classical construct... 19690 parity and timereversal violating electric d... 19691 the increasing amount of information and the... 19692 neutron diffraction and muon spin relaxation... 19693 a unified viewpoint on the van vleck and her... 19694 this paper presents an alternate form for th... 19695 we present a las vegas algorithm for dynamic... 19696 the rising popularity of intelligent mobile ... 19697 fine particulate matter pm is one of the cri... 19698 a profile describes a set of properties eg a... 19699 we present a sample of sim emission line ga... 19700 tensor factorization with hard andor soft co... 19701 in this paper we propose a replay attack spo... 19702 for linear inverse problem with gaussian ran... 19703 light carries momentum which induces on atom... 19704 for a contraction csemigroup on a separable ... 19705 traceroute is the main tools to explore inte... 19706 we studied the thermodynamic behaviors of no... 19707 many deep models have been recently proposed... 19708 consider a terminal in which users arrive co... 19709 in this paper we extend the theory of two we... 19710 we show that a link in an open book can be r... 19711 the deltaconvolution of real probability mea... 19712 when classifying point clouds a large amount... 19713 some boundedness properties of function spac... 19714 in this paper we propose a novel approach to... 19715 topic lifecycle analysis on twitter a branch... 19716 previous research on unstable footwear has s... 19717 in this paper we introduce a modified versio... 19718 structured peer learning spl is a form of pe... 19719 the monograph represents analysis of the pos... 19720 recently researchers have discovered that th... 19721 over the last decades the internet and mobil... 19722 unexpected clustering in the orbital element... 19723 we introduce two tactics to attack agents tr... 19724 one of the big challenges in machine learnin... 19725 in this paper we propose a tensor train neig... 19726 three dimensional d topology optimization pr... 19727 let m be an irreducible riemannian symmetric... 19728 microscopy imaging plays a vital role in und... 19729 in this paper we study geometric properties ... 19730 the generation of anisotropic shapes occurs ... 19731 we extend the notion of localic completion o... 19732 according to magnetohydrodynamics mhd the en... 19733 in this paper we propose squeezed convolutio... 19734 most stateoftheart graph kernels only take l... 19735 quantitative nuclear magnetic resonance imag... 19736 we present an updated halodependent and halo... 19737 current and upcoming radio interferometric e... 19738 magnetic skyrmions are particlelike objects ... 19739 in this paper we introduce metallic maps bet... 19740 hashing or learning binary embeddings of dat... 19741 a new exact solution of einsteins field equa... 19742 implicit discourse relation classification i... 19743 the idea of posing a command following or tr... 19744 wireless communication plays a vital role in... 19745 this paper studies the synchronization of a ... 19746 we derive representation theorems for exchan... 19747 the replicator equation is one of the fundam... 19748 go gaming is a struggle for territory contro... 19749 laser writing with ultrashort pulses provide... 19750 ensemble weather predictions require statist... 19751 in recent work pomerance and shparlinski hav... 19752 in this note we prove a conjecture by li qu ... 19753 recently in speaker recognition performance ... 19754 employers actively look for talents having n... 19755 we study a class of anomalies associated wit... 19756 we present a new model for the redshiftspace... 19757 it is proven that an infinite finitely gener... 19758 the spin peltier effect spe heatcurrent gene... 19759 we discuss the numbertheoretic properties of... 19760 in this paper we describe a phenomenon which... 19761 in this paper we perform the analysis that l... 19762 this work reports an electronic and microstr... 19763 we fabricated nifetextrmotextrmx thin films ... 19764 this paper proposes a new samplingbased nonl... 19765 we study the primary entanglement effect on ... 19766 breast density classification is an essentia... 19767 motivated by the recent progress in analog c... 19768 a crucial challenge in imagebased modeling o... 19769 we study an optimal control problem arising ... 19770 this paper describes our experience of train... 19771 the purpose of this article is to analyze th... 19772 covalently linked acene dimers are of intere... 19773 we discuss an investigation of student diffi... 19774 in this paper we first design a time optimal... 19775 knowledge about the graph structure of the w... 19776 we show that for any convex differentiable l... 19777 research on automated vehicles has experienc... 19778 this paper deals with a nonhomogeneous scala... 19779 phase changing materials pcm are widely used... 19780 sortition ie random appointment for public d... 19781 we provide a particle picture representation... 19782 generating adversarial examples is a critica... 19783 we consider the problem of designing efficie... 19784 we present a model that takes into account t... 19785 the quality of a neural machine translation ... 19786 closecontact melting refers to the process o... 19787 complex networks or graphs are ubiquitous in... 19788 accurate demand forecasts can help online re... 19789 in the covariate shift learning scenario the... 19790 onedimensional systems obtained as lowenergy... 19791 convolution as inner product has been the fo... 19792 this paper presents a robotic pickandplace s... 19793 we develop various aspects of classical enum... 19794 the spread of online reviews ratings and opi... 19795 a dual control problem is presented for the ... 19796 we propose graph priority sampling gps a new... 19797 this paper studies the optimal investment pr... 19798 the emergence and nature of amplitude mediat... 19799 photons from distant astronomical sources ca... 19800 a major challenge in computational chemistry... 19801 measurements of cosmic microwave background ... 19802 for over a decade scientists at nasas jet pr... 19803 proteins are only moderately stable it has l... 19804 we provide a proposal motivated by separatio... 19805 a monotone drawing of a graph g is a straigh... 19806 graph data models are widely used in many ar... 19807 we remark that sparse and carleson coefficie... 19808 discovering business rules from business pro... 19809 we combine features extracted from pretraine... 19810 context planet formation with pebbles has be... 19811 we show that nsop theories are exactly the t... 19812 heterogeneity has been studied as one of the... 19813 the magnetorotational instability mri is tho... 19814 an individual has been subjected to some exp... 19815 it is well known that the milgroms mond modi... 19816 we present a framework for testing independe... 19817 this is a survey article based on the author... 19818 the surface of metal glass and plastic objec... 19819 the oscillatory behavior of the solutions to... 19820 in recent years variational autoencoders vae... 19821 boltzmann exploration is a classic strategy ... 19822 for sophisticated reinforcement learning rl ... 19823 we present a quantum algorithm to compute th... 19824 the jiangmen underground neutrino observator... 19825 recent work has explored the problem of auto... 19826 state space models in which the system state... 19827 we study a number of graph exploration probl... 19828 the fourierwalsh expansion of a boolean func... 19829 oxygendeficient tio in the rutile structure ... 19830 auxetic materials are a novel class of mecha... 19831 exploiting the powerful tool of strong gravi... 19832 autonomous agents must often detect affordan... 19833 we revisit the question of whether and how t... 19834 trapping molecular ions that have been sympa... 19835 the precise nature of complex structural rel... 19836 a regularized optimization problem over a la... 19837 we analyze the effect of intersiteinteractio... 19838 we consider tackling a singleagent rl proble... 19839 the dissipation of smallscale perturbations ... 19840 multisubject fmri data analysis is an intere... 19841 knowledge transfer between tasks can improve... 19842 because the grand unification theory of gaug... 19843 richclub ordering refers to the tendency of ... 19844 in this work we propose to integrate predict... 19845 inverse electromagnetic design has emerged a... 19846 this paper describes a general scalable endt... 19847 we show that maximal sfree convex sets are p... 19848 the nearby ultraluminous infrared galaxy uli... 19849 motivated by recent experimental observation... 19850 the behavior of an interior test particle in... 19851 the katrin experiment aims to determine the ... 19852 the stabilization of lasers to absolute freq... 19853 in this paper a new type of d bin packing pr... 19854 the goal of this article is to clarify the m... 19855 the problem of the estimation of relevance t... 19856 in this paper we present a strategy for the ... 19857 this paper presents a method of reconstructi... 19858 we consider the problem of performing spoken... 19859 we present a method to derive the density sc... 19860 advertisements are unavoidable in modern soc... 19861 we study a deep linear network endowed with ... 19862 we apply our theory of partial flag spaces d... 19863 the robustness of dynamical properties of ne... 19864 maximizing the area under the receiver opera... 19865 motivated by problems in data clustering we ... 19866 we describe all rigid algebras and all irred... 19867 in this paper we compute the discrete fundam... 19868 we investigate the theoretical foundations o... 19869 we live in a d world performing activities a... 19870 advances in astronomy are intimately linked ... 19871 eliminating duplicate data in primary storag... 19872 freeplay is a significant source of nonlinea... 19873 understanding user preference is essential t... 19874 lowdimensional embeddings of nodes in large ... 19875 assume that fmathbbcn to mathbbc is an analy... 19876 we study the convergence properties of the g... 19877 we point out a unique mechanism to produce t... 19878 in this paper we propose a method using a th... 19879 a setting for global variational geometry on... 19880 in this paper we revisit some classic board ... 19881 in recent years citizen science has grown in... 19882 the srv architecture segment routing based o... 19883 we apply a largescale computational techniqu... 19884 pretrained word embeddings improve the perfo... 19885 we start with an overview of a class of subm... 19886 we consider the inverse problems of determin... 19887 a tragedy of the commons toc occurs when ind... 19888 the linear growth of operators in local quan... 19889 each multiplicative exponential linear logic... 19890 multi robot systems have the potential to be... 19891 for a riemannian covering mto m of complete ... 19892 we extend the theory of ground states of cla... 19893 we present a framework for visionbased model... 19894 we give a ktheoretic criterion for a quasipr... 19895 modern surveys have provided the astronomica... 19896 we propose a novel approach towards adversar... 19897 we show how to answer spatial multipleset in... 19898 we present a framework to calculate the casc... 19899 mongekantorovich distances otherwise known a... 19900 we construct an analog of the intrinsic norm... 19901 most old globular clusters gcs in the galaxy... 19902 while domain adaptation has been actively re... 19903 we report the discovery of the minor planet ... 19904 using lindblad dynamics we study quantum spi... 19905 we study the spatially homogeneous time depe... 19906 we consider the minimization of composite ob... 19907 generative adversarial networks gans are pow... 19908 we propose a statistical model for natural l... 19909 the low energy optical conductivity of conve... 19910 this work demonstrates nanoscale magnetic im... 19911 superconducting detectors are now wellestabl... 19912 we prove that the hilbert scheme of points ... 19913 we propose a novel type of tunable yagiuda n... 19914 modified structures of sapo were prepared us... 19915 support vector machines svms with various ke... 19916 voltage deviations occur frequently in power... 19917 convolutional neural networks cnns are a pop... 19918 traditional neural network approaches for tr... 19919 the tolman paradox is well known as a base f... 19920 for analysing text algorithms for computing ... 19921 spinrelaxation is conventionally discussed u... 19922 in the information overloaded web personaliz... 19923 scholarly communication has the scope to tra... 19924 machine learning algorithms when applied to ... 19925 recently the fabrication of cdse nanoplatele... 19926 advances in gnc particularly from miniaturiz... 19927 unsupervised learning is of growing interest... 19928 we define monodromy maps for tropical dolbea... 19929 in this paper we study the problems in the d... 19930 word embeddings generated by neural network ... 19931 we will say that an abelian group gamma of o... 19932 cosmologies including strongly coupled sc da... 19933 proof schemata are a variant of lkproofs abl... 19934 this paper examines the task of detecting in... 19935 using simulations with a wholeatmosphere che... 19936 a fundamental question in biology is how org... 19937 conventional seismic techniques for detectin... 19938 we present a novel approach to achieve adapt... 19939 from medicines to materials small organic mo... 19940 let hatl be the projective completion of an ... 19941 to ensure that a robot is able to accomplish... 19942 over the last decade tremendous strides have... 19943 we develop polynomialtime heuristic methods ... 19944 it is well known that the f test is severly ... 19945 feature representations from pretrained deep... 19946 let p be a prime and k be a field of charact... 19947 recently a general expression for eckartfram... 19948 this paper studies an optimal trading proble... 19949 we explore the relationship between features... 19950 estimating individualized treatment rules is... 19951 finetuning in physics and cosmology is often... 19952 experiments using nuclei to probe new physic... 19953 machine learning ml models are applied in a ... 19954 we introduce the fraud deanonymization probl... 19955 the types of instability in the interacting ... 19956 the interaction blockade phenomenon isolates... 19957 spider is a balloonborne instrument designed... 19958 wind shear measured by doppler tracking of t... 19959 relativistic protocols have been proposed to... 19960 we prove that all eigenstates of manybody lo... 19961 we study the formation of massive black hole... 19962 we study an optimizationbased approach to co... 19963 we show how thirdparty web trackers can dean... 19964 virtualization technologies have evolved alo... 19965 we give an integral formula for the total qp... 19966 the internet of things iot is continuously g... 19967 modelling information cascades over online s... 19968 living cells exhibit multimode transport tha... 19969 we define various height functions for motiv... 19970 this paper studies the dimension effect of t... 19971 fundamental questions on the nature of matte... 19972 the main aim of this paper is to prove rtriv... 19973 we present nearinfrared interferometry of th... 19974 long shortterm memory lstm has achieved stat... 19975 i welcome the contribution from falessi et a... 19976 recent advances in computer visionin the for... 19977 recent research implies that training and in... 19978 the probability simplex is the set of all pr... 19979 we present a novel condition which we term t... 19980 every linear system of partial differential ... 19981 convolutional neural networks cnns have been... 19982 dominant approaches to action detection can ... 19983 this work introduces a novel estimation meth... 19984 we consider the cauchy problem in rn for som... 19985 unconventional dwave superconductors with pa... 19986 neuromorphic computing has come to refer to ... 19987 we study junctions of wilson lines in refine... 19988 stochastic gradient algorithms are more and ... 19989 the location of the terrestrial magnetopause... 19990 using a membranedriven diamond anvil cell an... 19991 everyday robotics are challenged to deal wit... 19992 malware is constantly adapting in order to a... 19993 we construct examples of finite covers of pu... 19994 training convolutional networks cnns that fi... 19995 identifying transport pathways in fractured ... 19996 we analyse archival cgrobatse xray flux and ... 19997 we investigate some basic applications of fr... 19998 we present resolution images of co and asso... 19999 we investigate equilibrium properties includ... 20000 the influence of the dzyaloshinskiimoriya in... 20001 i analyze osaka factory worker households in... 20002 on the march noaa active region ar produc... 20003 we prove that every connected affine scheme ... 20004 deep neural network models have been proven ... 20005 arabic word segmentation is essential for a ... 20006 this paper studies an electricity market con... 20007 to investigate the existence of sterile neut... 20008 protein crystal production is a major bottle... 20009 we present the kepler object of interest koi... 20010 the dark sector may contain a dark photon th... 20011 a network epidemics model based on the class... 20012 we describe a general framework compressive ... 20013 bandit structured prediction describes a sto... 20014 the ability to learn from a small number of ... 20015 faster rcnn is one of the most representativ... 20016 datatarget pairing is an important step towa... 20017 we present calipso an interactive method for... 20018 the resolutions and maximal sets of compatib... 20019 spectrum of a first order sentence is the se... 20020 within the past few decades we have witnesse... 20021 we introduce a refinement of the classical l... 20022 in the presence of a certain class of functi... 20023 conditional specification of distributions i... 20024 let mathcalb denote a set of bicolorings of ... 20025 in part i we considered the problem of conve... 20026 javascript systems are becoming increasingly... 20027 phononic bandgaps of parylenec microfibrous ... 20028 though the deep learning is pushing the mach... 20029 we present semiparametric spectral modeling ... 20030 we present a term rewrite system that formal... 20031 most complex networks are not static but evo... 20032 potential critical risks of cascading failur... 20033 we present a comprehensive account of the pr... 20034 we consider the onedimensional model of a sp... 20035 in this paper we deform the thermodynamics o... 20036 in this paper we study rotationally symmetri... 20037 the rank of a hierarchically hyperbolic spac... 20038 recurrent neural networks are showing much p... 20039 statistical analysis sa is a complex process... 20040 we firstly suggest new cache policy applying... 20041 shapeconstrained density estimation is an im... 20042 the aim of this paper is to analyze the arra... 20043 in this study the gravitational octree code ... 20044 instanton bundles on mathbbp have been at th... 20045 learning weights in a spiking neural network... 20046 in this work we propose to train a deep neur... 20047 an analytical expression is received for the... 20048 online social networks osn are increasingly ... 20049 we characterize operatortheoretic properties... 20050 we present results from the first observatio... 20051 we derive the gaugeon formalism of the kalbr... 20052 in this work the authors give a new method f... 20053 complex distribution networks are pervasive ... 20054 deep learning methods employ multiple proces... 20055 the increasing impact of robotics on industr... 20056 remote attestation ra allows a trusted entit... 20057 social robots also known as service or assis... 20058 in this paper we solve the inverse problem f... 20059 building a complete inertial navigation syst... 20060 we demonstrate that photonic and phononic cr... 20061 the experimental efforts to detect the redsh... 20062 we unify the feeding and feedback of superma... 20063 the inherent noise in the observed eg scanne... 20064 online advertisers and analytics services or... 20065 we consider the toda system fracdelta\nqne... 20066 we prove that a meromorphic mapping which se... 20067 cameras are the most widely exploited sensor... 20068 the time evolution of the energy transport t... 20069 this chapter of the forthcoming handbook of ... 20070 this paper presents a survey of some new app... 20071 hd is an excellent target to investigate sig... 20072 the mechanism of ion bombardment induced mag... 20073 we implement two algorithms in mathematica f... 20074 we show that model compression can improve t... 20075 this paper presents a procedure to retrieve ... 20076 space photometric missions have been steadil... 20077 we present an explicitly correlated formalis... 20078 we study algebrogeometric consequences of th... 20079 companies and academic researchers may colle... 20080 a fundamental problem in neuroscience is to ... 20081 deep reinforcement learning enables algorith... 20082 this article deals with the first detection ... 20083 the remarkably strong chemical adsorption be... 20084 in this work we propose approaches to effect... 20085 we derive a priori estimates for the incompr... 20086 let m be a liouville manifold which is the s... 20087 we construct an iterated function system con... 20088 recent years have seen tremendous growth of ... 20089 a model for the development of turbulent she... 20090 this paper gives a thorough overview of sola... 20091 the present study investigates a way to desi... 20092 a fraction of earlytype dwarf galaxies in th... 20093 this paper reports the first results of a di... 20094 we address the problem of epipolar geometry ... 20095 this paper describes a new modelling languag... 20096 the new wave of successful generative models... 20097 we consider the ransac algorithm in the cont... 20098 though there is a growing body of literature... 20099 in the research of the impact of gestures us... 20100 we define an infinite measurepreserving tran... 20101 an exciting branch of machine learning resea... 20102 we consider a system of nonlinear partial di... 20103 we report the development of indium oxide in... 20104 in this paper changepoint problems for long ... 20105 gravity assist manoeuvres are one of the mos... 20106 in the last years model checking with interv... 20107 next investigations in our program of transi... 20108 an important and emerging component of plane... 20109 we consider the motion of incompressible vis... 20110 we study the fundamental group of the comple... 20111 spectral clustering sc is a widely used data... 20112 a hyperbolic space has been shown to be more... 20113 we present a parameterized approach to produ... 20114 recent studies have revealed the vulnerabili... 20115 the detection of intermediate mass black hol... 20116 we examine the possibility of a dark matter ... 20117 modeling inverse dynamics is crucial for acc... 20118 new ternary mgnimn intermetallics have been ... 20119 recent advances in the field of network embe... 20120 this paper describes some applications of an... 20121 the question in this paper is whether rd eff... 20122 the global dynamics of event cascades are of... 20123 we revisit a classical scenario in communica... 20124 motivated by contemporary and rich applicati... 20125 the main limitation that constrains the fast... 20126 we consider the cauchy problem for the repul... 20127 the growing pressure on cloud application sc... 20128 level polytopes naturally appear in several ... 20129 learning to learn has emerged as an importan... 20130 this paper aims at oneshot learning of deep ... 20131 the inverse problem of determining the unkno... 20132 many engineering processes exist in the indu... 20133 we introduce a framework using generative ad... 20134 we propose and demonstrate a novel laser coo... 20135 we report on close stellar companions dete... 20136 we exploit a recently derived inversion sche... 20137 the effectiveness of a statistical machine t... 20138 in this short note we prove that if f is a w... 20139 monte carlo tree search mcts has been extend... 20140 we propose a search of galactic axions with ... 20141 datasets with significant proportions of noi... 20142 adversarial examples have been shown to exis... 20143 we investigate two arithmetic functions natu... 20144 lurking variables represent hidden informati... 20145 fourier ptychographic microscopy fpm is a re... 20146 the primary goal of this paper is to recast ... 20147 robotic assistants in a home environment are... 20148 let n and k be natural numbers such that k ... 20149 we present a neural architecture that takes ... 20150 we classify the band degeneracies in d cryst... 20151 deep neural networks dnns are very popular t... 20152 we propose a new approach based on a local h... 20153 this paper is the second chapter of three of... 20154 the wellknown axlerzheng theorem characteriz... 20155 this paper presents a simple approach to inc... 20156 we introduce a new method of statistical ana... 20157 we derive a closed formula for the determina... 20158 in this technical report we consider an appr... 20159 the maximal density of a measurable subset o... 20160 mass segmentation provides effective morphol... 20161 a transitive model m of zfc is called a grou... 20162 wildland fire fighting is a hazardous job a ... 20163 high signaltonoise and highresolution light ... 20164 the sachdevyekitaev syk model is a concrete ... 20165 the ward identities associated with spontane... 20166 we report on the growth of epitaxial srruo f... 20167 the antiprotontoproton ratio in the cosmicra... 20168 the precise localization of the repeating fa... 20169 thicket density is a new measure of the comp... 20170 a gammangonal pair is a pair sf where s is a... 20171 online advertising is progressively moving t... 20172 the quantum nature of lightmatter interactio... 20173 the critical properties of the singlecrystal... 20174 we implement a scalefree version of the pivo... 20175 mconvex functions which are a generalization... 20176 bayesian matrix factorization bmf is a power... 20177 the successful deployment of safe and trustw... 20178 the xenont experiment is the most recent sta... 20179 we argue that the standard graph laplacian i... 20180 public space utilization is crucial for urba... 20181 two families of symplectic methods specially... 20182 the recent breakthroughs of deep reinforceme... 20183 in a dirac nodal line semimetal the bulk con... 20184 let n be a positive multiple of we establis... 20185 the process of designing neural architecture... 20186 traditionally most complex intelligence arch... 20187 a central challenge in modern condensed matt... 20188 we consider the path planning problem for a ... 20189 heterogeneous information networks hins are ... 20190 dynamical phase transitions are crucial feat... 20191 due to their capability to reduce turbulent ... 20192 we predict a geometric quantum phase shift o... 20193 for wellgenerated complex reflection groups ... 20194 the magnetic properties of bafeas surface ha... 20195 we obtain an explicit error expansion for th... 20196 we combine spitzer and groundbased kmtnet mi... 20197 this paper presents a class of new algorithm... 20198 the atacama large millimetersubmilimeter arr... 20199 endowing robots with the capability of asses... 20200 good parameter settings are crucial to achie... 20201 we study the critical behavior of a general ... 20202 an appearancebased robot selflocalization pr... 20203 we currently witness the emergence of intere... 20204 we propose a method to infer domainspecific ... 20205 genomewide chromosome conformation capture t... 20206 it is proposed and substantiated that an ext... 20207 we show how to reverse a while language exte... 20208 hubble space telescope photometry from the a... 20209 phylogenetic networks are a generalization o... 20210 gdeformability of maps into projective space... 20211 atmospheric modeling of lowgravity vlg young... 20212 ongoing innovations in recurrent neural netw... 20213 separating audio mixtures into individual in... 20214 let d be a positive integer and x a real num... 20215 triggered star formation around hii regions ... 20216 the methodology of softwaredefined robotics ... 20217 we consider a curved sitnikov problem in whi... 20218 we define hardy spaces hpomegapm on halfstri... 20219 in recent years numerous vision and learning... 20220 the control task of tracking a reference poi... 20221 computer programs do not always work as expe... 20222 a vector composition of a vector mathbfell i... 20223 this paper shows that a simple baseline base... 20224 deep learning is having a profound impact in... 20225 we use publicly available data for the mille... 20226 support vector machines svm and other kernel... 20227 this paper considers the problem of approxim... 20228 in this study we follow grossmann and lohse ... 20229 the renormalization method based on the tayl... 20230 the numerical approximation of d elasticity ... 20231 in this paper we consider the problem of est... 20232 a polymer model given in terms of beads inte... 20233 distributed learning is an effective way to ... 20234 kriging or gaussian process regression is ap... 20235 over the past three years it has become evid... 20236 deep learning is the stateoftheart in fields... 20237 the alzheimers disease prediction of longitu... 20238 the acquisition of magnetic resonance imagin... 20239 we present a stateoftheart endtoend automati... 20240 this study focuses on the social structure a... 20241 it is wellknown that the harishchandra trans... 20242 we consider the estimation of a signal from ... 20243 memristors have recently received significan... 20244 we introduce a directed weighted random grap... 20245 in this letter we investigate the performanc... 20246 migration the main process shaping patterns ... 20247 we establish the grbnershirshov bases theory... 20248 conversion optimization means designing a we... 20249 this paper investigates the phenomenon of em... 20250 in many biological agricultural military act... 20251 we consider minimization problems in the cal... 20252 in this paper we extend the hermitehadamard ... 20253 this paper provides several statistical esti... 20254 in this paper we compute the epolynomials of... 20255 modern computer architectures share physical... 20256 we show various supercongruences for truncat... 20257 layer normalization is a recently introduced... 20258 translating formulas of linear temporal logi... 20259 this short note describes the benefit one ob... 20260 in this paper we introduce a new concept of ... 20261 the convolution properties are discussed for... 20262 network densification and heterogenisation t... 20263 we investigate the integration of a planning... 20264 in this paper we propose a novel recurrent n... 20265 our start point is a d piecewise smooth vect... 20266 why is it difficult to refold a previously f... 20267 we discuss a general procedure to construct ... 20268 the hawkes process is a class of point proce... 20269 rapid deployment and operation are key requi... 20270 we present an analytical treatment of a thre... 20271 this document describes our submission to th... 20272 the number of component classifiers chosen f... 20273 lowrank modeling has many important applicat... 20274 inspired by the importance of diversity in b... 20275 community detection is a commonly used techn... 20276 electronic friction and the ensuing nonadiab... 20277 we explore the notion of the quantum auxilia... 20278 recurrent neural networks with various types... 20279 hydrogen bonding between nucleobases produce... 20280 this paper derives an upper limit on the den... 20281 mobile edge caching enables content delivery... 20282 we develop an online learning method for pre... 20283 we study the mass imbalanced fermifermi mixt... 20284 we establish concrete criteria for fully sup... 20285 while in standard photoacoustic imaging the ... 20286 deep convolutional neural network cnn based ... 20287 in this paper we investigate the fundamental... 20288 we identify graphene layer on a disordered s... 20289 many approaches for testing configurable sof... 20290 we propose a reinforcement learning rl based... 20291 we consider the parabolic allencahn equation... 20292 the longtail phenomenon tells us that there ... 20293 a realworld dataset is provided from a pulpa... 20294 an experimental setup for consecutive measur... 20295 in their recent book merchants of doubt new ... 20296 in this paper we deal with the wellknown non... 20297 in preprint we consider and compare differen... 20298 this paper investigates the computational co... 20299 the hard problem of consciousness has been d... 20300 we study the interplay between steinberg alg... 20301 the dirac equation for relativistic electron... 20302 though convolutional neural networks cnns ha... 20303 we study the crossover between the sudden qu... 20304 we report strong interfacial exchange coupli... 20305 softwaredriven cloud networking is a new par... 20306 pid control architectures are widely used in... 20307 the minhashing approach to sketching has bec... 20308 among other macroeconomic indicators the mon... 20309 understanding the origin of unintentional do... 20310 optic flow is two dimensional but no special... 20311 neurons process information by transforming ... 20312 cyclic data structures such as cyclic lists ... 20313 highorder harmonic generation hhg from align... 20314 here we report on a set of programs develope... 20315 many computationallyefficient methods for ba... 20316 the optical properties of a multilayer syste... 20317 quadratic systems of equations appear in sev... 20318 in most illiquid markets there is no obvious... 20319 we propose a novel method for d object pose ... 20320 in human microbiome studies sequencing reads... 20321 transition points mark qualitative changes i... 20322 we provide a hybrid method that captures the... 20323 primarily motivated by the drug development ... 20324 in this paper we present the cosimulation of... 20325 here in this paper it has been considered a ... 20326 this paper revisits the problem of optimal c... 20327 schumann resonance transients which propagat... 20328 how do you learn to navigate an unmanned aer... 20329 exploratory analysis over network data is of... 20330 as algorithms increasingly inform and influe... 20331 abridged in this paper we revisit the proble... 20332 in this paper we discuss some general proper... 20333 quasiparticle excitations in fese were studi... 20334 this paper presents a model based on deep le... 20335 janus type watersplitting catalysts have att... 20336 a prevailing challenge in the biomedical and... 20337 this paper argues that a class of riemannian... 20338 this work develops techniques for the sequen... 20339 we propose the klucb algorithm for regret m... 20340 ordinary differential operators with periodi... 20341 the set of all possible configurations of th... 20342 we study the cooperative optical coupling be... 20343 measures of neuroelectric activity from each... 20344 we present accurate electrical resistivity m... 20345 one of the goals in scaling sequential machi... 20346 a triple array is a rectangular array contai... 20347 learning algorithms for natural language pro... 20348 in axisymmetric fusion reactors the equilibr... 20349 we introduce a new sublinear space sketchthe... 20350 weiyi zhang noticed recently a gap in the pr... 20351 in this article we discuss the mass transfer... 20352 by twocolor photoassociation of ca four weak... 20353 we provide criteria for the cyclotomic quive... 20354 we compare electronic structures of single f... 20355 regularization techniques are widely employe... 20356 network models are applied in numerous domai... 20357 extrapolation methods use the last few itera... 20358 the motion of a massive particle in rindler ... 20359 approximate markov chain monte carlo mcmc of... 20360 in search engines online marketplaces and ot... 20361 in the real world many complex systems inter... 20362 previously the controllability problem of a ... 20363 we relate the counting of honeycomb dimer co... 20364 programming by demonstration has recently ga... 20365 aiming at financial applications we study th... 20366 supervised learning based methods for source... 20367 a revolution in galaxy cluster science is on... 20368 previous studies have shown that intermediat... 20369 generative adversarial networks gans are hig... 20370 we present and implement a nondestructive de... 20371 the only open case of vizings conjecture tha... 20372 we present a study of the lowfrequency radio... 20373 it is known that the initialboundary value p... 20374 wheeled ground robots are limited from explo... 20375 when studying flockingswarming behaviors in ... 20376 we are developing a system for humanrobot co... 20377 the recent turn towards quantitative textasd... 20378 we introduce a lattice gas implementation th... 20379 in the present paper we investigate the infl... 20380 unconventional superconductivity or superflu... 20381 the problem of controlling the mean and the ... 20382 big finegrained enterprise registration data... 20383 this paper presents a novel technique that a... 20384 recurrent neural networks rnns have been dra... 20385 we propose a visionbased method that localiz... 20386 we consider geometrical optimization problem... 20387 time delay neural networks tdnns are an effe... 20388 this paper proposes a new model for extracti... 20389 we view a neural network as a distributed sy... 20390 we consider a twonode tandem queueing networ... 20391 in this letter we present a new robotic harv... 20392 ami observations towards ciza j in compariso... 20393 in the orthognathic surgery dental splints a... 20394 energytransport equations for the transport ... 20395 we report ab initio density functional calcu... 20396 making sense of wasserstein distances betwee... 20397 xray emission associated to accretion onto c... 20398 we develop riemannian stein variational grad... 20399 springantispring systems have been investiga... 20400 in the study of extensions of polytopes of c... 20401 given a finite honest time we derive represe... 20402 in this paper we study the implications for ... 20403 realworld networks are difficult to characte... 20404 topological superfluid is an exotic state of... 20405 the process of liquidity provision in financ... 20406 this paper describes the design and implemen... 20407 the variational autoencoder vae is a popular... 20408 consider a sequence of real data points xldo... 20409 the concept of stochastic configuration netw... 20410 many database columns contain string or nume... 20411 we address the problem of multiclass classif... 20412 travel time on a route varies substantially ... 20413 we study planted problemsfinding hidden stru... 20414 polynomial chaos expansions pce have seen wi... 20415 we currently harness technologies that could... 20416 we prove that the gromovwitten theory gwt of... 20417 we introduce the concept of numerical gaussi... 20418 the quality of experience qoe is known to be... 20419 deep learning is still not a very common too... 20420 consider a stochastic process being controll... 20421 discrminative trackers employ a classificati... 20422 most of the javascript code deployed in the ... 20423 in the theory of the navierstokes equations ... 20424 in this paper we make an important step towa... 20425 why do large neural network generalize so we... 20426 we would like to learn latent representation... 20427 deep convolutional neural networks cnns can ... 20428 mechanical oscillators are at the heart of m... 20429 ip networks became the most dominant type of... 20430 the dynamical systems found in nature are ra... 20431 uncertainty quantification is a critical mis... 20432 the emphorbit problem consists of determinin... 20433 the largeaperture experiment to detect the d... 20434 making sense of a dataset in an automatic an... 20435 with the widespread use of machine learning ... 20436 the balance held by brownian motion between ... 20437 working in the context of muabstract element... 20438 the yangtze river has been subject to heavy ... 20439 classical causal inference assumes a treatme... 20440 a reliable accurate and affordable positioni... 20441 we present several upper bounds for the heig... 20442 shale gas plays an important role in reducin... 20443 this paper develops a novel methodology for ... 20444 by tracking the divergence of two initially ... 20445 as one of the most important semiconductors ... 20446 humans are the ultimate ecosystem engineers ... 20447 this paper describes a simple yet novel syst... 20448 in this paper we give a closetosharp answer ... 20449 we study the interplay of spin and charge co... 20450 this paper is an introduction to the membran... 20451 we present a compilation of lego technic par... 20452 the conjecture is formulated in an affine st... 20453 recent experiments show no statistical impac... 20454 let g be a reductive algebraic group over a ... 20455 we give a general method of extending unital... 20456 convolution with greens function of a differ... 20457 manybody phenomena were always an integral p... 20458 when performing bayesian data analysis using... 20459 with the increasing of electric vehicle ev a... 20460 vulnerabilities in password managers are unr... 20461 this text is a survey on crossvalidation we ... 20462 objective using traditional approaches a bra... 20463 the index coding problem has been generalize... 20464 we are concerned with the inverse scattering... 20465 thermoelectric energy conversion the exploi... 20466 in this work we study the excitatory ampa an... 20467 we use a coarse version of the fundamental g... 20468 we study the growth of degrees in many auton... 20469 a laser heterodyne polarimeter lhp designed ... 20470 the availability of big data recorded from m... 20471 the aim of this paper is to give an explicit... 20472 an algorithm for irreducible decomposition o... 20473 this note is a commentary on the modeltheore... 20474 in this work we ask the following question c... 20475 in the classical secretary problem one attem... 20476 this paper addresses challenges in flexibly ... 20477 by analyzing spinspin correlation functions ... 20478 the cuore experiment a tonscale cryogenic bo... 20479 recently the cauchycarlitz number was define... 20480 networks provide an informative yet nonredun... 20481 we present synkhronos an extension to theano... 20482 cell division site positioning is precisely ... 20483 we consider a system of polynomials fldots f... 20484 let g gln over an algebraically closed fiel... 20485 our work focuses on the problem of predictin... 20486 we propose a minority route choice game to i... 20487 massive content about users social personal ... 20488 networked system often relies on distributed... 20489 catalytic swimmers have attracted much atten... 20490 we consider the bogolubovde gennes equations... 20491 penalized likelihood methods are widely used... 20492 machine learning is a field of computer scie... 20493 we use a deep learning model trained only on... 20494 we investigate the possibility of extending ... 20495 we propose a new variational bayes estimator... 20496 scene modeling is very crucial for robots th... 20497 in order to perform complex actions in human... 20498 we study numerically the entanglement entrop... 20499 strongly interacting manybody systems consis... 20500 casimir forces between material surfaces at ... 20501 driven by the interest of reasoning about pr... 20502 in this paper we consider the development of... 20503 localizationbased imaging has revolutionized... 20504 within the standard model of manybody locali... 20505 spectroscopic properties useful for plasma d... 20506 this paper presents the submissions by the u... 20507 we consider generalizations of the sylvester... 20508 viscoelasticity has been described since the... 20509 adaptive optic ao systems delivering high le... 20510 the progress made in understanding spontaneo... 20511 wireless engineers and business planners com... 20512 the scripting language described in this doc... 20513 we consider abstract evolution equations wit... 20514 spectral properties of the turbulent cascade... 20515 the blind source separation model for multiv... 20516 we introduce the notion of a z r gmixed cage... 20517 a technique to levitate and measure the thre... 20518 monero is a privacycentric cryptocurrency th... 20519 face image quality can be defined as a measu... 20520 networks which represent agents and interact... 20521 the pairing symmetry of the newly proposed c... 20522 the search for flatband solidstate realizati... 20523 a deep neural network is a hierarchical nonl... 20524 we identify and describe the main dynamic re... 20525 we survey different classification results f... 20526 since introduction a knyazev toward the opti... 20527 we compare a large suite of theoretical cosm... 20528 the work is devoted to the variety of dimens... 20529 we present a bayesian object observation mod... 20530 we investigate the generation of optical fre... 20531 physical media like surveillance cameras and... 20532 a physical model of a threedimensional flow ... 20533 localization of anatomical structures is a p... 20534 let xdmu be a doubling metric measure space ... 20535 the last decade was remarkable for neutrino ... 20536 we study several variants of qgarnier system... 20537 we investigate in the luttinger model with f... 20538 the cosmological relaxation of the electrowe... 20539 in solving hard computational problems semid... 20540 magnetically tunable feshbach resonances in ... 20541 in compressed sensing a realvalued sparse ve... 20542 momentum methods such as polyaks heavy ball ... 20543 the recovery of approximately sparse or comp... 20544 despite recent advances memoryaugmented deep... 20545 the crystallographic stacking order in multi... 20546 we study a variational ginzburglandau type m... 20547 we present a multimodal nonlinear optical nl... 20548 in the discovery of a new type of uniform r... 20549 leibniz algebras are certain generalization ... 20550 reconstruction of skilled humans sensation a... 20551 let x tx be a compact connected orientable c... 20552 in the present work we explore resistive cir... 20553 we have developed a computational code dynap... 20554 the change detection problem is to determine... 20555 context poor usability of cryptographic apis... 20556 building dialog agents that can converse nat... 20557 we propose an alternative framework to exist... 20558 this paper presents a statistical method of ... 20559 understanding the global optimality in deep ... 20560 concepts and tools from network theory the s... 20561 in this paper by maximum principle and cutof... 20562 in this paper we extend the improved pointwi... 20563 this paper presents a novel deep learningbas... 20564 we study the following nonlocal diffusion eq... 20565 fast and efficient motion planning algorithm... 20566 with the ever increasing size of web relevan... 20567 this paper fills a gap in aspectbased sentim... 20568 let x mathscrl lambda and y mathscrm mu be f... 20569 partial differential equations with random i... 20570 music relies heavily on repetition to build ... 20571 massive multipleinput multipleoutput mmimo t... 20572 a split feasibility formulation for the inve... 20573 in this paper we study the superalgebra an i... 20574 we investigate preference profiles for a set... 20575 this review is based on lectures given at th... 20576 using the representation theory of cherednik... 20577 we show that the khovanov complex of a ratio... 20578 we study how shocks to the forwardlooking ex... 20579 this work presents a novel framework based o... 20580 slimness of a graph measures the local devia... 20581 despite their immense popularity deep learni... 20582 we present an olog kcompetitive randomized a... 20583 we present a general framework for studying ... 20584 sharing of statistical strength is a phrase ... 20585 this paper uses model symmetries in the inst... 20586 in this paper we use the classical electrody... 20587 assume that we observe a sample of size n co... 20588 pulsedlaser dry printing of noblemetal micro... 20589 increasing amounts of data from varied sourc... 20590 this paper proposes a distributed consensus ... 20591 a secure and private framework for interagen... 20592 under covariate shift training source data a... 20593 while enormous progress has been made to var... 20594 we demonsrtate electrical spin injection and... 20595 we present an algorithm for rapidly learning... 20596 scada protocols for industrial control syste... 20597 despite their significant functional roles b... 20598 we propose a natural relaxation of different... 20599 in this paper we propose a quality enhanceme... 20600 the main result of this paper is a discrete ... 20601 networks are fundamental models for data use... 20602 by combining analytic and geometric viewpoin... 20603 realization of a short bunch beam by manipul... 20604 we create fermionic dipolar nali molecules i... 20605 let sigma be arclength measure on ssubset ma... 20606 we consider the diffusion of new products in... 20607 while there has been substantial progress in... 20608 a quantum computer qc can solve many computa... 20609 recurrence networks are powerful tools used ... 20610 as ocean general circulation models ogcms mo... 20611 while accelerators such as gpus have limited... 20612 understanding the relationship between the s... 20613 we study stochastic multiarmed bandits with ... 20614 highresolution noninvasive d study of intact... 20615 there are a number of articles which deal wi... 20616 we present a class of simple algorithms that... 20617 in an increasingly polarized world demagogue... 20618 we study the semidiscrete directed polymer m... 20619 in this paper we introduce the use of a pers... 20620 the paper provides results for a nonstandard... 20621 unsupervised learning techniques in computer... 20622 in this work we explore the problems of dete... 20623 the latent feature relational model lfrm is ... 20624 the ancient mindbody problem continues to be... 20625 we investigate the dependence of transmissio... 20626 standard interpolation techniques are implic... 20627 this is an elementary introduction to infini... 20628 repair mechanisms are important within resil... 20629 every real is computable from a martinloef r... 20630 this paper proposes the use of subspace trac... 20631 we consider a particle dressed with boundary... 20632 we study the behavior of exponential random ... 20633 proofcarryingcode was proposed as a solution... 20634 until now little was known about properties ... 20635 we investigate the problem of guessing a dis... 20636 in this paper the methods of forming a trave... 20637 in this paper we consider two rainfallrunoff... 20638 classification of imbalanced datasets is a c... 20639 we consider the problems of liveness verific... 20640 inference over tails is performed by applyin... 20641 the soil moisture active passive smap missio... 20642 it has been discovered previously that the t... 20643 we propose a new model for unsupervised docu... 20644 the purpose of this work is to construct a m... 20645 we consider the inverse problem of parameter... 20646 hyperuniform disordered photonic materials h... 20647 scientific explanation often requires inferr... 20648 crosslingual representations of words enable... 20649 a lattice is the integer span of some linear... 20650 this research was to design a ghz class e p... 20651 the study of densesubhypergraph problem was ... 20652 a literature survey on ontologies concerning... 20653 logicbased event recognition systems infer o... 20654 graph isomorphism is an important computer s... 20655 effect modification occurs when the effect o... 20656 a growing body of research focuses on comput... 20657 recent work has shown that stateoftheart mod... 20658 exploiting the wealth of imaging and nonimag... 20659 an independence system with respect to the u... 20660 we consider theoretically ultracold interact... 20661 an overview of research on laserplasma based... 20662 in this paper we consider estimators for an ... 20663 the van der waals heterostructures of allotr... 20664 we provide a surprising answer to a question... 20665 scattering of obliquely incident electromagn... 20666 this paper describes two supervised baseline... 20667 this paper is concerned with a linear quadra... 20668 let xxiiinmathbbz dotsxixixidots be a\nsampl... 20669 the mean objective cost of uncertainty mocu ... 20670 artificial neural networks are a popular and... 20671 curating labeled training data has become th... 20672 in many applications of classifier learning ... 20673 today we have to deal with many data big dat... 20674 we consider a repeated newsvendor problem wh... 20675 social networking sites such as twitter have... 20676 we study the class of rings r with the prope... 20677 effective riverine flood forecasting at scal... 20678 we consider the frequency domain form of pro... 20679 when stochastic dominance fleqstg does not h... 20680 an electron lens can serve as an effective m... 20681 we search for sterile neutrinos in the holog... 20682 in this work we present a parallel fullydist... 20683 to improve system performance modern operati... 20684 the interaction between proteins and dna is ... 20685 this paper presents keypointnet an endtoend ... 20686 a general theoretical framework is derived f... 20687 this paper presents a systematic approach fo... 20688 atomically thin ptse films have attracted ex... 20689 we present navrenrl an approach to navigate ... 20690 digital image correlation dic is a widely us... 20691 the classical idea of evolutionarily stable ... 20692 measurements of the highfrequency complex re... 20693 this paper presents an empirical study on ap... 20694 in this letter we present a measurement of t... 20695 the e root lattice can be constructed from t... 20696 we present convergence rate analysis for the... 20697 we give a description of complex geodesics a... 20698 recent advances in bioinformatics have made ... 20699 this article illustrates how to measure the ... 20700 planetesimals may form from the gravitationa... 20701 a covering system of the integers is a finit... 20702 asymptotic safety based on a nongaussian fix... 20703 future predictions on sequence data eg video... 20704 this paper presents a modular inpipeline cli... 20705 this paper presents a learningbased approach... 20706 in this work decay estimates are derived for... 20707 a simple and selfconsistent approach has bee... 20708 superconducting linacs are capable of produc... 20709 this paper introduces the concept of sizeawa... 20710 to explain the unusual richness and compactn... 20711 the current work is done to see which artery... 20712 the last decade has witnessed an increase of... 20713 in order to understand the physical hysteres... 20714 finding the reduceddimensional structure is ... 20715 twosample summarydata mendelian randomizatio... 20716 this paper contains two parts the descriptio... 20717 recently riemannian gaussian distributions w... 20718 power flow in a low voltage direct current g... 20719 we prove adjoint bilinear restriction estima... 20720 this note presents an algebraic theory of in... 20721 how can we find patterns and anomalies in a ... 20722 planning problems in partially observable en... 20723 a message passing algorithm is derived for r... 20724 we explore the borel complexity of some basi... 20725 capable of significantly reducing cell size ... 20726 the information carrier of modern technologi... 20727 in the typical framework for boolean games b... 20728 let x be a connected open riemann surface le... 20729 unidirectional control of optically induced ... 20730 this paper proposes a novel deep reinforceme... 20731 generalized linear bandits glbs a natural ex... 20732 the pressure dependence of the structural ma... 20733 this paper describes luminosos participation... 20734 we determine the symmetrized topological com... 20735 we introduce intertwining operators among tw... 20736 the everincreasing architectural complexity ... 20737 cooperative behavior in real social dilemmas... 20738 binary random compacts with different propor... 20739 many realworld networks known as attributed ... 20740 we compute the maximal halfspace depth for a... 20741 this letter is about a principal weakness of... 20742 many of the current scientific advances in t... 20743 capabilities of detecting temporal relations... 20744 we study the central problem in data privacy... 20745 we point out that there is a simple variant ... 20746 we derive integrable equations starting from... 20747 molecular dynamics is based on solving newto... 20748 contamination of covariates by measurement e... 20749 we consider the process widehatlambdanlambda... 20750 this paper studies the approximate and null ... 20751 in this work we study two families of codes ... 20752 we present a co mosaic map of the spiral gal... 20753 we have obtained lowresolution optical micr... 20754 the blackbird unmanned aerial vehicle uav da... 20755 motivation cellular electron cryotomography ... 20756 this article focuses on a quasilinear wave e... 20757 given a discrete group gammagldotsgm and a n... 20758 we consider the task of collaborative prefer... 20759 for the emerging internet of things iot one ... 20760 we study the multiarmed bandit problem where... 20761 the physical properties of an intermetallic ... 20762 based on the results of the second author we... 20763 spectral clustering and singular value decom... 20764 solving linear programs by using entropic pe... 20765 network latencies have become increasingly i... 20766 accurate diagnosis of psychiatric disorders ... 20767 an accurate model of patientspecific kidney ... 20768 we introduce a framework for the modeling of... 20769 we develop efficient algorithms for estimati... 20770 we present data streaming algorithms for the... 20771 we consider capillary condensation transitio... 20772 the melan equation for suspension bridges is... 20773 optimal path planning problems for rigid and... 20774 we give a sufficient condition for a verdier... 20775 a sum where each of the n summands can be in... 20776 detecting activities in untrimmed videos is ... 20777 principal component analysis continues to be... 20778 nonlinear systems whose outputs are not dire... 20779 in this work we present a novel strategy for... 20780 this paper studies effective separability fo... 20781 most of existing image denoising methods lea... 20782 mac address randomization is a privacy techn... 20783 in this paper we proposed an procedure to co... 20784 in this note we investigate the representati... 20785 fitting linear regression models can be comp... 20786 we consider linear groups which do not conta... 20787 the discrete laplace operator is ubiquitous ... 20788 in this paper we develop a class of decentra... 20789 today digital sources supply an unprecedente... 20790 gaussian processes gps are important models ... 20791 most stateoftheart text detection methods ar... 20792 the aim of this paper is to introduce and st... 20793 robot awareness of human actions is an essen... 20794 we obtain some necessary and sufficient cond... 20795 many methods for automated software test gen... 20796 it is expected that progress toward true art... 20797 recently it has been claimed that inflationa... 20798 regularization for matrix factorization mf a... 20799 a temporal graph is a data structure consist... 20800 orbifold equivalence is a notion of symmetry... 20801 the standard contentbased attention mechanis... 20802 the local multiplicities of the maxwell sets... 20803 the growing field of largescale time domain ... 20804 motivations shortread accuracy is important ... 20805 patient pain can be detected highly reliably... 20806 tracking humans that are interacting with th... 20807 we introduce an affine generalization of cou... 20808 in this paper we characterize several lower ... 20809 we consider row sequences of vector valued p... 20810 in this work we present a novel background s... 20811 in this paper we establish a second main the... 20812 we prove that for any partially hyperbolic d... 20813 speech enhancement se aims to reduce noise i... 20814 we reexamine interactions between the dark s... 20815 existing zeroshot learning zsl models typica... 20816 we methodologically address the problem of q... 20817 with the analysis of noiseinduced synchroniz... 20818 we establish that matterwave interference at... 20819 recent works have shown that synthetic paral... 20820 we propose an automatic method to infer high... 20821 we prove that the negative infinitesimal gen... 20822 we present a three player bayesian game for ... 20823 most recent work on interpretability of comp... 20824 deep learning dl creates impactful advances ... 20825 we derive macroscopic dynamics for selfprope... 20826 the spin hall effect she is found to be stro... 20827 by considering nests on a given space we exp... 20828 we introduce differential characters of drin... 20829 a strong submeasure on a compact metric spac... 20830 professional baseball players are increasing... 20831 when deriving a master equation for a multip... 20832 this work presents a method for contact stat... 20833 recent literature in the robotics community ... 20834 evaluation complexity for convexly constrain... 20835 in this paper we prove some one level densit... 20836 existing approaches to online convex optimiz... 20837 causal discovery from empirical data is a fu... 20838 we investigate the fredholm alternative for ... 20839 precipitation hardening which relies on a hi... 20840 multiband phase variations in principle allo... 20841 we introduce a new algorithm called cder for... 20842 integrable optics is an innovation in partic... 20843 we propose an empirical estimator of the pre... 20844 learned boundary maps are known to outperfor... 20845 magic major atmospheric gamma imaging cheren... 20846 predicate encryption is a new paradigm of pu... 20847 galaxy clustering on small scales is signifi... 20848 we consider the hypothesis that dark matter ... 20849 the demand on mobile electronics to continue... 20850 we simplify the construction of projection c... 20851 designing software systems for geometric com... 20852 in the planted partition problem the n verti... 20853 business architecture ba plays a significant... 20854 the lack of interpretability remains a key b... 20855 probability modelling for dna sequence evolu... 20856 we consider the problem of robust inference ... 20857 convolutional neural networks cnn and the lo... 20858 this paper presents new results on predictio... 20859 population control policies are proposed and... 20860 the neutralized drift compression experiment... 20861 many structured prediction problems particul... 20862 quantitative methods are more familiar to mo... 20863 we define a right cartaneilenberg structure ... 20864 quantum computing for machine learning attra... 20865 this paper provides a new similarity detecti... 20866 these are reminiscences of my interactions w... 20867 we demonstrate siteresolved imaging of a str... 20868 we develop a unified continuum modeling fram... 20869 fast timing capability in xray observation o... 20870 in this article we use lambdasequences to de... 20871 nested weighted automata nwa present a robus... 20872 we study the regularity of the solutions of ... 20873 a fourierchebyshev spectral method is propos... 20874 many biological and cognitive systems do not... 20875 the present paper is a companion to the pape... 20876 we propose a dynamic edge exchangeable netwo... 20877 motivated by advantages of currentmode desig... 20878 we obtain a new bound for incomplete gauss s... 20879 functional magnetic resonance imaging is a n... 20880 the layered cuprate bicuo is investigated us... 20881 in this paper we study landau damping in the... 20882 deep learning has revolutionised many fields... 20883 we prove that the generating function of ove... 20884 we study the decentralized machine learning ... 20885 we prove existence and uniqueness of strong ... 20886 we propose and evaluate new techniques for c... 20887 sparse subspace clustering ssc is one of the... 20888 health related social media mining is a valu... 20889 recently efforts have been made to improve p... 20890 a fundamental question in language learning ... 20891 we present a form of schwarzs lemma for holo... 20892 in this paper we focus on the comtype negati... 20893 most contextual bandit algorithms minimize r... 20894 the search engine is tightly coupled with so... 20895 we consider the task of semantic robotic gra... 20896 for any group g and any set a a cellular aut... 20897 we present a simplified treatment of stabili... 20898 existing shape estimation methods for deform... 20899 in recent years reinforcement learning rl me... 20900 in this paper we demonstrate how genetic alg... 20901 we derive a lower bound on the location of g... 20902 this paper presents the inscript corpus narr... 20903 alphabedtttfi is a prominent example of char... 20904 photometric stereo is a method for estimatin... 20905 we present a micro aerial vehicle mav system... 20906 the high efficiency of charge generation wit... 20907 we construct a oneparameter family of laplac... 20908 learning the model parameters of a multiobje... 20909 given an elliptic curve e over a finite fiel... 20910 missing data recovery is an important and ye... 20911 microscopic artificial swimmers have recentl... 20912 we show that on bounded lipschitz pseudoconv... 20913 purpose to provide a fast computational meth... 20914 this work details the development of a three... 20915 this paper studies optimal communication and... 20916 we study a quadruple of interrelated subexpo... 20917 nowadays modern earth observation programs p... 20918 we define and address the problem of unsuper... 20919 in the light of the recently proposed scenar... 20920 as part of autonomous car driving systems se... 20921 we provide a pair of dual results each stati... 20922 we prove the existence of a solution to the ... 20923 unification and generalization are operation... 20924 this paper addresses the question of how a p... 20925 risk diversification is one of the dominant ... 20926 todays telecommunication networks have becom... 20927 the management of longlived radionuclides in... 20928 there are two natural simplicial complexes a... 20929 due to their simplicity and excellent perfor... 20930 we consider the inverse problem of recoverin... 20931 our ability to model the shapes and strength... 20932 background several studies have used phyloge... 20933 the aim of this paper is to generalize the n... 20934 this paper shows a statistical analysis of ... 20935 this work investigates the macroscopic therm... 20936 we analyze the definitions of generalized qu... 20937 in this paper we consider the problem of pre... 20938 can textual data be compressed intelligently... 20939 detection of proteinprotein interactions ppi... 20940 the coupon collectors problem is one of the ... 20941 we study accretion driven turbulence for dif... 20942 outlier detection plays an essential role in... 20943 a citys critical infrastructure such as gas ... 20944 over the years twitter has become one of the... 20945 a finitely presented ended group g has it se... 20946 this paper addresses the problem of output v... 20947 in this paper we study quantum query complex... 20948 overset methods are commonly employed to ena... 20949 in this paper we survey the various implemen... 20950 playing a parrondos game with a qutrit is th... 20951 we analyse multimodal timeseries data corres... 20952 the key idea of variational autoencoders vae... 20953 in jackson and martin proved that a strong ... 20954 the performance of deep learning in natural ... 20955 this article presents the novel breakthrough... 20956 ambiguities in the definition of stored ener... 20957 we construct hall algebra of elliptic curve ... 20958 queueing networks are systems of theoretical... 20959 using a largescale deep learning approach ap... 20960 in this paper we propose a new algorithm bas... 20961 we present numerical evidence that most twod... 20962 features and applications of quasispherical ... 20963 inference amortization methods share informa... 20964 we study the us operations researchindustria... 20965 an aggregate data metaanalysis is a statisti... 20966 large interdatacenter transfers are crucial ... 20967 machine learning is finding increasingly bro... 20968 polycrystalline diamond coatings have been g... 20969 we present a new approach for identifying si... 20970 the sum of lognormal variates is encountered... 20971 recently optional stopping has been a subjec... Name: ABSTRACT, dtype: object
Apply function to remove stop words¶
data['ABSTRACT'] = data['ABSTRACT'].apply(remove_stopwords)
data['ABSTRACT']
0 predictive models allow subjectspecific infere... 1 rotation invariance translation invariance gre... 2 introduce develop notion spherical polyharmoni... 3 stochastic landaulifshitzgilbert llg equation ... 4 fouriertransform infrared ftir spectra samples... 5 let omega subset mathbbrn bounded domain satis... 6 observed newly discovered hyperbolic minor pla... 7 ability metallic nanoparticles supply heat liq... 8 model largescale approxkm impacts marslike pla... 9 time varying susceptibility host individual le... 10 present systematic global sensitivity analysis... 11 three crowd old proverb applies much social in... 12 study exciton magnetic polaron emp formation c... 13 classical eilenberg correspondence based conce... 14 using lowtemperature magnetic force microscopy... 15 recent discovery exponent matrix multiplicatio... 16 process leads formation bright star forming si... 17 describe variant construction unstable adams s... 18 investigators seek estimate causal effects oft... 19 assigning homogeneous boundary conditions acou... 20 impact random fluctuations dynamical behavior ... 21 rare regions weak disorder griffiths regions p... 22 fault detection isolation tools fditools colle... 23 detectability discrete event systems dess ques... 24 let x partially ordered set property family or... 25 efficient methods proposed computing integrals... 26 present novel sound localization algorithm non... 27 paper introduce notion zetacrossbreeding set z... 28 consider problem estimating l distance two dis... 29 investigate density large deviation function m... 30 large deep neural networks powerful exhibit un... 31 brakke introduced mean curvature flow setting ... 32 recent advancements drone technology researche... 33 electronic health records ehr contain large va... 34 artificial neural network computation relies i... 35 work establish full singleletter characterizat... 36 work discusses numerical approximation nonline... 37 many webbased visualization systems available ... 38 present investigation supernova remnant snr g ... 39 previous approaches training syntaxbased senti... 40 meanfield variational bayes mfvb approximate b... 41 paper empirically study models pricing italian... 42 ballistic point contact bpc zigzag edges graph... 43 sparse superposition ss codes originally propo... 44 developing general purpose robots overarching ... 45 propose approach estimate human pose real worl... 46 extend work fouvry kowalski michel correlation... 47 nonclassical states quantized light described ... 48 following recent progress image classification... 49 real time large scale streaming data pose majo... 50 machine learning algorithms linear regression ... 51 consider multitime correlators output signals ... 52 constraint handling rules effective concurrent... 53 many people suffering voice disorders adversel... 54 computing basis exponent lattice algebraic num... 55 investigating emergence particular cell type r... 56 stimuliresponsive materials modify shape respo... 57 todays landscape robotics dominated vertical i... 58 machine learning models especially based deep ... 59 study query complexity cake cutting give lower... 60 paper studies emotion recognition musical trac... 61 consider previous models timed probabilistic s... 62 present muon spin rotation measurements superc... 63 reveal details interaction human lysozyme prot... 64 report experimentally measured light shifts su... 65 describe novel weakly supervised deep learning... 66 establish c regularity quasipsh envelopes kahl... 67 let complex manifold dimension n smooth connec... 68 reinforcement learning methods require careful... 69 paper interested class nary operations arbitra... 70 propose new multivariate dependency measure ob... 71 pyrochlore metal cdreo recently investigated s... 72 evolutionary biology speciation history living... 73 subject research complex networks network syst... 74 study effect domain growth orientation striped... 75 paper discusses minimum distance estimation me... 76 mobile edge clouds mecs bring benefits cloud c... 77 analog blackwhite hole pairs consisting region... 78 let k function field finite field k characteri... 79 study evolution spinorbital correlations inhom... 80 autonomous agents successfully operate real wo... 81 endtoend approaches drawn much attention recen... 82 elasticity cloud property enables applications... 83 exposition homotopical results geometric reali... 84 answer set programming asp wellestablished dec... 85 advances geometric approaches optical devices ... 86 investigate crack propagation simple twodimens... 87 fundamental group pi kodaira fibration definit... 88 transistors incorporating singlewall carbon na... 89 paper derives two new optimizationdriven monte... 90 yes parameter value makes almost coincide stan... 91 interest extracellular vesicles evs rapidly gr... 92 processes averaged regression quantiles modifi... 93 study primordial perturbations hyperinflation ... 94 vanadium pentoxide vo stable member vanadium o... 95 paper presented novel convolutional neural net... 96 variety representation learning approaches inv... 97 motivated perelmans pseudo locality theorem ri... 98 bound exponential sum appears study irregulari... 99 investigate effect dimensional crossover groun... 100 humans learn continuous manner old rarely util... 101 paper study generalized polynomial chaos gpc b... 102 last decade wireless networks experienced impr... 103 report combined study de haasvan alphen effect... 104 atar chowdhary dupuis recently exhibited varia... 105 bilayer van der waals vdw heterostructures mos... 106 construct algebraic cobordism theory bundles d... 107 people profound motor deficits could perform u... 108 object detection wide area motion imagery wami... 109 monte carlo tree search mcts famously used gam... 110 study fermiedge singularity describing respons... 111 retrosynthesis technique plan chemical synthes... 112 class stochastically selfsimilar sets contains... 113 report influence spinorbit coupling soc febase... 114 work examine updates addressing meltdown spect... 115 gene regulatory networks powerful abstractions... 116 glaucoma second leading cause blindness world ... 117 life modern world essentially depends work lar... 118 paper considers actorcritic contextual bandit ... 119 kolmogorov constructed general theory defines ... 120 recently new fault tolerant simple mechanism d... 121 work presents new method quantify connectivity... 122 first transiting planetesimal orbiting white d... 123 review article discuss recent studies drops bu... 124 stackingbased deep neural network sdnn general... 125 spite andersons theorem disorder known affect ... 126 investigate beam loading emittance preservatio... 127 paper propose practical receiver multicarrier ... 128 according astrophysical observations value rec... 129 dynamic languages often employ reflection prim... 130 reductions transition systems recently introdu... 131 poyntings theorem used obtain expression turbu... 132 let compact riemannian manifold let mud associ... 133 examine representation numbers sum two squares... 134 regression spatially dependent outcomes poses ... 135 one important parameters ionospheric plasma re... 136 particles undergoing anomalous diffusion diffe... 137 stabilizing magnetic signal single adatoms cru... 138 study minimal model growth phenotypically hete... 139 electronic health records ehr data generated r... 140 mission critical data dissemination massive in... 141 develope twospecies exclusion process distinct... 142 introduce large class random young diagrams re... 143 explicitly compute critical exponents associat... 144 obtain bernsteintype inequality sums banachval... 145 temperaturedependent evolution kondo lattice l... 146 hegarty conjectured nneq mathbbznmathbbz permu... 147 immersion f mathcal rightarrow mathcal c cell ... 148 resolving relationship biodiversity ecosystem ... 149 principle democracy people govern elected repr... 150 increasing commoditization computer vision spe... 151 rework generalize equivariant infinite loop sp... 152 prove open subset u semisimple simply connecte... 153 show nonlocal minimal cones nonsingular subgra... 154 let fldotsfk mathbbn rightarrow mathbbc multip... 155 apparent gas permeability porous medium import... 156 previous papers threshold probabilities proper... 157 runtime enforcement effectively used improve r... 158 atomic norm provides generalization ellnorm co... 159 study problem causal structure learning set ra... 160 present novel datadriven nested optimization f... 161 explore topological properties quantum spin ch... 162 codes algebraic decoding algorithm derived ree... 163 motivated study nishinounoharaueda floer thoer... 164 ensemble data assimilation methods ensemble ka... 165 paper consider tensor robust principal compone... 166 galaxies local universe known follow bimodal d... 167 introduce minimal model evolution functional p... 168 handwritten string recognition still challenge... 169 note necessary sufficient conditions establish... 170 lectures notes written summer school mathemati... 171 shown recently changing fluidic properties dru... 172 identify estimand missing data problems observ... 173 paper provide analysis selforganized network m... 174 understanding smart grid cyber attacks key dev... 175 propose family nearmetrics based local graph d... 176 recommender system important component many we... 177 paper describes stockholm universityuniversity... 178 neuroscientists classify neurons different typ... 179 extremely low efficiency regarded bottleneck w... 180 numerical method particleladen fluids interact... 181 construct schwingerkeldysh effective field the... 182 observables dual nature classical quantum kine... 183 let mg smooth compact riemannian manifold dime... 184 random feature maps ubiquitous modern statisti... 185 calculation minimum energy paths transitions a... 186 social media changed ways communication everyo... 187 let enfalphabetagamma denote error best approx... 188 due increasing dependency critical infrastruct... 189 implement efficient numerical method calculate... 190 bulk surface electronic structures calculated ... 191 often recommended identifiers ontology terms s... 192 deep learning methods achieved high performanc... 193 propose lineartime singlepass topdown algorith... 194 paper consider hamiltonian system combining no... 195 relate concepts used decentralized ledger tech... 196 timevarying network topologies deeply influenc... 197 longstanding obstacle progress deep learning p... 198 study band structure topology engineering inte... 199 boundary value problems sturmliouville operato... 200 topological morphologyorder zeros positions el... 201 purpose paper formulate study common refinemen... 202 paper considers problem autonomous multiagent ... 203 study explores validity chain effects clean wa... 204 developing neural network image classification... 205 propose new multiframe method efficiently comp... 206 let k algebraically closed field positive char... 207 present mixed galerkin discretization distribu... 208 regularity earthquakes destructive power nuisa... 209 paper prove difference analogue second main th... 210 largescale datasets played significant role pr... 211 observational data collected experiments plann... 212 knot k homology sphere sigma let result qsurge... 213 sparse feature selection necessary fit statist... 214 letter consider joint power admission control ... 215 rosat survey alpha per open cluster detected b... 216 realistic music generation challenging task bu... 217 young asteroid families unique sources informa... 218 provide graph formula describes arbitrary mono... 219 tomography made radical impact diverse fields ... 220 generative adversarial networks gans excel cre... 221 based optical highresolution spectra obtained ... 222 inferring directional connectivity point proce... 223 support vector machines svms important tool mo... 224 estimating vaccination uptake integral part en... 225 show every invertible strong mixing transforma... 226 development mesoscale neural circuitry map com... 227 system study paper contains set users observe ... 228 paper present novel methodology identifying sc... 229 measure centrality point set multivariate data... 230 twodimensional electron gas exposed perpendicu... 231 many applications involving large dataset onli... 232 work peng et al new measure proposed fault dia... 233 categories polymorphic lenses computer science... 234 present efficient algorithm compute euler char... 235 give new example automata group intermediate g... 236 crossover bardeencooperschrieffer bcs supercon... 237 model compression essential serving large deep... 238 nm thick sio layers grown si substrates ge ion... 239 corrosion indian rafms reduced activation ferr... 240 paper presents overview discussion magnetocapi... 241 problem nonparametric detection signal gaussia... 242 metabolic flux balance analyses standard tool ... 243 introduce robust estimator location parameter ... 244 glass forming liquids close glass transition p... 245 propose new pareto local search algorithm many... 246 identify components bioinspired artificial cam... 247 present work study bayesian nonparametric infe... 248 show qqdots qm polynomial q coefficients iff e... 249 paper develop position estimation system unman... 250 study decomposition multivariate hankel matrix... 251 linear timeperiodic ltp dynamical systems freq... 252 broad efforts underway capture metadata resear... 253 recently digital music libraries developed pla... 254 one key requirement effective supply chain man... 255 propose deformable generator model disentangle... 256 gaussian kernel popular kernel function used m... 257 security privacy fairness become critical era ... 258 difficulty modeling energy consumption communi... 259 paper studies recently proposed continuoustime... 260 brain receives input multiple sensory systems ... 261 common problem largescale data analysis approx... 262 unusually high surface tension room temperatur... 263 hamiltonian monte carlo hmc powerful markov ch... 264 present new method automated synthesis digital... 265 present paper consider numerical methods solve... 266 paper reinvestigates estimation multiple facto... 267 experimentally confirmed threshold behavior sc... 268 paper proposes expanded version local variance... 269 processing human produced text using natural l... 270 asymptotic variance maximum likelihood estimat... 271 fully automating machine learning pipelines on... 272 provide comprehensive study convergence forwar... 273 magnetic particle imaging mpi novel imaging mo... 274 draft textbook chapter neural machine translat... 275 let bounded domain mathbb rn infinitely smooth... 276 novel unseen classes formulated extreme values... 277 paper study performance two crosslayer optimiz... 278 recent years proliferation online resumes need... 279 deep convolutional neural networks cnns recent... 280 task calibration retrospectively adjust output... 281 cyclotron resonant scattering features crsfs f... 282 paper devoted study construction new quantum m... 283 present unified categorical treatment complete... 284 recent advances stochastic gradient techniques... 285 study problems related estimation gini index p... 286 training neural network using backpropagation ... 287 study diagrammatic categorification antispheri... 288 recently predicted modulation instability opti... 289 threedimensional spin current solver based gen... 290 paper aims explore models based extreme gradie... 291 immiscible fluids flowing high capillary numbe... 292 quantum charge pumping phenomenon connects ban... 293 heart disease leading cause death experts esti... 294 theory integral quadratic constraints iqcs all... 295 foreshock transients upstream earths bow shock... 296 quantum speed limit qsl energytime uncertainty... 297 paper mainly discusses diffusion complex netwo... 298 paper proposes nonparallel manytomany voice co... 299 informed les data resolvent analysis mean flow... 300 one popular approaches lowrank tensor completi... 301 nous tentons dans cet article de proposer une ... 302 xray computed tomography ct using sparse proje... 303 singular hermann foliation smooth manifold see... 304 weyl semimetal phase recently discovered topol... 305 sequence pathological changes takes place alzh... 306 work bridges technical concepts underlying dis... 307 fragility curves commonly used civil engineeri... 308 consider continuoustime markov chains display ... 309 construct embedded minimal surfaces nperiodic ... 310 report discovery three small transiting planet... 311 define family quantum invariants closed orient... 312 propose sparse neural network architectures ba... 313 computer vision made remarkable progress recen... 314 numerical analysis heat conduction cover plate... 315 paper provides short proofs two fundamental th... 316 nefarious actors social media platforms often ... 317 recent advances adversarial deep learning dl o... 318 users form information trails browse web check... 319 analyze two novel randomized variants frankwol... 320 paper prove mean value formula bounded subharm... 321 work investigate value uncertainty modeling su... 322 superconductorferromagnet sf heterostructures ... 323 present first general purpose framework margin... 324 longterm load forecasting plays vital role uti... 325 many empirical studies document power law beha... 326 topological quantum computing information enco... 327 defveccboldsymbol design polynomial time algor... 328 selfsupervised learning ssl reliable learning ... 329 deep reinforcement learning atari games maps p... 330 consider problem isotonic regression underlyin... 331 heating ventilation cooling hvac systems often... 332 paper consider problem identifying type local ... 333 identification patients high risk readmission ... 334 tropical recurrent sequences introduced satisf... 335 interesting approach analyzing neural networks... 336 explore whether useful temporal neural generat... 337 kitaev quantum spin liquid topological magneti... 338 identifying mechanism high energy lyman contin... 339 dependently typed languages coq used specify v... 340 generic closed curve plane transformed simple ... 341 consider channel given input distribution aim ... 342 let l l two distinct rays emanating origin let... 343 habitable exoplanet world maintain stable liqu... 344 paper evaluate accuracy deep learning approach... 345 distance standard deviation arises distance co... 346 one basic skills robot possess predicting effe... 347 paper give complete characterization leavitt p... 348 derive mean squared error convergence rates ke... 349 widespread use social media led generation sub... 350 vortex method common numerical theoretical app... 351 let r associative ring unit denote krm r mboxp... 352 arbitrary finite family semialgebraicdefinable... 353 riemannian geometry particular case hamiltonia... 354 investigate neural network learn perception ac... 355 paper present combinatorial approach opposite ... 356 many giant exoplanets found near roche limit m... 357 new shortorbit spectrometer sos constructed in... 358 capacitive deionization cdi fastemerging water... 359 present bilateral teleoperation system task le... 360 propose two multimodal deep learning architect... 361 educational research shown narratives useful t... 362 hospital acquired infections hai infections ac... 363 advocate use curated comprehensive benchmark s... 364 article study orbifold constructions associate... 365 deconstruction theme fqxi essay contest alread... 366 atacama large millimetresubmillimetre array al... 367 paper study muordinary locus shimura variety p... 368 charts excellent way convey patterns trends da... 369 consider modification standard cosmological hi... 370 describe configuration space mathbfs polygons ... 371 paper discusses metropolishastings algorithm d... 372 luke p lee tan chin tuan centennial professor ... 373 topology appeared different physical contexts ... 374 study scale tidy subgroups endomorphism totall... 375 coupled excitonvibrational dynamics threesite ... 376 first part work show convergence respect asymp... 377 study nonparametric maximum likelihood estimat... 378 parametric resonance among efficient phenomena... 379 rempi spectrum sio nm range recorded observed ... 380 robots automated systems increasingly introduc... 381 use ontologies several domains semantic web in... 382 short note present novel method computing exac... 383 visualizing complex network computationally in... 384 prove every trianglefree graph maximum degree ... 385 study twodimensional topology galactic distrib... 386 new index authors popularity estimation repres... 387 compute genus belyi map sporadic janko group j... 388 goal find classes convolution semigroups lie g... 389 cmo council reports internet users us influenc... 390 prove lefschetz duality intersection cohomolog... 391 possible removals n nodes networks size n perf... 392 paper study stochastic nonconvex optimization ... 393 lower bounds smallest eigenvalue symmetric pos... 394 paper describes development magnetic attitude ... 395 one advantage decision tree based methods like... 396 decades conventional computers based von neuma... 397 generalise wellknown graph parameters operator... 398 ionization atoms irradiated linearly polarized... 399 interested extending operators defined positiv... 400 convolutional neural networks cnns learn effec... 401 present efficient secondorder algorithm tildeo... 402 swarm systems constitute challenging problem r... 403 describe design implementation extremely scala... 404 controlling embodied agents many actuated degr... 405 let n k fracn integers paper investigate algeb... 406 recently software development companies starte... 407 generative adversarial networks gans produce s... 408 study phase space dynamics cosmological models... 409 work propose endtoend deep architecture jointl... 410 paper prove exists dimensional constant delta ... 411 probe starformation sf processes present resul... 412 present novel oblivious routing algorithms spl... 413 study functional graphs generated quadratic po... 414 helmholtz decomposition theorem vector fields ... 415 use richters primary proof grays conjecture gi... 416 show certain orderable groups admit isolated l... 417 machine learning classifiers known vulnerable ... 418 tidal streams disrupting dwarf galaxies orbiti... 419 response electron system electromagnetic field... 420 new generation solar instruments provides impr... 421 past decade information security threat landsc... 422 permutation polynomials finite fields wide app... 423 bendavid shelah proved lambda singular strongl... 424 real scarf ii potential discussed radial probl... 425 paper presents novel model multimodal learning... 426 single winner election several candidates rank... 427 framework einsteinmaxwellaether theory study b... 428 pset simple analytic form well distributed uni... 429 paper presents design implementation human int... 430 work proposes new algorithm training reweighte... 431 learningbased approaches robotic manipulation ... 432 ended finitely presented group semistable fund... 433 developing testing algorithms autonomous vehic... 434 let g finitely generated prop group equipped p... 435 brainmachine interaction bmi system motivates ... 436 road networks cities massive critical componen... 437 letter study motion wakepatterns freely rising... 438 theory mind ability attribute mental states be... 439 study families varieties endowed polarized can... 440 largescale extragalactic magnetic fields may i... 441 predicting future state system always natural ... 442 show elliptic curve e defined number field k g... 443 wireless backhaul communication recently reali... 444 feature engineering key success many predictio... 445 investigate spin structure uniaxial chiral mag... 446 several natural satellites giant planets shown... 447 number fundamental quantities statistical sign... 448 let emathbbq elliptic curve level n rank equal... 449 tudeng conjecture concerned sum digits wn n ba... 450 paper made extension convergence analysis dyna... 451 progress along line ref phys rev bf functional... 452 markerbased markerless optical skeletal motion... 453 diffusion maps emerging datadriven technique n... 454 present set effective outflowopen boundary con... 455 recent detection two faint extended star clust... 456 fundamental relations information estimation e... 457 galaxy cluster centring key issue precision co... 458 goal article provide useful criterion positivi... 459 ongoing progress quantum theory emphasizes cru... 460 nonconding rnas play key role posttranscriptio... 461 show graysons model higher algebraic ktheory u... 462 study mincost seed selection problem online so... 463 propose new splitting criterion metalearning a... 464 variational approaches calculation vibrational... 465 work present methodology enables agent make ef... 466 recent studies diffusionbased sampling methods... 467 use automatic speech recognition assess spoken... 468 consider bilinear optimal control problems who... 469 carry comprehensive analysis letter frequencie... 470 hybrid mobilefixed device cloud harnesses sens... 471 despite numerous studies exact nature order pa... 472 study sun quantum chromodynamics qcd dimension... 473 investigation autoignition delay butanol isome... 474 choi et al introduced minimum spanning tree ms... 475 variational bayesian neural nets combine flexi... 476 define rules cellular automata played quasiper... 477 present work explore existence stability dynam... 478 class partially observed diffusions sufficient... 479 study motion electron bubble zero temperature ... 480 present new jvla multifrequency measurements s... 481 develop online monitoring procedure detect cha... 482 susceptibility propagation constructed combini... 483 paper analyzes downlink performance ultradense... 484 demonstrate first application deep reinforceme... 485 strongcoupling monolayer metal dichalcogenide ... 486 positioning data offer remarkable source infor... 487 bihomlie colour algebra generalized homlie col... 488 consider problem related clustering gammaray b... 489 baker harman pintz showed weak form prime numb... 490 improved phantom cell new scenario introduced ... 491 address problem localisation objects bounding ... 492 people make risky decisions everyday life know... 493 modeling interior exoplanets essential go conc... 494 paper discuss characteristics operation astro ... 495 schoofs classic algorithm allows pointcounting... 496 let lk tame galois extension number fields gro... 497 transformative ai technologies potential resha... 498 let gh groups phi g rightarrow h group morphis... 499 matrix said possess restricted isometry proper... 500 present compact design velocitymap imaging spe... 501 batch codes first introduced ishai kushilevitz... 502 energy efficiency power threeterminal thermoel... 503 recent years number methods verifying dnns dev... 504 exploratory testing sessions tester simultaneo... 505 demonstrate parallel nondestructive readout hy... 506 work apply amplitude modulation spectrum ams f... 507 propose novel class dynamic shrinkage processe... 508 monitoring lifestyles may performed based syst... 509 extreme value index fundamental parameter univ... 510 spread opinions memes diseases alternative fac... 511 study problem testing identity given distribut... 512 componentbased design different way constructi... 513 dust devils likely dominant source dust martia... 514 help first principles calculation method based... 515 lowpass envelope approximation smooth continuo... 516 study spectral properties curl linear differen... 517 paper presents topology optimization framework... 518 pointed generalized lambert series displaystyl... 519 motivated applications cancer genomics followi... 520 smart cities growing trend many cities argenti... 521 bayesian estimation increasingly popular perfo... 522 reactiondiffusion equations appear biology che... 523 drivable free space information vital autonomo... 524 paper fundamental problem distribution proacti... 525 highmass stars expected form dense prestellar ... 526 lennardjones lj potential cornerstone molecula... 527 thompson sampling emerged effective heuristic ... 528 recent years deep learning become goto solutio... 529 proxima centauri known closest star sun recent... 530 paper propose optimizationbased sparse learnin... 531 using densityfunctional theory calculations an... 532 micrornas play important roles many biological... 533 present simultaneous localization mapping slam... 534 survey old new results modular representation ... 535 high redundant nonholonomic humanoid mobile du... 536 article discusses framework support design end... 537 amount ultraviolet irradiation ablation experi... 538 online video services messaging systems games ... 539 prove homotopy algebraic ktheory tame quasidm ... 540 screened modified gravity smg kind scalartenso... 541 selective weed treatment critical step autonom... 542 let gwidehatsl denote affine kacmoody group as... 543 existing measurement theory interprets varianc... 544 researchers often interested analyzing conditi... 545 paper deals simple results spherical functions... 546 study determine modular curves xn admit infini... 547 framework multibody dynamics successive encoun... 548 capsule networks envision innovative point vie... 549 effects mhd boundary layer flow nonlinear ther... 550 restingstate functional arterial spin labeling... 551 propose novel endtoend neural network architec... 552 collective magnetic excitations spinorbit mott... 553 report proximity induced anomalous transport b... 554 networked control systems ncs attracted consid... 555 given property representations satisfying basi... 556 novel adaptive local surface refinement techni... 557 paper introduces general method approximate co... 558 largescale computational experiments often run... 559 provide overview several nonlinear activation ... 560 advancements deep learning years attracted res... 561 desire fascination intelligent machines dates ... 562 conventional crystalline magnets characterized... 563 introduce new version simprop monte carlo code... 564 given collection data points nonnegative matri... 565 muon reconstruction daya bay water pools would... 566 present method improve accuracy footmounted ze... 567 primary function memory allocators allocate de... 568 extend databased modelfree multifractal method... 569 formulate analyze novel hypothesis testing pro... 570 work motivated particular problem modern paper... 571 telescopes based imaging atmospheric cherenkov... 572 transition metal dichalcogenides tmds emerging... 573 classical regression model usually assumed exp... 574 present clusteringbased language model using w... 575 study special circle bundles two elementary mo... 576 report method control positions ellipsoidal ma... 577 let f primitive cusp form weight k level n let... 578 hierarchical graph clustering common technique... 579 twodimensional bidisperse granular fluid shown... 580 study emphproximal alternating predictorcorrec... 581 chemical enzymatic crosslinking casein micelle... 582 investigate construction integral residuated l... 583 nowadays online video platforms mostly recomme... 584 exploration asteroids smallbodies provide valu... 585 automatic speech processing systems speaker di... 586 predicting rupture occurs cracks progress majo... 587 paper investigates multiplicative spread spect... 588 present representation learning algorithm lear... 589 consider social network nodes agents meaningfu... 590 paper present novel structure semiautoencoder ... 591 show characteristic length scale imprinted gal... 592 starting isentropic compressible navierstokes ... 593 study stochastic primaldual method constrained... 594 investigate new sampling scheme aimed improvin... 595 report measurements de haasvan alphen dhva osc... 596 statistical inference computationally prohibit... 597 mitochondrial oxidative phosphorylation moxpho... 598 using representation theorem erik alfsen frede... 599 highpressure neutron powder diffraction muonsp... 600 paper presents fixturing strategy regrasping r... 601 labeled latent dirichlet allocation llda exten... 602 multimedia forensics allows determine whether ... 603 present informal review recent work asymptotic... 604 consider problem learning sparse polymatrix ga... 605 kdv equation derived shallow water limit euler... 606 paper proposes new actorcriticstyle algorithm ... 607 counting dominating sets graph g closely relat... 608 high signal noise ratio snr consistency model ... 609 reduction communication efficient partitioning... 610 paper focus fully automatic traffic surveillan... 611 success autonomous systems depend upon ability... 612 paper presents distancebased discriminative fr... 613 molecular reflections usual wall surfaces stat... 614 let fabcdsqrtabsqrtcdsqrtacbd let abcd stand a... 615 consider task generating draws markov jump pro... 616 using holography model experiments strange met... 617 paper study random subsampling gaussian proces... 618 hybrid automata action languages formalisms de... 619 paper enthalpybased multiplerelaxationtime mrt... 620 barchan dunes crescentic shape dunes horns poi... 621 isotonic regression standard problem shapecons... 622 paper considers timeinconsistent stopping prob... 623 internet things iot demands authentication sys... 624 increasing number proteinbased metamaterials d... 625 recent advances field network representation l... 626 numerous studies carried measure wind pressure... 627 study problem constructing near uniform random... 628 begin introducing main ideas paper discussion ... 629 time series shapelets discriminative subsequen... 630 work present experimental study spin mediated ... 631 recent work representation functions sets cons... 632 measurement error observational datasets lead ... 633 extremely simple description karmarkars algori... 634 consider wireless sensor network uses inductiv... 635 transfer operators perronfrobenius koopman ope... 636 paper consider threedimensional schrdinger ope... 637 paper comparative study conducted complex netw... 638 tensionnetwork tensegrity robots encounter man... 639 statistical behaviour smallest eigenvalue impo... 640 dam breach models commonly used predict outflo... 641 study nearinfrared properties mira candidates ... 642 inherent need autonomous cars drones robots no... 643 consider problem dynamic spectrum access netwo... 644 design new myopic strategy wide class sequenti... 645 deep convolutional neural networks liberated e... 646 numerical simulations go roberts dynamo presen... 647 using projectionbased decoupling fokkerplanck ... 648 offer generalization formula popov involving v... 649 paper show compact manifold carries slnrfoliat... 650 given importance crystal symmetry emergence to... 651 several social medical engineering biological ... 652 paper concerned online estimation nonlinear dy... 653 computed tomography ct examinations commonly u... 654 turbulent rayleightaylor system rotating refer... 655 animal world competition individuals belonging... 656 approximately half worlds population risk cont... 657 best summary long video differs among differen... 658 recently heavily doped semiconductors emerging... 659 shown using beam splitters nonequal wave vecto... 660 paper consider partial information twoperson z... 661 recent years research done applying recurrent ... 662 shock wave interactions defects pores known pl... 663 propose factor models crosssection daily crypt... 664 many signals cartesian product graphs appear r... 665 double exponential formula introduced calculat... 666 strain engineering attracted great attention p... 667 complex system represented analyzed network no... 668 neural network based generative models discrim... 669 detection interactions treatment effects patie... 670 limitations performance present rich system lh... 671 given klt singularity xin x show quasimonomial... 672 condensedmatter analogs higgs boson particle p... 673 wellknown simplicity effectiveness classificat... 674 study problem sparsity constrained mestimation... 675 present communication datasensitive formulatio... 676 paper outlines methodology bayesian multimodel... 677 failing distinguish sheepdog skyscraper worse ... 678 achieving goals title others relies cardinalit... 679 present scalable black box perceptionintheloop... 680 paper presents novel generative model synthesi... 681 twostage leastsquares sls estimator known bias... 682 unsupervised learning classification model des... 683 investigate predictability several rangebased ... 684 correlated random walks crw used long time nul... 685 paper presents novel contextbased approach ped... 686 present e nergy n et new framework analyzing b... 687 finding dense regions graph relations among fu... 688 propose robust gesturebased communication pipe... 689 unique among alkalidoped textit ac fullerene c... 690 improving performance superconducting qubits r... 691 paper detail changes operational paradigm ferm... 692 consider withdrawal ball fluid reservoir under... 693 disentangle individual degrees freedom quantum... 694 motivated recently proposed parallel orbitalup... 695 particular type fourkink multisolitons quadron... 696 estimates hubble constant h distance ladder co... 697 multiuser multiarmed bandit mab framework used... 698 paper analyze effects contact models contactim... 699 challenge assigning importance individual neur... 700 elementary rheory concatenation introduced use... 701 javabip allows coordination software component... 702 rapid release development processes patches fi... 703 examining games fresh perspective present idea... 704 establish convergence rates asymptotic distrib... 705 study relays scope energyharvesting eh looks i... 706 generative adversarial networks gans intuitive... 707 paper concerned computation representation mat... 708 present possible explanations pulsations early... 709 recently introduced composition operator creda... 710 internetofthings endnodes demand low power pro... 711 last two decades genetic programming gp largel... 712 control dynamical networked systems continues ... 713 construct constant mean curvature surfaces euc... 714 discuss various universality aspects numerical... 715 relativistic jets created active galactic nucl... 716 new synthesis scheme proposed effectively gene... 717 present machine learning based information ret... 718 todays databases previous query answers rarely... 719 beam search desirable choice testtime decoding... 720 b weiss introduced notion measurably entire fu... 721 paper show construct graph theoretical models ... 722 let fxyaxbxycy binary quadratic form integer c... 723 numerical availability statistical inference m... 724 phaseless superresolution problem recovering u... 725 paper first chapter three authors undergraduat... 726 photoelectron yields extruded scintillation co... 727 report precise measurement hyperfine structure... 728 study dynamical system induced artin reciproci... 729 introduce new invariant real logarithmickodair... 730 effective communication required teams robots ... 731 discovery u oumuamua provided first glimpse pl... 732 context orientable circuits subcomplexes repre... 733 purpose basic surgical skills suturing knot ty... 734 many complex systems share two characteristics... 735 even oddfrequency superconductivity coexist du... 736 let x irreducible smooth projective curve genu... 737 fq finite field q elements investigate followi... 738 paper exhibit morse geodesics often called hyp... 739 study ultimate bounds estimation temperature i... 740 show publishing results using statistical sign... 741 centerofmass motion single optically levitated... 742 introduce new techniques analysis neural spati... 743 describe year survey carried lickcarnegie exop... 744 artificial intelligence methods often applied ... 745 let b algebraic numbers exactly one b algebrai... 746 note establishes inputtostate stability iss pr... 747 problem reliable communication multipleaccess ... 748 present new paradigm understanding optical abs... 749 propose probabilistic model interpreting gene ... 750 macronovae kilonovae arise binary neutron star... 751 calculation caloric properties heat capacity j... 752 study wellposedness velocityvorticity formulat... 753 generative adversarial networks gans represent... 754 database minima transition states corresponds ... 755 asynchronous distributed machine learning solu... 756 paper describes english audio textual dataset ... 757 deep learning demonstrated achieve excellent r... 758 develop theoretical foundations network distan... 759 using panama papers show beginning media repor... 760 mammography screening early detection breast l... 761 small depth networks arise variety network rel... 762 knowledgeintensive companies adopt agile softw... 763 recent fe results suggested estimated distance... 764 surface tension flowing soap films measured re... 765 indoor localization based visible light commun... 766 show output residual convolutional neural netw... 767 detecting attacks control systems important as... 768 people visual impairments tactile graphics imp... 769 often features come vectorial descriptions pro... 770 give short proof l criterion beurling generali... 771 social media users often make explicit predict... 772 applications involving autonomous navigation p... 773 apply method combines tightbinding approximati... 774 lecture note describe high dynamic range hdr i... 775 classify prop poincar duality pairs dimension ... 776 sports data analysis becoming increasingly lar... 777 kernel methods temporal information data commo... 778 consider problem sequential learning categoric... 779 develop new approach learn parameters regressi... 780 intricate interplay optically dark bright exci... 781 article develop notion quillen bifibration com... 782 paper define canonical sine cosine transform c... 783 compressed sensing cs sampling theory allows r... 784 predictive models music studied researchers al... 785 many realworld data sets especially biology pr... 786 research propose deep learning based approach ... 787 present evaluate technique computing pathsensi... 788 next generation cosmological surveys operate u... 789 playing game heads tails zero gravity demonstr... 790 variational autoencoder vae popular model dens... 791 synchronization multiplex networks attracted i... 792 continue investigate binary sequence fu define... 793 central question science science concerns time... 794 excited states single donor bulk silicon previ... 795 present statistical study c rm p rightarrow rm... 796 study largescale kernel methods acoustic model... 797 determine composition factors tensor product s... 798 current understanding contractility emerges di... 799 work encompasses ratesplitting rs providing si... 800 prove general width duality theorem combinator... 801 network pruning aimed imposing sparsity neural... 802 graph models widely used analyse diffusion pro... 803 training neural networks involves finding mini... 804 study homogenization process families strongly... 805 polynomial pinmathbbrzdotszn real stable roots... 806 volume contains proceedings fifth internationa... 807 chapter presents hinfinity filtering framework... 808 work introduce time memoryefficient method str... 809 paper introduces new approach largeeddy simula... 810 consider problem inference causal generative m... 811 weighted maximum satisfiability problem weight... 812 show presence magnetic field two superconducti... 813 recently established integral inequalities con... 814 support vector machine svm powerful widely use... 815 data analytics data science play significant r... 816 paper present new task investigates people int... 817 recent progress applying complex network theor... 818 suitable conditions substitution tiling gives ... 819 prove tutte embeddings aka harmonicembeddings ... 820 muroga showed express shannon channel capacity... 821 let r twosided noetherian ring nilpotent rbimo... 822 regression based methods performing well detec... 823 consider systems memory represented stochastic... 824 discuss concept inner function reproducing ker... 825 data center networks important infrastructure ... 826 setting highdimensional linear regression mode... 827 finding patterns data able retrieve informatio... 828 natural extension compressive sensing requirem... 829 present exhaustive census lyman alpha lyalpha ... 830 building insights jovanovic subsequent authors... 831 osirisrex return pristine samples carbonaceous... 832 consider ddimensional linear stochastic approx... 833 study fundamental tradeoffs statistical accura... 834 audiovisual speech recognition avsr system tho... 835 goal survey article explain elucidate affine s... 836 white dwarf stars used flux standards decades ... 837 existing approaches address multiview subspace... 838 p eventrelated potential erp evoked scalprecor... 839 purpose paper study stable representations par... 840 segmentation dynamic outdoor environments diff... 841 stochastic bandit algorithms used challenging ... 842 dynamic security analysis important problem po... 843 second order conic programming socp used model... 844 present multihop extensions recently proposed ... 845 instructional labs widely seen unique albeit e... 846 formation pattern biological systems may model... 847 namedentity recognition ner aims identifying e... 848 blocking objects blockages transmitter receive... 849 present introduction novel model individual gr... 850 convolutional neural networks cnns commonly th... 851 paper obtain formulae harmonic sums alternatin... 852 paper develop cyclic proof systems problem inc... 853 paper introduce new model leveraging unlabeled... 854 describe neural network model jointly learns d... 855 nge well known moduli space mathfrakmn unorder... 856 radio interferometric positioning system rips ... 857 present affine analog evaluation map quantum g... 858 paper present framework risksensitive model pr... 859 groundbased astronomical observations may limi... 860 gossip protocols aim arriving means pointtopoi... 861 examine discrete vortex dynamics twodimensiona... 862 paper study nonlinear partial differential equ... 863 important yet largely unstudied problem studen... 864 schottky structure handlebody genus g provided... 865 paper propose new method speaker diarization e... 866 paper describes implementation lbfgs method de... 867 networks vertically coriented prism shaped inn... 868 machine learning focuses construction study sy... 869 paper presents simple agentbased model economi... 870 variability response function vrf generalized ... 871 show training deep network using batch normali... 872 paper consider singlecell downlink scenario mu... 873 block bootstrap approximates sampling distribu... 874 given polynomial system f associated simple mu... 875 difficult tell whether trained generative mode... 876 refraction represents one fundamental operatio... 877 reconsider classic problem estimating accurate... 878 landau collision integral accurate model small... 879 paper combine survey important topological pro... 880 butlerportugal algorithm obtaining canonical f... 881 masspreconditioning mp technique become standa... 882 model threedimensional elastic medium represen... 883 analyze response type ii superconducting wire ... 884 classical principal component analysis pca rob... 885 antiferromagnets dzyaloshinskiimoriya interact... 886 disordered elastic systems driven displacing p... 887 search superconductor nonswave pairing importa... 888 extension complexity mathsfxcp polytope p mini... 889 work provides comprehensive scaling law based ... 890 view resurgence concern measurement problem po... 891 explore response ir orbitals pressure betamath... 892 infinite convergent sum independent identicall... 893 consider problem estimating sample paths absol... 894 stateoftheart sota mixed precision training do... 895 foreseen implementations small size telescopes... 896 obtain bounded solutions ordinary differential... 897 waveforms gravitational waves provide informat... 898 simple dnabased data storage scheme demonstrat... 899 paper presents vecnbt variation unsupervised g... 900 used soft xray photoemission electron microsco... 901 set function f finite set v submodular fx fy g... 902 quick shift popular modeseeking clustering alg... 903 recent years deep neural networks dnns rapidly... 904 convolutional neural networks cnns recently in... 905 present terahertz spectroscopic study polar fe... 906 compare social character networks biographical... 907 motivated recent experimental realization hald... 908 exoplanet host star activity form unocculted s... 909 developers molecular dynamics md codes face si... 910 obtain nonlinear generalization sachswolfe int... 911 prove sharp decoupling inequalities class two ... 912 paper introduce simple yet powerful pipeline m... 913 purpose focus attention new criterion quantum ... 914 stochastic variance reduction algorithms recen... 915 algorithmic markov condition states likely cau... 916 recently proposed temporal ensembling achieved... 917 present new code astrophysical magnetohydrodyn... 918 virtual network functions service vnfaas curre... 919 zika virus found individual cases confirmed ca... 920 paper considers problem decentralized optimiza... 921 recent studies demonstrated neardata processin... 922 historically machine learning computer securit... 923 deep learning demonstrated tremendous potentia... 924 paper introduces method based deep reinforceme... 925 one challenging problems correlated topologica... 926 cosmological parameter constraints observation... 927 characterize response quiet time substorms sto... 928 let r local ring dimension buchweitz asks rank... 929 learning make decisions observed data dynamic ... 930 based kp hierarchy reduction method general br... 931 deep learning successfully applied various tas... 932 modular gromovhausdorff propinquity distance c... 933 present prototype software tool exploration mu... 934 word sense disambiguation wsd improves many na... 935 develop theory nondegenerate parametric resona... 936 generic generation manipulation text challengi... 937 eyes sample disproportionately large amount in... 938 molecular dynamics simulates themovements atom... 939 developers increasingly rely text matching too... 940 prove existence optimal feedback controller st... 941 enable novice users create effective task plan... 942 torsion complexity finite edgeweighted graph d... 943 neutronic performance investigated potential a... 944 prove entrywise transforms rectangular matrice... 945 popular widely used subtractwithborrow generat... 946 consider refined topological vertex iqbal et a... 947 investigate bias voltage effects spindependent... 948 extensive efforts devoted recognizing facial a... 949 found easy quick postlearning method named ici... 950 traditional neural network consumes significan... 951 mobile robots increasingly used assist active ... 952 mixed effects models widely used describe hete... 953 show positive borel measure positive finite to... 954 large european array pulsars combines europes ... 955 paper discuss suitable family tensor kernels u... 956 deep learning models vulnerable adversarial ex... 957 recent discovery planetary system hosted ultra... 958 show mathbbqfano varieties fixed dimension ant... 959 consider quantum nondterministic probabilistic... 960 study relation microscopic properties manybody... 961 study generic onedimensional model intracellul... 962 report experiments agarose gel tablet loaded c... 963 artificial intelligence revolutionizing lives ... 964 letter define homodyne qdeformed quadrature op... 965 graph edit distance ged important similarity m... 966 introduce canonical measures locally finite si... 967 reusing passwords across multiple websites com... 968 affordability pressures tight rental markets g... 969 interbank markets often characterised terms co... 970 present novel algorithm uses exact learning ab... 971 everything world connected things becoming int... 972 recently atacama large millimetersubmillimeter... 973 existence weak solutions stationary navierstok... 974 new results baire product problem presented sh... 975 ultimatum game ug one player named proposer de... 976 work study tradeoffs error probabilities class... 977 constructing tests confidence regions control ... 978 generalized bcklunddarboux transformations gbd... 979 describe procedure called panel collapse repla... 980 recently proposed selfensembling methods achie... 981 efficient algorithms techniques detect identif... 982 tremendous increase internet traffic achieving... 983 consider fundamental integer programming ip mo... 984 wireless communication heterogeneous technolog... 985 derived background corrected intensities mev g... 986 beta one key quantities capital asset pricing ... 987 partially observed environments useful human p... 988 open problems abound theory complex networks f... 989 highenergy nonthermal universe dominated power... 990 develop estimates solutions derive existence u... 991 modern election campaigns political parties ut... 992 jacob steiner christian rudolfs request proved... 993 anomaly detecting important technical cloud co... 994 survey dimension theory selfaffine sets genera... 995 buoyancythermocapillary convection layer volat... 996 paper consider graph model message passing pro... 997 article derive bayesian model learning sparse ... 998 introduce new family thermostat flows unit tan... 999 introduce shifted quantum affine algebras map ... 1000 analysis mixed data raising challenges statist... 1001 development spintronic technology increasingly... 1002 motivation p values derived null hypothesis si... 1003 develop high temperature series expansions the... 1004 baran metric deltae finsler metric interior es... 1005 consider condensate excitonpolaritons diluted ... 1006 consider statistical problem recovering hidden... 1007 consider problem estimating expected outcome s... 1008 generalized cross validation gcv one important... 1009 biochemical oscillations prevalent living orga... 1010 algorithms often used produce decisionmaking r... 1011 work present technique use natural language he... 1012 light classic impossibility results arrow gibb... 1013 paper investigate coverage extension scheme ba... 1014 introduce new paradigm important community det... 1015 reevaluate zemach recoil polarizability correc... 1016 ising models describe joint probability distri... 1017 direct experimental investigations lowenergy e... 1018 establish fundamental property bivariate paret... 1019 work compares several node network criticality... 1020 consider programming language based lamplighte... 1021 propose extended variant reformulation decompo... 1022 continuing study preduals spaces mathcallhy bo... 1023 epg graphs introduced golumbic et al edgeinter... 1024 web important resource understanding diagnosin... 1025 effect algebra examine category morphisms fini... 1026 previous work detailed requirements obtain max... 1027 study magnetic taylorcouette flow system nondi... 1028 compared twocomponent camassaholm system modif... 1029 two dimensional incompressible navierstokes eq... 1030 training model generate data increasingly attr... 1031 introduce pliable lasso method estimation inte... 1032 report experimental realization statedependent... 1033 prove versions khintchines theorem approximati... 1034 neural networks random hidden nodes gained inc... 1035 artificial neural networks successfully applie... 1036 suppose data consist set points xj leq j leq j... 1037 let k fixed integer determine complexity findi... 1038 notes intended provide brief primer plasma phy... 1039 paper extend atiyahguilleminsternberg convexit... 1040 paper concerned learning mixture regression mo... 1041 certain macroscopic perturbations condensed ma... 1042 light traveling vacuum interacts virtual parti... 1043 many asteroid databases lightcurve brightness ... 1044 present calibratedprojection matlab package im... 1045 use atomic fountain clock measure quantum scat... 1046 quantitative understanding sensory signals tra... 1047 argued epl bf entitled essential discreteness ... 1048 estimate spin distribution primordial black ho... 1049 deep convolutional neural networks cnn based s... 1050 objective establish algorithmic framework benc... 1051 convolutional neural networks recently demonst... 1052 compute coarsest simulation preorder included ... 1053 principle macroscopic motion systems thermodyn... 1054 cafeas exhibits collapsed tetragonal ct struct... 1055 study mathematical model cell populations dyna... 1056 extraction system csns mainly consists two kin... 1057 many realworld analytics problems involve two ... 1058 novel data acquisition schemes emerging need s... 1059 consider registrationbased approach localizing... 1060 might smooth probability distribution estimate... 1061 context commutative differential graded algebr... 1062 human brain artificial learning agents operati... 1063 fifth generation g telecommunication system go... 1064 consider reconstructing signal x minimizing we... 1065 document response report university melbourne ... 1066 stochastic grosspitaevskii equation used model... 1067 let theta theta irrational numbers b matrices ... 1068 paper proposes new convex model predictive con... 1069 unveil geometric nature multiplet fundamental ... 1070 present selective review statistical modeling ... 1071 pipelines combining sqlstyle business intellig... 1072 paper propose simple effective method training... 1073 paper investigate umbral representation fubini... 1074 paper brief review delay population models app... 1075 show propositional intuitionistic logic comple... 1076 present newly discovered correlation wind outf... 1077 plumbene similar silicene buckled honeycomb st... 1078 providing background discrimination tool cruci... 1079 obtain upper bounds composition length finite ... 1080 article present bernstein inequality sums rand... 1081 explore different approaches integrating simpl... 1082 study two dispersive regimes dynamics n twolev... 1083 design implement first private anonymous decen... 1084 paper show unprecedented method accelerate tra... 1085 background software development organizations ... 1086 paper aim present completely monotonicity conv... 1087 despite effectiveness convolutional neural net... 1088 real complex clifford bundles dirac operators ... 1089 next generation transit survey ngts operating ... 1090 present evolution cosmic spectral energy distr... 1091 let f hecke cusp form weight k full modular gr... 1092 recent studies highlighted vulnerability deep ... 1093 maximizing product use central goal many busin... 1094 paper enumerate newton polygons asymptotically... 1095 applying invariantbased inverse engineering sm... 1096 paper authors consider leaf spaces singular ri... 1097 discuss backward montecarlo technique muon tra... 1098 noise inherent part neuronal dynamics thus bra... 1099 policy evaluation crucial step many reinforcem... 1100 develope selfconsistent description broad line... 1101 internal states atoms manipulated using cohere... 1102 modern processors highly optimized systems eve... 1103 semantic segmentation object detection researc... 1104 matrix factorization key tool data analysis ap... 1105 mild cognitive impairment mci mental disorder ... 1106 slaters condition existence strictly feasible ... 1107 extend homotopy theories based point reduction... 1108 characterizing brownian motion bounded domain ... 1109 since inception bohmian mechanics generally re... 1110 conventional lasers based gain media three fou... 1111 evaluation possible climate change consequence... 1112 study problem finding cycle minimum costtotime... 1113 polarized extinction emission dust interstella... 1114 gaussian processes gps powerful nonparametric ... 1115 bandit based optimisation remarkable advantage... 1116 intel software guard extension sgx offers soft... 1117 sensor setups consisting combination range sca... 1118 paper study representation theory super w alge... 1119 software developers frequently issue generic n... 1120 ethereum blockchain network decentralized plat... 1121 conjunctivochalasis common cause tear dysfunct... 1122 report preparation superconductivity type crba... 1123 numerical method free boundary problems equati... 1124 neuralnetwork quantum states recently introduc... 1125 reported usage gratingbased xray phasecontrast... 1126 stateoftheart information extraction approache... 1127 prove lipschitz continuity viscosity solutions... 1128 hardware acceleration enabler ubiquitous effic... 1129 propose new localized inference algorithm answ... 1130 study simultaneous collisions two three four k... 1131 introduce inversefacenet deep convolutional in... 1132 partial information decomposition pid arxiv pr... 1133 present convolutional neural network cnn based... 1134 fluctuating currents nonequilibrium steady sta... 1135 proliferation mobile devices internet things d... 1136 understanding origin nature functional signifi... 1137 main challenge online multiobject tracking rel... 1138 classical plasma arbitrary degree degeneration... 1139 paper studies pde model growth tree stem vine ... 1140 discovery multiple stellar populations milky w... 1141 establish large deviation theorem empirical sp... 1142 reinforcement learning agent needs pursue diff... 1143 photoionized nebulae comprising hii regions pl... 1144 prediction cancer prognosis metastatic potenti... 1145 propose novel estimation procedure scalebyscal... 1146 consider general branching population lifetime... 1147 distribution grid moves toward tightlymonitore... 1148 investigation electronphonon interaction epi l... 1149 magnetic phases triangularlattice antiferromag... 1150 remarkable development deep learning medicine ... 1151 show sufficient condition weak limit sequence ... 1152 consider classical erdosrenyi random graph pro... 1153 least significant bit lsb substitution old sim... 1154 work outline mechanisms contributing oxygen re... 1155 machine learning shown much promise helping im... 1156 lenses crucial lightenabled technologies conve... 1157 present extension variational monte carlo vmc ... 1158 paper studies power allocation distributed est... 1159 using algebraic methods motivated one variable... 1160 motivated recent experiments alpharucl investi... 1161 aim study investigate magnetospheric disturban... 1162 new approach study optical response periodic s... 1163 overfitting happens number parameters model la... 1164 russell logical framework specification implem... 1165 let us call novel quantities addition vectors ... 1166 distances sequences based kmer frequency count... 1167 excitonpolariton system linear dispersive phot... 1168 present results search faint galaxies near end... 1169 recent paper x guo mandelis j tolev k tang j a... 1170 fundamental question systems biology combinati... 1171 address problem temporal action localization v... 1172 cassava third largest source carbohydrates hum... 1173 ability continuously learn adapt limited exper... 1174 investigate use alternative divergences kullba... 1175 curvature properties robinsontrautman metric i... 1176 prove dehn invariant flexible polyhedron eucli... 1177 skillful mobile operation threedimensional env... 1178 utilize variational method investigate kondo s... 1179 human action recognition videos one challengin... 1180 reconstruction population histories central pr... 1181 source localization ocean acoustics posed mach... 1182 illegal insider trading stocks based releasing... 1183 using deep multiwavelength photometry galaxies... 1184 boron subphthalocyanine chloride electron dono... 1185 recent machine learning models shown including... 1186 present paper consider problem estimating thre... 1187 given manyelectron molecule possible define co... 1188 using formalism classical nucleation theory de... 1189 machine learning classifiers give predictions ... 1190 deep reinforcement learning multiagent coopera... 1191 study data reliability problem community devic... 1192 paper studies meanvariance portfolio selection... 1193 obtain estimation error rates estimators obtai... 1194 paper interested neumanntype series modified b... 1195 paper investigate integral xnlogmsinx natural ... 1196 past three years conducting survey wr stars la... 1197 propose new mathematical model spread zika vir... 1198 given problem bayesian statistical paradigm re... 1199 network noisy leaky integrate fire nnlif model... 1200 distinguishing index simple graph g denoted dg... 1201 pseudo healthy synthesis ie creation subjectsp... 1202 given poset p standard closure operator gammaw... 1203 work devoted constructing wide class different... 1204 modeling agent behavior central understanding ... 1205 design jammingresistant receiver scheme enhanc... 1206 behavior many complex systems determined core ... 1207 clause learning one important components confl... 1208 consider squared singular values product stand... 1209 paper consider primitive equations oceanic atm... 1210 eisenhart geometric formalism transforms eucli... 1211 paper formulates timevarying socialwelfare max... 1212 object present paper study types ricci pseudos... 1213 paper gives drastically faster gossip algorith... 1214 magnesium alloys ideal biodegradable implants ... 1215 publishing reproducible analyses longstanding ... 1216 google uses continuous streams data industry p... 1217 obtain better understanding tradeoffs various ... 1218 adaptive zeroerror capacity discrete memoryles... 1219 increasing complexity heterogeneity computing ... 1220 focus nonconvex nonsmooth minimization problem... 1221 online discussion communities users interact s... 1222 bayesian optimization recently attracted atten... 1223 propose mapaided vehicle localization method g... 1224 present adaptive grasping method finds stable ... 1225 algorithmdependent generalization error bounds... 1226 deep impact spacecraft flyby comet phartley oc... 1227 paper suggest macroscopic toy system potential... 1228 consider class measurable functions defined ma... 1229 carried bayesian homogeneous determination orb... 1230 paper first one series three dealing concept i... 1231 eigenvector centrality standard network analys... 1232 neural networks allow qlearning reinforcement ... 1233 perform detailed analytical study recent fluid... 1234 study heavy path decomposition conditional gal... 1235 consider firm sells large number products cust... 1236 present new algorithm detects maximal possible... 1237 perform detailed comparison dirac composite fe... 1238 ability recognize objects essential skill robo... 1239 convert standard brownian motion z positive pr... 1240 general relativitys nohair theorem states isol... 1241 drawing analogy superfluid vortices suggest da... 1242 clouds play significant role fluctuation solar... 1243 predicting response system perturbations key c... 1244 electronic health record ehr designed store di... 1245 leastsquares support vector machine frequently... 1246 propose simple subsampling scheme fast randomi... 1247 bernoulli mixture model bmm finite mixture ran... 1248 paper prove pointwise convergence heat kernels... 1249 many societies alcohol legal common recreation... 1250 motion viscous deformable droplet suspended un... 1251 study principal component analysis pca setting... 1252 spot pricing scheme considered resourceefficie... 1253 consider free rotation body whose parts move s... 1254 recent progress deep learning audio synthesis ... 1255 prove pathbypath regularization noise result s... 1256 present novel endtoend trainable neural networ... 1257 recently neural models information retrieval b... 1258 diamond light source uks national synchrotron ... 1259 let bf mmldots mk tuple real dtimes matrices c... 1260 main goal paper full proof cardinal inequality... 1261 analyzing energyefficient management data cent... 1262 analyze rich dataset including subarusuprimeca... 1263 adaptive designs multiarmed clinical trials be... 1264 mixedinteger secondorder cone programs misocps... 1265 discriminative deep forest disdf metric learni... 1266 simple robust genuinely multidimensional conve... 1267 prove optimal strong convergence rate fully di... 1268 boolean network finite state discrete time dyn... 1269 gammaray fastneutron imaging performed novel l... 1270 task board essential artifact many agile devel... 1271 hydrogeologic models commonly oversmoothed rel... 1272 suszkos problem problem finding minimal number... 1273 paper introduce new classification algorithm c... 1274 study galois descent semiaffinoid nonarchimede... 1275 synthesized new layered oxychalcogenide laobia... 1276 perfect matching nc deterministic fast paralle... 1277 paper investigate common scenario every candid... 1278 using deep reinforcement learning train contro... 1279 study following generalization singularity cat... 1280 undeniable worldwide computer industrys center... 1281 using contiguous relations construct infinite ... 1282 paper gives upper lower bounds minimum error p... 1283 bells inequalities one formal expression show ... 1284 improving endurance crucial extending spatial ... 1285 surjective hcolouring problem test given graph... 1286 paper proposes modal typing system enables us ... 1287 recommender system research suffers currently ... 1288 paper considers problem implementing previousl... 1289 stacking general approach combining multiple m... 1290 twodimensional discrete wavelet transform huge... 1291 apply minsum messagepassing protocol solve con... 1292 last years seen transformative impact deep lea... 1293 aim galactic archaeology recover evolutionary ... 1294 propose general framework entropyregularized a... 1295 present basic integer arithmetic quantum circu... 1296 analyzed longitudinal activity nearly editors ... 1297 beyond worstcase synthesis problem introduced ... 1298 vaes variational autoencoders proved powerful ... 1299 rotating radio transients rrats loosely define... 1300 lowdimensional plasmonic materials function hi... 1301 paper analyse interaction centralised carbon e... 1302 first author introduced relative symplectic ca... 1303 report design sensitivity new torsion pendulum... 1304 invoking maxwells classical equations conjunct... 1305 work perform outlier detection using ensembles... 1306 local electronic magnetic properties supercond... 1307 prove unique assembly unique shape verificatio... 1308 one defining characteristics human creativity ... 1309 paper addresses problem large scale image retr... 1310 scientific collaborations shape ideas well inn... 1311 complex interactions entities often represente... 1312 drone racing becoming popular sport human pilo... 1313 combustion characteristics ethanoljet fuel dro... 1314 graph laplacian plays key roles information pr... 1315 manipulating topological disclination networks... 1316 generative adversarial networks gan received w... 1317 revisit classification problem focus nonlinear... 1318 development chemical reaction models aids unde... 1319 consider cauchy problem incompressible naviers... 1320 inspired success deep learning techniques phys... 1321 introduce twoparameter family birational maps ... 1322 integrable nonlocal nonlinear schrodinger nnls... 1323 bigger deeper neural network architectures con... 1324 novel approach towards spectral analysis stati... 1325 propose method ttgp approximate inference gaus... 1326 second edition congruence lattice book problem... 1327 vasculature known key biological significance ... 1328 report results sensitive search ghz j transiti... 1329 paper propose probabilistic parsing model defi... 1330 modularity designed measure strength division ... 1331 vision science particularly machine vision rev... 1332 next generation radio telescopes namely fivehu... 1333 letter propose new identification criterion gu... 1334 supervisory control synthesis encounters compu... 1335 agents vote choose fair mixture public outcome... 1336 give criteria inverse system finite groups ens... 1337 recent advances learning deep neural network d... 1338 article issues discussed bayesian approach lea... 1339 spite decades research much remains discovered... 1340 consider generalizations familiar fifteenpiece... 1341 establish iwasawa main conjecture semistable a... 1342 consider induced emission ultrarelativistic el... 1343 measuring gases air quality monitoring challen... 1344 paper problem maximizing blackbox function fma... 1345 present method conditional time series forecas... 1346 bias common problem todays media appearing fre... 1347 many astronomical sources produce transient ph... 1348 method developed generating pseudopotentials u... 1349 offer general bayes theoretic framework tackle... 1350 following presentation proof hypothesis image ... 1351 detecting evaluating regions brain various cir... 1352 global sensitivity analysis numerical model ai... 1353 ridesourcing platforms like uber didi getting ... 1354 managing dynamic information large multisite m... 1355 describe fully data driven model learns perfor... 1356 present results spectroscopic photometric foll... 1357 given projective hyperkahler manifold holomorp... 1358 calcium imaging permits optical measurement ne... 1359 investigate multiparticle excitation effect co... 1360 present article describe one define hausdorff ... 1361 popular alternating least squares als algorith... 1362 domain generalization problem assigning class ... 1363 study two colored operads configurations littl... 1364 paper proposes datadriven approach means artif... 1365 tunneling electrons twodimensional electron sy... 1366 consider problem diagnosis set simple observat... 1367 work explores feasibility steering drone recur... 1368 localitysensitive hashing lsh fundamental tech... 1369 commonly cited inefficiency neural network tra... 1370 establish pontryagin maximum principle discret... 1371 system n particles chemical medium mathbbrd st... 1372 well established neural networks deep architec... 1373 stream timestamped edges form dynamic network ... 1374 revisit generation balanced octrees adaptive m... 1375 advent era artificial intelligenceai deep neur... 1376 artificial intelligence field learning often c... 1377 involution stanley symmetric functions hatfy s... 1378 paper focus subspace learning problems grassma... 1379 topologists sometimes interested spacevalued d... 1380 ancient repertoire uv absorbing pigments survi... 1381 output impedances inherent elements power sour... 1382 quest observe gravitational waves challenges a... 1383 finite gaussian mixture models widely used mod... 1384 document data transfer workflow data transfer ... 1385 datasets often reused perform multiple statist... 1386 regression classification perhaps basic questi... 1387 anthropogenic climate change increased probabi... 1388 paper boundary regularity pharmonic functions ... 1389 paper propose construct confidence bands boots... 1390 finding actions satisfy constraints imposed ex... 1391 major challenge brain tumor treatment planning... 1392 localization network lineofsight anchors trans... 1393 investigate relation kinematic morphology intr... 1394 paper introduce bmt distribution unimodal alte... 1395 learning visuomotor skills endtoend manner app... 1396 searched high resolution spectra nearby stars ... 1397 learning large scale nonlinear ordinary differ... 1398 clustering mixtures gaussian distributions fun... 1399 study developed method estimate relationship s... 1400 detect facial keypoints critical element face ... 1401 one initial essential question magnetism wheth... 1402 paper exhibit tradeoffs training sample comput... 1403 estimates population size hidden hardtoreach i... 1404 single ion solvation free energies one importa... 1405 consider estimation worker skills workertask i... 1406 recent deep learning based denoisers often out... 1407 consider wellknown facts syntax physics perspe... 1408 study moduli space stable sheaves euler charac... 1409 development efficient heuristic algorithms pra... 1410 study demand response problem utility also ref... 1411 paper presents triangular lattice photonic cry... 1412 epicurean philosophy commonly thought simplist... 1413 use lowprecision fixedpoint arithmetic along s... 1414 person reidentification task greatly boosted d... 1415 consider task unsupervised extraction meaningf... 1416 manybody localization mbl commonly related str... 1417 verifying statistically significant result sci... 1418 paper adopt new noisy wireless network model i... 1419 study problem constructing synthetic graphs re... 1420 recognition handwritten mathematical expressio... 1421 expository article properties actions lie grou... 1422 paper theoretically study xray multiphoton ion... 1423 magnetic materials hosting correlated electron... 1424 large amount image denoising literature focuse... 1425 paper analyze depth simplicial decomposition l... 1426 blockchains distributed data structures used a... 1427 prove mathematically rigorous way asymptotic f... 1428 give simple optimistic algorithm easy derive r... 1429 study superradiant evolution set n twolevel sy... 1430 introduce selfconsistent multispecies kinetic ... 1431 recent paper claimed homogeneous finsler space... 1432 observational theoretical arguments support id... 1433 provide lpversus linftybounds eigenfunctions r... 1434 consider strongly interacting quantum dot conn... 1435 cherenkov telescope array cta next generation ... 1436 increase customer expectation terms cost servi... 1437 although cuspcore controversy dwarf galaxies s... 1438 bestfirst search algorithm finding optimalcost... 1439 integrated waveguides exhibiting efficient sec... 1440 paper revisit largescale constrained linear re... 1441 study key domain wall properties segmented nan... 1442 article improves existing proven rates regret ... 1443 investigate magnetic properties multiferroic q... 1444 friendship paradox states social network egos ... 1445 many stochastic optimization algorithms work e... 1446 robust reinforcement learning aims produce pol... 1447 central theme work stable levitation denser no... 1448 present nmr spectra remotemagnetized deuterate... 1449 large datasets often unreliable labelssuch obt... 1450 modern networks huge sizes well high dynamics ... 1451 continuous latent time series models prevalent... 1452 prove upper bounds lp norms eigenfunctions dis... 1453 key resource distributed quantumenhanced proto... 1454 end devices equipped multiple network interfac... 1455 paper show defense relation among abstract arg... 1456 optimizing convex objective loss functions pow... 1457 photodetector may characterized various figure... 1458 living systems function far away equilibrium r... 1459 numerically study jamming transitions pedestri... 1460 survival analysis developed applied number are... 1461 study timevarying dynamic networks graphs fund... 1462 consider multilabel ranking approach multilabe... 1463 waveparticle duality quantum mechanics allows ... 1464 prove quantitative fourth moment theorem wigne... 1465 generative adversarial networks gans shown abl... 1466 show ladic realization functor conservative re... 1467 software startups face multiple technical busi... 1468 show generalized dirac structure survives beyo... 1469 generative model based training deep architect... 1470 single magnetic skyrmions localized whirls mag... 1471 complement theory developed preinerstorfer pts... 1472 effect modification means magnitude stability ... 1473 many internet ventures rely advertising revenu... 1474 calculating value ckininfty class smoothness r... 1475 let p q two convex polytopes contained interio... 1476 existence steady states elastic media small st... 1477 field plasmabased particle accelerators seen t... 1478 paper propose novel application generative adv... 1479 clustering algorithm applied cassini imaging s... 1480 reexamine notion stress peridynamics based ide... 1481 successful humanrobot cooperation hinges agent... 1482 present prototype news search engine presents ... 1483 models complex systems widely used physical so... 1484 color names based image representation success... 1485 phd thesis devoted lowenergy structure nucleon... 1486 phase transitions isotropic quantum antiferrom... 1487 philosophers ancient times modern economists b... 1488 deep neural networks increasingly used variety... 1489 paper develop new firstorder method composite ... 1490 recent progress variational inference paid muc... 1491 adr algebra ra finitedimensional algebra quasi... 1492 study structure mathfrakgkmodules principal se... 1493 study theoretically experimentally influence t... 1494 shown nonrelativistic ground state energy heli... 1495 traditional data cleaning identifies dirty dat... 1496 three complementary methods implemented code d... 1497 thermoregulation system animals removes body h... 1498 introduce notion koszul ainfinity algebra gene... 1499 exploiting property rbm loglikelihood function... 1500 consider theory twocomponent dirac fermion loc... 1501 pair hidden markov models phmms probabilistic ... 1502 study focuses formation two molecules astrobio... 1503 paper prediction linear systems missing inform... 1504 study ionic liquids composed alkylmethylimidaz... 1505 tick statistical learning library python parti... 1506 present wellposedness stability result class n... 1507 paper consider graphical lasso gl popular opti... 1508 prove orthogonal free quantum group factors ma... 1509 studied temperature dependence diagonal double... 1510 paper use interior functions hierarchical basi... 1511 imagine malicious hacker trying attack server ... 1512 consider global consensus problem multiagent s... 1513 let h subseteq k two subgroups finite group g ... 1514 work proposes variable exponent lebesgue modul... 1515 present radio observations ghz local objects s... 1516 deep neural networks dnns emerged key enablers... 1517 r gompf defined homotopy invariant thetag orie... 1518 enumerate circulant good matrices odd orders d... 1519 spectral mapping uses deep neural network dnn ... 1520 gravitational wave astronomy set motion scient... 1521 present stochastic ca modelling approach corro... 1522 give bordered extension involutive hfhat use g... 1523 comprehensive study comet c focuses first inve... 1524 paper investigate property testing whether deg... 1525 cauchyrayleigh cr distribution successfully us... 1526 paris basin evaluate htem data complement usua... 1527 methods access large relational databases dist... 1528 paper proposes novel adaptive algorithm automa... 1529 multiindexed orthogonal polynomials meixner li... 1530 describe approach understand peculiar counteri... 1531 locationbased augmented reality games entered ... 1532 interesting proofs mathematics contain inducti... 1533 near pristine atomic cooling halo close star f... 1534 graphs commonly used encode relationships amon... 1535 due economic globalization countrys economic l... 1536 work compare different batch construction meth... 1537 druryarveson space consider subspace functions... 1538 paper present results sim hour airborne gammar... 1539 new search strategy detection elusive dark mat... 1540 present algorithm computes product two nbit in... 1541 study stochastic multiarmed bandit mab problem... 1542 goal unbounded program verification discover i... 1543 present simple proof fact base independence po... 1544 modern multiscale type segmentation methods kn... 1545 architecture community reasonable simulation t... 1546 neighborhood regression successful approach gr... 1547 pseudorandom sequences good statistical proper... 1548 bilevel hierarchical clustering model commonly... 1549 generalized lambdasemiflows abstraction semifl... 1550 consider variants trustregion cubic regulariza... 1551 analyze space differentiable functions quadmes... 1552 bangla handwriting recognition becoming import... 1553 article continue study problem lpboundedness m... 1554 recent years mems inertial sensors acceleromet... 1555 classical mechanics nonrelativistic particle c... 1556 new bayesian framework presented constrain pro... 1557 molecular interactions widely modelled network... 1558 accreting white dwarfs wd binary systems produ... 1559 facecycles vertices map surface type map calle... 1560 consider dynamics porous icy dust aggregates t... 1561 urbach tails semiconductors often associated e... 1562 recent work provided ample evidence global cli... 1563 shrinkage estimation usually reduces variance ... 1564 continuous integration ci tools integrate code... 1565 amyloid precursor amino acids dimerizes aggreg... 1566 everimportant issue protecting infrastructure ... 1567 paper introduce method adapting stepsizes temp... 1568 threshold carbonloadings initial tiohosts post... 1569 several theorems volume computing polyhedron s... 1570 organic material anoxic sediment represents gl... 1571 recent development highend lidars systems able... 1572 motivated proposal topological quantum paramag... 1573 graph said welldominated minimal dominating se... 1574 describe latest results calculations flexpde c... 1575 affiliation network one kind twomode social ne... 1576 analyze running time saukassong algorithm sele... 1577 agentbased internet things iot applications re... 1578 study introduce new approach combine multiclas... 1579 paper concerned inbody system gathering data m... 1580 present flash textbffast textbflsh textbfalgor... 1581 propose new neural sequence model training met... 1582 deep neural networks nn extensively used machi... 1583 projection theorems divergences enable us find... 1584 advanced persistent threats apts stealthy atta... 1585 influential recent paper harvey et al derive u... 1586 analyzing available fao data countries years o... 1587 debate deliberation play essential roles polit... 1588 modelling gene regulatory networks requires th... 1589 david berlinski writes existence nature mathem... 1590 technology extremely potent tool leveraged hum... 1591 central aim paper address variable selection q... 1592 assessment motor activity grouphoused sows com... 1593 origin ultrahighenergy cosmic rays uhecrs half... 1594 widely recognized citation counts papers diffe... 1595 since inception regression trees one widely us... 1596 oral disintegrating tablets odts novel dosage ... 1597 calcium imaging emerged workhorse method neuro... 1598 fieldaligned currents earths magnetotail tradi... 1599 theoretical predictions pressureinduced phase ... 1600 derive uniqueness weak solutions shigesadakawa... 1601 main task oil gas exploration gain understandi... 1602 tackle problem template estimation data random... 1603 highindex dielectric nanoparticles become powe... 1604 propose bioinspired agentbased approach descri... 1605 consider linear congruence equation xldotsxk e... 1606 bismuth substituted lutetium iron garnet blig ... 1607 present new variable selection method based mo... 1608 semicalssical method based surfacehopping tech... 1609 random tensor networks provide useful models i... 1610 persistent spread measurement count number dis... 1611 last years extensive literature focused ell pe... 1612 optical emission ingan quantum dots embedded g... 1613 propose novel computational method extract inf... 1614 membership inference attack mia determines pre... 1615 identify se iii micron planetary nebula pn ngc... 1616 paper locally lipschitz regular functions util... 1617 thesis investigates unsupervised time series r... 1618 work aim building bridge poor behavioral data ... 1619 purpose article try understand mysterious coin... 1620 article concerns class elliptic equations carn... 1621 paper represent raptor codes multiedge type lo... 1622 package cleannlp provides set fast tools conve... 1623 propose modified expectationmaximization algor... 1624 report point contact andreev reflection pcar m... 1625 doubly occupied configuration interaction doci... 1626 first investigate evolution opening closing au... 1627 present measurements hyperfine splitting yb sp... 1628 address issue limit cycling behavior training ... 1629 field cold atom inertial sensors present analy... 1630 study statistical models onedimensional diffus... 1631 meaningful topological invariants mixed quantu... 1632 deep learning dl advances stateoftheart reinfo... 1633 space gm varphi infinitely differentiable func... 1634 accurate description spatial variations energy... 1635 study influence degree correlations network mi... 1636 multisource transfer learning proven effective... 1637 show blackhole highmass xray binaries hmxbs bt... 1638 study syzygies maximal cohenmacaulay modules o... 1639 chirality shape motility evolve rapidly microb... 1640 propose simple algorithm train stochastic neur... 1641 note proposes simple general framework dynamic... 1642 investigate emergence cal n supersymmetry long... 1643 adaptive gradient methods become recently popu... 1644 study connections dykstras algorithm projectin... 1645 techniques higher categories higherdimensional... 1646 introduce dynamic nested sampling generalisati... 1647 multistage design used wide range scientific f... 1648 investigate powerspace constructions topologic... 1649 numerical method presented conveniently comput... 1650 prove neartight concentration measure polynomi... 1651 paper proposes exploration method deep reinfor... 1652 paper based framework traditional spectrophoto... 1653 propose method solve initial value problem ult... 1654 quantum confinement interference often generat... 1655 gamma distribution arises frequently bayesian ... 1656 paper present two algorithms based froidurepin... 1657 address problem lightly doped spinliquid large... 1658 nonconvex optimization problems arise differen... 1659 paper considers problem phase retrieval goal r... 1660 inverse problems statistical physics motivated... 1661 propose novel mechanism explains cored dark ma... 1662 recommender systems successfully applied assis... 1663 prove lower bound omeganlog n size syntactical... 1664 introduce concept saturated absorption competi... 1665 work investigate combined influence nontrivial... 1666 report observation magnetic domains exotic ant... 1667 phylogenetic networks becoming increasing inte... 1668 paper prove shorttime existence hyperbolic inv... 1669 identify tradeoff robustness accuracy serves g... 1670 dark matter particle explorer dampe one four s... 1671 representation learning fundamental challengin... 1672 address paper problem modifying profits costs ... 1673 marginbased classifiers popular machine learni... 1674 let k nonperfect separably closed field let g ... 1675 general linear model paper derives necessary s... 1676 article construct three explicit natural subgr... 1677 demonstrate use semantic object detections rob... 1678 numerous breakthroughs reinforcement learning ... 1679 one primary questions characterizing earthsize... 1680 everincreasing productivity targets mining ope... 1681 laman graphs model planar frameworks rigid gen... 1682 demonstrate inalnganonsi hemt based uv detecto... 1683 paper first attempt learn policy inquiry dialo... 1684 problem times arrow rigorously solved certain ... 1685 phone sensors could useful assessing changes g... 1686 view recent intense experimental theoretical i... 1687 measuring quadratic values representative rand... 1688 motor system solve problem anticipatory contro... 1689 oeljeklaustoma ot manifolds complex nonkhler m... 1690 investigate different strategies active learni... 1691 study possible connection different nonthermal... 1692 show partial transposes complex wishart random... 1693 technique constructing conformally invariant t... 1694 wellknown result says euclidean unit ball uniq... 1695 multiple imputation mi inference handles missi... 1696 given samples distribution many new elements e... 1697 construct new continued fraction expansions ja... 1698 convolution galaxy images pointspread function... 1699 given traveling salesman problem tsp tour h gr... 1700 many modern machine learning applications outc... 1701 kuniba okado takagi yamada found timeevolution... 1702 scientists engineers commonly use simulation m... 1703 reinforcement learning gaining attention wirel... 1704 nonreversible markov chain monte carlo schemes... 1705 lecture notes course mats analysis xray tomogr... 1706 recent studies show widely used deep neural ne... 1707 prove arrow category monoidal model category e... 1708 given suitable ordering positive root system a... 1709 paper consists two parts first provides review... 1710 online fraudsters invest resources including p... 1711 provide new approximation guarantees greedy lo... 1712 topology power grid affects dynamic operation ... 1713 present wasserstein introspective neural netwo... 1714 let omega unbounded domain mathbbrtimesmathbbr... 1715 introduce new skein invariants links based pro... 1716 big data streaming applications require utiliz... 1717 interest higher derivatives field theories ori... 1718 work study spin hall effect rashbaedelstein ef... 1719 paper explores application koopman operator th... 1720 turbulence challenging feature common wide ran... 1721 setting nonparametric regression propose study... 1722 work present theoretical results convergence n... 1723 certain sufficient homological ringtheoretical... 1724 let g undirected graph edge g dominates edges ... 1725 heckehopf algebras defined berenstein kazhdan ... 1726 lengthmatching important technique bal ance de... 1727 yeast saccharomyces cerevisiae one best charac... 1728 advances deep generative networks led impressi... 1729 number recent papers provided evidence practic... 1730 examine nature possible orbits physical proper... 1731 present note study certain arrangements codime... 1732 investigate problem inferring causal predictor... 1733 state space models smoothing refers task estim... 1734 nonlinear dynamics free surface ideal incompre... 1735 given n vectors mathbfxiin mathbbrd want fit l... 1736 persistent interest integration latticematched... 1737 define outliers set observations contradicts p... 1738 propose dc proximal newton algorithm solving n... 1739 reinforcement learning agents learn performing... 1740 network integration studies try assess impact ... 1741 report alma cycle observations ghz mm dust con... 1742 astonishing success alphago zerocitesilveralph... 1743 electrondoped euferhas systematically studied ... 1744 chapter highluminosity large hadron collider h... 1745 shown relativistic quantum mechanics single fe... 1746 new type absorbing boundary conditions molecul... 1747 paper deals homotopy theory differential grade... 1748 consider nonlinear kalman filtering problem us... 1749 prove x x threefold terminal flip cxcxleq cxcx... 1750 helioseismic magnetic imager hmi provides cont... 1751 contact superconductor normal metal modifies p... 1752 functional data analysis typically conducted w... 1753 work explore straightforward variational bayes... 1754 galaxy crosscorrelations highfidelity redshift... 1755 initiate study completely bounded multipliers ... 1756 blackbox risk scoring models permeate lives ye... 1757 improve efficiency elderly assessments influen... 1758 present gpuaccelerated version highorder disco... 1759 auger engineering radio array aera aims detect... 1760 painting art form long functioned major channe... 1761 glassy dynamics intermittent particles suddenl... 1762 hidden markov model based various phoneme reco... 1763 paper prove arithmetic automorphic periods gln... 1764 chapter analyze multiple ionization impact z p... 1765 paper reconsider circular cylinder horizontall... 1766 paper considers problem switching two periodic... 1767 aspects social interaction digitally recorded ... 1768 report application femtosecond fourwave mixing... 1769 introduce computable actions computable groups... 1770 programming valuable skill labor market making... 1771 express two cr invariant surface area elements... 1772 article address general approach calculating d... 1773 show every hminorfree graph light epsilonspann... 1774 generative adversarial networks gans gathered ... 1775 present first good evidence exocomet transits ... 1776 analyze charge spin response functions rareear... 1777 introduce study notion canonical set theoretic... 1778 number internet things iot devices keeps incre... 1779 parafac demonstrated success modeling irregula... 1780 model intracluster medium weakly collisional p... 1781 event structure mathematical abstraction model... 1782 many realworld networks known exhibit facts co... 1783 study interacting majorana fermions two dimens... 1784 present new class polynomialtime algorithms su... 1785 ptsymmetry optics condition whereby real imagi... 1786 single phase uniform size nm cobalt ferrite cf... 1787 midinfrared instrument miri em james webb spac... 1788 paper describes open source software oss proje... 1789 paper concerned qualitative properties bounded... 1790 developed electron tracking compton camera etc... 1791 using largescale simulations based matrix prod... 1792 ellsberg thought experiments empirical confirm... 1793 event learning one important problems ai howev... 1794 review third edition interferometry synthesis ... 1795 data augmentation technique training set expan... 1796 transition metal oxides well known complex mag... 1797 important problem training deep networks high ... 1798 recent large cancer studies measured somatic a... 1799 paper introduces laplacetype operators functio... 1800 private record linkage prl problem identifying... 1801 despite recent popularity deep generative stat... 1802 consider optimal coverage problem multiagent n... 1803 novel scalable geometric multilevel algorithm ... 1804 recently kinduction algorithm proven successfu... 1805 gaussian process gp regression widely used sup... 1806 using movement primitive libraries effective m... 1807 radio astronomy observational facilities const... 1808 data quality phasor measurement unit pmu recei... 1809 provide detailed fully rigorous derivation sev... 1810 address controversy proximity effect topologic... 1811 paper presents novel method structural data re... 1812 propose introduce concept exceptional points i... 1813 paper consider location model form mx varepsil... 1814 show poisson centre truncated maximal paraboli... 1815 motivated question whether recently introduced... 1816 recent years seen growing interest streaming i... 1817 metaltometal clearances steam turbine full par... 1818 summary statistics genomewide association stud... 1819 biological networks convenient modelling visua... 1820 bytewise approximate matching algorithms recen... 1821 gandalf new hydrodynamics nbody dynamics code ... 1822 consider boltzmanngibbs measures associated lo... 1823 design good heuristics approximation algorithm... 1824 paper studies optimal extraction policy oil fi... 1825 scattering masscritical fractional schrdinger ... 1826 developer preferences language capabilities pe... 1827 demand single photon sources lambdamum follows... 1828 enjoying closed form solution least squares su... 1829 consider networked multiagent reinforcement le... 1830 noninteractive local differential privacy ldp ... 1831 statistical learning relies upon data sampled ... 1832 work technical approach modeling false informa... 1833 despite intense interest realizing topological... 1834 examine topological solitons minimal variation... 1835 plasma wakefield acceleration one main technol... 1836 obtain rigorous upper bound resistivity rho el... 1837 paper introduces addresses wide class stochast... 1838 modern day web applications aim create impact ... 1839 discuss relative merits optimistic randomized ... 1840 size weight power constrained platforms impose... 1841 consider fourdimensional gravity coupled nonli... 1842 show hardness geodetic hull number chordal graphs 1843 using etale cohomology define birational invar... 1844 propose novel semisupervised active learning a... 1845 consider problem recovering function input dif... 1846 automatic conflict detection grown relevance a... 1847 assuming conjecture factorization homology adj... 1848 discover population shortperiod neptunesize pl... 1849 describing dimension reduction dr techniques m... 1850 many practical problems characterized preferen... 1851 summarization long sequences concise statement... 1852 first order theory said tight two deductively ... 1853 investigate accuracy robustness one common met... 1854 software maintenance developers usually deal s... 1855 use computers statistical physics common sheer... 1856 consider helical system fermions generic spin ... 1857 study correlations fermionic lattice systems l... 1858 present integrated microsimulation framework e... 1859 stochastic optimization naturally arises machi... 1860 consider variation problem prediction expert a... 1861 subsequence clustering multivariate time serie... 1862 paper consider nonlocal energy ialpha whose ke... 1863 recently advancement industrial automation hig... 1864 present approach testing gravitational redshif... 1865 present novel approach fast onthefly low order... 1866 consider potential positioning system antenna ... 1867 expository work discuss asymptotic behaviour s... 1868 artificial spin ice asi consisting two dimensi... 1869 since events arab spring increased interest us... 1870 initiate algorithmic study following structure... 1871 derive semianalytic formula transition probabi... 1872 recurrent neural networks rnns used stateofthe... 1873 necessarily proper edge kcolouring gammaeglong... 1874 celebrated nadarayawatson kernel estimator amo... 1875 consider problem bandit optimization inspired ... 1876 theoretically study scheme develop atomic base... 1877 kalman filter called one greatest inventions s... 1878 present new method separation superimposed ind... 1879 gc gc two globular clusters gcs remote halo gr... 1880 present method generate renewable scenarios us... 1881 many social economic systems naturally represe... 1882 article hopf parametric adjunctions defined an... 1883 solving symmetric positive definite linear pro... 1884 despite remarkable achievements practical trac... 1885 notes aim presenting overview bayesian statist... 1886 extracting useful entities attribute values il... 1887 tutorial provides gentle introduction kernel d... 1888 statelevel minimum bayes risk smbr training be... 1889 increasing illegal parking become serious nowa... 1890 discuss extensions results recent paper cherno... 1891 tightly analyze sample complexity cca provide ... 1892 propose novel approach address simultaneous de... 1893 paper introduces combinatorial boolean model c... 1894 september hurricane irma made landfall florida... 1895 human behavioural patterns exhibit selfish com... 1896 study special central configurations curved nb... 1897 following selection gravitational universe esa... 1898 empirical bayes versatile approach learn lot t... 1899 techniques reducing variance gradient estimate... 1900 binary mixtures dry grains avalanching slope e... 1901 given set n points p plane first layer l p for... 1902 paper mainly focus frontlike entire solution c... 1903 paper classify fundamental solutions class sch... 1904 predict final result athlete marathon run thor... 1905 nowadays multiprocessing mainstream exponentia... 1906 study dynamics isotropic spin heisenberg chain... 1907 erasure codes play important role storage syst... 1908 machine learning libraries tensorflow pytorch ... 1909 devise new high order local absorbing boundary... 1910 describe necessary conditions existence hamilt... 1911 introduce two new bootstraps exchangeable rand... 1912 paper shall prove subset overlinemathbb qcap b... 1913 present textttbhm tool restoring smooth functi... 1914 develop general polynomial chaos gpc based sto... 1915 study seasonal evolution titans lower stratosp... 1916 multiagent approach become popular computer sc... 1917 present introductory survey first order logic ... 1918 percusyevick theory monodisperse hard spheres ... 1919 test mathbbcpn sigma models painlev property c... 1920 framework matrix valued observables low rank m... 1921 evaluating generative adversarial networks gan... 1922 intersecting pedestrian flow lattice random up... 1923 lioso first example new class material called ... 1924 convolutional neural networks cnns core stateo... 1925 retrieving similar objects largescale database... 1926 let finite dimensional real algebra division g... 1927 paper first discuss relation vbcourant algebro... 1928 consider josephson junction consisting superco... 1929 rashba spin orbit coupling topological insulat... 1930 floquet systems periodically driven quantum sy... 1931 paper maps relation different approaches handl... 1932 work consider diffusionbased molecular communi... 1933 define variable parameter analogues affine arc... 1934 study problem estimating finite sample confide... 1935 extremescale computational science increasingl... 1936 uranium beryllium heavy fermion system whose a... 1937 article study behavior p nearrowinfty fucik sp... 1938 show finite unitary group orbits spanning whol... 1939 multivariate time series mts become increasing... 1940 parabolic equations form fracpartial upartial ... 1941 many radiological studies reveal presence seve... 1942 provide complete classification algebras gener... 1943 revisit study phenomenology associated burst p... 1944 consider following asynchronous opportunistic ... 1945 give fully polynomialtime randomized approxima... 1946 sparse coding crucial subroutine algorithms va... 1947 reducedrank regression dimensionality reductio... 1948 find asymptotic formulas error probabilities t... 1949 visual focus attention vfoa recognized promine... 1950 introduce fullydynamic conflictfree coloring p... 1951 systematic experimental study gilbert damping ... 1952 learning detect fraud largescale accounting da... 1953 consider problem learning binary classifier po... 1954 show case special dipolar source electromagnet... 1955 propose novel randomized linear programming al... 1956 report summarizes discussions open issues take... 1957 statisticians increasingly face problem recons... 1958 locally repairable code availability property ... 1959 present general form renormalization operator ... 1960 study duality spectral sequences weierstrass f... 1961 short communication study fluid queue finite b... 1962 introduce class affine forward variance afv mo... 1963 free loops space lambda x space x become impor... 1964 cosmic ray muons average energy gev neutrons p... 1965 number microorganisms leave persistent trails ... 1966 present paper study existence solutions nonloc... 1967 show exist complete minimal systems timefreque... 1968 paper describe new las vegas algorithm solve e... 1969 lecture notes short course spectral sequences ... 1970 two identical coherent beams injected semiinfi... 1971 prove structure identity principle theories de... 1972 recent years constrained optimization become i... 1973 study small local set continuum gaussian free ... 1974 prediction market individuals sequentially pla... 1975 several dihedral angles prediction methods dev... 1976 simple recurrence relation even order moments ... 1977 long range corrected range separated hybrid fu... 1978 deep networks often perform well data distribu... 1979 spite close connection evaluation quantified b... 1980 sagnac effect shown inertial frames well rotat... 1981 anisotropic displacement parameters adps commo... 1982 robotic motion planning problems typically sol... 1983 article consider hook removal operators odd pa... 1984 present paper consider modal propositional log... 1985 neural network nn model chemistries mcs promis... 1986 automated service classification plays crucial... 1987 study photoinduced breakdown twoorbital mott i... 1988 draw formal connection using synthetic trainin... 1989 learning memory intertwined brain relationship... 1990 nonlinear response entangled polymers shear fl... 1991 demonstrate generation higherorder modulation ... 1992 magnetic trilayers large perpendicular magneti... 1993 grain boundary diffusion severely deformed alb... 1994 quantum schrodingernewton equation solved self... 1995 consider learning predictor nondiscriminatory ... 1996 many brown dwarfs exhibit photometric variabil... 1997 traveling fronts describe transition two alter... 1998 propose original concept compressive sensing c... 1999 advantages electric vehicles ev include reduct... 2000 interactive music systems ims introduced new w... 2001 study relationship information estimationtheor... 2002 regions acquire knowledge need diversify econo... 2003 analyze problem learning single users preferen... 2004 widely observed deep learning models learned p... 2005 artifical neural networks particular class lea... 2006 macquarie universitys contribution bioasq chal... 2007 internetofthings iot architectures connecting ... 2008 report diffusion monte carlo results groundsta... 2009 prove number p positive eigenvalues connection... 2010 motivated study collapsing calabiyau threefold... 2011 comes searches extensions general relativity l... 2012 paper presents design nonlinear control law ty... 2013 probabilistic representations movement primiti... 2014 access transverse spin light unlocked new regi... 2015 survival studies classical inferences lefttrun... 2016 present strongly interacting quadruple system ... 2017 develop notion higher cheeger constants measur... 2018 petri nets established graphical formalism mod... 2019 consider problem low canonical polyadic cp ran... 2020 introduce statistical method investigate impac... 2021 study new model interactive particle systems c... 2022 present pricing mechanisms several online reso... 2023 casebased reasoning cbr widely used generate g... 2024 paper present new method determining optimal d... 2025 calice collaboration developing highly granula... 2026 hamiltonian monte carlo emerged standard tool ... 2027 paper derive pointwise upper bounds lower boun... 2028 simulating large networks neurons hines propos... 2029 paper describes submission bioasq challenge pa... 2030 recently decentralised onblockchain platforms ... 2031 demonstrate electromechanical control onchip g... 2032 people speak different levels specificity diff... 2033 prove meet level trotterweil mathsfvm local ge... 2034 aboria powerful flexible c library implementat... 2035 classical mechanics wellknown cryptographic al... 2036 autoencoders successful learning meaningful re... 2037 consider large market model defaultable assets... 2038 lifeexpectancy complex outcome driven genetic ... 2039 recent several years witnessed surge asynchron... 2040 define new invariants manifolds using space ta... 2041 paper propose image encryption algorithm based... 2042 recently developed bagofpaths framework consis... 2043 recent advances analysis subband amplitude env... 2044 study vladimirov fractional differentiation op... 2045 propose positionvelocity encoders pves learnwi... 2046 convolutional neural networks cnns one driving... 2047 linear regression models contaminated gaussian... 2048 paper addresses problem depth estimation singl... 2049 one fundamental results computability existenc... 2050 research mobile collocated interactions explor... 2051 instrumental variable iv methods widely used e... 2052 prove length function perverse sheaves algebra... 2053 deep neural networks commonly developed traine... 2054 show expected size maximum agreement subtree t... 2055 systematic firstprinciples study performed und... 2056 answering question second listed author show t... 2057 statistical relational ai starai aims reasonin... 2058 gravitinos fundamental prediction supergravity... 2059 study networks human decisionmakers independen... 2060 membrane proteins constitute large portion hum... 2061 present spectroscopic redshifts smjy submillim... 2062 paper treats several aspects truncated matrici... 2063 let omega pseudoconvex domain mathbb cn satisf... 2064 observational studies sample surveys regressio... 2065 recent studies shown framelevel deep speaker f... 2066 collective urban mobility embodies residents l... 2067 investigate macroeconomic consequences narrow ... 2068 convolutional neural networks cnns widely used... 2069 neurofeedback form brain training subjects fed... 2070 image video analysis often crucial step study ... 2071 give survey recent results weakstrong uniquene... 2072 accurate diagnosis alzheimers disease ad entai... 2073 introduce novel approach training adversarial ... 2074 potential machine learning ml systems amplify ... 2075 prospect pileup induced backgrounds high lumin... 2076 report first result ge neutrinoless double bet... 2077 keywords important information retrieval used ... 2078 free space optical communication techniques su... 2079 work focuses question identifiability mathemat... 2080 develop theory nonlinear dimensionality reduct... 2081 hashing widely used largescale approximate nea... 2082 based upon idea network functionality impaired... 2083 paper use gaussian process gp regression propo... 2084 propose new method evaluate gans namely evalga... 2085 use superconducting rings asymmetric linkup cu... 2086 human societies around world interact developi... 2087 paper presents proposal story statically detec... 2088 define symmetric monoidal category duals whose... 2089 permutation codes form rank modulation shown p... 2090 dembowska large bright mainbelt asteroid fast ... 2091 propose cm new deep reinforcement learning met... 2092 work addresses problem robust attitude control... 2093 origin sociology social network analysis sna q... 2094 accounting fraud global concern representing s... 2095 gaussian processes gps good choice function ap... 2096 complex electric modulus ac conductivity carbo... 2097 uniform convergence rates provided asymptotic ... 2098 predicting arctic sea ice extent notoriously d... 2099 plasmids autonomously replicating genetic elem... 2100 distributional approximations bi linear functi... 2101 introduce criterion resilience allows properti... 2102 space topological defect abrikosovnielsenolese... 2103 accurate assessment risk extreme environmental... 2104 answer question extent homotopy colimits categ... 2105 formulate part rigorous theory ground states c... 2106 promising research area recently emerged use i... 2107 use monte carlo simulations explore statistica... 2108 recent developments remote sensing technologie... 2109 consider reproducing kernel function theta bar... 2110 paper consider concentration measure problem r... 2111 jpeg one widely used image formats ways remain... 2112 study problems clustering outliers high dimens... 2113 realvalued word representations transformed nl... 2114 contemporary software documentation complicate... 2115 mathsflembedding graph vertex represented math... 2116 develop novel family algorithms online learnin... 2117 objective investigate whether deep learning te... 2118 paper concerned finite sample approximations s... 2119 previous experiments open turbulent flows eg d... 2120 propose method inspired discrete light cone qu... 2121 phylogenetic networks generalise phylogenetic ... 2122 bibliometric indicators citation counts andor ... 2123 unprecedented human mobility driven rapid urba... 2124 flexibility shape scale burr xii distribution ... 2125 argo floats measure seawater temperature salin... 2126 theories knowledge reuse posit two distinct pr... 2127 consider problem matching applicants posts app... 2128 one challenging problems technological forecas... 2129 paper study ideal variable bandwidth kernel de... 2130 increase vehicle highways may cause traffic co... 2131 vslam visual simultaneous localization mapping... 2132 dielectronic recombination dr dominant mode re... 2133 structural nested mean models snmms among fund... 2134 develop reinforcement learning based search as... 2135 nonparametric fuel consumption model developed... 2136 vast majority computation brain performed spik... 2137 winds northwest quadrant lack precipitation kn... 2138 study randomly initialized residual networks u... 2139 obtain structure theorem group holomorphic aut... 2140 vision systems eagle snake outperform everythi... 2141 present web service querying embedding entitie... 2142 describe melee metalearning algorithm learning... 2143 present manybody theory explains reproduces re... 2144 potential efficient ridesharing scheme signifi... 2145 pillared graphene frameworks novel class micro... 2146 recent progress computer vision dominated deep... 2147 prove every n mathbbn delta exists word wn f l... 2148 theoretically address spin chain analogs kitae... 2149 motivated applications biological science prop... 2150 motivated applications arise online social med... 2151 pbw degenerations particularly nice family fla... 2152 paper concerned problem exact map inference ge... 2153 weyl semimetals wsms recently attracted great ... 2154 analyze performance class timedelay firstorder... 2155 explore problem intersection classification us... 2156 study liouville heat kernel l phase associated... 2157 isoperimetric inequalities form intuitive yet ... 2158 chapter revisits concept excitability basic sy... 2159 give first examples closed laplacian solitons ... 2160 markoff group transformations group gamma affi... 2161 consider spin manifold equipped line bundle l ... 2162 participatory budgeting one exciting developme... 2163 paper presents first estimate seasonal cycle o... 2164 give simple proof standard zerofree region tas... 2165 binary stars interact via mass transfer one me... 2166 paper deals skew ruled surfaces euclidean spac... 2167 ultrafast xray imaging provides high resolutio... 2168 decompose returns portfolios bottomranked lowe... 2169 nearly autonomous robotic systems use form mot... 2170 years recursive neural networks rvnns shown su... 2171 consider navierstokes flow dimensional exterio... 2172 metabolic fluxes cells governed physical bioch... 2173 archetypal analysis type factor analysis data ... 2174 function baire space natural numbers called fo... 2175 consider problem universal joint clustering re... 2176 consider general relation fixed point stabilit... 2177 redundancy universal lossless compression disc... 2178 deep learning performance strongly affected ch... 2179 propose ultranarrow dynamical control populati... 2180 bryant horsley maenhaut smith recently gave ne... 2181 modern statistical inference tasks often requi... 2182 passive kerr cavities driven coherent laser fi... 2183 present framework connects three interesting c... 2184 previous studies demonstrated empirical succes... 2185 bound factor large integers dominated computat... 2186 increasing uptake residential batteries led su... 2187 evolution cellular technologies toward g progr... 2188 training deep neural networks stochastic gradi... 2189 report design fabrication characterization ult... 2190 investigate spatial evolutionary games deathbi... 2191 provide first analysis nontrivial quantization... 2192 paper proposes detailed optimal scheduling mod... 2193 justification awareness models jams proposed s... 2194 splendid success convolutional neural networks... 2195 thomassen conjectured trianglefree planar grap... 2196 paper presents continuoustime equilibrium mode... 2197 brain display selfsustained activity ssa persi... 2198 several important applications streaming pca s... 2199 heavytailed errors impair accuracy least squar... 2200 paper analyse benefits incorporating intervalv... 2201 neutron beam monitors high efficiency low gamm... 2202 previous studies shown filamentary structures ... 2203 pandeia exposure time calculator etc system de... 2204 basic combinatorial invariant convex polytope ... 2205 recently integration geographical coordinates ... 2206 fitchstyle modal deduction modalities eliminat... 2207 recently first installment data esas gaia astr... 2208 consider randomly distributed mixtures bonds f... 2209 paper propose general framework modeling insur... 2210 paper cover several studies design changes eve... 2211 consider multidimensional optimization problem... 2212 graph powerful concept representation relation... 2213 paper considers assignment multiple mobile rob... 2214 cyclic codes efficient encoding decoding algor... 2215 prove indecomposable sigmapureinjective module... 2216 present novel continuous optimization method d... 2217 provide microeconomic framework decision trees... 2218 recent years deep reinforcement learning made ... 2219 consider problem identifying k best arms narme... 2220 recommender systems rs help users navigate lar... 2221 develop new technique based steins method comp... 2222 paper propose novel elegant solution multisour... 2223 literature inverse reinforcement learning irl ... 2224 recent work shown recursive factorisation cert... 2225 paper seeks combine differential game theory a... 2226 introduce notion depth finite group g defined ... 2227 cosmic rays originating extraterrestrial sourc... 2228 aim paper establish strong stability propertie... 2229 paper develops theory feasible estimators fini... 2230 generating realistic artificial preference dis... 2231 let momega closed dimensional manifold equippe... 2232 deep learning methods recently achieved great ... 2233 point clouds provide flexible natural represen... 2234 new challenge learning algorithms cyberphysica... 2235 study restricted isometry property rip corrupt... 2236 propose new positive definite kernels permutat... 2237 study connection synchronizing automata set mi... 2238 quest performant networks significant force dr... 2239 analyze loss landscape expressiveness practica... 2240 formulated implemented procedure generate alia... 2241 let g quasisimple algebraic group defined alge... 2242 let fn rightarrow boolean function certificate... 2243 oshimas lemma describes orbits parabolic subgr... 2244 humanintheloop machine learning user provides ... 2245 employ exponentially improved asymptotic expan... 2246 data summarization want choose k prototypes or... 2247 brms package allows r users easily specify wid... 2248 paper prove characterization k inftysuper pere... 2249 anomalies abundance measurements short lived r... 2250 establish geometric condition guaranteeing exa... 2251 paper proposes family weighted batch means var... 2252 gradientbased optimization foundation deep lea... 2253 dirichlet process mixture models dpmm cornerst... 2254 study existence uniqueness minimal right deter... 2255 study stationary photon output statistics smal... 2256 many applied settings empirical economics invo... 2257 periodograms used key significance assessment ... 2258 work consider problem predicting course progre... 2259 paper present state art quarks group su lie al... 2260 link discovery active field research support d... 2261 minimum kenclosing ball problem seeks ball sma... 2262 dependency parses effective way inject linguis... 2263 motion mechanical system defined path configur... 2264 give polynomialtime algorithm learning neural ... 2265 machine learning techniques used past using mo... 2266 main properties climate waves seasonally iceco... 2267 estimating covariances financial assets plays ... 2268 present thorough analysis interplay magnetic m... 2269 android popular smartphone system multiple pla... 2270 paper presents framework implementation online... 2271 motivated intriguing behavior displayed dynami... 2272 present software tool employs stateoftheart na... 2273 knowledge graph embedding aims translating kno... 2274 present simple phenomenological model observed... 2275 convolutional neural networks cnns become domi... 2276 positive impacts platooning travel time reliab... 2277 paper studies role dglie algebroids derived de... 2278 paper presents novel method reduce scale drift... 2279 artificial ice systems unique physical propert... 2280 nodeperturbation learning type statistical gra... 2281 recently sbmetric spaces introduced generaliza... 2282 designing decentralized policies wireless comm... 2283 paper propose analyze finite element method ha... 2284 paper investigates power control relay selecti... 2285 introduce study ternary fdistributive structur... 2286 important unsolved problem theory integrable s... 2287 work study impact chromatic focusing fewcycle ... 2288 anisotropy describes directional dependence ma... 2289 logistic linear mixed model widely used experi... 2290 prove nonadaptive algorithm tests whether unkn... 2291 language understanding key component spoken di... 2292 novel delaybased spacing policy control vehicl... 2293 reidemeister number endomorphism group number ... 2294 paper propose framework crosslayer optimizatio... 2295 many important problems modeled system interco... 2296 functional version kato oneparametric regulari... 2297 recent breakthroughs computer vision natural l... 2298 objective evaluate unsupervised clustering met... 2299 report structural optical temperature frequenc... 2300 let xrightarrow mathbb p elliptically fibered ... 2301 paper propose use quantum genetic algorithm op... 2302 present visiononly model gaming ai uses late i... 2303 several kinds differential relations polynomia... 2304 paper studies holomorphic semicocycles semigro... 2305 work plan develop system compare virtual machi... 2306 emergence intellectual property academic issue... 2307 paper consider cubic fourthorder nonlinear sch... 2308 thesis study problem feature learning heteroge... 2309 introduce new boundary integral operators exac... 2310 granular materials complex multiparticle ensem... 2311 stochastic matching problem given general nece... 2312 prevention domestic violence dv aroused seriou... 2313 paper show attain capacity discrete symmetric ... 2314 avionics one kind domain prevention prevails n... 2315 recent research revealed output deep neural ne... 2316 investigate special dam optimal location volga... 2317 protondriven plasma wakefield acceleration dem... 2318 convolutional neural networks subject great im... 2319 paper first work perform spatiotemporal mappin... 2320 paper studies structure parabolic partial diff... 2321 paper generally formulate dynamics prediction ... 2322 graphs important tool model data different dom... 2323 context past decade sensitive resolved sunyaev... 2324 disjointset forests consisting unionfind trees... 2325 paper study problem exploring translating plum... 2326 present paper shows warped riemannian metrics ... 2327 look stochastic optimization problems lens sta... 2328 study single machine scheduling problem object... 2329 rural building mapping paramount support demog... 2330 problem suppressing scattering conductive obje... 2331 accurate robust simulation transcritical realf... 2332 given substitution tiling plane subdivision op... 2333 detection molecular species atmospheres earthl... 2334 discuss several issues related classical space... 2335 study convergence parameter family series valp... 2336 stationary homogeneous markov processes viz lv... 2337 consider smooth complex quasiprojective variet... 2338 describe list open problems random matrix theo... 2339 proposed semiparametric estimation procedure o... 2340 spectra starforming hii regions ngc observed u... 2341 problem outputonly parameter identification no... 2342 half million individuals diagnosed head neck c... 2343 consider problem detecting targets among large... 2344 number imageprocessing problems formulated opt... 2345 adversarial example example adjusted produce w... 2346 propose homotopy continuation method called fl... 2347 user participation considered effective way co... 2348 article consider equivariant schrdinger map bb... 2349 collection arbitrarilyshaped solid objects mov... 2350 reinforcement learning agent tries maximize cu... 2351 structure composition electrophysical characte... 2352 work describes development highresolution tact... 2353 upcoming fermilab e experiment measure muon an... 2354 previous work koenig ovsienko second author sh... 2355 telecom companies severely damaged bypass frau... 2356 observed many thin superconducting films high ... 2357 goal scenario reduction approximate given disc... 2358 relationship scientific knowledge development ... 2359 learning mixture models viewed clustering prob... 2360 resolving abstract anaphora important difficul... 2361 present effective harmonic density interpolati... 2362 many problems computer vision recommender syst... 2363 classical novae show rapid rise optical bright... 2364 work compare thermophysical properties particl... 2365 recovering lowrank structures via eigenvector ... 2366 present use fitted q iteration algorithmic tra... 2367 finite rank median spaces simultaneous general... 2368 explaining underlying causes effects events ch... 2369 propose type system reasoning protocol conform... 2370 homomorphism graph g graph h function vertices... 2371 consider spatially homogeneous boltzmann equat... 2372 materials science adopted term auxetic behavio... 2373 asymptotics maximum likelihood estimation alph... 2374 deep neural networks dnns emerged core tool ma... 2375 marshall olkin biometrika introduced powerful ... 2376 rapid improvements machine learning past decad... 2377 paper studies dynamics networkbased sirs epide... 2378 every qin mathbb n let textrmfoq denote class ... 2379 community analysis important way ascertain whe... 2380 composite adaptive control schemes use system ... 2381 introduce new critical value cinftyl tonelli l... 2382 analyze decentralized random walkbased algorit... 2383 fan region one dominant features polarized rad... 2384 determining redshift distribution nz galaxy sa... 2385 paper develop novel computational sensing fram... 2386 nowadays construction complex robotic system r... 2387 joint sparse recovery problem generalization s... 2388 dynamics infectious diseases spread crucial de... 2389 investigate dynamical complexity cournot oligo... 2390 mathematical modelers long known rule thumb re... 2391 egbert brieskorn died july days th birthday im... 2392 exploiting fullduplex fd technology base stati... 2393 consider task motion planning complex dynamic ... 2394 recently deep neural networks dnns regarded st... 2395 sequential monte carlo smc methods class monte... 2396 incoming electron reflected back hole normalme... 2397 examine dynamics entanglement entropy parts op... 2398 aggressive incentive schemes allow individuals... 2399 nearby space surrounding earth densely populat... 2400 characterize photonic transport boundary drive... 2401 show empirically optimal strategy parameter av... 2402 compare longterm fractional frequency variatio... 2403 bootstrap current flow velocity lowcollisional... 2404 use hubble space telescope obtain wfcfw imagin... 2405 society faces fundamental global problem under... 2406 paper establishes convergence rate bounds vari... 2407 paper address basic problem recognizing moving... 2408 klavs f jensen warren k lewis professor chemic... 2409 complexity size stateoftheart cell models sign... 2410 introduce new method building models ch togeth... 2411 paper propose hamiltonian approach gapped topo... 2412 paper considers nonhermitian zakharovshabat zs... 2413 central goal thesis develop methods experiment... 2414 given matrix mathbfainmathbbrntimes vector b i... 2415 autonomous robots increasingly depend thirdpar... 2416 silicon photomultipliers sipms potential solid... 2417 experiments may reveal full import time perfor... 2418 study statistical computational aspects kernel... 2419 consider population n agents communicate decen... 2420 note show mutation theory species potential de... 2421 use generalized hierarchical equation motion p... 2422 consider groundstate properties rashba spinorb... 2423 solving global method weighted least squares w... 2424 work builds earlier results define universal e... 2425 residual network resnet stateoftheart architec... 2426 second generation gravitational wave detectors... 2427 surprising diversity different products hyperg... 2428 simple scaling consideration nrg solution one ... 2429 paper proposes deep convolutional neural netwo... 2430 recurrent neural networks rnns attention mecha... 2431 paper describes faraday room shields cuore exp... 2432 describe benchmark study collective nonlinear ... 2433 correlated random fields common way model depe... 2434 deep learning approaches convolutional neural ... 2435 spat signal phase timing message describes lan... 2436 paper propose novel method estimate characteri... 2437 work novel approach presented solve problem tr... 2438 flexibility key enabler smart grid required fa... 2439 paper describes duluth system participated sem... 2440 work presents innovative application wellknown... 2441 stellar evolution models uncertain evolved mas... 2442 study complexity short sentences presburger ar... 2443 mean square error mse preferred choice loss fu... 2444 introduce new application measuring symplectic... 2445 consider problem undirected graphical model in... 2446 highdoserate brachytherapy tumor treatment met... 2447 use scattering network generic fixed initializ... 2448 studied lagged linear regression used detect p... 2449 develop complexity measure largescale economic... 2450 net contribution strange quark spins proton sp... 2451 carmesin federici georgakopoulos arxiv constru... 2452 consider machine learning comparisonbased sett... 2453 predicting completion time business process in... 2454 quantum annealing qa generic method solving op... 2455 unwanted variation highly problematic detectio... 2456 present alma co detections gasrich cluster gal... 2457 anatomical biophysical modeling left atrium la... 2458 data assimilation widely used improve flood fo... 2459 presence ubiquitous magnetic fields universe s... 2460 study model two species onedimensional linearl... 2461 positive semidefinite rank convex body c size ... 2462 investigate holonomy group singular khlereinst... 2463 selective classification techniques also known... 2464 cognitive computing systems require human labe... 2465 demonstrate random bit streaming system uses c... 2466 investigated electronic states spin polarizati... 2467 quality assurance performance qualification la... 2468 search signature universal properties extreme ... 2469 present search metal absorption line systems h... 2470 year number smartphone users globally reach bi... 2471 motivated model independent pricing derivative... 2472 paper aims provide better understanding symmet... 2473 ease integration coupled large secondorder non... 2474 prove cyclic quadrilateral inscribed closed co... 2475 prove free noncyclic group f hhat fmathbb q ma... 2476 intentional unintentional contacts bound occur... 2477 number published findings biomedicine increase... 2478 consider classical problem control inverted pe... 2479 refactoring maintenance activity aims improve ... 2480 second series papers construct invariant fourd... 2481 bayesian inference via standard markov chain m... 2482 kernel trick concept formulated inner product ... 2483 seminal paper caponnetto de vito provides mini... 2484 propose supervised algorithm generating type e... 2485 network embedding aims find way encode network... 2486 automated program repair apr attracted widespr... 2487 study tries explain connection communication m... 2488 introduce model anonymous games player depende... 2489 work study problem minimizing sum strongly con... 2490 show forming connected sum homotopy sphere jco... 2491 introduce technique automatically tune paramet... 2492 paper introduce two new nonsingular kernel fra... 2493 several domains obtaining class annotations ex... 2494 number studies analysis remote sensing images ... 2495 multiarmed restless bandit problem studied cas... 2496 iteratively reweighted ell algorithm popular a... 2497 object oriented software development analysis ... 2498 perspective provides examples current future a... 2499 explicit description virtualization map modifi... 2500 mechanisms underlying cardiac fibrillation inv... 2501 paper propose informationtheoretic exploration... 2502 introduce probabilistic generative adversarial... 2503 reversible jump markov chain monte carlo rjmcm... 2504 define compactifications vector spaces functor... 2505 show mfold connected sum mmathbbcmathbbpn admi... 2506 present microscopic theory raman scattering tw... 2507 work study robust subspace tracking rst proble... 2508 paper argue adoption normative definition fair... 2509 understanding tie strength social networks fac... 2510 paper considers nonstationary responses reduce... 2511 investigation social influence dynamics requir... 2512 weighted knearest neighbors algorithm one fund... 2513 important novelty g role transforming industri... 2514 consider reinforcement learning rl setting age... 2515 study threewave truncation recently proposed d... 2516 future likely see even pervasive computation c... 2517 skodas result ideal generation crucial ingredi... 2518 one defining properties deep learning models c... 2519 dielectric microstructures generated much inte... 2520 given zerodimensional ideal polynomial ring ma... 2521 paper introduce concept virtual machine grapho... 2522 present selfcontained proof uhlenbecks decompo... 2523 consider problem making distributed computatio... 2524 present straightforward sourcetosource transfo... 2525 investigate open dynamics atomic impurity embe... 2526 composition lattice join transitive closure un... 2527 propose simple risklimiting audit elections cl... 2528 paper study category lca certain nonlocally co... 2529 study sample paths random walk first time cros... 2530 cell migration fundamental process involved ph... 2531 recent work proposed various adversarial losse... 2532 detection thousands extrasolar planets transit... 2533 define nearestneighbour point processes graphs... 2534 one challenges modelbased control stochastic d... 2535 health care one exciting frontiers data mining... 2536 let x normal connected projective variety alge... 2537 pressure driven flow contact interface elastic... 2538 species tree reconstruction genomic data incre... 2539 paper establish characterization weighted bmo ... 2540 represent matrn functions terms schoenbergs in... 2541 hassewitt matrix hypersurface mathbb pn finite... 2542 propose study problem fewshot learning prism i... 2543 report precise measurement atomic mass single ... 2544 distribution cold gas postreionization era pro... 2545 assume selfadjoint operator hilbert space math... 2546 formulate propose algorithm multirank ranking ... 2547 given combinatorial design mathcald block set ... 2548 growing literature affect among software devel... 2549 propose typesafe abstraction tensors ie multid... 2550 exploiting sparsity enables hardware systems r... 2551 densitybased clustering techniques used wide r... 2552 propose fast proximal newtontype algorithm min... 2553 use grey forecast model predict future energy ... 2554 text password long dominant user authenticatio... 2555 randomized experiments critical tools decision... 2556 planets solar system divide neatly atmospheres... 2557 plated onto substrates cell morphology even st... 2558 agentbased computing diverse research domain c... 2559 novel topological phases correlated electron s... 2560 motivated current interest understanding mott ... 2561 opinion mining sentiment analysis social media... 2562 developing dialogue agent capable making auton... 2563 weakstrong uniqueness result proved measureval... 2564 gradient descent coordinate descent well under... 2565 inverse reinforcement learning irl aims explai... 2566 one hand consider problem finding global solut... 2567 step expert taxa recognition currently slows r... 2568 thermoelectric te materials achieve localised ... 2569 million scholarly articles published constitut... 2570 bayesian optimization sampleefficient approach... 2571 present muse kmos dynamical study starforming ... 2572 aim finegrained recognition identify subordina... 2573 many hard conjectures graph theory like tuttes... 2574 modern theories galaxy formation predict galax... 2575 deep learning involves difficult nonconvex opt... 2576 attention personalized mental health care thri... 2577 robust estimation much challenging high dimens... 2578 graphenemos heterojunction formed joining two ... 2579 let p prime pgroup g defined semiextraspecial ... 2580 lack diversity genetic algorithms population m... 2581 work analyze problem adoption mobile money pak... 2582 prove cherlins conjecture concerning binary pr... 2583 article concerns expressive power depth neural... 2584 ji matouek many breakthrough contributions mat... 2585 modern neural networks often augmented attenti... 2586 intrinsically motivated spontaneous exploratio... 2587 previous research traditionally analyzed emoji... 2588 concept cclass differential equations goes bac... 2589 interval estimation quantiles treated many lit... 2590 recent years large body research demonstrated ... 2591 texture characterization key problem image und... 2592 images spectra open cluster ngc obtained gmos ... 2593 present exact ground state solution quantum di... 2594 study instability standing wave solutions nonl... 2595 paper proposes matrixweighted consensus algori... 2596 study strategic version multiarmed bandit prob... 2597 recent focus accessibility field researchers a... 2598 machine learning quantum computing two technol... 2599 using password based authentication technique ... 2600 paper study analytical approach selecting expa... 2601 paper study behavior fractions factorial desig... 2602 biomedical events describe complex interaction... 2603 nowadays quite evident knowledgebased society ... 2604 bilinear matrix inequality bmi problems system... 2605 carried transient nonlinear transport measurem... 2606 compression computational efficiency deep lear... 2607 discrete modeling approach hybrid control syst... 2608 paper proposes privacypreserving distributed r... 2609 study methods estimate drivers posture vehicle... 2610 propose new smoothed median wilcoxons rank sum... 2611 study neverworse relation nwr markov decision ... 2612 network tunnel part path protocol encapsulated... 2613 paper summarizes development lvcsr system buil... 2614 understand narrative humans draw inferences un... 2615 define notion hombatalinvilkovisky algebras st... 2616 paper viewed complement earlier result paper m... 2617 establish four supercongruences truncated f hy... 2618 multiple classifiers fusion localization techn... 2619 embedding graph nodes vector space allow use m... 2620 introduce kernel lasso klasso optimization sim... 2621 consider problem reconstructing signals images... 2622 identify multirole logic new form logic conjun... 2623 work present novel astrid method investigating... 2624 paper propose modified levy jump diffusion mod... 2625 present test quantify well approximate methods... 2626 advances wireless sensor network wsn provided ... 2627 samples common mean possibly different ordered... 2628 report discovery constrain physical conditions... 2629 article proposes numerical scheme computing ev... 2630 reproducibility scientific research become poi... 2631 prove tate beilinson parshin conjectures invar... 2632 dueling bandits problem online learning framew... 2633 presence dusty debris around main sequence sta... 2634 based quasionedimensional limit quantum hall s... 2635 onboard operating systems becoming increasingl... 2636 obtain spectral gap characterization strongly ... 2637 dynamic neural network toolkits pytorch dynet ... 2638 clustering process finding analyzing underlyin... 2639 deep learning models require extensive archite... 2640 actions autonomous vehicle road affect affecte... 2641 paper introduces method efficiently inferring ... 2642 understanding structure zno surface reconstruc... 2643 paper consider problem determining two tensor ... 2644 quantile ratio index introduced prendergast st... 2645 paper considers practical scenario classical e... 2646 persistence diagram cohensteiner edelsbrunner ... 2647 firstorder optimization algorithms often prefe... 2648 datacenterbased cloud computing services provi... 2649 prove q power every complex irreducible repres... 2650 paper discuss application extreme value theory... 2651 help transfer entropy analyze information flow... 2652 many problems machine learning related applica... 2653 previous article derived detailed asymptotic e... 2654 work propose novel robot learning framework ca... 2655 scientific publishing conveys outputs academic... 2656 present multiquery recovery policy hybrid syst... 2657 tdistributed stochastic neighborhood embedding... 2658 winds arising galaxies star clusters active ga... 2659 neural models enjoy widespread use across vari... 2660 paper propose novel ranking framework collabor... 2661 paper introduces consensusbased primaldual met... 2662 proportional odds model gives method generatin... 2663 describe global embeddings fractional branes o... 2664 consider nilpotent element e simple complex li... 2665 consider problem proving point given set state... 2666 estimation logconcave density mathbbr canonica... 2667 metric graphs special types metric spaces used... 2668 critcal exponent omega evaluated ddimensions g... 2669 article presents framework develops formulatio... 2670 active learning relevant challenging highdimen... 2671 last decades psychologists developed sophistic... 2672 comprehensive two dimensional gas chromatograp... 2673 panel data analysis important topic statistics... 2674 order understand origin observed molecular clo... 2675 theoretically investigate dispersion polarizat... 2676 paper develop new approach discriminant comple... 2677 digraph corresponding every square matrix math... 2678 study loschmidt echo quenches open onedimensio... 2679 new prior proposed representation learning com... 2680 propose multiscale edgedetection algorithm sea... 2681 inspired recent work baoulina give simultaneou... 2682 paper study fractional poisson process fpp tim... 2683 adaptive fourier decomposition afd precisely a... 2684 due growth geotagged images recent web mobile ... 2685 electron cryotomography ect enables visualizat... 2686 use kotliarruckenstein slaveboson formalism st... 2687 schmerl beklemishevs work iterated reflection ... 2688 internet things iot next big evolutionary step... 2689 paper propose new approach cwikel estimates eu... 2690 uncertainty analysis form probabilistic foreca... 2691 asynchronousparallel algorithms potential vast... 2692 groundstate magnetic response fullerene molecu... 2693 show discrete distributions ddimensional nonne... 2694 incorporation macroactions temporally extended... 2695 current dominant visual processing paradigm hu... 2696 describe algorithms symbolic reasoning executa... 2697 timedomain global similarity tdgs method trans... 2698 dark matter interactions standard model partic... 2699 develop strong diagnostic bubbles crashes bitc... 2700 formaldehyde megamaser emission mapped three h... 2701 inference prediction control complex dynamical... 2702 paper presents new framework analysing forensi... 2703 ferromagnetic semiconductors fmss properties f... 2704 efficient extraction useful knowledge data sti... 2705 accretion planetary material onto host stars m... 2706 use cotrapped ion mathrmsr sympathetically coo... 2707 infraredir astronomical databases namely iras ... 2708 decisions machine learning ml models become ub... 2709 activity developed resource eu space awareness... 2710 work propose fit sparse logistic regression mo... 2711 study complexity approximating independent set... 2712 paper considers use machine learning ml medici... 2713 present nearinfrared direct imaging search acc... 2714 prove contact manifold admits open book decomp... 2715 usual condition volume geodesic ball close euc... 2716 uncertainty computation deep learning essentia... 2717 availability research datasets keystone health... 2718 deep learning models graphs achieved strong pe... 2719 energymomentum tensors electromagnetic field m... 2720 control electric currents solids origin modern... 2721 present results first measurements timecorrela... 2722 paper provides mathematical approach study met... 2723 ccs naveed et al presented first attacks effic... 2724 condensate spin atoms frozen unique spatial mo... 2725 empirically neural networks attempt learn prog... 2726 conducting large scale inference genomewide as... 2727 objects moving fluids experience patterns stre... 2728 recent studies show fast growing expansion win... 2729 shortcircuit evaluation denotes semantics prop... 2730 describe communication game conjecture game wh... 2731 finite field odd cardinality q show sequence i... 2732 present second cadence observations ngc chimer... 2733 bipartite networks manifest stream edges repre... 2734 background performance bugs lead severe issues... 2735 classical coupling constructions arrange copie... 2736 primary motivation much software analytics dec... 2737 increasing richness volume especially types da... 2738 taxi demand prediction important building bloc... 2739 explored optimal frequency interstellar photon... 2740 present asymptotic criterion determine optimal... 2741 note study seifert rational homology spheres t... 2742 investigate impact resonant gravitational wave... 2743 present detection longperiod rv variations hd ... 2744 personalized learning system needs large pool ... 2745 paper contribution study universal horn fragme... 2746 supermassive black hole smbh binaries residing... 2747 web applications require access filesystem man... 2748 fully realizing potential acceleration deep ne... 2749 physical layer security uplink wireless commun... 2750 develop new modeling framework intersubject an... 2751 nanoscale quantum probes nitrogenvacancy centr... 2752 optimization plays key role machine learning r... 2753 centrality metrics among main tools social net... 2754 removal noise typically correlated time wavele... 2755 understanding variations genome sequences assi... 2756 design reinforcement learning agents avoid cau... 2757 introduce state classification problem scp hyb... 2758 tree ensemble models random forests boosted tr... 2759 formalism augment classical models equation st... 2760 knowledge distillation kd consists transferrin... 2761 annual cost cybercrime global economy estimate... 2762 surface plasmon waves carry intrinsic transver... 2763 work introduce declarative statistics suite de... 2764 phase cresstii detector modules operated two y... 2765 problem construction ladder operators rational... 2766 classical principle probability theory suffici... 2767 synthesized new iron oxyarsenides klnfeaso ln ... 2768 present paper introduces initial implementatio... 2769 time projection chamber tpc chosen main tracki... 2770 classify invariants functor powers fundamental... 2771 paper first present adaptive distributed obser... 2772 recent results laca raeburn ramagge whittaker ... 2773 manufacture steel metals mainly cut shaped fab... 2774 recently shown architectural regularization re... 2775 define secondorder neural network stochastic g... 2776 word embeddings powerful approach unsupervised... 2777 analyse homotopy types gauge groups principal ... 2778 define integral form deformed walgebra type gl... 2779 aim paper present new logicbased understanding... 2780 plasmons collective excitations electrons bulk... 2781 describe procedure naturally associating relat... 2782 study challenges applying deep learning gene e... 2783 novel lowbandgap copolymer oligomers proposed ... 2784 propose efficient accurate measure ranking spr... 2785 paper study learn stochastic multimodal transi... 2786 publication trend physics education employing ... 2787 selforganization natural phenomenon emerges sy... 2788 finite abstract simplicial complex g defines t... 2789 chaos ergodicity cornerstones statistical phys... 2790 years many different indexing techniques searc... 2791 contour integration crucial technique many num... 2792 goal study develop efficient numerical algorit... 2793 goldstone modes massless particles resulting s... 2794 paper provides link causal inference machine l... 2795 traditional medicine typically applies onesize... 2796 leakage polarized galactic diffuse emission to... 2797 paper proposes joint framework wherein lifting... 2798 present working framework establish finite abe... 2799 investigate problem testing equivalence two di... 2800 physicallayer group secretkey gsk generation e... 2801 interactive reinforcement learning irl extends... 2802 south central american countries prepare incre... 2803 study systematically investigate impact class ... 2804 let gamma leq mathrmauttd times mathrmauttd gr... 2805 present paper algorithms solving stiff pdes un... 2806 machine learning algorithms prediction increas... 2807 introduction zwanzigmorigtzewlfle memory funct... 2808 multilabel learning problem large number label... 2809 correct one erroneous statement made recent pa... 2810 nextgeneration ax wlans make extensive use mul... 2811 belief three dimensional space infinite flat a... 2812 twinning important deformation mode hexagonal ... 2813 femtosecond optical pulses midinfrared frequen... 2814 optical diffraction tomography multiply scatte... 2815 optical tweezers enabled important insights in... 2816 essay investigate observational signatures loo... 2817 many modern machine learning applications stru... 2818 correlation networks used detect characteristi... 2819 existing neural conversational models process ... 2820 paper energy efficient power allocation downli... 2821 composite fermion cf formalism produces wave f... 2822 kcut problem given edgeweighted graph g intege... 2823 paper analyses detail dynamics neighbourhood g... 2824 paper deals existence regularity positive solu... 2825 among manifold takes world literature goal con... 2826 investigate task clustering deeplearning based... 2827 roles played learning memorization represent i... 2828 evaluating return ad spend roas causal effect ... 2829 nevilles algorithm known provide efficient num... 2830 traditional linear methods forecasting multiva... 2831 continually increasing number documents produc... 2832 present method efficient learning control poli... 2833 prove upper bounds mean square remainder prime... 2834 define novel extensional threevalued semantics... 2835 spectroscopic surveys require fast efficient a... 2836 microservice architecture msa novel servicebas... 2837 robojam machinelearning system generating musi... 2838 report measurements de haasvan alphen effect l... 2839 associate albert form pair cyclic algebras pri... 2840 nonlinear cyclic system delay overall negative... 2841 automatic welding tubular tky joints important... 2842 prove killing rate certain degreelowering recu... 2843 neural models become ubiquitous automatic spee... 2844 diffusion mri dmri valuable tool assessment ti... 2845 empirical risk minimization erm ubiquitous mac... 2846 deep learning searches nonlinear factors predi... 2847 admm popular algorithm solving convex optimiza... 2848 prove finite jet determination finitely smooth... 2849 present mathematical analysis nonconvex energy... 2850 inspired biophysical principles underlying non... 2851 entropy random variable wellknown equal expone... 2852 paper consider solving class nonconvex nonsmoo... 2853 paper present novel deep fusion architecture a... 2854 recently twodimensional canonical correlation ... 2855 wide adoption smartphones mobile applications ... 2856 hybridized moleculemetal interfaces ubiquitous... 2857 detection mostly geomagnetically generated rad... 2858 study regret guarantees nonstochastic multiarm... 2859 paper presents novel concept analyzes visualiz... 2860 study classes atomic models att countable comp... 2861 study problem estimating mean random vector x ... 2862 study problem containing epidemic spreading pr... 2863 paper investigate possibility applying plan tr... 2864 computer vision applications domain adaptation... 2865 among mobile cloud applications mobile cloud g... 2866 cosmic ray intensities cris recorded sixteen n... 2867 many developing countries public transit plays... 2868 consider class magnetic fields defined interio... 2869 lung diseases related bronchial airway structu... 2870 paper present design implementation robust mot... 2871 recent years number prominent computer scienti... 2872 number examples variations hodge structure max... 2873 recent results coupled temporal graphical mode... 2874 distributed algorithm described finding common... 2875 metric measure space treat set distributions l... 2876 distributed ledger technologies rely consensus... 2877 study complexity approximations normalized inf... 2878 training data rapid growth largescale parallel... 2879 hyperparameter tuning black art automatically ... 2880 present deep generalized canonical correlation... 2881 main question graphical models causal inferenc... 2882 give lower bound multipliers repelling periodi... 2883 show within linear approximation bcs theory we... 2884 predicting personality essential social applic... 2885 propose novel couple mappings method low resol... 2886 various sectors likely carry set emerging appl... 2887 let g circulant graph cns ssubseteq ldotsleft ... 2888 barrier options one widely traded exotic optio... 2889 generalizedensemble monte carlo simulations mu... 2890 compared positions gaia first data release dr ... 2891 analysis manifoldvalued data requires efficien... 2892 paper presents graph fourier transform gft sig... 2893 dempstershafer evidence theory wildly applied ... 2894 could use computer vision internet things usin... 2895 interpretability deep neural networks recently... 2896 graph matching two correlated random graphs re... 2897 semisupervised learning deals problem possible... 2898 obtain essential spectral gap convex cocompact... 2899 work several semantic approaches conceptbased ... 2900 start survey program using fors long slit spec... 2901 nin mathbbn let sn smallest number satisfying ... 2902 advection equation basis mathematical models c... 2903 functional time series become integral part fu... 2904 benfords law empirical observation first repor... 2905 synchronization occurs nonchaotic chaotic syst... 2906 deformation disordered solids relies swift loc... 2907 reproducing kernel hilbert space rkhs embeddin... 2908 work consider presence contrarian agents discr... 2909 develop unified valuation theory incorporates ... 2910 use trace class scattering theory exclude poss... 2911 weyl fermions shown exist inside parabolic ban... 2912 recent success deep neural networks dnns drast... 2913 despite long record intense efforts basic mech... 2914 paper addresses image classification learning ... 2915 recurrent neural nets rnn convolutional neural... 2916 derive new estimates number discrete eigenvalu... 2917 recently low displacement rank ldr matrices so... 2918 classification rules severely affected presenc... 2919 finding exact integrality gap alpha lp relaxat... 2920 gaussian mixture models widely used statistics... 2921 paper consider generalized extension eisenberg... 2922 intensionality phenomenon occurs logic computa... 2923 twopart paper details theory solvability power... 2924 neat result functional programming libraries p... 2925 article study role green function laplacian co... 2926 rising need secret image sharing high security... 2927 paper introduce matmpc open source software bu... 2928 propose copula based method handle missing val... 2929 cooling rotation vibration molecules broadband... 2930 numerous pattern recognition applications form... 2931 participating electricity markets owners batte... 2932 design analyse variations classical thompson s... 2933 experimentally study steady marangonidriven su... 2934 study asymptotic behavior homotopy groups simp... 2935 rectangle packing problems given task placing ... 2936 aim work study existence periodic solutions th... 2937 understanding entanglement structure outofequi... 2938 transfer learning potential reduce burden data... 2939 erdsginzburgziv constant abelian group g denot... 2940 success deep learning numerous application dom... 2941 show discourse structure defined rhetorical st... 2942 grid based binary holography gbh attractive me... 2943 present spatially spectrallyresolved observati... 2944 nowadays availability largescale data disparat... 2945 present homogeneous set accurate atmospheric p... 2946 procedure design fixedgain tracking filters us... 2947 magnetically active stars possess stellar wind... 2948 report electronic band structures concomitant ... 2949 given set data one central goal group clusters... 2950 active particles interact hydrodynamically dis... 2951 many applications machine learning example hea... 2952 experimentally study stability bosonic mottins... 2953 present scheme nanoscopic imaging quantum mech... 2954 present deep learning approach isic skin lesio... 2955 nonlinear dynamics lesser extent fields widely... 2956 ungrammatical sentence key cabinets table know... 2957 photographic dataset collected testing image p... 2958 human learning complex process future behavior... 2959 follow dual approach coxeter systems show weyl... 2960 emerging advancement branch autonomous robotic... 2961 game theory emerged novel approach coordinatio... 2962 advances deep learning led substantial increas... 2963 able fall safely necessary motor skill humanoi... 2964 collisional shift transition constitutes impor... 2965 generating music medleys finding optimal permu... 2966 investigate focusing coupled ptsymmetric nonlo... 2967 performed magnetic susceptibility heat capacit... 2968 goal paper present endtoend datadriven framewo... 2969 spirou near infrared spectropolarimeter destin... 2970 construct energydependent potentials schroedin... 2971 paper intended introduction algebraic geometry... 2972 principle common cause claims improbable coinc... 2973 report discovery analysis metalpoor damped lym... 2974 paper explore remarkable similarities multitra... 2975 existing works building soliton transmission s... 2976 paper concerned approach shape analysis based ... 2977 health economic evaluation studies widely used... 2978 today freshwater important ever contaminated t... 2979 despite appearance numerous new materials iron... 2980 study bulk surface nonlinear modes modified on... 2981 possibility topological kosterlitzthoulesskt t... 2982 short coherence lengths characteristic lowdime... 2983 work investigate potential tetragonal l ordere... 2984 joint value risk var expected shortfall es qua... 2985 paper addresses hydrodynamic behavior sphere c... 2986 many realworld binary classification tasks eg ... 2987 researchers attempted model information diffus... 2988 extended form classical polynomial cubic bspli... 2989 develop method study implied volatility exotic... 2990 consider problem designing risksensitive optim... 2991 one significant goals modern science establish... 2992 g algebraic group type al algebraically closed... 2993 report detection prebiotic molecule chnco sola... 2994 qualgebra g set two binary operations satisfy ... 2995 dimension reduction visualization staple data ... 2996 introduce new model building conditional gener... 2997 work build recent advances distributional rein... 2998 bacterial genome organized structure called nu... 2999 single equation system linear equations estima... 3000 consider spatially extended systems interactin... 3001 global historical climatology networkdaily dat... 3002 understanding mechanism heterojunction importa... 3003 two decades ago tsfasman boguslavsky conjectur... 3004 vortex refracts surface waves momentum flux ca... 3005 microtubules mts filamentous protein polymers ... 3006 intrinsic stacking fault energy isfe gamma mat... 3007 paper address problem electing committee among... 3008 estimating structure directed acyclic graphs d... 3009 consider problem efficient packet disseminatio... 3010 much attention given literature effects astrop... 3011 dna flexible molecule degree flexibility subje... 3012 although aviation accidents rare safety incide... 3013 adaptive optimization algorithms adam rmsprop ... 3014 modelbased optimization methods discriminative... 3015 effects spinorbit interactions condensed matte... 3016 paper study twosided tilting complexes preproj... 3017 propose analyze method semisupervised learning... 3018 staphylococcus aureus responsible nosocomial i... 3019 understanding ideas relate fundamental questio... 3020 paper presents general graph representation le... 3021 trajectory optimization controlled dynamical s... 3022 monolayer semiconductor transition metal dicha... 3023 policy evaluation value function qfunction app... 3024 prove c subsequence thuemorse sequence mathbf ... 3025 paper extends method introduced rivi et al b m... 3026 wigners little groups subgroups lorentz group ... 3027 present moa collaboration light curve data pla... 3028 develop nogo theorem twodimensional bosonic sy... 3029 neural networks function approximators achieve... 3030 polarised neutron diffraction measurements mad... 3031 paper generalize main result manifolds necessa... 3032 streaming graph graph formed sequence incoming... 3033 study existence multiplicity semiclassical sta... 3034 recently flourishing notable interest crystall... 3035 obtain minimal dimension matrix representation... 3036 motivated increasing integration among electri... 3037 providing diagnostic feedback growth crucial f... 3038 machine learning community become increasingly... 3039 simulation systems become essential component ... 3040 investigate schemetheoretic variant whitney co... 3041 vo samples grown different oxygen concentratio... 3042 present state interaction spinorbit coupling m... 3043 quantum transport studied nonequilibrium ander... 3044 correct classification breast cancer subtypes ... 3045 semilagrangian methods numerical methods desig... 3046 many studies undertaken using machine learning... 3047 nearestneighbor search dominates asymptotic co... 3048 minimal deterministic finite automaton dfa uni... 3049 applications deep learning big data analytics ... 3050 cryptography block ciphers fundamental element... 3051 present numerical studies two photonic crystal... 3052 paper extension monadic secondorder logic infi... 3053 calcium imaging data promises transform field ... 3054 sequential decision making problems structured... 3055 patientspecific cranial implants important nec... 3056 information concentration probability measures... 3057 paper give account dans reduction method reduc... 3058 compression neural networks nn become highly s... 3059 paper propose method designing lowdimensional ... 3060 modern large scale machine learning applicatio... 3061 bacterial communities rich social lives welles... 3062 study frobenius extensions freefiltered totall... 3063 consider burgers equation posed outer communic... 3064 describe markov latent state space mlss model ... 3065 new characterization cmorn established local m... 3066 show task question answering qa significantly ... 3067 define map fcolon xto phantom map relative map... 3068 current iso standards pertaining concepts syst... 3069 prove two main results concerning mesoprimary ... 3070 emerging economies frequently show large compo... 3071 find cusp densities hyperbolic knots sphere de... 3072 accurate ondevice keyword spotting kws low fal... 3073 paper presents new compact canonicalbased algo... 3074 generalize natural cross ratio ideal boundary ... 3075 previous work studied interconnected bursting ... 3076 introduce multiplexing crossing replacing clas... 3077 paper presents development adaptive algebraic ... 3078 investigate automatic differentiation hybrid m... 3079 initial rv characterisation enigmatic planet k... 3080 building effective enjoyable safe autonomous v... 3081 periodic array atomic sites described within t... 3082 paper proposes deep cerebellar model articulat... 3083 transient stability simulation largescale inte... 3084 web portals served excellent medium facilitate... 3085 role portfolio construction implementation equ... 3086 paper propose function space approach represen... 3087 construct model random groups rank show model ... 3088 theoretically study transport properties onedi... 3089 lasso elastic net linear regression models imp... 3090 el niosouthern oscillation enso mode interannu... 3091 one key challenges operations researchers solv... 3092 optimization algorithm hyperparameters crucial... 3093 paper develops detailed mathematical statistic... 3094 sum largedimensional random matrix polynomial ... 3095 composition web services promising approach en... 3096 present automatic measurement platform enables... 3097 jf aarnes introduced concept quasimeasures com... 3098 extend framework complexity operators analysis... 3099 deep generative models provide powerful tools ... 3100 advances deep learning natural images prompted... 3101 investigate frequentist properties bayesian pr... 3102 convex optimizationbased method proposed numer... 3103 enactive approach cognition typically proposed... 3104 study computable topological spaces semicomput... 3105 present theoretical experimental study boundar... 3106 dynamic secondary spectra many pulsars show ev... 3107 presented study parentteacher disruptive behav... 3108 poissonfermi model extension classical poisson... 3109 study several aspects recently introduced fixe... 3110 introduce coroica confoundingrobust independen... 3111 diversificationbased learning dbl derives coll... 3112 canonical correlation analysis family multivar... 3113 field braincomputer interfaces poised advance ... 3114 many phenomena collisionless plasma physics re... 3115 paper generalized notion lambdaradial contract... 3116 using probabilistic argument show second bound... 3117 programming computable functions pcf simplifie... 3118 analysis solar magnetic fields using observati... 3119 topological data analysis persistent homology ... 3120 study problem computing textscmaxima set n ddi... 3121 pointed nonsingular cosmological solutions sec... 3122 nmda receptors nmdar typically contribute exci... 3123 aligning sequencing reads graph representation... 3124 ensembles classifier models typically deliver ... 3125 rotating continuum particles attracted gravity... 3126 studied critical properties contact process sq... 3127 new strouhalreynolds number relationship stabr... 3128 randomizedfeature approach successfully employ... 3129 recent discovery direct link sharp peak electr... 3130 paper proposes new specification tests conditi... 3131 integrating different semiconductor materials ... 3132 survey main ideas early history subjects riema... 3133 paper investigate emerging application scene u... 3134 prove finitely generated field infinite perfec... 3135 paper considers version wiener filtering probl... 3136 robust navigation urban environments received ... 3137 report several purposes first report written i... 3138 paper studies density estimation pointwise los... 3139 let u complement smooth anticanonical divisor ... 3140 modelfree deep reinforcement learning shown ex... 3141 temporal cavity solitons cs optical pulses per... 3142 new system ivector speaker recognition based v... 3143 many machine learning models reformulated opti... 3144 define newman property bldmappings study conne... 3145 paper study variant framework online learning ... 3146 time series ts occur many scientific commercia... 3147 work investigate value employing deep learning... 3148 online programming discussion platforms stack ... 3149 prior works tallinn manual international law a... 3150 observe derived equivalent k surfaces isomorph... 3151 motivated recent advance machine learning usin... 3152 microplasma generation using microwaves electr... 3153 investigate banach algebras convolution operat... 3154 spiking neural networks snns possess energyeff... 3155 suicide important often misunderstood problem ... 3156 paper proposes principled information theoreti... 3157 twin support vector machines twsvms emerged ef... 3158 recurrent neural networks rnns powerful sequen... 3159 paper propose deep learning architectures fnn ... 3160 selfadmitted technical debt refers situations ... 3161 better understanding anticipation natural proc... 3162 given xsbeta sbetacolon xtimes xto xtimes x se... 3163 present new extensible divisible taxonomy open... 3164 create database composed hours multimodal reco... 3165 mobilephones facilitated creation fieldportabl... 3166 paper consider estimation problem concerning m... 3167 given conjunctive boolean network cbn n statev... 3168 starting summary detection statistics recent x... 3169 complex ornsteinuhlenbeck ou processes various... 3170 consider estimating parametric components semi... 3171 define dirac operators mathbbs mathbbr magneti... 3172 latent tree models graphical models defined tr... 3173 program synthesis process automatically transl... 3174 applications use human speech input require sp... 3175 let g sofic group let sigma sigmanngeq sofic a... 3176 visual localization mapping crucial capability... 3177 key problem research adversarial examples vuln... 3178 analysis airborne laser scanning als data ofte... 3179 study groundstate properties double layer grap... 3180 propose novel approach loss reserving based de... 3181 paper new distributed asynchronous algorithm p... 3182 developers concerned performance drop improvem... 3183 present novel controller synthesis approach di... 3184 recently research accelerated stochastic gradi... 3185 gradient reconstruction key process spatial ac... 3186 jordan decomposition theorem states every func... 3187 compute semiflat positive cone ksfathetasigma ... 3188 measured magnetization organic compound bipbno... 3189 class imbalance challenging issue practical cl... 3190 order handle undesirable failures multicopter ... 3191 method inverse design horizontal axis wind tur... 3192 report chandra xray observations optical weakl... 3193 introduce superdensity operators tool analyzin... 3194 study properties magnetic nanoparticles adsorb... 3195 introduce asymptotically unbiased estimator fu... 3196 counterfactual learning natural scenario impro... 3197 bit mersenne twister generator mt widely used ... 3198 numerical qcd often extremely resource demandi... 3199 electronic structure energetic stability abx h... 3200 highdimensional sparse linear models construct... 3201 core many important machine learning problems ... 3202 class imbalance classification challenging res... 3203 paper study problem discovering timeline event... 3204 study configuration spaces linkages whose unde... 3205 smallcluster exactdiagonalization calculations... 3206 process discovery techniques return process mo... 3207 formal languages theory useful study natural l... 3208 paper find upper bound cprank matrix tropical ... 3209 paper proposes new algorithm gaussian process ... 3210 pairwise comparisons important tool modern mul... 3211 study existence monotone heteroclinic travelin... 3212 describe method computer algebra helps laborio... 3213 paper describes micro fluorescence situ hybrid... 3214 neural timeseries data contain wide variety pr... 3215 describe two recently proposed machine learnin... 3216 polyphonic sound event detection polyphonic se... 3217 global gyrokinetic toroidal code gtc recently ... 3218 nanofabrication process realizing optical nano... 3219 consider connections among clumped residual al... 3220 rydberg atoms attracted considerable interest ... 3221 paper propose novel variable selection approac... 3222 background models cancerinduced neuropathy des... 3223 present novel method frequentist statistical i... 3224 massive network exploration important research... 3225 consider bradlow equation vortices recently fo... 3226 let piq arbitrary finite projective plane orde... 3227 following seminal work nesterov accelerated op... 3228 study conditions one able efficiently apply va... 3229 stability important aspect classification proc... 3230 paper analyze capacitary potential due charged... 3231 nongaussian component analysis ngca problem mu... 3232 recent years seen surprising connection physic... 3233 computational thinking ct described essential ... 3234 spincaloritronic signal generation due thermal... 3235 quantify uncertainties location magnitude extr... 3236 pollution urban centres becoming major societa... 3237 accretion phase corecollapse supernovae large ... 3238 positive p unlabeled u data binary classifier ... 3239 possibly unbiased selection process surveys su... 3240 fundamental goal network neuroscience understa... 3241 boundary behavior ring mappings riemannian man... 3242 recently cloud storage processing widely adopt... 3243 work provides simplified proof statistical min... 3244 becoming increasingly common see large collect... 3245 define abelian distribution study basic proper... 3246 introduce pulsedyn particle dynamics program c... 3247 paper presents design control model navigate d... 3248 big data sets must carefully partitioned stati... 3249 paper present family bivariate copulas transfo... 3250 machine learning extract information neural re... 3251 consider problem recovering lowrank matrix cli... 3252 supervised learning based deep neural network ... 3253 propose monte carlo algorithm sample highdimen... 3254 convolutional dictionary learning cdl estimate... 3255 paper derives new formulations designing domin... 3256 note present inftycategorical framework descen... 3257 relatively little attention incorporating ling... 3258 paper addresses boundary stabilization flexibl... 3259 study vertex colourings digraphs outneighbourh... 3260 locality sensitive hashing lsh based algorithm... 3261 group h non empty subset gammasubseteq h commu... 3262 using energy method investigate stability pure... 3263 present elementary proof conjecture proposed r... 3264 paper prove following pointwise curvaturefree ... 3265 report experimental results static magnetizati... 3266 investigate formation multiplecorehole states ... 3267 ideas enjoyed large impact deep learning convo... 3268 study ideal structure reduced crossed product ... 3269 understanding discovering knowledge gps global... 3270 focus two supervised visual reasoning tasks wh... 3271 offer proofs complete article introducing prop... 3272 lecture notes entanglement topological systems... 3273 paper study existence stability sense lyapunov... 3274 synthetic biological macromolecule magnetoferr... 3275 multispectral remote sensors eg quickbird ikon... 3276 empirical scoring functions based either molec... 3277 define lmeasure set dirichlet characters analo... 3278 present study superheating treatment applied r... 3279 discuss different types humanrobot interaction... 3280 background choosing performing method terms ou... 3281 contribution show access play strong role crea... 3282 work mainly consider dynamics scattering narro... 3283 incommensurately modulated twin structure nyer... 3284 cortex exhibits selfsustained highlyirregular ... 3285 paper deals relative normalizations skew ruled... 3286 gete wins renewed research interest due giant ... 3287 show theoretically phase interlayer exchange c... 3288 observations cmb today allow us answer detaile... 3289 describe parallel adaptive multiblock algorith... 3290 triangle counting key algorithm large graph an... 3291 growing importance utilization measuring brain... 3292 diet design vegetarian health challenging due ... 3293 show learning methods interpolating training d... 3294 search new frustrated magnetic systems signifi... 3295 previous cnnbased video superresolution approa... 3296 large organizations often users multiple sites... 3297 show results theory group automata monoid auto... 3298 multicarrierlow density spreading multiple acc... 3299 many important problems characterized eigenval... 3300 present distributed control strategy team quad... 3301 contribution widen scope extreme value analysi... 3302 describe mechanism artificial neural networks ... 3303 propose novel approach generation polyphonic m... 3304 following new microlensing constraint primordi... 3305 well known concept condition number kappaa aa ... 3306 paper study properties applications weighted h... 3307 honeycomb structures group iv elements host ma... 3308 motion electrons nuclei photochemical events o... 3309 advent public access small gatebased quantum p... 3310 previous works relationship hermites two appro... 3311 paper develop linear transfer perron frobenius... 3312 machine learning algorithms based deep neural ... 3313 analyze largescale data sets collaborations tw... 3314 study quantum tunnelling dantes inferno model ... 3315 highly automated robot ecologies hare societie... 3316 multilinear normal distribution widely used to... 3317 data driven activism attempts collect analyze ... 3318 deep convolutional neural networks achieved gr... 3319 nanographitic structures ngss multitude morpho... 3320 present first theoretical evidence zero magnet... 3321 present simple electromechanical finite differ... 3322 frustrated lewis pairs flps known ability capt... 3323 cataloging challenging crowded fields sources ... 3324 analyze local convergence proximal splitting a... 3325 causal relationships among variables commonly ... 3326 holy grail deep learning come automatic method... 3327 shown given ordered nodelabelled tree size n m... 3328 delay omnipresent modern control systems promp... 3329 paper discusses time series trend variability ... 3330 dietzfelbinger weidling dw proposed natural va... 3331 consider problem modeling memory discretestate... 3332 show closed almost khler manifold globally con... 3333 study consider preliminary test shrinkage esti... 3334 conventional fracture data collection methods ... 3335 influenza remains significant burden health sy... 3336 paper shows recover stochastic volatility mode... 3337 mobile edge computing mec expected effective s... 3338 given regular cardinal kappa kappakappakappa s... 3339 describe new training methodology generative a... 3340 supersymmetric theories gravitinos mass suppre... 3341 automatic abusive language detection difficult... 3342 show massive data compression algorithm moped ... 3343 electronic medical records emr contain longitu... 3344 examine knotted solutions simple hopfion point... 3345 present method automatically evaluates emotion... 3346 legal professionals worldwide currently trying... 3347 accurate modeling light scattering nanometer s... 3348 joselli et al introduced neighborhood grid dat... 3349 investigate structure join tensors may regarde... 3350 complex computer simulators increasingly used ... 3351 show equations reinforcement learning light tr... 3352 consider sparse highdimensional linear regress... 3353 several fundamental problems arise optimizatio... 3354 paper considers channel estimation uplink achi... 3355 investigate relationship several enumeration c... 3356 note investigate pdegree function elliptic cur... 3357 citey yin generalized definition wgraph ideal ... 3358 mazur rubin stein recently formulated series c... 3359 increasing demand formal methods design proces... 3360 study effects local perturbations dynamics dis... 3361 study indices geodesic central configurations ... 3362 controversy regarding precise nature hightempe... 3363 report raman sideband cooling single sodium at... 3364 meaningful climate predictions must accompanie... 3365 situational awareness vehicular networks could... 3366 spatialtemporal prediction fundamental problem... 3367 prove rungetype theorems universality results ... 3368 recent times use separable convolutions deep c... 3369 present recent improvements simulation regolit... 3370 recent years social bots using increasingly so... 3371 set smoothed particle hydrodynamics simulation... 3372 number formal methods exist capturing stimulus... 3373 propose analyze new estimator covariance matri... 3374 propose novel computational strategy de novo d... 3375 consider twoarmed bandit problem applied data ... 3376 accurate estimates mortality rate umr developi... 3377 strong external difference family sedf general... 3378 using multiple scattering theory algorithm inv... 3379 typically ai researchers roboticists try reali... 3380 consider schrdinger equation nondegenerate met... 3381 let fn denote nth term fibonacci sequence pape... 3382 social dilemmas regarded essence evolution gam... 3383 study diffusion heat equation finite dimension... 3384 work perform empirical comparison among ctc rn... 3385 combining shannons cryptography model assumpti... 3386 generative models either simple clustering alg... 3387 study spectral initialization method serves ke... 3388 generative adversarial networks gans become po... 3389 numerical approximation solution fokkerplanck ... 3390 interactive information retrieval researchers ... 3391 excited states polyatomic systems rather compl... 3392 work offers design video surveillance system b... 3393 recent work cohen emphet al achieved stateofth... 3394 catastrophic events though rare occur occur de... 3395 quantum anomalous hall qah phase novel topolog... 3396 automatic analysis ultrasound sequences substa... 3397 data analysis plays important role development... 3398 dynamics system general depends initial state ... 3399 study laserdriven isomerization reactions exci... 3400 paper theory quandle rings proposed quandles a... 3401 polynomial eigenvalue problem arises many appl... 3402 paper study teichmller harmonic map flow intro... 3403 note give nature action modular group ends inf... 3404 higher category theory use fibrations model pr... 3405 examined effects embedded pitch adapters signa... 3406 star clusters interact interstellar medium ism... 3407 present new method called analysisofmarginalta... 3408 shelf coastal sea processes extend atmosphere ... 3409 giornata sesta force percussion relatively les... 3410 brief introduction radar principles doppler ef... 3411 one challenges computational acoustics identif... 3412 paper strengthen splitting theorem proved prov... 3413 present approach building active agent learns ... 3414 significant parts recent learning literature s... 3415 paper introduces novel approach texture synthe... 3416 analyzing behaviour concurrent program made di... 3417 extended strongly periodic links introduced pr... 3418 past decade idea smart homes conceived potenti... 3419 deep learning models take weeks train single g... 3420 deduce simple closed formula illiquid corporat... 3421 long linear codes constructed toric varieties ... 3422 often challenge associated tasks like fraud sp... 3423 construct firstly complete list five quantum d... 3424 method control results gradient descent unsupe... 3425 graphs networks ubiquitous allow us model enti... 3426 disk migration higheccentricity migration two ... 3427 combination photometry spectroscopy spectropol... 3428 new majority minority voted redundancy mmr sch... 3429 present tight analysis wellstudied randomized ... 3430 using stateoftheart techniques combining imagi... 3431 according theory urban scaling urban indicator... 3432 living cells move thanks assemblies actin fila... 3433 increasing interest exploiting mobile sensing ... 3434 cardiac indices estimation great importance id... 3435 characterize certain noncommutative domains te... 3436 consider problem estimating regression functio... 3437 chimera states namely complex spatiotemporal p... 3438 technologies become important part lives steps... 3439 study neurallinear bandit model solving sequen... 3440 present twodimensional hydrodynamical simulati... 3441 firstpassage times random walks vast number di... 3442 video prediction active topic research past ye... 3443 paper cluster classical music pieces collected... 3444 random quantum spin models strong disorder per... 3445 introduce semisupervised discrete choice model... 3446 mean motion commensurabilities multiplanet sys... 3447 van der waals heterostructures periodic potent... 3448 conjecture bounded generalised polynomial func... 3449 give general sufficient conditions controller ... 3450 provide mathematical analysis thermodiffusive ... 3451 consider motion small bodies general relativit... 3452 impervious surface area direct consequence urb... 3453 study problem delta vlambda v v pvtext omega t... 3454 pca classical statistical technique whose simp... 3455 end user privacy critical concern organization... 3456 study orbital properties dark matter haloes co... 3457 paper concerned analysis heavytailed data port... 3458 studying internal structure complex samples li... 3459 verify conjecture perelman states exists canon... 3460 hyperuniform geometries feature correlated dis... 3461 paper proposes new loss using shorttime fourie... 3462 study continuum schrdinger operators real line... 3463 logdet distance two aligned dna sequences intr... 3464 paper focus construction numerical schemes non... 3465 several different modalities eg surgery chemot... 3466 great deal effort gone trying model social inf... 3467 study conditional independence relationships r... 3468 currentaided inertial navigation framework pro... 3469 february world health organization declared zi... 3470 lowenergy constants namely spin stiffness rhos... 3471 political social polarization significant caus... 3472 despite decades inquiry origin giant planets r... 3473 several applications slicing require program s... 3474 physicists large hadron collider lhc rely deta... 3475 study ancient khmer ephemerides described fren... 3476 modelbased compression effective facilitating ... 3477 matrix factorisation methods decompose multiva... 3478 developers often try find occurrences certain ... 3479 new method improve accuracy efficiency charact... 3480 examine growth evolution quenched galaxies muf... 3481 study su calorons also known periodic instanto... 3482 natural disasters catastrophic impacts functio... 3483 simultaneous localization mapping slam problem... 3484 study asynchronous online learning setting net... 3485 convolutional neural networks cnns massively i... 3486 study brauers longstanding kbconjecture number... 3487 sloan digital sky survey sdss first dense reds... 3488 compare global high resolution resistive magne... 3489 algorithms detecting communities complex netwo... 3490 paper investigates reverse auctions involve co... 3491 deterministic optimization line searches stand... 3492 hydrogen hdoped lafeaso prototypical ironbased... 3493 consider corotational wave maps dimensional mi... 3494 consider closed chain even number majorana zer... 3495 construct nonsemisimple tqfts yielding mapping... 3496 deep reinforcement learning rl recently emerge... 3497 games timing aim determine optimal defense str... 3498 humans adept recognizing class input instance ... 3499 new semiclassical divideandconquer method pres... 3500 letter establish yangian symmetry planar n sup... 3501 conventional dark matter direct detection expe... 3502 propose novel approach allocating resources ex... 3503 networks provide powerful formalism modeling c... 3504 minimal constructed language conlang useful ex... 3505 nonparametric models versatile albeit computat... 3506 anomaly detection ad garnered ample attention ... 3507 time reversal one intriguing yet elusive wave ... 3508 present series definitions theorems demonstrat... 3509 study global consequences halos spiral galaxie... 3510 propose new methods support vector machines sv... 3511 show limiting semiclassical measure obtained s... 3512 atmospheric moist available potential energy m... 3513 many seminal results interactive proofs ips us... 3514 quantum magnetic phases near magnetic saturati... 3515 consider problem finding local minimizers nonc... 3516 syntax errors generally easy fix humans parser... 3517 predicting popularity news article challenging... 3518 paper give negative answer problem presented b... 3519 forecasts mortality provide vital information ... 3520 machine learning usually defined behaviourist ... 3521 acoustic wave attenuation due vibrational rota... 3522 lagrangian fluctuationdissipation relation der... 3523 paper examines limit properties information cr... 3524 density estimation fundamental problem statist... 3525 existing strategies finitearmed stochastic ban... 3526 asynchronous parallel computing sparse recover... 3527 stateoftheart neural networks vulnerable adver... 3528 one challenges testing gravity cosmology vast ... 3529 let free hyperplane arrangement ziegler showed... 3530 integration iiiv silicon still hot topic open ... 3531 volume contains selection papers presented xvi... 3532 investigate asymptotic behavior sequences gene... 3533 canards special solutions ordinary differentia... 3534 paper study selected argument forms involving ... 3535 propose dtcwt scatternet convolutional neural ... 3536 let taun number divisors n give elementary pro... 3537 study present preliminary test steintype posit... 3538 present efficient coresetsbased neural network... 3539 active galactic nuclei agn energetic astrophys... 3540 recent result characterizes fully order revers... 3541 optimization composition processing obtain mat... 3542 consider noncrossing set partitions nelement s... 3543 paper focus finding clusters partially categor... 3544 large bundles myelinated axons called white ma... 3545 present strengthening lemma lower bound slice ... 3546 functional analysis variance fanova hilbertval... 3547 present method gets input audio violin piano p... 3548 identifying causal relationships observational... 3549 telepresence necessity present time cant reach... 3550 industry video content providers vod iptv pred... 3551 prove following continuous analogue vaughts tw... 3552 present novel method measure precisely relativ... 3553 show mntz spaces subspaces c contain asymptoti... 3554 article describes sequence rational functions ... 3555 analyze new farultraviolet spectra quasars z c... 3556 quaternionic tori defined quotients skew field... 3557 danish computer gier played vital role develop... 3558 several recent papers investigate active learn... 3559 write unified fashion using rp q random coding... 3560 rising topic computational journalism enhance ... 3561 paper introduce certain nth order nonlinear lo... 3562 robots begin cohabit humans semistructured env... 3563 pursue novel morphometric analysis detect sour... 3564 work develops tracking system based eventbased... 3565 present efficient score statistic called texts... 3566 increase network connectivity also resulted se... 3567 increasing popularity smart devices rumors mul... 3568 ricci iteration discrete analogue ricci flow a... 3569 rna sequencing allows one study allelic imbala... 3570 boundtobound data collaboration bbdc provides ... 3571 hydra headeronly templated ccompliant framewor... 3572 deep learning stateoftheart fields visual obje... 3573 mounting evidence connects biomechanical prope... 3574 message passing interface mpi standard paradig... 3575 modified cholesky decomposition commonly used ... 3576 comment reinharts review selfexciting spatiote... 3577 compared magnetic transport galvanomagnetic sp... 3578 paper present conjoined constraints several co... 3579 dynamics circular thin vortex ring sphere movi... 3580 measurements sigma large scale structure obser... 3581 invoke gaussian mixture model gmm jointly anal... 3582 present quantum repeater scheme based individu... 3583 recent years logic questions dependencies inve... 3584 strong demand precise means comparison logics ... 3585 paper considers utility optimal power control ... 3586 magnetic frustration low dimensionality preven... 3587 gaussian processes popular flexible models spa... 3588 attempt elucidate operating voltage increase i... 3589 many theories emerged investigate variance gen... 3590 show every finitely generated closed subgroup ... 3591 convolutional sparse representations form spar... 3592 suppose future technology enables consciously ... 3593 present results directimaging survey large sep... 3594 dimension key measure complexity partially ord... 3595 define emphvisual complexity plane graph drawi... 3596 report new multicolour photometry highresoluti... 3597 success various applications including robotic... 3598 defect valued field extensions major obstacle ... 3599 neural networks known vulnerable adversarial e... 3600 study statistical properties estimator derived... 3601 paper investigate multivariate sequence classi... 3602 virtual network vn contains collection virtual... 3603 propose communicationally computationally effi... 3604 extraction natural gas earth shown governed di... 3605 present numerical simulations magnetic billiar... 3606 wellknow drawback lpenalized estimators system... 3607 using supercharacter theory identify matrices ... 3608 study asymptotic behavior max kappacut family ... 3609 topological data analysis emerging mathematica... 3610 exponentialtime hypothesis eth states sat solv... 3611 propose structured low rank matrix completion ... 3612 article lays foundations study modular forms t... 3613 research uav scheduling obtained emerging inte... 3614 report temperature dependence dc magnetization... 3615 develop assumeguarantee contract framework des... 3616 paper presents active search trajectory synthe... 3617 recent years optical control exchange interact... 3618 predictive power neural networks often costs m... 3619 tracking controlling shape continuum dexterous... 3620 paper present new results existence solutions ... 3621 increasing accuracy automatic chord estimation... 3622 blooms taxonomy bt used classify objectives le... 3623 need test whether two random vectors independe... 3624 report measurements magnetoresistance charge d... 3625 paper introduces two classes totally real quar... 3626 present elementary foundational results concer... 3627 hidden truncation hyperbolic hth distribution ... 3628 reinvestigate claimed sample xray detected act... 3629 present new approach testing filesystem crash ... 3630 paper construct entire solutions cahnhilliard ... 3631 wave turbulence equation effective kinetic equ... 3632 multilabel text classification popular machine... 3633 consider network design problem random arc cap... 3634 consider infinite chain masses connected neare... 3635 general procedure underlying hartreefock kohns... 3636 recent studies suggest quenching properties ga... 3637 young starburst galaxies xray population expec... 3638 paper present concolic execution technique det... 3639 innovation entrepreneurship special role play ... 3640 exact law fully developed homogeneous compress... 3641 cmshf calorimeters undergoing major upgrade la... 3642 ambitious goals precision cosmology widefield ... 3643 present results noncosmological threedimension... 3644 causal inference multivariate time series chal... 3645 differential privacy promises enable general d... 3646 industrie originally future vision described h... 3647 future wireless systems expected provide wide ... 3648 show ck diffeomorphism ktorus semiconjugate mi... 3649 provide excess risk guarantees statistical lea... 3650 study inference model dynamic networks communi... 3651 available possibilities prevent biped robot fa... 3652 key challenge modern bayesian statistics perfo... 3653 method determining quantum variance asymptotic... 3654 virtual heart models proposed enhance safety i... 3655 consistency bootstrap resampling scheme classi... 3656 dynamic scaling analyses linear nonlinear ac s... 3657 bayesian hierarchical models used share inform... 3658 adapt pingpong lemma historically used study f... 3659 codrep machine learning competition source cod... 3660 mixed volumes vkdots kd convex bodies kdots kd... 3661 recently significant interest hard attention m... 3662 many problems signal processing require findin... 3663 hybrid quantum mechanicalmolecular mechanical ... 3664 study develop theoretical model strategic equi... 3665 multicore cpus standard component many modern ... 3666 lowrank modeling plays pivotal role signal pro... 3667 accurate delineation left ventricle lv importa... 3668 jacobianbased saliency map attack family adver... 3669 reinforcement learning rl successfully used so... 3670 bl lacertae prototype blazar subclass known bl... 3671 experiment theory indicate upt topological sup... 3672 appearance nanojet microsphere optical experim... 3673 define triangulated factorization systems tria... 3674 cloud storage services become accessible used ... 3675 consider twodimensional dirac quantum ring sys... 3676 study arithmetically cohenmacaulay acm propert... 3677 point clouds obtained photogrammetry noisy inc... 3678 unique information ui information measure quan... 3679 study distributionally robust optimization dro... 3680 privacy major issue learning distributed data ... 3681 paper deals establishment inputtostate stabili... 3682 neural machine translation nmt recently become... 3683 bayesian networks directed acyclic graph dag m... 3684 present triviaqa challenging reading comprehen... 3685 many people dream become famous youtube video ... 3686 work introduce class hrmmnconvex functions gen... 3687 achieving high performance sparse applications... 3688 pressure increase graduation rates reduce time... 3689 meteoritic abundances rprocess elements analyz... 3690 present savitr system leverages information po... 3691 resonances associated fractional damped oscill... 3692 let xldotsxn iid sample mathbbrp zero mean cov... 3693 locally recoverable code code finite alphabet ... 3694 following text introduce specification propert... 3695 report discovery tidal tails around two outer ... 3696 propose scheduled auxiliary control sacx new l... 3697 describe generalization hierarchical dirichlet... 3698 framework shape constrained estimation review ... 3699 paper explored effects dissipation dynamics ch... 3700 subject polynomiography deals algorithmic visu... 3701 brainer using bicycles commute sustainable for... 3702 define kind moduli space nested surfaces mappi... 3703 manually labeled corpora expensive create ofte... 3704 spectral topic modeling algorithms operate mat... 3705 future observations terrestrial exoplanet atmo... 3706 although definition empathetic preferences exa... 3707 construct noncommutative analogs transport map... 3708 support vector data description svdd popular a... 3709 trigonal phase existing small patches chemical... 3710 study problem estimating unknown vector theta ... 3711 labeled graph calgebra mean calgebra associate... 3712 diabetes leading worldwide public health conce... 3713 recent years randomized methods numerical line... 3714 results investigations nearhorizontal muons ra... 3715 demand lowdissipation nanoscale memory devices... 3716 licas lightweight internetbased communication ... 3717 paper introduce new technique determining nece... 3718 manuscript preprint version part general intro... 3719 describe general multilevel monte carlo method... 3720 sensing magnetic fields important applications... 3721 century believed hydraulic jumps created due g... 3722 sexual violence product organized crime social... 3723 investigate problem truth discovery based opin... 3724 document presents hips hierarchical scheme des... 3725 applying deep learning methods mammography ass... 3726 order optimize performance crv reflection stud... 3727 linear parametervarying lpv models form powerf... 3728 perform set general relativistic radiative mag... 3729 correlated oxide heterostructures pose challen... 3730 two stateoftheart implementations boosted tree... 3731 consider task automated estimation facial expr... 3732 ages masses young stars often estimated compar... 3733 report study structural phase transitions indu... 3734 solution path fused lasso ndimensional input p... 3735 hydrogenrich compounds important understanding... 3736 future circular collider fcc currently design ... 3737 let xitx denote spacetime white noise consider... 3738 arbitrary group g shown either semigroup rank ... 3739 starting dataset inputoutput time series gener... 3740 paper propose kneelike approximation lateral d... 3741 study alloy phasefield model used simulate sol... 3742 previously proposed partial quantile regressio... 3743 present pfdcmss novel messagepassing based par... 3744 minkowski inequality classical inequality diff... 3745 paper studies concept instantaneous arbitrage ... 3746 study complexity approximating wassertein bary... 3747 modern implicit generative models generative a... 3748 transfer learning leverages knowledge one doma... 3749 develop new class path transformations onedime... 3750 visual representation concepts ideas use simpl... 3751 schmidts game generally used deduce qualitativ... 3752 locally checkable labeling lcl problems includ... 3753 paper propose novel continuous authentication ... 3754 cmorder reduced order equipped involution mimi... 3755 crosscorrelations activity neural networks com... 3756 despite fact json currently one popular format... 3757 present study introduce human capital componen... 3758 diffusion tensor imaging dti high angular reso... 3759 paper presents new multiobjective deep reinfor... 3760 finding optimal correction errors generic stab... 3761 finding semantically rich computerunderstandab... 3762 safe natural effective humanrobot social inter... 3763 continuoustime trajectory representations powe... 3764 paper consider testing homogeneity proportions... 3765 exhibit borel probability measures unit sphere... 3766 pca one widely used dimension reduction techni... 3767 associating image regions text queries recentl... 3768 open closed textitsymmetrized polydisc textits... 3769 partial differential equations distributional ... 3770 fracton order new kind quantum order character... 3771 minseiscluster optimization problem aims minim... 3772 statistical distribution galaxies powerful pro... 3773 causal mediation analysis improve understandin... 3774 finding intermediatemass black hole imbh globu... 3775 successful grasp requires careful balancing co... 3776 let mathcala calgebra bounded uniformly contin... 3777 present shrinking horizon model predictive con... 3778 scientific evaluation determinant scientists i... 3779 topological effects typically discussed contex... 3780 high degree consensus exists climate sciences ... 3781 convex body chasing problem given initial poin... 3782 introduce notion cocycleinduction strong unifo... 3783 auxiliary variables often needed verifying imp... 3784 paper present homological model coloured jones... 3785 contribution concerned asymptotic behaviour ut... 3786 paper proposes novel tests absence jumps univa... 3787 deriving optimal safety stock quantity meet cu... 3788 article prove carleman estimates generalized t... 3789 unsupervised domain mapping attracted substant... 3790 spin wolfrayet wr stars low metallicity z rele... 3791 surprisingly little known agenda setting inter... 3792 complex networks often used represent systems ... 3793 choice tuning parameter bayesian variable sele... 3794 introduce metric mutual energy adelic measures... 3795 volvox barberi multicellular green alga formin... 3796 accuracy one basic principles journalism howev... 3797 recently become possible study dynamics inform... 3798 set called recurrent minimal automaton strongl... 3799 paper presents concept situ fabricator mobile ... 3800 describe road led construction exploitation el... 3801 consider ample globally generated line bundle ... 3802 propose method recognizing moving vehicles usi... 3803 study principal component analysis pca mean ze... 3804 aim paper give short overview error bounds pro... 3805 introduce variational obstacle avoidance probl... 3806 paper introduces extension herons formula appr... 3807 representation learning rl make learned repres... 3808 distributed storage systems suffer significant... 3809 report optimization process synthesize epitaxi... 3810 dedicated solar radio interferometer mingantu ... 3811 present deep voice fullyconvolutional attentio... 3812 every year million newborns die within first m... 3813 propose novel fluidstructure interaction fsi s... 3814 article advance divideandconquer strategies so... 3815 robust fast motion estimation mapping key prer... 3816 existing theories dark energy andor modified g... 3817 video analytics requires operating large amoun... 3818 recent development largescale question answeri... 3819 introducing inequality constraints gaussian pr... 3820 cyclic codes various generalizations quasitwis... 3821 method efficiently successive cancellation sc ... 3822 openml online machine learning platform resear... 3823 cultural activity inherent aspect urban life s... 3824 accurate measurements physical structure proto... 3825 conditional expectiles becoming increasingly i... 3826 choice solid system makes adopting crystal str... 3827 paper presents alternative approach pvalues re... 3828 image registration process aligning two images... 3829 work initiates general study learning generali... 3830 graph hfree induced subgraph isomorphic h char... 3831 design electrically driven quantum dot devices... 3832 paper studies directed exploration reinforceme... 3833 bayesian models mix multiple dirichlet prior p... 3834 present new matched filter algorithm direct de... 3835 nonlte radiative transfer problems computation... 3836 recently several test case prioritization tcp ... 3837 magnetism mnsite investigated using thermodyna... 3838 big data phenomenon spawned largescale linear ... 3839 work concerned unique combination high order l... 3840 paper deep domain adaptation based method vide... 3841 ambient conditions directly observed nacl crys... 3842 development plasmonic metamaterial devices req... 3843 study andersonlike localization transition spe... 3844 recent developments specialized computer hardw... 3845 dynamic mode decomposition dmd emerged powerfu... 3846 social relationships divided different classes... 3847 construct linear system nonlocal game played p... 3848 note corrects mistakes splicing formulas paper... 3849 show tight upper lower bounds switching lemmas... 3850 kinetic effects electrons important long wavel... 3851 major bottleneck developing general reinforcem... 3852 developing intelligent vehicle perform humanli... 3853 much energy consumed inference made convolutio... 3854 investigate association musical chords lyrics ... 3855 propose general algorithm compute symmetry cla... 3856 using cohomological methods prove criterion em... 3857 generators classical specht module satisfy int... 3858 paper investigate cauchy problem nonhomogeneou... 3859 paper describe two fully mass conservative ene... 3860 paper concerned problem creating flattening ma... 3861 batygin brown suggested existence new solar sy... 3862 propose fast method statistical guarantees lea... 3863 prove existence results small presentations mo... 3864 image matting longstanding problem computation... 3865 present combined chandra swiftbat spectral ana... 3866 lisa proposed spacebased laser interferometer ... 3867 generative adversarial networks gans shown rem... 3868 provide examples operators tdv decaying potent... 3869 real human robot interaction hri scenarios spe... 3870 present deterministic algorithm russian inflec... 3871 objective clinical decision support tool autom... 3872 concept mean different things instantiated dif... 3873 hanzer matic proved genuine unitary principal ... 3874 article explores geometric algebra minkowski s... 3875 concerned unbounded sets mathbbrn whose bounda... 3876 mathematical models physiological processes ai... 3877 provide derivation poisson multibernoulli mixt... 3878 surface properties examined chiral dwave super... 3879 modern threats emerged prevalence social netwo... 3880 contribution ions antiferromagnetism laxaexcuo... 3881 networks describe range social biological tech... 3882 used multiplescale homogenization method deriv... 3883 mobile network operators track subscribers via... 3884 taipan multiobject spectroscopic galaxy survey... 3885 online learning algorithms widely used power s... 3886 paper concerned blowup phenomena initial value... 3887 object present paper study invariant submanifo... 3888 dynamic epidemic models proven valuable public... 3889 paper considers problem designing maximum dist... 3890 emphword problem group g langle sigma rangle d... 3891 models econophysics ie emerging field statisti... 3892 spatially extended population dynamics models ... 3893 consider problem learning policy markov decisi... 3894 autonomous vehicles become everyday reality hi... 3895 finite word closed contains factor occurs pref... 3896 construct continuous time model pricemediated ... 3897 dergachev kirillov introduced subalgebras seaw... 3898 let evendimensional oriented closed manifold s... 3899 transformation models important tool applied s... 3900 study polynomial generalizations kontsevich au... 3901 coordinate descent methods employ random parti... 3902 stochasticity limited precision synaptic weigh... 3903 congruence surface grassmannian mathrmgrmathbb... 3904 investigate behavior deviation estimator densi... 3905 paper prove pointwise convergence rate pointwi... 3906 give criterion characterizes homogeneous real ... 3907 moon often appears larger near perceptual hori... 3908 study fielddriven magnetic domain wall dynamic... 3909 show uct problem separable nuclear mathrm calg... 3910 recent outbreaks ebola hn infectious diseases ... 3911 investigate entanglement properties infinite c... 3912 present nonlocal electrostatic formulation non... 3913 transfer learning borrows knowledge source dom... 3914 although property strong metric subregularity ... 3915 present silverrush program strategy clustering... 3916 magnetosphere ion kinetic scales minimagnetosp... 3917 study soliton solutions matrix kadomtsevpetvia... 3918 lowpower widearea networks lpwans successfully... 3919 compacted tree graph created binary tree repea... 3920 pixel detector pxl heavy flavor tracker hft st... 3921 let cbf n complete intersection monomial curve... 3922 dynamics quantum vortex torus knot cal tpq sim... 3923 quantumdot cellular automata qca likely candid... 3924 two major momentumbased techniques achieved tr... 3925 give characterizations finite group g acting s... 3926 paper biderivations without skewsymmetric cond... 3927 residents flint learned lead contaminated wate... 3928 paper introduce stochastic projected subgradie... 3929 compute integral function expectation random v... 3930 address problem emphinstance label stability m... 3931 computational procedures foresee structure apt... 3932 paper propose finite element method solving el... 3933 paper introduces new probabilistic architectur... 3934 energetic particle environment martian surface... 3935 growth variety volume oltp online transaction ... 3936 recently social media seen promote democratic ... 3937 local event detection use posting messages geo... 3938 prove given closure function smallest preimage... 3939 evolutionary games graphs describe strategic i... 3940 focus analysis planar shapes solid objects thi... 3941 learning domaininvariant representations conte... 3942 encoderdecoder networks using convolutional ne... 3943 shufflenet stateoftheart light weight convolut... 3944 failure observed primary concern developer ide... 3945 volume contains final revised selection papers... 3946 recent observations lensed galaxies cosmologic... 3947 graph laplacian standard tool data science mac... 3948 paper propose modified version simulated annea... 3949 major histocompatibility complex class two mhc... 3950 speechreading task inferring phonetic informat... 3951 fedotovite kcuoso candidate new quantum spin s... 3952 call simple abelian variety mathbbfp superisol... 3953 multivariate techniques based engineered featu... 3954 tangent measure blowup methods powerful tools ... 3955 programmers often write code similarity existi... 3956 paper shall prove equality zetanzetanzetan con... 3957 demonstrate subpicosecond wavelength conversio... 3958 paper develop new accelerated stochastic gradi... 3959 mapreduce popular programming paradigm develop... 3960 paper propose unified view gradientbased algor... 3961 almost three decades taup conference seen rema... 3962 diagnosis risk stratification cancer many dise... 3963 paper notion lmfuzzy convex structures introdu... 3964 paper presents passive compliance control aeri... 3965 paper consider phase retrieval problem herglot... 3966 family subsets ldotsn called intersecting two ... 3967 magnetic skyrmions swirling spin textures topo... 3968 training deep neural network policies endtoend... 3969 interpretability become important issue machin... 3970 propose optimal sequential methodology obtaini... 3971 linear boltzmann equation nonautonomous collis... 3972 ngeq qgeq prove sc equality function n n varia... 3973 deconfined quantum critical point qcp separati... 3974 deep learning become state art approach many m... 3975 letter prove unrolled small quantum group appe... 3976 increasing safety automation transportation sy... 3977 advent numerous online content providers utili... 3978 accurately predicting detecting interstitial l... 3979 study whether depth two neural network learn a... 3980 since development higher local class field the... 3981 classic algorithm bodlaender kloks j algorithm... 3982 let tii sequence independent identically distr... 3983 paper presents intelligent home energy managem... 3984 paper develops general framework learning inte... 3985 investigate use optimization compute bounds ex... 3986 develop parametric classes covariance function... 3987 cell injection technique domain biological cel... 3988 present visually grounded model speech percept... 3989 paper considers challenging task longterm vide... 3990 cooperation difficult proposition face darwini... 3991 consider parabolicelliptic model chemotaxis fr... 3992 microservice architectures potential increase ... 3993 stronginteraction limit hohenbergkohn function... 3994 coupling reynolds rayleighplesset equations us... 3995 stateoftheart algorithms sparse subspace clust... 3996 steady state superconducting tokamak sst insti... 3997 pseudoone dimensional pseudod materials newcla... 3998 paper outlines methodological approach designi... 3999 frankwolfe fw algorithm widely used solving nu... 4000 probability simplex consider standard informat... 4001 search unconventional magnetic nonmagnetic sta... 4002 wide variety phenomena engineering scientific ... 4003 endogenous adaptation agents may adjust local ... 4004 although existence quasibound rotational level... 4005 dark ages universe end formation first generat... 4006 project propose novel approach estimating dept... 4007 paper consider problem machine teaching invers... 4008 directed latent variable models formulate join... 4009 graph g let oddg omegag denote number odd comp... 4010 gradient boosting stateoftheart prediction tec... 4011 decentralized payment system secure transactio... 4012 let n two monomials degree let smallest borel ... 4013 give new expression law eigenvalues discrete a... 4014 given curve defined algebraically closed field... 4015 consider importance sampling estimate probabil... 4016 network studies rely observed network differs ... 4017 let cal x xxprime random matrix associated cen... 4018 bandwidth selection crucial kernel estimation ... 4019 immunogenicity major problem development bioth... 4020 probit regression first proposed bliss study m... 4021 paper first prove diophantine system fzfxfyfuf... 4022 lot scientific works published different areas... 4023 main theorem incorrectly stated 4024 study fractional quantum hall states filling f... 4025 prove artin groups class containing largetype ... 4026 chemotactic dynamics cells organisms specializ... 4027 general procedure constructing yetterdrinfeld ... 4028 present method reconstruct autocorrelated sign... 4029 optimizationbased approach tucker tensor appro... 4030 optical absorption cdwo reported high pressure... 4031 convolutional neural networks cnns recently em... 4032 paper study right snoetherian rings modules ex... 4033 oddball paradigm widely applied investigation ... 4034 common problem machine learning rank set n ite... 4035 human activities hunting emailing performed fr... 4036 paper problem selecting p n available items di... 4037 study anisotropic undersampling schemes like u... 4038 given graph sparsest cut problem asks subset v... 4039 paper propose welljustified synthetic approach... 4040 recent stacking analysis planck hfi data galax... 4041 background modelbased analysis movements help ... 4042 study propose new statical approach highdimens... 4043 recent direct observation gravitational waves ... 4044 formally invoking wienerhopf method explicitly... 4045 humans remarkably proficient controlling limbs... 4046 consider point blowup manifold times sigma opl... 4047 present investigation development axial veloci... 4048 describe method identify poor households datas... 4049 recent research computational linguistics deve... 4050 ponzi schemes financial frauds promise high pr... 4051 well known challenging train deep neural netwo... 4052 typical neural machine translationnmt decoder ... 4053 deep neural networks dnn excel extracting patt... 4054 paper introduce algorithm performing spectral ... 4055 advances mobile computing technologies made po... 4056 interfacing ferromagnet polarized ferroelectri... 4057 combining bulk sensitive softxray angularresol... 4058 consider multiagent stochastic optimization pr... 4059 let mathbbfq denote finite field order q n pos... 4060 bilinear models provide appealing framework mi... 4061 two new highprecision measurements deuterium a... 4062 paper proposes scalable algorithmic framework ... 4063 introduce first index built time text length n... 4064 study temperature dependence rashbasplit bands... 4065 give definition viscosity solution minimal sur... 4066 recently introduced acoustic raytracing semicl... 4067 world wide web conference wellestablished matu... 4068 semitutorial paper first review informationthe... 4069 consider generalized milne problem nonconserva... 4070 work exploit agglomeration based hmultigrid pr... 4071 study detect clusters graph defined stream edg... 4072 construct fundamental solutions secondorder pa... 4073 gauge invariance sachswolfe formula describing... 4074 noisy matrix completion problem aims recover l... 4075 q polynomial integer coefficients x geq prove ... 4076 implementing modal method electromagnetic grat... 4077 give abstract formulation formal theory partia... 4078 distribution matter universe first order logno... 4079 workhorse theories throughout physics derive e... 4080 accurate noise modelling important training de... 4081 paper introduce unbiased gradient simulation a... 4082 robots ability understand ground natural langu... 4083 growing demand efficient distributed optimizat... 4084 analysis neuroimaging data poses several stron... 4085 wet etching essential complex step semiconduct... 4086 inherently abstract nature source code makes p... 4087 selfnested trees present systematic form redun... 4088 let g connected complex reductive algebraic gr... 4089 paper propose improvement flowpipeconstruction... 4090 give necessary sufficient condition maximum pr... 4091 modern stream cipher many algorithms zuc lte e... 4092 telecommunications industry highly competitive... 4093 vital aspect energy storage planning operation... 4094 present results experiment showing first succe... 4095 show fundamental groups compact orientable irr... 4096 pseudoscalars garret sobczyks paper emphsimpli... 4097 determine information scrambling rate lambdal ... 4098 recent years deep neural networks yielded stat... 4099 influence surface curvature surface tension sm... 4100 many supervised learning tasks emerged dual fo... 4101 graph said symmetric automorphism group transi... 4102 run time many scientific computation applicati... 4103 applications deep reinforcement learning robot... 4104 paper investigate hawking radiation process se... 4105 openmp shared memory programming model support... 4106 recent years image processing techniques used ... 4107 semisupervised node classification graphs fund... 4108 candecompparafac cp tensor decomposition popul... 4109 given increasing competition mobile app ecosys... 4110 paper studies problem remote state estimation ... 4111 goal network representation learning learn low... 4112 manipulating focusing light deep inside biolog... 4113 competition spinorbit coupling bandwidth w ele... 4114 protoplanetary disks undergo substantial massl... 4115 study spatiotemporal instability generated uni... 4116 find spectral curves corresponding known ratio... 4117 prove critical metric volume functional fourdi... 4118 present deep neural architecture parses senten... 4119 chentsovs theorem characterizes fisher informa... 4120 direct band gap character large spinorbit spli... 4121 consider problem finding minimizer function f ... 4122 paper first work propose network predict struc... 4123 starting pioneering works shannon weiner pleth... 4124 short overview demystifying midi audio format ... 4125 develop first bayesian optimization algorithm ... 4126 optical observations wide fields view encounte... 4127 multientity dependence learning medl explores ... 4128 simpletriangle graph intersection graph triang... 4129 paper generalize normalized gradient flow meth... 4130 show nontrivial hahn field truncation primitiv... 4131 laser communication advances compared radio fr... 4132 paper introduces first deep neural networkbase... 4133 although adverse effects attacks acknowledged ... 4134 conservative scheme formulated verified gyroki... 4135 study variant stochastic multiarmed bandit mab... 4136 energy consumption hot water production major ... 4137 selfadaptive system sas capable adjusting beha... 4138 intelligent transportation system targets coor... 4139 npolar gan pn diodes realized singlecrystal np... 4140 particle identification belle ii experiment pr... 4141 paper presents easy efficient face detection f... 4142 conventional decision trees number favorable p... 4143 topological shape analysis proposed utilized l... 4144 existing methods arterial blood pressure bp es... 4145 explore ramifications arising superflares evol... 4146 quantum fluctuations frustration trigger quant... 4147 novel solution obtained solve rigid registrati... 4148 enhanced mobile broadband embb one key usecase... 4149 study problem estimating size independent sets... 4150 paper provides sufficient conditions existence... 4151 article second series two presenting scale rel... 4152 present simple apparatus femtosecond laser ind... 4153 study changes metrics defined cartesian produc... 4154 paper answer following question infinitesimal ... 4155 modification geometry interactions twodimensio... 4156 proliferation social media fashion inspired ce... 4157 paper introduces new effective algorithm learn... 4158 current spacecraft need launch required fuel t... 4159 compared numerous xray dominant active galacti... 4160 study em maximum duopreservation string mappin... 4161 current trends nextgeneration exascale systems... 4162 propose general approach modeling semisupervis... 4163 report fabrication cm long cavity directly nan... 4164 spectral clustering one popular yet still inco... 4165 consider recovery low rank times n matrix nois... 4166 aim work propose first coarsegrained model bac... 4167 selfbound quantum droplets newly discovered ph... 4168 paper concerned problem stochastic control gen... 4169 growing uncertainty design parameters therefor... 4170 paper propose new approach obtain mixing least... 4171 despite rapid advances face recognition remain... 4172 introduce new class graphical models generaliz... 4173 argue turning logic program set completed defi... 4174 present manuscript consider practical problem ... 4175 human attribute analysis challenging task fiel... 4176 measurement error observed values variables gr... 4177 consider k surfaces arise double covers ellipt... 4178 sidefed crossed dragone telescope provides wid... 4179 individual neurons nervous systems exploit var... 4180 part study spherical functions compact symmetr... 4181 consider problem estimating species trees unro... 4182 recently introduction generative adversarial n... 4183 gestures natural communication modality humans... 4184 training deep network image classification one... 4185 deep narrowband hst imaging iconic spiral gala... 4186 letter supervisedly train neural networks dist... 4187 propose label propagation based algorithm weak... 4188 indian buffet process based models elegant way... 4189 propose new model formalizing reward collectio... 4190 study estimation integral type functionals int... 4191 emotional arousal increases activation perform... 4192 xray emission young stellar objects ysos order... 4193 consider reactiondiffusion equations kortewegd... 4194 present first systematic analysis read write s... 4195 features collaboration patterns often consider... 4196 study generation magnetic fields inflation mak... 4197 present horndroid new tool static analysis inf... 4198 paper study robustness network topologies use ... 4199 mas vee proved independently almost every inte... 4200 realworld machine learning applications often ... 4201 paper proposes efficient method computing sele... 4202 establish polyavinogradovtype bound finite per... 4203 introductory pedagogical treatmeant article p ... 4204 generative adversarial networks gans received ... 4205 experimental determination protein function re... 4206 eliminating negative effect nonstationary envi... 4207 use function field analogue method selberg der... 4208 derive correspondence eigenvalues adjacency ma... 4209 deep learning become powerful popular tool var... 4210 nature societies powerlaw present ubiquitously... 4211 extend results zhang et al show lambda eigenva... 4212 plasma turbulence scales order ion inertial le... 4213 recurrent neural networks show stateoftheart r... 4214 build deep reinforcement learning rl agent pre... 4215 curiosity strong desire learn know something s... 4216 initiate study communication complexity fair d... 4217 prove improve muirsuffridge conjecture holomor... 4218 article give approach define continuous functi... 4219 interplay spinorbit coupling soc electron corr... 4220 present strong version abouzaids noescape lemm... 4221 graph weighted models gwms recently proposed n... 4222 paper concerned existence least energy solutio... 4223 n distinguishable players randomly fitted whit... 4224 field mathbb k bijection regular spreads proje... 4225 optimization problem behind deep neural networ... 4226 paper presents analysis rearward gap acceptanc... 4227 propose simple yet highly effective method add... 4228 global style tokens gsts recentlyproposed meth... 4229 online social networks studied links users soc... 4230 review possible mechanisms energy transfer bas... 4231 consider priori generalization bounds develope... 4232 propose novel class statistical divergences ca... 4233 study existence nonexistence maximizers variat... 4234 paper introduces dex reinforcement learning en... 4235 paper discuss first order partial differential... 4236 prove genusone restriction allgenus landauginz... 4237 present novel approach mobile manipulator self... 4238 paper presents first results citeccyr project ... 4239 majority everyday tasks involve interacting un... 4240 article weak convergence general nonmarkov sta... 4241 segmental conditional random fields scrfs conn... 4242 use ecofriendly materials environment addresse... 4243 much work design convolutional networks last f... 4244 rigorous bridge spikinglevel macroscopic quant... 4245 recognition actions video sequences many appli... 4246 digital information encoded buildingblock sequ... 4247 traditionally categorical data analysis eg gen... 4248 article present idea using liquid scintillator... 4249 paper contributes new machine learning solutio... 4250 characterize strong type weak type inequalitie... 4251 sentiment analysis natural language processing... 4252 separating two sources audio mixture important... 4253 article first derive wavevector frequencydepen... 4254 optimization procedure multitransmitter miso w... 4255 consider problem estimating counterfactual qua... 4256 text generation increasingly common often requ... 4257 means building safe critical systems consists ... 4258 topic paper modeling analyzing dependence stoc... 4259 nodalline semimetals one topological semimetal... 4260 analyze listdecodability related notions rando... 4261 comparing different neural network representat... 4262 axiomatize study matrices type hin mna unitary... 4263 paper argues judicial use formal language theo... 4264 topological crystalline insulators recently pr... 4265 experimental records active bundle motility us... 4266 weyl dirac semimetals three dimensions robust ... 4267 developed fft beamforming techniques chime rad... 4268 magnetic resonance imaging mri positron emissi... 4269 goal paper extend classical multiplicative fra... 4270 considering problem color distortion caused de... 4271 present generalisation c bishop p jones result... 4272 flexible estimation heterogeneous treatment ef... 4273 hierarchical searches continuous gravitational... 4274 study heat trace drifting laplacian well schrd... 4275 online systems based machine learning offered ... 4276 show every p diamond kfree graph colorable mor... 4277 nearby exoplanet proxima centauri b prime futu... 4278 longstanding belief modular tensor categories ... 4279 mathematic forgetting curve models fit well fo... 4280 important step efficient computation multidime... 4281 imperative aspect modern science scientific in... 4282 stardust grains recovered meteorites provide h... 4283 present new proof fundamental result concernin... 4284 animal telemetry data often analysed discrete ... 4285 chiral magnets topologically nontrivial spin o... 4286 human pose estimation monocular images joint o... 4287 among underwater perceptual sensors imaging so... 4288 genomewide association studies gwas achieved g... 4289 paper shows random variables x possible repres... 4290 infants experts playing amazing ability genera... 4291 modern aircraft may require order thousands cu... 4292 quantitative multivariate central limit theore... 4293 according degrootfriedkin model social network... 4294 prove existence abrikosov vortex lattice solut... 4295 hilda asteroids primitive bodies resonance jup... 4296 properties cold bose gases unitarity extensive... 4297 best known method give lower bound noether num... 4298 education key factor ensuring economic growth ... 4299 long known singlelayer fullyconnected neural n... 4300 recently lawson shown primary brownpeterson sp... 4301 paper devoted expressiveness hypergraphs uncer... 4302 treegrass coexistence savanna ecosystems depen... 4303 approach presented making predictions function... 4304 paper investigate periodic vibrations group pa... 4305 content analysis news stories whether manual a... 4306 new social economic activities massively explo... 4307 bearing cooperative localization used successf... 4308 revisit relation neutrino masses spontaneous b... 4309 paper concerned generation gaussian invariant ... 4310 paper proposes computerbased recursion algorit... 4311 consider chain abelian klebanovtarnopolsky fer... 4312 reliable measurement confidence classifiers pr... 4313 benfords law empirical edict stating lower dig... 4314 two popular classes methods approximate infere... 4315 bells theorem fascinated physicists philosophe... 4316 paper objects investigation dyadic operators i... 4317 beginning dynamic game players may exogenous t... 4318 wearable devices transforming computing humanc... 4319 study standard nonlocal nonlinear schrdinger n... 4320 prediction appealing objective selfsupervised ... 4321 manifold learning based methods widely used no... 4322 use data extreme radio scintillation demonstra... 4323 longitudinal biomedical studies social network... 4324 neural networks decision trees popular machine... 4325 let regular ring containing field characterist... 4326 selecting right drugs right patients primary g... 4327 temperature dependence electrical resistivity ... 4328 develop novel method training gans unsupervise... 4329 monoclonal antibodies constitute one important... 4330 well known addition noise multistable system i... 4331 conditional term rewriting intuitive yet compl... 4332 magnetic skyrmions topological spin structures... 4333 spectral estimation se aims identify energy si... 4334 present new walking footplacement controller b... 4335 study magnetic field effects diluted spinice m... 4336 rnnbased forecasting approach used early detec... 4337 polymer solar cells considered promising candi... 4338 flutter machine introduced investigation singu... 4339 paper proposes novel robotic hand design assem... 4340 celebrated time hierarchy theorem turing machi... 4341 study sound galilean invariant systems onedime... 4342 natural join inner union operations combine re... 4343 predictions based densityfunctional calculatio... 4344 autonomous measurement tree traits branching s... 4345 mechanical vibrations components optical syste... 4346 present new ai task embodied question answerin... 4347 controlled generation text high practical use ... 4348 learning automatically structure object catego... 4349 design optimization techniques often used begi... 4350 present application deep generative models con... 4351 kirk lancaster david siegel investigated exist... 4352 brain computer interface bci provides promisin... 4353 paper deals motion planning multiple agents re... 4354 graph games provide foundation modeling synthe... 4355 recent work distance metric learning focused l... 4356 attenuation correction essential requirement p... 4357 introduce general framework allowing apply the... 4358 paper presents rigorous optimization technique... 4359 paper proposes new sharpened version jensens i... 4360 knotted solutions electromagnetism fluid dynam... 4361 let integer let imathbbzm set nonzero proper i... 4362 recent publications presented novel formal sym... 4363 robots potential game changer healthcare impro... 4364 social learning ie students learning social in... 4365 background widespread adoption electronic heal... 4366 piscine orthoreovirus strain prv causative age... 4367 motivated recent experiments use u extension g... 4368 consider learningbased variants c mu rule sche... 4369 report cosmological correlation functions used... 4370 computational paralinguistic analysis increasi... 4371 exchange small molecular signals within microb... 4372 explore polarization around controversial topi... 4373 vanishing gradient problem major obstacle succ... 4374 high dimension customary consider lassotype es... 4375 propose novel automatic method accurate segmen... 4376 using theorems eliashberg mcduff etnyre et pro... 4377 splitplot repeated measures designs frequently... 4378 syntax modal graphs defined terms continuous c... 4379 great interest realizing quantum simulators ch... 4380 paper interested decomposition tensor product ... 4381 development new greenhouse gas scavengers acti... 4382 singing voice separation based deep learning r... 4383 study highdimensional linear models errorinvar... 4384 show given estimate widehata close general hig... 4385 human drives car along road first time later r... 4386 onchip twisted light emitters essential compon... 4387 introduce lamp linear additive markov process ... 4388 consider extended starlike networks hub node c... 4389 let fourier coefficients holomorphic cusp form... 4390 general consensus learning representations use... 4391 work offer framework reasoning wide class exis... 4392 advent big data nowadays many applications dat... 4393 introduce new virtual environment simulating c... 4394 present fashionmnist new dataset comprising x ... 4395 kpage book drawing graph gve consists linear o... 4396 measured xray magnetic circular dichroism xmcd... 4397 paper studies problem secure communication ktr... 4398 analytically derive elastic dielectric piezoel... 4399 concerned multidimensional nonlinear stochasti... 4400 paper describes massively parallel code stateo... 4401 article carries large dimensional analysis sta... 4402 study differences equivalences nonperturbative... 4403 vibrational energy harvesters capture mechanic... 4404 paper presents novel principled approach train... 4405 area efficient rowparallel architecture propos... 4406 following paper fundamental aspects probabilis... 4407 osteonecrosis occurs due loss blood supply bon... 4408 study output feedback exponential stabilizatio... 4409 paper introduce design principle develop novel... 4410 wellknown bayes theorem assumes posterior dist... 4411 consider jovian planet highly eccentric orbit ... 4412 note contains reformulation hodge index theore... 4413 study asymmetry twopoint crosscorrelation func... 4414 paper present endtoend automatic speech recogn... 4415 fourier analysis representation circular distr... 4416 new method presented modelling physical proper... 4417 deep reinforcement learning drl shown incredib... 4418 propose analytical method blind separation abs... 4419 paper study optimal output consensus problem m... 4420 propose new dynamics equilibrium selection fin... 4421 paper presents new method medical diagnosis ne... 4422 new results added paper qclosed solvable sesqu... 4423 letter provides simple efficient technique all... 4424 current envisaged increase cellular traffic po... 4425 recurrent neural network rnn language models l... 4426 j deloerat mcallister k mulmuleyh narayananm s... 4427 aspectbased sentiment analysis existing method... 4428 begin discussion summarizing methodology propo... 4429 present results resonant xray scattering measu... 4430 rapid popularity internet things iot cloud com... 4431 environments scarce resources adopting right s... 4432 performance neural network nnbased language mo... 4433 covalentorganic frameworks cofs intriguing pla... 4434 filters convolutional neural network cnn conta... 4435 gravitationally collapsed objects known biased... 4436 relational structure mathbb x said reversible ... 4437 difficulty large scale monitoring app markets ... 4438 recently developed variational autoencoders va... 4439 work describe problem refer textbfspotify prob... 4440 smooth compact connected riemannian manifold l... 4441 power spectrum estimation important tool many ... 4442 evaluating human brain potentials watching dif... 4443 geophysical inversion ideally produce geologic... 4444 provide new proof super duality equivalence in... 4445 recent years car makers tech companies racing ... 4446 electricallycontrollable solidstate reversible... 4447 global pairwise network alignment gpna aims fi... 4448 present quantu spin liquid state spin honeycom... 4449 show singular dominant integral weight lambda ... 4450 article devoted investigation representation r... 4451 many realworld systems profitably described co... 4452 given semiriemannian manifold mg two distingui... 4453 paper compute number zclasses conjugacy classe... 4454 paper proposes practical approach automatic sl... 4455 martin david kruskal one versatile theoretical... 4456 provide unified framework compute stationary d... 4457 hedonic games meant model coalitions people fo... 4458 introduce kbanded cholesky prior estimating hi... 4459 paper consider stochastic langevin equation ad... 4460 crowdsourcing important avenue collecting mach... 4461 weihrauch degrees strong weihrauch degrees par... 4462 long shortterm memory lstm normally used recur... 4463 introduce abstract notion closed necklical set... 4464 give classification complete algebraic descrip... 4465 quantum cognition delivered number models sema... 4466 purpose note provide detailed proof nazarovs i... 4467 lanczos method one standard approaches computi... 4468 eigenstates fully manybody localized fmbl syst... 4469 network modeling become increasingly popular a... 4470 automated vehicles change society improved saf... 4471 recent years many new interesting models succe... 4472 consider gierermeinhardt system small inhibito... 4473 article study subloci solvable curves mathcalm... 4474 prove limit theorems superreplication cost eur... 4475 study networks witnessed explosive growth past... 4476 present natural families coordinate algebras n... 4477 observed field fermi source fgl j optical xray... 4478 markov random fields mrfs find applications va... 4479 nonparametric estimation mutual information us... 4480 present laboratory spectra pd transitions fe f... 4481 paper propose novel method register football b... 4482 fabrication devices industrial plants often in... 4483 propose fast accurate numerical method pricing... 4484 article extend conventional framework convolut... 4485 major obstacle understanding neural coding com... 4486 loving ai project involves developing software... 4487 paper study leveraging confidence information ... 4488 profitability fraud online systems app markets... 4489 nearfuture electric distribution grids operati... 4490 paper presents approach assess economics custo... 4491 work study thermodynamics ddimensional schwarz... 4492 antiferromagnet afm ferromagnet fm interfaces ... 4493 blockage pores particles found many processes ... 4494 monte carlo mc simulations transport random po... 4495 ingrowth postdeposition treatment cuznsns czts... 4496 novel approach introduced widely occurring pro... 4497 define notion morphisms open games exploiting ... 4498 semirelativistic densityfunctional theory incl... 4499 compute lbetti numbers free ctensor categories... 4500 recently increasing interest research interpre... 4501 coupled quasilinear kellersegelnavierstokes sy... 4502 spectral clustering one popular methods commun... 4503 textbfobjective assess validity automatic eeg ... 4504 review developments statistical physics fractu... 4505 consider localized approach wellestablished se... 4506 directed graphs widely used model data flow ex... 4507 weardriven structural evolution nanocrystallin... 4508 aim paper present necessary sufficient conditi... 4509 mostly survey article use information galois p... 4510 paper obtain bounds mordellweil ranks cyclotom... 4511 shown region euler integral first kind diverge... 4512 report first experimental observation graphene... 4513 navigating safely urban environments remains c... 4514 magnetic field applied metals semimetals quant... 4515 emergence development cancer consequence accum... 4516 paper correct inaccuracy appears proof theorem... 4517 present work aim taking step towards spectral ... 4518 investigate dynamically adapting tuning scheme... 4519 provide analytic propagator nonhermitian dimer... 4520 propose novel deep learning architecture regre... 4521 recently distributed processing large dynamic ... 4522 variational inference methods often focus prob... 4523 discrete cosine transform dct widelyused impor... 4524 propose swarmbased optimization algorithm insp... 4525 paper consider backward time problem ginzburgl... 4526 brief review discuss transient processes solid... 4527 galaxy data provided cosmos survey degree fiel... 4528 digital advances transformed face automatic mu... 4529 singular actions calgebras automorphic group a... 4530 general purpose correctbyconstruction synthesi... 4531 study explicit differential equations represen... 4532 positrons annihilate every second centre galax... 4533 sampling technique become one recent research ... 4534 friendship antipathy exist concert one another... 4535 review recurrence intervals function ground mo... 4536 modern future particle accelerators employ inc... 4537 paper algebraic combinatorial characterization... 4538 paper show stochastic heavy ball method shb po... 4539 attentionbased models recently shown great per... 4540 similarity metric learning provides principled... 4541 skills learned deep reinforcement learning oft... 4542 analyze open manybody system strongly coupled ... 4543 paper effect transmitter beam size performance... 4544 mars surface bears imprint valley networks for... 4545 paper proposes image dehazing model built conv... 4546 spirit searching gdbased frustrated rare earth... 4547 note indecomposable canonical forms linear sys... 4548 let mg compact manifold let delta phik lambdak... 4549 multimodal clustering unsupervised technique m... 4550 paper solve problem identification coefficient... 4551 nonlinear optics especially frequency mixing u... 4552 microcanonical grosspitaevskii aka semiclassic... 4553 last decades public policies become central pi... 4554 using twodimensional hybrid expanding box simu... 4555 establish minimax optimal rates convergence no... 4556 consider problem phase retrieval ie solving sy... 4557 shown one uses notion infinity nilpotent eleme... 4558 internet become way life fast growing digital ... 4559 present design implementation custom discrete ... 4560 policygradient approaches reinforcement learni... 4561 absolute positioning vehicles based global nav... 4562 demonstrate augmented estimate sequence framew... 4563 interplay electrochemical surface charges bulk... 4564 feasibility pumps highly effective primal heur... 4565 starting covariant expressions gauge independe... 4566 relatively prime refer set integers congruent ... 4567 develop asymptotical control theory one simple... 4568 replication complicated psychological research... 4569 study angular dependence dissipation supercond... 4570 displacement calculus mathbfd conservative ext... 4571 construct labeling homomorphisms cubical homol... 4572 demonstrate integration mesoscopic ferromagnet... 4573 present solution scale spectral algorithms lea... 4574 bcklund transformation bt good boussinesq equa... 4575 compressing convolutional neural networks cnns... 4576 consider dilute fluorinated graphene nanoribbo... 4577 given one metric measure space x satisfying li... 4578 problem quantizing activations deep neural net... 4579 associate monoidal category mathcalhlambda dom... 4580 let g group automorphism g called intense send... 4581 study adjoint double layer potential associate... 4582 structural coefficient restitution describes k... 4583 explore phase diagram finitesized dysprosium d... 4584 topological data analysis emerging area explor... 4585 paper design nonlinear state feedback controll... 4586 computed tomography ct reconstruction fundamen... 4587 consider bounded solutions nonlocal allencahn ... 4588 bi films thicknesses several bilayers bls grow... 4589 tensors multidimensional arrays numerical valu... 4590 consider researcher estimating parameters regr... 4591 missing data noisy observations pose significa... 4592 concurrent coding unconventional encoding tech... 4593 present work explore potential spinorbit coupl... 4594 paper revisit extend interesting case bounds q... 4595 band gap tuning twodimensional transitional me... 4596 defect diamond formed vacancy surrounded three... 4597 kisin pappas constructed integral models hodge... 4598 paper gives new flavor peter jagers coauthors ... 4599 braincomputer interfaces bcis based functional... 4600 human brain capable diverse feats intelligence... 4601 yang considered empirical estimate mean residu... 4602 calculate ghost characters torus knot using sh... 4603 aim clarify role absorption plays nonlinear op... 4604 data center networks dnk proposed many desirab... 4605 turbulence leading candidate angular momentum ... 4606 paper proposes general framework multiarmed ba... 4607 urban environments offer challenging scenario ... 4608 give improved algorithms ellpregression proble... 4609 article give explicit minimal free resolution ... 4610 current approaches knowledge distillation kd e... 4611 article argues importance forbidden triads ope... 4612 solar system small bodies come wide variety sh... 4613 leahhamiltonian hxyyx introduced functional eq... 4614 nuclear magnetic resonance nmr spectroscopy on... 4615 every genus ggeq construct infinite family str... 4616 objective absolute images important applicatio... 4617 epidemic outbreaks important healthcare challe... 4618 report first streaking measurement waterwindow... 4619 investigate intrinsic baldwin effect beff broa... 4620 hivaids spread depends upon complex patterns i... 4621 biluminescent organic emitters show simultaneo... 4622 instability liquid droplet traversed energetic... 4623 navigating search rescue environments challeng... 4624 point current textbooks modern physics century... 4625 reionization universe one important topics pre... 4626 study effect different feedback prescriptions ... 4627 first direct detection asteroidal yorp effect ... 4628 study convergence loglinear nonbayesian social... 4629 soft gamma repeaters anomalous xray pulsars th... 4630 report optical mechanical characterization arr... 4631 prototypical magnetic memory shape alloy nimng... 4632 fpgabased heterogeneous architectures provide ... 4633 penalized least squares estimation popular tec... 4634 paper proposes novel semidistributed practical... 4635 propose framework adversarial training relies ... 4636 first order magnetostructural transition ttsim... 4637 work introduces concept parametric gaussian pr... 4638 discriminationaware classification receiving i... 4639 set points n fixes planar convex body k points... 4640 paper consider priorbased dimension reduction ... 4641 perform endtoend sound source separation sss v... 4642 complete group classification problem class di... 4643 generative adversarial networks gan effective ... 4644 smartphones ubiquitously integrated home work ... 4645 consider distribution free path lengths distan... 4646 present measurements spinorbit misalignments h... 4647 paper introduces novel parameter estimation me... 4648 paper applies multibond graph approach rigid m... 4649 nauticle generalpurpose simulation tool flexib... 4650 phase transition temperature tc simeq k heb mi... 4651 key performance characteristics demonstrated m... 4652 privacy crucial many applications machine lear... 4653 research presents model complex dynamic object... 4654 paper present neural phrasebased machine trans... 4655 propose method multiperson detection pose esti... 4656 combine space group representation theory toge... 4657 statistics cumulants defined functions measure... 4658 freely available python code modelling snr evo... 4659 work examine two approaches interprocedural da... 4660 geehaw whammy diddle seemingly simple mechanic... 4661 cancellation theorem grothendieckwittcorrespon... 4662 motivation rapid growth diverse biological dat... 4663 dealing brain injury finding difficult work tw... 4664 rapid changes extracellular osmolarity one man... 4665 present optical mapping neareye omni threedime... 4666 topological phases typically encode topology l... 4667 introduce new dynamical system sequentially ob... 4668 incremental methods structure learning pairwis... 4669 theoretically investigate charge transport ele... 4670 paper study isoparametric hypersurfaces rander... 4671 formation brightfield microscopic image transp... 4672 actin cytoskeleton active semiflexible polymer... 4673 introduce method using fizeau interferometry m... 4674 determining relative importance environmental ... 4675 classifiers rating scores prone implicitly cod... 4676 paper revisit portfolio optimization problems ... 4677 method constructing lax pairs nonlinear integr... 4678 motivated need detect underground cavity withi... 4679 distant agn within allowed gzk cutoff radius r... 4680 show quandle coverings sense eisermann form re... 4681 derive extended fluctuation theorem geometric ... 4682 ranking algorithms information gatekeepers int... 4683 order autonomous robots able support peoples w... 4684 unsupervised domain adaptation problem setting... 4685 given distribution defects structured surface ... 4686 new management system snd detector experiments... 4687 spiking neural networks snns could play key ro... 4688 distribution grids currently challenged freque... 4689 ongoing debate literature whether present glob... 4690 introduce twisted matrix factorizations quantu... 4691 provide deterministic data summarization algor... 4692 nonlinear latticea new nonlinear class periodi... 4693 improvements entityrelationship er search tech... 4694 humanoid robotics research depends capable rob... 4695 silicon nitride awellestablished material phot... 4696 propose new selection rule coordinate selectio... 4697 convolutional recurrent deep neural networks s... 4698 ability model generative process learn latent ... 4699 propose efficient algorithm approximate comput... 4700 paper generalized nonlinear camassaholm equati... 4701 despite growing popularity wireless networks u... 4702 schemes automatic cover song identification fo... 4703 present algorithm ensures finite time gatherin... 4704 let xomega compact hermitian manifold complex ... 4705 information communication technology ict playi... 4706 number visual question answering approaches pr... 4707 pth degree hilbert symbol cdotcdot pktimesktim... 4708 present gamer gpuaccelerated adaptive mesh ref... 4709 assume mathsfmn ndimensional permutation modul... 4710 paper consider distributed optimization design... 4711 increasing uptake distributed energy resources... 4712 generative adversarial networks gans powerful ... 4713 understanding pseudogap phase holedoped high t... 4714 boseeinstein condensates tunable interatomic i... 4715 propose principled method kernel learning reli... 4716 recent years surge interest developing deep le... 4717 direct cdna preamplification protocols develop... 4718 paper proposes novel model rating prediction t... 4719 sample matrix inversion smi beamformer impleme... 4720 wind potential make significant contribution f... 4721 widely used income inequality measure gini ind... 4722 paper presents constructive algorithm achieves... 4723 fields neuroimaging genetics key goal testing ... 4724 establish boundary maximum principle free boun... 4725 spectral sparsification general technique deve... 4726 analyze statistics shortest fastest paths road... 4727 work investigate optimal proportional reinsura... 4728 internet infrastructure relies entirely open s... 4729 quantitative loop invariants essential element... 4730 paper active learning goal reduce data annotat... 4731 theoretically experimentally demonstrate multi... 4732 consider kitaev chain model finite infinite ra... 4733 study motion isentropic gas nozzles major subj... 4734 atrial fibrillation af common form arrhythmia ... 4735 study controllability partial differential equ... 4736 gravitational instabilities gis likely fundame... 4737 suggest model multiagent society decision make... 4738 recent initiatives regulatory agencies increas... 4739 study origin layer dependence band structures ... 4740 complete proof given relative interpretability... 4741 prove htype carnot groups rank k dimension n s... 4742 generalize twisted quantum double model topolo... 4743 study fragmentationcoagulation merging splitti... 4744 bagchi main effect plans orthogonal block fact... 4745 electron transport layer etl plays fundamental... 4746 many machine intelligence techniques developed... 4747 paper propose new differentiable neural networ... 4748 core accretion hypothesis posits planets signi... 4749 paper presents novel method allows generalise ... 4750 alternating automata widely used model verify ... 4751 study special case analytical solution lippman... 4752 causal effect estimation observational data im... 4753 show poset slnorbit closures product two parti... 4754 fundamental understanding loop formation long ... 4755 recent years supervised representation learnin... 4756 paper aims bridge affective gap image content ... 4757 present two different approaches model power g... 4758 present method drawing isolines indicating reg... 4759 work concerned optimal control problems govern... 4760 show glr equivariant point markings orbit clos... 4761 fundamental frequency f estimation polyphonic ... 4762 study eigenvalues selfadjoint zakharovshabat o... 4763 recent work considered theoretical models beha... 4764 establish precise zhu reduction formulas jacob... 4765 timelimited functions bandlimited functions pl... 4766 model size distribution supernova remnants inf... 4767 community detection provides invaluable help v... 4768 given subjective preferences n roommates nbedr... 4769 desired closure property bayesian probability ... 4770 coded distributed computing cdc introduced li ... 4771 motion photon emission electrons superlattice ... 4772 present hydrodynamic simulations hot cocoon pr... 4773 noninstitutive polynomial chaos expansion pce ... 4774 recognizing human activities sequence challeng... 4775 introduce study higher tetrahedral algebras ex... 4776 many algorithms parameter tuning remains chall... 4777 propose method generate shapes using point clo... 4778 recognizing arbitrary objects wild challenging... 4779 paper describes procedure estimate parameters ... 4780 multitude web desktop applications widely avai... 4781 nowadays big part people rely available conten... 4782 investigate proving properties curry programs ... 4783 classification involves finding rules partitio... 4784 modern learning algorithms excel producing acc... 4785 statistical regression models whose mean funct... 4786 unmanned aerial vehicles uavs attracted signif... 4787 propose new imaging technique radio opticalinf... 4788 using process algebra paper describes formalis... 4789 profiles broad emission lines active galactic ... 4790 agricultural robots expected increase yields s... 4791 textbooks applied mathematics often use graphs... 4792 paper provides alternate proof parts gouldensl... 4793 according butterfieldisham proposal understand... 4794 emission electromagnetic radiation accelerated... 4795 distribution regression recently attracted muc... 4796 using stateoftheart microscopy spectroscopy ab... 4797 henonheiles system originally proposed describ... 4798 study large time behaviour mass size particles... 4799 although neural machine translation nmt encode... 4800 propose novel combination optimization tools l... 4801 present first experimental demonstration multi... 4802 show variational autoencoders consistently fai... 4803 survey technique constructing customized model... 4804 show integers mgeq integers kgeq orthogonal gr... 4805 full autonomy fixedwing unmanned aerial vehicl... 4806 address problem efficient acousticmodel refine... 4807 spatial distribution cherenkov radiation casca... 4808 pentagram map discrete dynamical system define... 4809 paper study problem photoacoustic inversion we... 4810 recently fundamental conditions sampling patte... 4811 driven growing interest sciences industry amon... 4812 contribute general apparatus dependent tacticb... 4813 goal semantic parsing map natural language mac... 4814 study algebraic implications nonindependence p... 4815 layout hotpot detection one main steps modern ... 4816 computational prediction origin replication or... 4817 routine task art historians painting diagnosti... 4818 paper study slant submanifold complex space fo... 4819 theoretical models pertaining feedbacks ecolog... 4820 cuprate hightemperature superconductors among ... 4821 cryptocurrencies foundation technology blockch... 4822 recent studies shown tuning prediction models ... 4823 matrices phiinrntimes p satisfying restricted ... 4824 models applied real time response task like cl... 4825 high luminosity lhc hllhc integrate times lumi... 4826 let mathcalf finite alphabet mathcald finite s... 4827 present companion paper contemporary look herm... 4828 giant mutually connected component gmcc interd... 4829 paper study asymptotic behavior hermitianyangm... 4830 phasefield approaches fracture based energy mi... 4831 slow running straggler tasks significantly red... 4832 introduce inference trees new class inference ... 4833 propose scheme employ backpropagation neural n... 4834 recently two scalable adaptations bootstrap pr... 4835 impressive image captioning results achieved d... 4836 improve performance american fuzzy lop afl fuz... 4837 embedded realtime systems rts pervasive many m... 4838 derive second order rates joint sourcechannel ... 4839 chiral helical domain walls generic defects to... 4840 modern neural networks tend overconfident unse... 4841 detailed characterization particle induced bac... 4842 present principled approach uncover structure ... 4843 superconformal field theories scfts scfts high... 4844 article consider completely multiplicative seq... 4845 paper analyzed parasitic coupling capacitance ... 4846 consider manager allocates fixed total payment... 4847 continuous attractors used understand recent n... 4848 vallornothing transform bijective mapping defi... 4849 highavailability software systems requires aut... 4850 elucidate importance consistent treatment grav... 4851 develop novel method counterfactual analysis b... 4852 generalized pareto distribution gpd plays cent... 4853 work introduce em average topk atk loss new ag... 4854 reflexive polytopes form one distinguished cla... 4855 neural networks successfully applied applicati... 4856 mixture models become widely used clustering g... 4857 scanning superconducting quantum interference ... 4858 machine learning models incorporating multiple... 4859 prove general essential selfadjointness criter... 4860 recent years seen growing interest understandi... 4861 show convex hull monotone perturbation homogen... 4862 recent experiments demonstrate molecular motor... 4863 distributed function computation node initial ... 4864 individuals adapt behavior cultural evolution ... 4865 warm dark matter scenarios structure formation... 4866 aluminum lumpedelement kinetic inductance dete... 4867 calculate universal spectrum trimer tetramer s... 4868 paper constructed dark energy models anisotrop... 4869 huge influx various data nowadays extracting k... 4870 give algebraic quantization sense quantum grou... 4871 well known lasso interpreted bayesian posterio... 4872 paper investigate endogenous information conta... 4873 data diversity critical success training deep ... 4874 robust feature representation plays significan... 4875 paper develop upper bound sparseva sparse esti... 4876 present results chandra xray survey massive ga... 4877 revisit relegation algorithm deprit et al cele... 4878 exists bijection configuration space linear pe... 4879 neural networks central tool machine learning ... 4880 paper motivated two important applications ent... 4881 let k field characteristic zero x free variabl... 4882 treat boundary union blocks jenga game surface... 4883 introduce mathcaldlr extension nary propositio... 4884 developing braincomputer interfacebci seizure ... 4885 relational datasets modeled graphs keep increa... 4886 theoretically investigate stability linear osc... 4887 recent experiments schaeffer shown lithium pre... 4888 present imaging polarimetry superluminous supe... 4889 even though active learning forms important pi... 4890 optical flow estimation rainy scenes challengi... 4891 among many additive manufacturing processes me... 4892 due complexity invisibility human organs diagn... 4893 paper address inverse problem statistical mach... 4894 spectral graph convolutional neural networks c... 4895 study turbulent square duct flow dense suspens... 4896 transport charged carriers regimes strong none... 4897 let frak g semisimple lie algebra frak ksubset... 4898 roughly neutron stars known handful substellar... 4899 discrete time crystals recently proposed exper... 4900 give upper lower bounds number solutions equat... 4901 representation formula relaxation integral ene... 4902 stochastic optimization key efficient inversio... 4903 recent years self organised critical neuronal ... 4904 music multifaceted stimulus evolving multiple ... 4905 purpose paper give characterizations weight fu... 4906 lowmass stars plentiful universe often host sm... 4907 due numerous advantages formal proofs proof as... 4908 study explore peerinteraction effects online n... 4909 explanations kaldis plda implementation make f... 4910 lowenergy quasiparticles weyl semimetals conde... 4911 chinese societies superstition paramount impor... 4912 magnetic fieldinduced giant modification proba... 4913 work develop adaptive multivariate partitionin... 4914 classify drinfeld twists quantum borel subalge... 4915 big data analysis detecting rare weak signals ... 4916 class quasimedian graphs generalisation median... 4917 propose doubly nested networkdnnet neurons rep... 4918 recently series reports wang et al superconduc... 4919 research numerical stability difference equati... 4920 division ring denote mathcal md dring obtained... 4921 paper develops hybrid method solving system ad... 4922 work focuses quantitative representation trans... 4923 paper presents firstorder distributed continuo... 4924 last years model driven development mdd compon... 4925 article study optimal control problems systems... 4926 bipartite envyfree matching befm relaxation pe... 4927 offdiagonal aubryandr aa model recently attrac... 4928 analysis networks affects research many real p... 4929 investigate star formation spatially organized... 4930 path planning robotics often requires finding ... 4931 let pk path ck cycle k vertices kkk complete b... 4932 propose general index model survival data gene... 4933 dealing problem simultaneously testing large n... 4934 probability functions figure prominently optim... 4935 predicting next activity running process impor... 4936 high availability scalability weaklyconsistent... 4937 investigate initialboundary value problem inte... 4938 paper presents two visual trackers different p... 4939 digital memcomputing machines dmms nonlinear d... 4940 describe broadly applicable experimental propo... 4941 investigate exoplanetary distributions using n... 4942 let widetildemathcal mlangle mathcal prangle e... 4943 effective implementations samplingbased probab... 4944 information distribution electronic messages p... 4945 correlation magnetic properties microscopic st... 4946 decodoku project seeks let users get handson c... 4947 dynamic complexity concerned updating output p... 4948 fractures ubiquitous subsurface strongly affec... 4949 paper concerned application finite element met... 4950 many audio signal processing methods formulate... 4951 using stochastic gradient search optimal filte... 4952 safe efficient planning control autonomous dri... 4953 microservices architectures become largely pop... 4954 application high pressure fundamentally modify... 4955 zero forcing power domination iterative proces... 4956 compare two important bases irreducible repres... 4957 chapter present literature survey emerging cut... 4958 mode connectivity recently introduced frame wo... 4959 lifelong learning problem learning multiple co... 4960 floatingpoint arithmetic plays central role sc... 4961 compiled catalog candidates type quasars redsh... 4962 introduce generalization celebrated lovsz thet... 4963 multiclass classifiers make prediction test sa... 4964 propose new approach spectral theory perturbed... 4965 consider random linear estimation gaussian mea... 4966 develop class algorithms variants stochastical... 4967 hole diffusion length ningaas extracted two sa... 4968 layered semiconvection possible candidate expl... 4969 derive solvability conditions closedform solut... 4970 paper analyze convergence several discretizeth... 4971 paper evaluates three variants gated recurrent... 4972 let r frak local ring finitely generated rmodu... 4973 spherical gausslaguerre sgl basis functions ie... 4974 inspired recent developments research atomphot... 4975 manuscript method developing novel filtering a... 4976 quantum phase slips qps may produce nonequilib... 4977 study different concepts stability modules fin... 4978 paper show using publicly available data strea... 4979 enforcing open source licenses gnu general pub... 4980 minimization length syntactic dependencies wel... 4981 consider multivariate nonparametric regression... 4982 paper presents unsupervised method learn neura... 4983 virtual reality vr emerges mainstream platform... 4984 extreme deformations dna double helix attracte... 4985 many realworld objects designed smooth curves ... 4986 use inelastic light scattering study srxnaxfea... 4987 paper study problem learning mixture gaussians... 4988 report detailed analysis gravitationallylensed... 4989 paper present novel method rapid highresolutio... 4990 present new autoencodertype architecture train... 4991 boundary plasma physics plays important role t... 4992 hyperbolic systems pdes solved arbitrary order... 4993 prove reducibility result quantum harmonic osc... 4994 adaptive classification interference covarianc... 4995 lack interpretability often makes blackbox mod... 4996 many applications requiring multiple inputs ob... 4997 topos theory wellknown nucleus j gives rise tr... 4998 modulating amplitude phase light heart many ap... 4999 show translation surface regular point contain... 5000 work extend solid harmonics derivation used ac... 5001 lnorm principalcomponent analysis lpca realval... 5002 consider dissipation surface waves fluids view... 5003 present approach automate process discovering ... 5004 parental gametes unite form zygote develops ad... 5005 work investigates application unmanned aerial ... 5006 describe dynet toolkit implementing neural net... 5007 team semantics mathematical framework modern l... 5008 intriguing property deep neural networks inher... 5009 latent dirichlet allocation lda models trained... 5010 issue buckling mechanism droplets stabilized s... 5011 let x separable banach function space unit cir... 5012 theoretical paper continuation arxiv considers... 5013 topological models empirical formal inquiry in... 5014 given closed riemannian manifold pair multicur... 5015 show smooth interface two insulators opposite ... 5016 focus work estimation indegree distribution di... 5017 report superkekb phase operations large angle ... 5018 study effect contingent movement persistence c... 5019 traditional face editing methods often require... 5020 technique nonredundant masking nrm transforms ... 5021 consider gated onedimensional quantum wire dis... 5022 many problems supervised tensor learning stl r... 5023 introduce noisynet deep reinforcement learning... 5024 rate control protocol rcp congestion control p... 5025 demand high data rate low latency fifth genera... 5026 study twoplayer games counters objective first... 5027 using lagrangian floer theory study tropical g... 5028 greatest integer belong numerical semigroup ca... 5029 show coherence different bacteriochlorophylla ... 5030 maximize offloading gain cacheenabled deviceto... 5031 many interesting natural phenomena sparsely di... 5032 paper develop fluctuating hydrodynamics propos... 5033 quantum non demolition measurements sequence o... 5034 majority nlg evaluation relies automatic metri... 5035 present constraints masses extremely light bos... 5036 paper study optimal estimates two functionals ... 5037 examine kinematics gas environments galaxies h... 5038 computeraided analysis medical scans longstand... 5039 inspired katoks examples finsler metrics small... 5040 crystal structure magnetic ordering electrical... 5041 present machine learningbased approach lossy i... 5042 context dynamic emission tomography convention... 5043 investigate perturbative thermodynamic geometr... 5044 offer two new mellin transform evaluations rie... 5045 given constant vector field z minkowski space ... 5046 paper class neutral type competitive neural ne... 5047 students may find spline interpolation easily ... 5048 present monte carlo mc gridbased model drying ... 5049 image retargeting aims resize image one prescr... 5050 paper optimal power flow opf problem augmented... 5051 let mathbba cellular algebra field mathbbf dec... 5052 discrete frenet equation entails local framing... 5053 p stckel proved existence transcendental funct... 5054 consider classifiers highdimensional data stro... 5055 establish dictionary group field theory thus s... 5056 examine behavior accelerated gradient methods ... 5057 currently two main approaches exist distinguis... 5058 obtain weak type estimate maximal operator ass... 5059 internet things iot still infancy attracted mu... 5060 paper study ability make shortterm prediction ... 5061 hydroclimatic processes characterized heteroge... 5062 guiding influence stanley mandelstams key cont... 5063 accretion gas interaction matter radiation hea... 5064 logdeterminant kernel matrix appears variety m... 5065 numerical simulations artificial terms applied... 5066 humanoid robots increasingly demanded operate ... 5067 conventional automatic speech recognition asr ... 5068 phenomenon amplitude death explored using vari... 5069 novel approach quintessential inflation model ... 5070 present study low temperature phases antiferro... 5071 objective numerous glucose prediction algorith... 5072 derive compare fractions coolcore clusters em ... 5073 online multiobject tracking mot videos challen... 5074 generating novel graph structures optimize giv... 5075 given small mobility coefficient liquid argon ... 5076 address problem constructing coding schemes ch... 5077 propose demonstrate selfcoupled microring reso... 5078 report measurements p p scalar tensor polariza... 5079 consider equation uyy utx uyuxx uxuxy reductio... 5080 first present empirical study belief propagati... 5081 study surnames linguistic geographical markers... 5082 let mathfrak l mathfrak qntimesmathfrak qn mat... 5083 work focus novel completion wellknown bransdic... 5084 speech emotion recognition important challengi... 5085 present quantitative analysis human word assoc... 5086 recent observations show population active gal... 5087 show x abelian variety dimension g geq mathcal... 5088 first chapter present computation square value... 5089 many inverse problems involve two sets variabl... 5090 paper proposes method based signal injection o... 5091 paper introduce durrmeyer type modification me... 5092 present deep graph infomax dgi general approac... 5093 investigation paper nonisospectral variable co... 5094 study problem detecting abrupt change signal c... 5095 paper argue future artificial intelligence res... 5096 several theories glass transition propose stru... 5097 takeuchi showed conjugation exactly arithmetic... 5098 large variety dynamical systems chemical biomo... 5099 runlength encoding burrowswheeler transformed ... 5100 investigate effect stress fluctuations stochas... 5101 quantifying estimating wildlife population siz... 5102 information planning enables faster learning f... 5103 electron tracking based compton imaging key te... 5104 paper establish best constant anisotropic gagl... 5105 draft addendum ich e released public consultat... 5106 given characteristic define character siegel m... 5107 investigate new class topological antiferromag... 5108 relation cosmological halo concentration mass ... 5109 effects structural distortion associated rm os... 5110 e elliptic curve point order two work klagsbru... 5111 machine learning essentially sciences playing ... 5112 deformation estimation elastic object assuming... 5113 performed empirical comparison two distinct no... 5114 present deep generative model learning predict... 5115 investigate dynamics nonlinear system modeling... 5116 present family algorithms reduce noise astroph... 5117 dropout stochastic regularisation technique tr... 5118 wind energy forecasting helps manage power pro... 5119 firstorder iterative optimization methods play... 5120 machine understanding complex images key goal ... 5121 currently approximately epileptic patients tre... 5122 disentangled representations higher level data... 5123 color hotdip galvanized steel sheet adjusted r... 5124 fix counting function multiplicities algebraic... 5125 consider task finegrained sentiment analysis p... 5126 computinginmemory cim architectures aim reduce... 5127 previous work shown onedimensional inviscid co... 5128 consider jointly gaussian random variables who... 5129 follower count factor quantifies popularity ce... 5130 show monochromatic finsler metrics ie finsler ... 5131 transcriptional repressor ctcf important regul... 5132 many multiplanet systems discovered date notab... 5133 present gpuqt quantum transport code fully imp... 5134 paper proposes analyzes new fullduplex fd coop... 5135 study method construct fullcolour volumetric d... 5136 strong gravitational lensing gives access tota... 5137 introduce new framework estimating support siz... 5138 twophoton superbunching pseudothermal light ob... 5139 aim paper investigate nonrelativistic limit in... 5140 bensonsolomon systems comprise known family si... 5141 present new paradigm simulation arrays imaging... 5142 poisoning attack learning algorithm adversary ... 5143 consider jacobi matrices eventually increasing... 5144 web video often used source data various field... 5145 given n symmetric bernoulli variables said cor... 5146 show tensor product aotimes b mathbbc two c al... 5147 intermediate level task connecting image capti... 5148 propose notion haantjes algebra consists assig... 5149 paper considers multipair amplifyandforward ma... 5150 exoplanet research carried limits capabilities... 5151 understanding influence features machine learn... 5152 wikipedia largest existing knowledge repositor... 5153 adopting two independent approaches lorentzinv... 5154 study effect critical pairing fluctuations ele... 5155 paper propose lowrank coordinate descent appro... 5156 fisher information metric important foundation... 5157 given network statistical ensemble graphvorono... 5158 statistics smallest eigenvalue wishartlaguerre... 5159 advances image processing computer vision late... 5160 propose deepmapping novel registration framewo... 5161 first systematic comparison swarmc acceleromet... 5162 consider modelbased clustering methods continu... 5163 provide requirements effectively enumerable to... 5164 paper studies problem multivariate linear regr... 5165 knowing people live fundamental component many... 5166 measure trends diffusion misinformation facebo... 5167 describe semeval task extracting keyphrases re... 5168 consider twodimensional nonlinear schrdinger e... 5169 late premet conjectured nilpotent variety fini... 5170 report existence stability freely moving solit... 5171 following text prove finite pgeq exists topolo... 5172 building machines understand text like humans ... 5173 remote sensing image processing important geos... 5174 independent control two magnetic electrodes sp... 5175 apply reinforcement learning algorithm show sm... 5176 propose analyze variational wave function popu... 5177 evaluated prospects quantifying parameterized ... 5178 time learner selfpaced online course trying an... 5179 give concise presentation univalent foundation... 5180 paper addresses problem synchronizing orthogon... 5181 threshold theorem probably important developme... 5182 evolutionary model emergence diversity languag... 5183 random walks heart many existing network embed... 5184 ultracold atomic physics experiments offer nea... 5185 consider solving convexconcave saddle point pr... 5186 power system dynamic state estimation essentia... 5187 number statistical estimation problems address... 5188 study existence stability stationary solutions... 5189 paper present new algorithm compressive sensin... 5190 important goal common domain adaptation causal... 5191 paper focus problem finding optimal weights sh... 5192 alternative proof given existence greatest low... 5193 study approximations partition function dense ... 5194 paper study hyersulam stability integral equat... 5195 omega centauri ngc hosts hundreds pulsating va... 5196 introduce pseudodeterministic interactive proo... 5197 erosion deposition flow porous media lead larg... 5198 study maximum likelihood degree ml degree tori... 5199 study incompressible limit pressure correction... 5200 paper present lossbased approach change point ... 5201 elastic foil interacting uniform flow trailing... 5202 foundation modern technology uses singlecrysta... 5203 new lower bound average reconstruction error v... 5204 use weighted variant frequency functions intro... 5205 present optical spectroscopy recently discover... 5206 single quantum dot deterministically coupled p... 5207 answering queries federation sparql endpoints ... 5208 unknown exists locally alphahlder homeomorphis... 5209 game towers hanoi generalized binary trees fir... 5210 consider problem estimating mean noisy vector ... 5211 good classification method yield accurate resu... 5212 although rate region lossless manyhelpone prob... 5213 correlated topic modeling limited small model ... 5214 prove risk bounds binary classification highdi... 5215 propose dimensional reduction procedure stolzt... 5216 present practical approach processing mobile s... 5217 motivated rapid rise statistical tools functio... 5218 wellknown result study convex polyhedra due mi... 5219 work assess accuracy dielectricdependent hybri... 5220 flow shock tube extremely complex dynamic mult... 5221 study kitaev chain generalized twisted boundar... 5222 consider general problem modeling temporal dat... 5223 empirical paper addresses role bilateral multi... 5224 information microscopically processed individu... 5225 pairwise association measure important operati... 5226 repeated exposure lowlevel blast may initiate ... 5227 gaussian markov random fields used large numbe... 5228 initiate study path spaces nascent context mot... 5229 paper study frequentist convergence rate laten... 5230 paper consider problem clustering collections ... 5231 important problem phylogenetics construction p... 5232 measurements cm line fluctuations minihalos di... 5233 utilise series highresolution cosmological zoo... 5234 two parts paper first discovered explicit form... 5235 paper bring anonymous variables imperative lan... 5236 cosmic cm signal set revolutionise understandi... 5237 standard penalized methods variable selection ... 5238 development speech synthesis techniques automa... 5239 present study concerned following schrdingerpo... 5240 introduce updown coloring virtuallink diagram ... 5241 present paper work comparison statistical mach... 5242 emerging field intersection quantitative biolo... 5243 new era web known semantic web web data semant... 5244 celebrated paper siegels lemma bombieri vaaler... 5245 rise connected personal devices together priva... 5246 implications considering interaction chaplygin... 5247 present galario computational library exploits... 5248 geoelectrical techniques widely used monitor g... 5249 study use randomized value functions guide dee... 5250 investigate generalizability deep learning bas... 5251 work use semiempirical atmospheric modeling me... 5252 paper present accurate approximation gamma fun... 5253 central theme classical algorithms reconstruct... 5254 paper investigates novel task generating textu... 5255 folliclestimulating hormone fsh luteinizing ho... 5256 going deeper witnessed improve performance con... 5257 atom interferometers employing optical cavitie... 5258 rulebased modelling allows represent molecular... 5259 previous work introduced method modeling confi... 5260 combination transmission electron microscopy a... 5261 fusion humans technology takes us unknown worl... 5262 timedependent generator coordinate method tdgc... 5263 note show small solutions energy space general... 5264 digital economy highly relevant item european ... 5265 purpose magnetic resonance fingerprinting mrf ... 5266 paper propose stochastic recursive gradient al... 5267 crucial role nymanbeurlingbezduarte approach r... 5268 propose nonstationary spectral kernels gaussia... 5269 one key g scenarios devicetodevice dd massive ... 5270 neural networks among accurate supervised lear... 5271 papers antares multimessenger program prepared... 5272 modified camassaholm mch equation bihamiltonia... 5273 investigate normal state superconducting compo... 5274 irreversible processes play major role descrip... 5275 inspired andrews colored generalized frobenius... 5276 paper illustrates similarities problems custom... 5277 progress enabling autonomous cars drive safely... 5278 existing music recognition applications requir... 5279 decentralized machine learning promising emerg... 5280 expected improvement ei algorithm popular stra... 5281 study performance limits solutions utility max... 5282 new approach problems uncertainty principle ha... 5283 study definably compact definably connected gr... 5284 despite widelyspread consensus brain complexit... 5285 provide explicit unified formulas cocycles deg... 5286 regular variation often used starting point mo... 5287 deep learning dl recently achieved tremendous ... 5288 note analyze classification problem compact me... 5289 purpose article investigate relations wsuperal... 5290 temporal object detection attracted significan... 5291 paper develops carleman type estimate immersed... 5292 several temporal logics proposed formalise tim... 5293 wild sets mathbbrn tamed use various represent... 5294 mitochondrial dna mtdna mutations cause severe... 5295 let fmathbbsdtimes mathbbsdtomathbbs function ... 5296 nanotechnology nodes feature size shrunk rapid... 5297 ngc one nearest luminous galaxies lmu lodot z ... 5298 present natural general ways building lie grou... 5299 spingapless semiconductors unique band structu... 5300 transiting exoplanet survey satellite tess emb... 5301 deal symmetries term graded vector space bundl... 5302 traffic flow prediction important research iss... 5303 nonequilibrium theory optical conductivity dir... 5304 report highresolution neutron compton scatteri... 5305 study problem semantic code repair broadly def... 5306 several authors claimed less luminous active g... 5307 solve completely irrigation problem dirac mass... 5308 one major challenges object detection propose ... 5309 dynamic topic modeling facilitates identificat... 5310 embedding complex objects vectors low dimensio... 5311 paper describes participation task track semev... 5312 multivariate linear regression model important... 5313 show certain onedimensional spin chains open b... 5314 explore potential future cryogenic direct dete... 5315 paper present family conjectural relations tau... 5316 study datadriven representations threedimensio... 5317 used molecular dynamics simulations path sampl... 5318 firstpassage time fpt ornsteinuhlenbeck ou pro... 5319 perturbation theory using selfconsistent green... 5320 affordable care act aca includes permanent rev... 5321 investigate class chanceconstrained combinator... 5322 paper considers optimal design input signals p... 5323 technique continuous unitary transformations r... 5324 sparsity solution linear regression model comm... 5325 generalization error defines discriminability ... 5326 report detection linear polarization forbidden... 5327 neural networks vulnerable adversarial example... 5328 master equations commonly used model dynamics ... 5329 megacity analysis high resolution vhr satellit... 5330 multiattributed graph matching problem finding... 5331 emphsecure search problem retrieving database ... 5332 large array telescope tracking energetic sourc... 5333 paper propose general model planebased cluster... 5334 doped free carriers substantially renormalize ... 5335 ghys sergiescu proved thompsons group hence f ... 5336 consider problem estimating entries unknown me... 5337 short article presents summary netscied networ... 5338 version gromovs cup product lemma one factor p... 5339 density functional theory nonequilibrium green... 5340 present first search dark matterinduced delaye... 5341 theoretical investigation structural elastic e... 5342 study consider unsupervised clustering categor... 5343 topology complex system key understanding stru... 5344 recurrent neural networks rnns sophisticated u... 5345 investigate projection free method namely cond... 5346 pair positive integers nk ngeq paper prove sum... 5347 introduce new operation copolar addition unbou... 5348 concurrent separation logics helped significan... 5349 ancient solutions arise study parabolic blowup... 5350 solvothermal intercalation ethylenediamine mol... 5351 tangles quantized vortex line initial density ... 5352 study supersymmetric partition function times ... 5353 let omega bounded lipschitz domain mathbbrd pu... 5354 rapidly growing interest bifacial photovoltaic... 5355 simulation wave propagation microearthquake en... 5356 paper proposes new concurrent heap algorithm b... 5357 article presents guider userguided rule induct... 5358 short time intervals planetary ephemerides tra... 5359 given two sets points b normed plane prove two... 5360 rural areas developing countries predominantly... 5361 construct obstruction existence embeddings hom... 5362 inspired river networks structures formed lapl... 5363 multiview representation learning popular late... 5364 paper studied slam method vectorbased road str... 5365 complex projective structure sigma surface thu... 5366 paper concerned paraphrase detection ability d... 5367 lead halide perovskite solar cells recently em... 5368 establish bijective correspondence certain non... 5369 knowing structure offline social network facil... 5370 work investigated detection gravitational wave... 5371 paper demonstrate connection magnetic storage ... 5372 training automatic speech recognition asr syst... 5373 dynamic networks general language describing t... 5374 many robotic applications searchandrescue requ... 5375 missing phase problem xray crystallography com... 5376 variety fundamental differences known separate... 5377 critical behavior random field model driven un... 5378 four types explicit estimators proposed estima... 5379 study multiparty communication complexity high... 5380 many engineers wish deploy modern neural netwo... 5381 paper new wiretap channel model proposed legit... 5382 route selection based performance measurements... 5383 study infinitehorizon asymptotic average optim... 5384 two wellknown turbulence models describe inert... 5385 present new model explain difference transport... 5386 investigate graph probing problem agent incomp... 5387 recent years work done develop theory general ... 5388 observed vela pulsar one year using phased arr... 5389 elasticity one key features cloud computing at... 5390 cooper pairs superconductors normally spin sin... 5391 quantum parameter estimation plays key role ma... 5392 propose multiview network text classification ... 5393 understand multiple relations developers proje... 5394 consider class participation rights ie obligat... 5395 online sparse linear regression online problem... 5396 imageguided radiation therapy benefit accurate... 5397 report coherent diffractive imaging aupd cores... 5398 context describe new sepia swedisheso pi instr... 5399 present algorithm identify sparse dependence s... 5400 nowadays quantum program widely used quickly d... 5401 paper focus option pricing models based spacet... 5402 built twostate model asexually reproducing org... 5403 paper analyzes airbnb listings city san franci... 5404 give algorithms running time osqrtklogk cdot f... 5405 known life forms based upon hierarchy interwov... 5406 aim paper design bandlimited optimal input pow... 5407 due rapid growth world wide web resource disco... 5408 supervised learning successful automatic segme... 5409 many sharing economy platforms uber airbnb bec... 5410 study generalized fermat equation x zp solved ... 5411 earlier work constructed almost strict morse n... 5412 extension deep learning towards temporal data ... 5413 consider use deep learning methods modeling co... 5414 consider scalar field profile around relativis... 5415 spin pumping refers microwavedriven spin curre... 5416 firm evidence existed ancient maya civilizatio... 5417 nurbs curve widely used computer aided design ... 5418 propose new class universal kernel functions a... 5419 large batch size training neural networks show... 5420 present bayesian method feature selection pres... 5421 brain ct become standard imaging tool emergent... 5422 three properties dielectric relaxation ultrapu... 5423 protographbased raptorlike lowdensity paritych... 5424 empirically evaluate finitetime performance se... 5425 societies increasingly dependent services supp... 5426 using twisted denominator identity derive clos... 5427 high pressure provoke spin transitions transit... 5428 lsh locality sensitive hashing emerged powerfu... 5429 paper propose design test new dualnuclei rfcoi... 5430 ooids typically spherical sediment grains char... 5431 give polynomialtime algorithm learning latents... 5432 let walphat talphaet alpha laguerre weight fun... 5433 grids allow users flexible ondemand usage comp... 5434 recently trajectorypooled deeplearning descrip... 5435 paper present approach extract ordered timelin... 5436 great interest recently applying nonparametric... 5437 minimum feedback arc set problem asks delete m... 5438 paper describes approach triple scoring task w... 5439 paper present efficient computational framewor... 5440 popular tool producing meaningful interpretabl... 5441 many problems industry social natural informat... 5442 doublefetch bugs special type race condition u... 5443 analytically study spontaneous emission single... 5444 oriented riemannian manifold spinstructure def... 5445 surrogate models provide low computational cos... 5446 recent terrorist attacks carried behalf isis a... 5447 inference hidden markov model challenging term... 5448 kinetic inductance detectors kids become attra... 5449 penalized regression models lasso extensively ... 5450 many optimization algorithms converge stationa... 5451 propose novel hierarchical generative model si... 5452 report results implementation quantum key dist... 5453 paper introduce zhusuan python probabilistic p... 5454 current action recognition methods heavily rel... 5455 study likelihood relative minima random polyno... 5456 latentvariable model introduced text matching ... 5457 develop magnetoelastic coupling model interact... 5458 consider problem highdimensional misspecified ... 5459 consider problem minimizing convex objective f... 5460 describe purification xenon traces radioactive... 5461 kite graph kitepq obtained appending complete ... 5462 consider problem graph matchability nonidentic... 5463 university curriculum campus level permajor le... 5464 linear mixed model lmm shown competitive perfo... 5465 diffusions related random walk procedures cent... 5466 continuing series works following weyls oneter... 5467 large sample size equivalence celebrated appro... 5468 prove exponential deviation inequality convex ... 5469 twopart paper addresses design retail electric... 5470 standard lstm recurrent neural networks powerf... 5471 paper apply extended landaulifschitz equation ... 5472 response delay inherent essential part human a... 5473 note contains examples hyperkhler varieties x ... 5474 introduce analyze following general concept re... 5475 present novel approach solve problem reconstru... 5476 study problem guarding orthogonal polyhedron r... 5477 positive integer complete graph mm vertices de... 5478 control sensing largescale systems results com... 5479 based periodogramratios two univariate time se... 5480 article consider conditions projection operato... 5481 paper consider divergence parabolic equation b... 5482 exhibit hamel basis concrete algebra mathfrakm... 5483 tasks identifying separation structures cluste... 5484 present two simple ways reducing number parame... 5485 study mereology parts wholes context formal ap... 5486 start variational model nematic elastomers inv... 5487 deep neural networks dnns revolutionized numer... 5488 recent advances neural word embedding provide ... 5489 iterative load balancing algorithms indivisibl... 5490 whitney immersion lagrangian sphere inside fou... 5491 simulation study energy resolution position re... 5492 paper study multiround influence maximization ... 5493 deep neural networks achieve stellar generalis... 5494 work motivated problem testing differences mea... 5495 synchronized magnetization dynamics ferromagne... 5496 permutation test known exact test procedure st... 5497 avalanche photodiodes apds practical option sp... 5498 interested development surrogate models uncert... 5499 mmo arxiv reworked generalized equivariant inf... 5500 steadystate visual evoked potentials ssveps ne... 5501 oddfrequency triplet cooper pairs believed car... 5502 formulate correspondence affine projective spe... 5503 policy evaluation key process reinforcement le... 5504 present five variants standard long shortterm ... 5505 paper introduces assumeguarantee contracts con... 5506 map phasespace trajectories externalcavity sem... 5507 show neural network functions width less equal... 5508 prove mild assumptions lattice product semisim... 5509 present example quadratic algebra given three ... 5510 let mlm total space sbundle classified element... 5511 analysis software developed high aspect ratio ... 5512 raise question existence continuous roots fami... 5513 finite word w length n contains n distinct pal... 5514 understanding feasible power flow region centr... 5515 traditional activity model selection aims disc... 5516 thesis study connections metric combinatorial ... 5517 mlpack opensource c machine learning library e... 5518 results smale dugundji allow compare homotopy ... 5519 express frchet class multivariate bernoulli di... 5520 use bonahonwongs trace map study character var... 5521 study multiperiod demand response problem smar... 5522 determine radio size distribution large sample... 5523 investigate transport properties pristine zigz... 5524 smallest eigenvalues associated eigenvectors i... 5525 paper presents speech technology center stc re... 5526 paper study determine concurrent transmissions... 5527 th international conference automata formal la... 5528 precise localization nanoparticles within cell... 5529 operating dynamic real world environment requi... 5530 relaying early effort estimation predict requi... 5531 study problem approximate ranking observations... 5532 address problem finding influential training s... 5533 network local disturbance propagate eventually... 5534 paper present transfer learning approach music... 5535 standard bifurcation dynamical system stationa... 5536 anomalous metallic state hightemperature super... 5537 principles thermoelectric phenomenon including... 5538 strong disorder interacting quantum systems gi... 5539 aim paper present comprehensive review method ... 5540 report detection confidence optical counterpar... 5541 particularly promising pathway enhance efficie... 5542 additional experimental cross sections deduced... 5543 intelligent network selection plays important ... 5544 highresolution satellite imagery increasingly ... 5545 newtons method finding unconstrained minimizer... 5546 range sensitivity algorithmic decisions expand... 5547 exoplanet transit spectroscopy enables charact... 5548 study superconductornormal statesuperconductor... 5549 skyrmion racetrack design proposed allows ther... 5550 detection high dimensional multimodal data cha... 5551 polarization troubling phenomenon lead societa... 5552 turbulence remains unsolved multidisciplinary ... 5553 weighting pvalues wellestablished strategy imp... 5554 understanding dynamics social interactions cru... 5555 cognition depend bottomup sensor feature abstr... 5556 presentations unbraided braided symmetric pseu... 5557 linear optimal power flow lopf algorithms use ... 5558 article review authors concerning construction... 5559 study rank lnormbased tucker ltucker decomposi... 5560 search habitable exoplanets life beyond solar ... 5561 convolutional autoregressive models recently d... 5562 autoreactive b cells central role pathogenesis... 5563 establish exact mapping equilibrium imaginary ... 5564 recently increased computational power data av... 5565 research humanrobot collaboration humanrobot t... 5566 paper describes three variants counterexample ... 5567 work generalization pregrss inequality establi... 5568 electroencephalography eeg based brain compute... 5569 realtime systems running timing constraints sc... 5570 rational solutions painlevii equation appear s... 5571 phast software package written standard fortra... 5572 informationtheoretic bayesian regret bounds ru... 5573 study portfolio selection problem continuousti... 5574 present ongoing systematic search extragalacti... 5575 describe time series multivariate adaptive reg... 5576 major challenge xray computed tomography ct re... 5577 classification problems security settings usua... 5578 liouville domain w whose boundary admits perio... 5579 study deterministic version one twodimensional... 5580 operational semantics enormously successful la... 5581 particlehole ph symmetry halffilled landau lev... 5582 importance sampling become indispensable strat... 5583 consider problem call secure grouping dividing... 5584 let mathcal c subcategory category topologized... 5585 according eurobarometer report eu media use ma... 5586 introduce novel framework adversarial training... 5587 paper considers problem achieving attitude con... 5588 analysis clouds earths atmosphere important va... 5589 nowadays witnessing wide adoption machine lear... 5590 theory statistical inference along strategy di... 5591 scalar reactiondiffusion equation known stabil... 5592 new results functional prediction ornsteinuhle... 5593 goal dissertation study sequence polymorphism ... 5594 known connected translation invariant ndimensi... 5595 obtain reduction vectorial ribaucour transform... 5596 human relations driven social events people in... 5597 present novel framework addressing nonlinear l... 5598 rfold analogues whitney trick air since howeve... 5599 materialbased ie lagrangian methodology exact ... 5600 lu boutilier proposed novel approach based min... 5601 event sequence asynchronously generated random... 5602 let finite von neumann algebra resp type ii fa... 5603 let q positive integer recently niu liu proved... 5604 growing popularity autonomous systems creates ... 5605 paper discusses stably trivial torsors spin or... 5606 liu et al provide comprehensive account resear... 5607 prove several results chordal graphs weighted ... 5608 hotspots surfaceenhanced resonance raman scatt... 5609 complex computer codes often time expensive di... 5610 domain adaptation crucial many realworld appli... 5611 microblogging sites direct platform users expr... 5612 paper discusses local linear smoothing estimat... 5613 among ergodic actions compact quantum group ma... 5614 formulate called varma covariance matching pro... 5615 devise approach calculation scaling dimensions... 5616 problem automatically generating computer prog... 5617 flexible transparent electronics presents new ... 5618 decayatrest experiment deltacp violation labor... 5619 present kernelindependent method applies hiera... 5620 anyone need data system today confronted numer... 5621 consider problem sequentially making decisions... 5622 consider problem modeling hysteresis finitesta... 5623 establish effective meanvalue estimates wide c... 5624 report terahertz spectroscopy quantum spin dyn... 5625 work study benefit partial relay cooperation c... 5626 testdriven development tdd agile development a... 5627 let pequiv mod rational prime number mod p cub... 5628 aim study investigate dynamics possible comets... 5629 singleparticle reconstruction spr cryoelectron... 5630 realworld reward function perfect sensory erro... 5631 let scdot denote sumofproperdivisors function ... 5632 formation precipitated zirconium zr hydrides c... 5633 caofes semiconducting oxysulfide polar layered... 5634 lowfrequency polarisation observations pulsars... 5635 recent years witnessed rise many successful ec... 5636 market rough markovian meanreverting stochasti... 5637 due interdisciplinary nature devices controlle... 5638 nonlinear oscillators key modelling tool many ... 5639 recently proposed multilayer convolutional spa... 5640 paper considers planar figure combinatorial po... 5641 deep learning dl methods show good performance... 5642 humans sensors autonomous vehicle limited sens... 5643 competing risks data arise frequently clinical... 5644 compare contrast statistical physics quantum p... 5645 construct cofibration category structure categ... 5646 open questions respect computational complexit... 5647 paper proposes drone squadron optimization new... 5648 original imagenet dataset popular largescale b... 5649 particle gibbs pg sampler markov chain monte c... 5650 present paper part series articles dedicated e... 5651 ellerman bombs ebs kind solar activities sugge... 5652 detailed numerical study long time behaviour d... 5653 let bf r pearson correlation matrix normal ran... 5654 past years witnessed emergence new discipline ... 5655 paper consider interior transmission eigenvalu... 5656 unambiguous nondeterministic finite automata i... 5657 propose novel semisupervised approach towards ... 5658 purpose clickbait make link appealing people c... 5659 secure multiparty computation mpc enables set ... 5660 multiple changes earths climate system observe... 5661 field distributed constraint optimization gain... 5662 principle minimal extension standard model par... 5663 consider problem transferring policies real wo... 5664 address problem learning vector representation... 5665 conditions geometric ergodicity multivariate a... 5666 recently shown problem testing global convexit... 5667 several useful variancereduced stochastic grad... 5668 developing applications interactive space diff... 5669 increasing complexity distribution network cal... 5670 network embedding methods aim learning lowdime... 5671 underactuation ubiquitous human locomotion ubi... 5672 study threecomponent fermionic fluid optical l... 5673 paper presents widely applicable approach solv... 5674 natural artificial smallscale swimmers may oft... 5675 present first measurements tritium betadecay s... 5676 notes constitute chapter lecole de physique de... 5677 n construct separable metric space mathbbun un... 5678 bike sharing vital component modern multimodal... 5679 model relaxed memory propose confusionfree eve... 5680 tensor decompositions canonical format tensor ... 5681 even though forecasting literature agrees aggr... 5682 recent progress applying machine learning jet ... 5683 skewsymmetrizable cluster algebra mathcal prin... 5684 link prediction one fundamental problems compu... 5685 valiant showed complexity class vpe families p... 5686 previously designed cryogenic thermal heat swi... 5687 multiple generalized additive models gams type... 5688 show elongated magnetic skyrmions host majoran... 5689 consider family meromorphic functions f form f... 5690 freiberg zhle introduced developed harmonic ca... 5691 heat exchanger modeled closed domain containin... 5692 number highlevel languages libraries proposed ... 5693 linear logic introduced girard resourcesensiti... 5694 paper propose two novel physical layer aware a... 5695 entropy principle formulation mller liu common... 5696 bots social media accounts controlled software... 5697 optimal control problems without control costs... 5698 text representations using neural word embeddi... 5699 twodimensional mathematical model quadraticall... 5700 formulate new family high order onsurface radi... 5701 parafac multimodal factor analysis model suita... 5702 concepts mathematical crystallography group th... 5703 participant peertopeer network prefers freerid... 5704 foss acronym free open source software foss su... 5705 forefront nanochemistry exists research endeav... 5706 linearscaling electronic structure methods bas... 5707 recently social media seen promote democratic ... 5708 paper discusses discretetime maps form xk fxk ... 5709 understand biology cancer joint analysis multi... 5710 give infinitely many component links unknotted... 5711 computational design optimization fluid dynami... 5712 paper examines software vulnerabilities common... 5713 paper using logistic sine tent systems define ... 5714 dynamic economic dispatch valvepoint effect de... 5715 hep community approaching era excellent perfor... 5716 brains need predict body reacts motor commands... 5717 paper propose study opportunistic bandits new ... 5718 quantile estimation problem presented fields q... 5719 dynamical downscaling highresolution regional ... 5720 riemannian gstructure compute divergence vecto... 5721 study anomalous prevalence integer percentages... 5722 main result paper rate convergence hermitetype... 5723 paper considers two different problems traject... 5724 difficulty validating largescale quantum devic... 5725 anomalies timeseries data give essential often... 5726 transportation agencies opportunity leverage i... 5727 dual motivic steenrod algebra mod ell coeffici... 5728 let tmf toeplitz quantization real cinfty func... 5729 paulsen problem basic open problem operator th... 5730 study mechanisms characterize asymptotic conve... 5731 decline mars global magnetic field billion yea... 5732 paper propose new framework segmenting feature... 5733 demonstrate topological classification vortice... 5734 paper proposes selfimitation learning sil simp... 5735 consider problem controlling spatiotemporal pr... 5736 paper discuss existing approaches bitcoin paym... 5737 present extension effective field theory frame... 5738 build collaborative filtering recommender syst... 5739 paper presents work developing parallel comput... 5740 consider wideaperture surfaceemitting laser sa... 5741 ability reliably predict critical transitions ... 5742 propose new iteratively reweighted least squar... 5743 study gap state pension provided italian pensi... 5744 powerlawdistributed species counts clone count... 5745 vortices play crucial role determining propert... 5746 present new solution problem classifying type ... 5747 simulating complex processes fractured media r... 5748 well known x cwcomplex every weak homotopy equ... 5749 integer k geq apply gluing methods construct s... 5750 report constraints global cm signal due neutra... 5751 electricity distribution grid designed cope lo... 5752 paper addresses structures state space quasipe... 5753 vector embedding foundational building block m... 5754 consider multicomponent quantum mixtures boson... 5755 paper present novel joint approach optimising ... 5756 paper show using delignelusztig theory kawanak... 5757 study formal properties correspondences curves... 5758 oxidative stress pathological hallmark neurode... 5759 paper presents thorough analysis dimensional s... 5760 motivation although rich literature methods as... 5761 many applications require stochastic processes... 5762 privacy security two universal rights ensure d... 5763 paper summarizes development veamy objectorien... 5764 musical programming languages developed purely... 5765 experiments show k atm pressure transfer free ... 5766 investigate impact general conditions theoreti... 5767 main injector mi fermilab currently produces h... 5768 exist nontrivial stationary points euclidean a... 5769 spin transport isotropic heisenberg model sect... 5770 promise compressive sensing cs offset two sign... 5771 paper investigate multimessage authentication ... 5772 review topics theory cellular automata dynamic... 5773 demonstrate explicitly correspondence protecte... 5774 paper introduce variational autoencoder vae en... 5775 consider directed variant negativeweight perco... 5776 article analyze generalized trapezoidal rule i... 5777 remarkable discovery nasas kepler mission wide... 5778 obtain estimation error rates sharp oracle ine... 5779 simple calgebra calgebra b proved every closed... 5780 present first gasgrain astrochemical model ngc... 5781 citebickelnonparametric developed general fram... 5782 last decades dispersal studies benefitted use ... 5783 additive fast fourier transform finite field c... 5784 working framework borel reducibility study var... 5785 order fully function human environments robot ... 5786 general framework solving subspace clustering ... 5787 study twodimensional geometric knapsack proble... 5788 widely established extreme space weather event... 5789 develop empirical bayes eb algorithm matrix co... 5790 electron correlation effects studied zrsis usi... 5791 deep generative models learn mapping low dimen... 5792 building deploying software highend computing ... 5793 adversarially trained deep neural networks sig... 5794 consider hydrogen atom confined timedependent ... 5795 constant pairing hamiltonian holds exact solut... 5796 paper considers obtain mcmc quantitative conve... 5797 let fmathbb bn mathbb bn holomorphic map study... 5798 energyconserving angular momentumchanging coll... 5799 economic activities agglomerate others agglome... 5800 ultrahigh throughput lowdensity parity check l... 5801 paper define generalized qanalogues euler sums... 5802 mapping process continuous configuration space... 5803 compare predictions stochastic closure theory ... 5804 energy consumption great deal concern recent y... 5805 let omega pseudoconvex domain mathbb cn smooth... 5806 application domains civilian unmanned aerial s... 5807 opinion polls bridge public opinion politician... 5808 use standard robotic platforms accelerate rese... 5809 datarich era astronomy growing reliance automa... 5810 chimera states example intriguing partial sync... 5811 increasing demands applications virtual realit... 5812 paper deal multiplicity concentration positive... 5813 describe inferactive data analysis sonamed den... 5814 paper present promising accurate prefix boosti... 5815 recently proposed generalized minmax gmm kerne... 5816 quantum mechanics postulates measurement influ... 5817 given pseudoword suitable pseudovarieties asso... 5818 paper examines association household healthcar... 5819 prove certain conditions function pair varphi ... 5820 ability cool atoms doppler limit minimum tempe... 5821 paper dedicated new methods constructing weigh... 5822 common data mining task networks community det... 5823 advancements technology culture lead changes l... 5824 new test normality based standardised empirica... 5825 consider problem decision making fair underlyi... 5826 consider bilaplacian eigenvalue problem modes ... 5827 let k field g finite group let g act function ... 5828 social abstract argumentation principled way a... 5829 consider parametric learning problem objective... 5830 study addresses problem identifying meaning un... 5831 study subblockconstrained codes recently gaine... 5832 prove arbitrarily large values zetait geq egam... 5833 ion trap quantum computer collective motional ... 5834 investigate models mitogenactivated protein ki... 5835 university east web portal academic web based ... 5836 classify dispersive poisson brackets one depen... 5837 work obtain liouville theorem positive bounded... 5838 paper studies semiparametric contextual bandit... 5839 physical adaptive quantumenhanced metrology sc... 5840 paper shows generalizations operads equipped r... 5841 extracting characteristics training datasets c... 5842 dynamical dark energy recently suggested promi... 5843 muscle synergy concept provides widelyaccepted... 5844 two classifications second order odes cubic re... 5845 problem learning structural equation models se... 5846 group g rmathbb zmathbb zpmathbb q denote hat ... 5847 immunotherapy plays major role tumour treatmen... 5848 onetoone correspondence infinitesimal motions ... 5849 first develop general framework signless lapla... 5850 one major issues interconnected power system l... 5851 paper demonstrates use genetic algorithms evol... 5852 work presents lowcost robot controlled raspber... 5853 nvidia volta gpu microarchitecture introduces ... 5854 orion kl one frequently observed sources galax... 5855 address problem latent truth discovery ltd sho... 5856 investigate evolution vortexsurface fields vsf... 5857 possible route extract electronic nuclear dyna... 5858 address problem estimating human pose body sha... 5859 shall introduce notion picard group inclusion ... 5860 aim paper provide discussion current direction... 5861 spreading prevalence big data many advances re... 5862 consider problem reconstructing signal multila... 5863 let lg subcritical gjms operator evendimension... 5864 random scattering usually viewed serious nuisa... 5865 deployment deep neural networks dnns safety se... 5866 coupled evolution eroding cylinder immersed fl... 5867 classical problem causal inference matching tr... 5868 propose stochastic extension primaldual hybrid... 5869 study combinatorial multiarmed bandit probabil... 5870 deep neural network algorithms difficult analy... 5871 information bottleneck ib method extracting in... 5872 simulations charge transport graphene presente... 5873 paper propose new type graph denoted embeddedg... 5874 analysis entanglement entropy subsystem onedim... 5875 efficiency game typically quantified price ana... 5876 equationbyequation ebe method proposed solve s... 5877 reduction restricting spectral parameters k k ... 5878 existing blackbox attacks deep neural networks... 5879 many iterative procedures stochastic optimizat... 5880 provide unified framework proving reidemeister... 5881 paper consider problem formally verifying safe... 5882 method moments mollification method study cent... 5883 study problem minimizing strongly convex smoot... 5884 venusian surface studied measuring radar refle... 5885 airshowers measured pierre auger observatory a... 5886 reward augmented maximum likelihood raml simpl... 5887 unmanned aerial vehicles uavs equipped biorada... 5888 optimal sensor placement central challenge des... 5889 consider onedimensional two component extended... 5890 monitoring large dynamic networks major chal l... 5891 paper study general alphabetametrics alpha rie... 5892 introduce measure fairness algorithms data reg... 5893 technological parasitism new theory explain ev... 5894 popular setting medical statistics group seque... 5895 reliable wireless connection operator teleoper... 5896 recent advancements quantum annealing hardware... 5897 life evolved planet means combination darwinia... 5898 approximate full configuration interaction fci... 5899 search gammaray optical periodic modulations d... 5900 jd jacksons classical electrodynamics textbook... 5901 opera experiment designed search numu rightarr... 5902 paper explains method calculate coefficients a... 5903 determine exact timedependent nonidempotent on... 5904 two main families reinforcement learning algor... 5905 storage transmission big data discussed paper ... 5906 graphene graphene like two dimensional materia... 5907 skilled robotic manipulation benefits complex ... 5908 evaluation validation complicated control syst... 5909 energyefficiency plays significant role given ... 5910 study properties classes closure operators clo... 5911 compact multipleinputmultipleoutput mimo anten... 5912 tensor decompositions used various data mining... 5913 classifiers operating dynamic real world envir... 5914 present definition intersection homology real ... 5915 starshades leading technology enable direct de... 5916 paper covers formulation inverse quadratic pro... 5917 twisting binary form fxyinmathbbzxy degree dge... 5918 defects gapped boundaries provide possible phy... 5919 present paper second part twofold work whose f... 5920 paper aims develop new robust approach feature... 5921 paper describes general framework learning hig... 5922 fourthorder theory gravity considered terms dy... 5923 random walk wn separable geodesic hyperbolic m... 5924 nearly two centuries ago talbot first observed... 5925 perform numerical study fmodel domainwall boun... 5926 neural network training relies ability find go... 5927 prototypical hydrogen bond water dimer hydroge... 5928 make mixture milners picalculus previous work ... 5929 using polarizationresolved transient reflectio... 5930 paper considers problem fault detection isolat... 5931 majority industrialstrength objectoriented oo ... 5932 model ice floe breakup ocean wave forcing marg... 5933 hidden markov models hmms popular time series ... 5934 focus current research identify people interes... 5935 recent character phonemebased parametric tts s... 5936 multirobot systems central decision maker spec... 5937 paper addresses stability coauthorship network... 5938 optimizing deep neural networks dnns often suf... 5939 well accepted knowing composition orbital evol... 5940 microorganisms bacteria one first targets nano... 5941 field exploratory data mining local structure ... 5942 automatic verification programs maintain unbou... 5943 associate every central simple algebra involut... 5944 sealevel rise slr magnifying frequency severit... 5945 present factorized hierarchical variational au... 5946 cosmological surveys far infrared known suffer... 5947 roomtemperature ionic liquids rtil new class o... 5948 use spreadsheets industry widespread companies... 5949 thesis presents original results two domains d... 5950 extended abstract describe analyze lossy compr... 5951 propose model equity trading population agents... 5952 collect representative corpora major periods c... 5953 investigate deep generative models exchange mu... 5954 many machine learning tasks require finding pe... 5955 let mu borelian probability measure mathbfgmat... 5956 hybrid cloud integrated cloud computing enviro... 5957 riskaverse model predictive control mpc offers... 5958 test neutral models evolution english word fre... 5959 homomorphic encryption encryption scheme allow... 5960 present extension monte carlo tree search mcts... 5961 differencetosum power ratio proposed used supp... 5962 paper construct new even constrained bc type t... 5963 introduce logic sf itle intuitionistic tempora... 5964 high density implants metals often lead seriou... 5965 puzzle classic reconfiguration puzzle fifteen ... 5966 address important question whether newly disco... 5967 joint analysis multiple phenotypes increase st... 5968 among ntype metal oxide materials used planar ... 5969 introduce framework statistical analysis funct... 5970 independent component analysis ica widely used... 5971 context substantial fraction protoplanetary di... 5972 part public evaluation challenge detection cla... 5973 topological semimetal novel state quantum matt... 5974 small bodies solar system like asteroids trans... 5975 discuss nature symmetry breaking associated co... 5976 paper introduce generalized value iteration ne... 5977 hot jupiters receive strong stellar irradiatio... 5978 interferenceaware resource allocation time slo... 5979 define switch function function interval finit... 5980 consider schrdinger operators periodic potenti... 5981 report first comparison distant caesium founta... 5982 first hardy rellich inequalities defined subma... 5983 purpose analysis optimized spin ensemble traje... 5984 despite recent progress laminarturbulent coexi... 5985 goldbach conjecture one famous open mathematic... 5986 unknown continuous distribution real line cons... 5987 paper revisit recurrent backpropagation rbp al... 5988 weighted dirichlet space mathcaldp p associate... 5989 achieving symbiotic blending reality virtualit... 5990 segmental duplications sds lowcopy repeats lcr... 5991 propose adaptive bandwidth selector via cross ... 5992 consider mesoscopic fourterminal josephson jun... 5993 let inductive limit sequence xrightarrowphi ax... 5994 study problem detecting change points cps char... 5995 recent years emerging interest occurred integr... 5996 enquire quasimanybody localization topological... 5997 present tomographic crosscorrelation galaxy le... 5998 earthquake early warning eew systems effective... 5999 model gatebased quantum computation qubits con... 6000 propose approximate approach studying relativi... 6001 occasionally developers need ensure compiler t... 6002 classification sequence data topic interest dy... 6003 paper introduce notion central uextension doub... 6004 aim paper establish metrical coincidence commo... 6005 nonnegative inverse eigenvalue problem niep as... 6006 paper replicates extends refutes conclusions m... 6007 bidirectional transformations different data r... 6008 recent advances microelectromechanical systems... 6009 present embedding approach semiconductors insu... 6010 last decade use simple rating comparison surve... 6011 introduce reduction distinct distances problem... 6012 report preparation interface graphene strong r... 6013 trapping manipulation particles using laser be... 6014 nested chinese restaurant process ncrp topic m... 6015 following work keel tevelev give explicit poly... 6016 improved wetting boundary implementation strat... 6017 paper propose sexstructured entomological mode... 6018 boolean algebra carries strictly positive exha... 6019 work verifies instrumental characteristics ccd... 6020 polarizationbased filtering fiber lasers wellk... 6021 rising attention spreading fake news unsubstan... 6022 recent discovery gravitational waves ligovirgo... 6023 approximate probabilistic inference algorithms... 6024 datadriven spatial filtering algorithms optimi... 6025 bayesian optimisation bo refers class methods ... 6026 number improvements added existing analytical ... 6027 seltens game kidnapping model probability capt... 6028 model pruning seeks induce sparsity deep neura... 6029 accurate software defect prediction could help... 6030 paper presents estimator semiparametric models... 6031 propose new sentence simplification task split... 6032 review constructive approach first introduced ... 6033 heterogeneous wireless networks hwns composed ... 6034 paper focuses multiscale approaches variationa... 6035 present novel approach prediction anticancer c... 6036 dark matter momentum velocitydependent interac... 6037 rapid development spaceborne imaging technique... 6038 largescale variations still pose challenge unc... 6039 naturally occurring radioisotope si represents... 6040 discovery first transiting extrasolar planetar... 6041 graph games omegaregular winning conditions pr... 6042 word embedding become fundamental component ma... 6043 concept evolutionarily stable strategy ess int... 6044 construct estimator lvy density pure jump lvy ... 6045 given kinmathbb n study vanishing dirichlet se... 6046 prime p let hat fp finitely generated free pro... 6047 control model typically classified three forms... 6048 present first approach pointcloud image transl... 6049 chapter highluminosity large hadron collider h... 6050 jets boosted heavy particles typical angular s... 6051 study presents systems submitted university te... 6052 one main challenges parametrization geological... 6053 paper consider finite element approaches compu... 6054 large class orthogonal basis functions recent ... 6055 paper considers new method binary asteroid orb... 6056 difficulty multiclass classification generally... 6057 present solution google cloud youtubem video u... 6058 remote sensing image classification fundamenta... 6059 quasitriangular hopf algebra exists universal ... 6060 paper proposes lowlevel visual navigation algo... 6061 title suggests describe justify presentation r... 6062 investigate nature magnetic phase transition i... 6063 additive manufacturing printing novel manufact... 6064 present results spectroscopic measurements ext... 6065 assuming three strongly compact cardinals cons... 6066 simulation model based parallel systems establ... 6067 recent years increasing number observational s... 6068 separating audio scene isolated sources fundam... 6069 multiparameter onesided hypothesis test proble... 6070 often large high dimensional datasets collecte... 6071 introduce model shortterm dynamics financial a... 6072 inductive learning broad concept algorithm abl... 6073 motivated recent experiments investigate press... 6074 paper analyse convergence properties vcycle mu... 6075 shall consider result feldman sharp bakertype ... 6076 work mainly study influence warping module one... 6077 describe general theory surfacecatalyzed bimol... 6078 fast algorithms optimal multirobot path planni... 6079 argue hierarchical methods become key modular ... 6080 paper investigate impact diverse user preferen... 6081 paper addresses problem passivation class nonl... 6082 present new modelbased integrative method clus... 6083 study pointwisegeneralizedinverses linear maps... 6084 compute cup product pairings integral cohomolo... 6085 present sound automated approach synthesize sa... 6086 paper presents interconnected controlplanning ... 6087 study formulate lagrangian lc rc rl rlc circui... 6088 note provide critical commentary two articles ... 6089 paper focus numerical simulation phase separat... 6090 distributed systems based quantum recursive ne... 6091 lower bound rate decrease time uniform radius ... 6092 datasets often used multiple times successive ... 6093 consider strictly stationary stochastic proces... 6094 present lymanalpha flux power spectrum measure... 6095 explore warped adstimesw md backgrounds genera... 6096 polariton lasing coherent emission arising mac... 6097 investigation reversibility directional hierar... 6098 widelyaccepted need revise current forms healt... 6099 extend framework kawamura cook investigating c... 6100 despite growing prominence generative adversar... 6101 tabulate spontaneous emission rates possible e... 6102 various experimental techniques revealed predo... 6103 exploration complex domains key challenge rein... 6104 present experimental study local collective ma... 6105 fix monic polynomial fx mathbb fqx finite fiel... 6106 objective work augment basic abilities robot l... 6107 present computational method evaluate endtoend... 6108 many timeseries data including text movies bio... 6109 introduce community detection algorithm fluid ... 6110 paper aims identify three electrical systems s... 6111 study purpose addressing four questions lie ba... 6112 define parahoric cgtorsors certain bruhattits ... 6113 identification reducedorder models highdimensi... 6114 apprenticeship learning al kind learning demon... 6115 effects surface tension fullynonlinear long su... 6116 characterization relative weak mixing wdynamic... 6117 extreme ultraviolet variability experiment eve... 6118 weighting pixel contribution considering locat... 6119 study dispersion point set notion closely rela... 6120 paper additive bifree convolution defined gene... 6121 characterise finite axiomatisability intractab... 6122 work focused searching geodesic interpretation... 6123 photonic circuit generally described structure... 6124 early researchers began focus security importa... 6125 work consider onedimensional diffusion process... 6126 haslhofer mller proved compactness theorem fou... 6127 wardrop equilibria nonatomic congestion games ... 6128 consider problem learning binary classifier po... 6129 knights landing knl code name secondgeneration... 6130 conjecture lehmer proved true proof mainly rel... 6131 paper study existence uniqueness pseudo sasymp... 6132 silent speech challenge benchmark updated new ... 6133 magnetic field induced rearrangement cycloidal... 6134 present latest major release version quantifie... 6135 contribution present numerical experimental re... 6136 importance speaking style authentication human... 6137 main result paper fixed point formula equivari... 6138 study fundamental question lattice dynamics me... 6139 decomposability cartesian product two nondecom... 6140 magic system two imaging atmospheric cherenkov... 6141 heterogeneity one important feature complex sy... 6142 generative adversarial networks gan approximat... 6143 world health organization reported million dea... 6144 advanced driver assistance systems adas signif... 6145 relational reasoning central component general... 6146 propose new algorithm computation singular val... 6147 capacitated fixedcharge network flows used mod... 6148 establish new connection value policy based re... 6149 twodimensional materials tremendous interest i... 6150 paper investigate use adversarial domain adapt... 6151 study elliptic curve ea axyaxxyxx call geometr... 6152 paper introduce notion omni nlie algebra show ... 6153 study artificial neural network trained classi... 6154 deep convolutional neural networks cnns demons... 6155 generalized yangian mean yangianlike algebra o... 6156 obtain asymptotics large hankel determinants w... 6157 galaxy intrinsic alignments ia critical uncert... 6158 paper introduce new mathematical model active ... 6159 fixing bugs important phase software developme... 6160 give simple recursion computes triply graded k... 6161 develop extended multifractal analysis based l... 6162 building recent theory established connection ... 6163 iterative hard thresholding iht class projecte... 6164 binary neural networks bnn studied extensively... 6165 define generalized connected sum generic close... 6166 emissivity common materials remains constant t... 6167 satellite radar altimetry one powerful techniq... 6168 investigate adiabatic magnetization process on... 6169 cyberphysical software continually interacts p... 6170 consider asymptotic distribution cell x x cont... 6171 paper explores dimensional topological quantum... 6172 expand cross section geodesic flow tangent bun... 6173 study time evolution thin liquid film coating ... 6174 machine learning algorithms sensitive socalled... 6175 simplified approach proposed investigate conti... 6176 paper propose family graph partition similarit... 6177 heterogeneous wireless networks smallcell depl... 6178 methods currently exist making arbitrary neura... 6179 give criterion existence noncommutative crepan... 6180 observe manybody pairing twodimensional gas ul... 6181 complex mathematical models interaction networ... 6182 immense class physical counterexamples four di... 6183 complex networks used represent complex system... 6184 uniform space x mu introduce realcompactificat... 6185 acceleration manipulation ultrashort electron ... 6186 paper derive second order estimate nd hessian ... 6187 construction meaningful graph topology plays c... 6188 study edge transport properties interacting ha... 6189 demonstrate experimentally longrange hydrodyna... 6190 twodimensional atomic arrays exhibit number in... 6191 paper applied multifractal detrended fluctuati... 6192 present new deep meta reinforcement learner ca... 6193 transiting superearths orbiting bright stars s... 6194 consider two chains made n independent oscilla... 6195 paper bruno salvy author introduced measured m... 6196 paper presents fast effective computer algebra... 6197 detecting weak seismic events noisy sensors di... 6198 wellknown exploiting label correlations import... 6199 complexity analysis becomes common task superv... 6200 resonance energy transfer ret inherently aniso... 6201 single individual haplotyping nphard problem e... 6202 cellular dendritic microstructures result func... 6203 quantum system particles exist localized phase... 6204 projective reedmuller codes introduced lachaud... 6205 present algorithm classification tasks big dat... 6206 study set uniquely determined tilting cotiltin... 6207 corruptive behaviour politics limits economic ... 6208 knowing biomolecules structure inherently link... 6209 study quantum synchronization pair twolevel sy... 6210 propose experimentally demonstrate technique c... 6211 since discovery meissner effect superconductor... 6212 prove local faberkrahn inequality solutions u ... 6213 notes written supplementary material fivehour ... 6214 recent work bindini de pascale introduced regu... 6215 let alpha mathcalc mathcald symmetric monoidal... 6216 summarizes recent work wakefields impedances f... 6217 community detection graphs problem finding gro... 6218 paper consider dataset comprising press releas... 6219 paper investigates effects finite flat porous ... 6220 well known many optimization methods including... 6221 control spins spin charge conversion organics ... 6222 recent research shown potential utility deep g... 6223 single measurement vector smv models widely st... 6224 dynamical materials capable responding optical... 6225 categorization necessary many decision making ... 6226 millimeter wave communications rely narrowbeam... 6227 workshop invites researchers practitioners par... 6228 motivated description nurowskis conformal stru... 6229 study effect electron correlations system cons... 6230 propose method learning markov network structu... 6231 work design machine learning based method onli... 6232 study proposes control strategy efficient semi... 6233 demonstrate range stateoftheart machine learni... 6234 study application crossedproduct functors baum... 6235 describe complete list casimirs euler hydrodyn... 6236 paper presents novel design crawler robot capa... 6237 bifurcation qualitative change family solution... 6238 manual annotations temporal bounds object inte... 6239 onedimensional electron systems presence coulo... 6240 experiment shows thermal emission phonon contr... 6241 paper addresses distributed average tracking p... 6242 study twodimensional massless dirac equation p... 6243 humans take advantage real world symmetries va... 6244 consider fractional hartree equation lsupercri... 6245 work studies problem stochastic dynamic filter... 6246 consider optimal stopping problem constraint p... 6247 give survey generalization quillensullivan rat... 6248 fitzhughnagumo equation provides simple mathem... 6249 paper give conditional lower bound nomegak run... 6250 present properties advantages new magnetooptic... 6251 prove bchi topology automatic topology polish ... 6252 obtaining accurate estimates satellite drag co... 6253 crossvalidation predictive models defacto stan... 6254 paper deal problem inferring causal directions... 6255 discriminator integer sequence sii introduced ... 6256 reductive group g defined algebraically closed... 6257 present approach towards robust lane tracking ... 6258 work provide couple contributions analysis lon... 6259 integrating factor exponential time differenci... 6260 control multihop wireless networks distributed... 6261 world global trading maritime safety security ... 6262 describe design cci cryptocurrency index 6263 thirdgeneration neural networks spiking neural... 6264 paper propose nonlinearity generation method s... 6265 datatarget association important step multitar... 6266 recent years monaural speech separation formul... 6267 investigate largesample properties treatment e... 6268 nonlinear dynamical stochastic models ubiquito... 6269 provide nonperturbative theory photoionization... 6270 focus two particular aspects model risk inabil... 6271 bright ringlike structure emission cn molecule... 6272 measuring entity relatedness fundamental task ... 6273 present study investigate solutions fractional... 6274 following related work law policy two notions ... 6275 study boundary conditions topological sigma mo... 6276 prove pointwise decay solutions three linear e... 6277 answering problem posed second author mathover... 6278 many different classification tasks need manag... 6279 atomic force microscope afm capable producing ... 6280 considering advantages dealing highdimensional... 6281 extend approach wall modeling via function enr... 6282 aim work study existence periodic solutions nt... 6283 paper proposes totally constructive approach p... 6284 according report online million unique users s... 6285 leonard pair pair diagonalizable linear transf... 6286 rise fall artificial neural networks well docu... 6287 approaches algorithmic fairness constrain mach... 6288 predictive geometric models deliver excellent ... 6289 almost decade passed since serendipitous disco... 6290 perpetual points pps special critical points m... 6291 squared error loss remains commonly used loss ... 6292 study complex systems benefits graph models an... 6293 paper scheme encryption decryption colored ima... 6294 given manifold hatm two homeomorphic surfaces ... 6295 report describes development aptamer sensing a... 6296 paper einstein metrics compact simple lie grou... 6297 prove quasiisometric map generally coarse embe... 6298 supercomputing platforms available high perfor... 6299 deep learning dl defines new datadriven progra... 6300 radioloud highredshift quasars hrqs although k... 6301 work investigates training conditional random ... 6302 availability large idea repositories eg us pat... 6303 object paper study etaricci solitons varepsilo... 6304 show active transport ions interpreted entropy... 6305 order avoid wellknow paradoxes associated self... 6306 k n kc instance mdstpir problem comprised k me... 6307 deep neural networks dnns convolutional neural... 6308 present graph attention networks gats novel ne... 6309 prevalence online media attracted researchers ... 6310 technological advancements field mobile device... 6311 singular values products standard complex gaus... 6312 griffiths conjecture asserts every ample vecto... 6313 machine learning deep learning particular adva... 6314 position paper question current practice calcu... 6315 observation metallic ground states variety two... 6316 autonomous surface vehicles asvs provide effec... 6317 paper present technique using bootstrap estima... 6318 kineticrange turbulence magnetized plasmas par... 6319 lattice kpolytope convex hull set points dimen... 6320 report ionoptical system serves microscope ult... 6321 dependency parsing important nlp task popular ... 6322 let frak f class group subgroup finite group g... 6323 assessing impact individual actions performed ... 6324 active galaxy center virgo cluster ideal study... 6325 decades experimental theoretical numerical res... 6326 local induction equation binormal flow space c... 6327 let tepsilon lifespan solution schrdinger equa... 6328 classical ctl temporal logics built systems in... 6329 information memory locations accessed program ... 6330 address problem generating query suggestions s... 6331 cosmic axion spin precession experiment casper... 6332 quantum reactive scattering calculations repor... 6333 subaru strategic program ssp ambitious multiba... 6334 consider estimation hidden markovian process u... 6335 nice differentialgeometric framework nonabelia... 6336 report present new reinforcement learning rl b... 6337 observations astrophysical objects galaxies li... 6338 flood risk changes time influenced natural soc... 6339 central dogma molecular biology principal fram... 6340 generalize bridge analysis synthesis estimator... 6341 compute exact norms leray transforms family ma... 6342 paper gives definitions extra superincreasing ... 6343 knowledge transfer impacts performance deep le... 6344 primitive dirichlet character chi modulo q def... 6345 motivated geometric problems signal processing... 6346 pyrochlore magnet rm ybtio proposed quantum sp... 6347 present neurosymbolic framework lifelong learn... 6348 though deep neural networks achieved stateofth... 6349 secrecy distributedstorage system passwords st... 6350 work calculate convergence rate finite differe... 6351 sparse matrix estimation problem consists esti... 6352 short paper formulate parameter estimation fin... 6353 compartmental equations primary tools disease ... 6354 surface energy magnetic domain wall dw strongl... 6355 using fencheleggleston theorem convex hulls ex... 6356 study finitesize fluctuations network spiking ... 6357 study static distributions ferrofluid submitte... 6358 information stored encrypted format definition... 6359 large hierarchy planck scale weak scale explai... 6360 many scenarios language identification task us... 6361 examplebased mesh deformation methods powerful... 6362 study computational complexity short sentences... 6363 primary goal galaxy surveys tighten constraint... 6364 weakly dependent time series regression model ... 6365 electric field effect magnetic anisotropy stud... 6366 coevolving adaptive voter models avms natural ... 6367 article provides weighted model confidence set... 6368 mapping spatial distribution poverty developin... 6369 magnetic signature urban environment investiga... 6370 cooperative hierarchical structure common sign... 6371 present model origin extended law star formati... 6372 r guralnick linear algebra appl proved two hol... 6373 learning sparse linear models twoway interacti... 6374 convolutional neural networks cnns achieved st... 6375 regular cardinal kappa formula modal mucalculu... 6376 fundamental challenge largescale cloud network... 6377 hourglasslike dispersion spin excitations comm... 6378 propose use high brightness electron beam mev ... 6379 paper study fundamental solution vargammatxtau... 6380 work presented paper focuses translation termi... 6381 paper focuses byzantine attack detection gauss... 6382 paper study pooled data problem identifying la... 6383 usual practice ignore structural information u... 6384 combination surface science techniques stm xps... 6385 paper proposes new approach model risk measure... 6386 significantly faster algorithm presented origi... 6387 paper investigates flow pathsensitive static i... 6388 topic models extensively used organize interpr... 6389 quasitwodimensional organic chargetransfer sal... 6390 advanced data analytical techniques efforts ac... 6391 provide local approximation result nonholomorp... 6392 following success computer vision areas deep l... 6393 chapter provides introduction modeling control... 6394 classical difficult isomorphism testing proble... 6395 give motivation scoring clustering algorithms ... 6396 paper introduce new reformulation greennaghdi ... 6397 paper revisit weighted likelihood bootstrap me... 6398 many applications ensemble base classifiers ef... 6399 framework keldyshusadel kinetic theory study t... 6400 prove generalized weighted ostrowski ostrowski... 6401 intuitive analogy organic chemists understandi... 6402 tensors natural way express correlations among... 6403 propose existence new universality classical c... 6404 thresholdlinear networks tlns models neural ne... 6405 paper describes decision procedure disjunction... 6406 observation electric dipole moments edms atomi... 6407 reports press releases highlight security inci... 6408 paper consider optimal control problem coupled... 6409 tweedie compound poissongamma model routinely ... 6410 temporal networks increasingly used model dive... 6411 unlike classical causal inference often averag... 6412 physical sciences students underrepresented mi... 6413 background newborn infants critical care conti... 6414 generating large quantities quality labeled da... 6415 waspb extreme hot jupiter day orbit suffering ... 6416 shown adiabatic bornoppenheimer expansion sati... 6417 computation tropical prevariety first step app... 6418 recently g freiman herzog p longobardi maj pro... 6419 correction type ia supernova brightnesses exti... 6420 aim paper study via theoretical analysis numer... 6421 paper extend known results analytic connectivi... 6422 explore extended cosmological scenario dark ma... 6423 consider quasihomogeneous polynomial f mathbbz... 6424 solve problem optimal liquidation volume weigh... 6425 cellular electron cryotomography cect imaging ... 6426 propose novel bayesian approach modelling nonl... 6427 paper explore use unsupervised methods detecti... 6428 report structural susceptibility specific heat... 6429 consider cloudbased control scenarios clients ... 6430 simple finite dimensional kantor triple system... 6431 spatial separation suspended particles based c... 6432 network navigability key feature complex netwo... 6433 study fermionic topological phases using techn... 6434 reliable identification molecular biomarkers e... 6435 paper introduces pyreclab software library wri... 6436 formulate stochastic gradient descent sgd baye... 6437 perform postprocessing radiative feedback anal... 6438 investigate inherent influence light polarizat... 6439 formal ontologies axiomatizations logicbased f... 6440 baksneppen model lowest fitness particle two n... 6441 consider set categorical variables mathcalp le... 6442 consider timedomain digital backpropagation ch... 6443 present formalization convex polyhedra proof a... 6444 consider weight spectrum class quasiperfect bi... 6445 efficient electrooptic eo modulators crucially... 6446 aibased explanation system explain agents comp... 6447 seminal paper n page phys rev lett page proved... 6448 describe fast closedloop optimization wavefron... 6449 curvature estimates quotient curvature equatio... 6450 convolutional neural networks achieved great s... 6451 paper prove formulas represent twopointed grom... 6452 due increasing urban population growing number... 6453 analyze general class difference operators hva... 6454 despite wellordered pyrochlore crystal structu... 6455 students introduced navigation general longitu... 6456 introduce error forwardpropagation biologicall... 6457 logical models offer simple powerful means und... 6458 propose family variational approximations baye... 6459 past decades phenomenal progress development u... 6460 demonstrated novel onchip polarization control... 6461 recent literature endtoend speech systems ofte... 6462 study human connectome vertices edges network ... 6463 investigate computational complexity various p... 6464 graphical user interfaces guis integral parts ... 6465 human brain network modularcomprised communiti... 6466 present collection eclipsing ellipsoidal binar... 6467 discrete moment problem foundational problem d... 6468 pilot unit closed loop gas cls mixing distribu... 6469 give new analysis tuning problem music theory ... 6470 consider dualhop wireless network energy const... 6471 trust publicly verifiable certificate transpar... 6472 chainspace decentralized infrastructure known ... 6473 note deals certain properties convex functions... 6474 paper investigate multiwavelengths properties ... 6475 many technological applications superconductor... 6476 basin attraction uniformly attracting sequence... 6477 recent lens experiment fermi gas reported nega... 6478 paper entropies including measuretheoretic ent... 6479 study question presence kohn points yielding l... 6480 extending notion maximal green sequences abeli... 6481 using shallow water model timedependent forcin... 6482 asymptotic solution problem comparing means tw... 6483 grain growth proceed effectively lead planet f... 6484 peculiar band structure semimetals exhibiting ... 6485 stochastic r matrix uqan introduced recently g... 6486 investigated crystal structure laobipbs using ... 6487 considered generic case pretransitional materi... 6488 burr iii distribution used wide variety fields... 6489 introduce logic called lt express properties t... 6490 study massless fermions interacting particular... 6491 generation artificial data based existing obse... 6492 identification parameters mathematical models ... 6493 designed tested experimentally morphing struct... 6494 fog radio access network fran promising paradi... 6495 concepts gross domestic product gdp gdp per ca... 6496 fractional stochastic volatility models widely... 6497 triangle generative adversarial network deltag... 6498 speaker says name color color picture necessar... 6499 lowtemperature properties certain quantum magn... 6500 neural speech synthesis models recently demons... 6501 theoretically investigate scheme backward cohe... 6502 survey goodnessoffit symmetry tests based char... 6503 article introduce put vague hyperprior dirichl... 6504 comment paper study problems encountered grang... 6505 topological matter popular topic condensed mat... 6506 discuss ramsey property existence stationary i... 6507 existence massive solar masses elliptical gala... 6508 parametrization irreducible unitary representa... 6509 work study problem exploring surfaces building... 6510 prosociality fundamental human social life acc... 6511 territorial control key aspect shaping dynamic... 6512 construct virtual quandle links lens spaces lp... 6513 derive online learning algorithm improved regr... 6514 discussion frauchigerrenner argument single wo... 6515 propose three measures mutual dependence multi... 6516 let x ldots xninmathbbrp iid random vectors ai... 6517 consider optimalefficient power allocation pol... 6518 action potentials basic unit information nervo... 6519 introduce rigorous definition general powerspe... 6520 let us given two graphs gamma gamma n vertices... 6521 recent breakthroughs deep learning dl applicat... 6522 erdh os unit distance conjecture plane says nu... 6523 study ground state kitaevheisenberg kh model u... 6524 study quadratic functionals lmathbbrd generate... 6525 paper introduces general bayesian non parametr... 6526 massive stars form dense clusters gravitationa... 6527 electroencephalography eeg extensivelyused wel... 6528 consider problem estimating lowrank symmetric ... 6529 recent developments quaternionvalued widely li... 6530 paper proved arithmetic siegelweil formula mod... 6531 motivated alphaattractor models paper consider... 6532 magnetic nanoparticles promising systems biome... 6533 fast energyefficient deployment trained deep n... 6534 passage time indulgence information technology... 6535 data shaping coding technique proposed increas... 6536 global integration information brain results c... 6537 music highlights valuable contents music servi... 6538 study computational tractability pac reinforce... 6539 show noiseinduced transition josephson junctio... 6540 principal component analysis pca fundamental s... 6541 paper characterize irreducible darboux polynom... 6542 paper analyze local global boundary rigidity p... 6543 study variant source identification game train... 6544 prove convexity theorem hamiltonian torus acti... 6545 given odd vector field q supermanifold qinvari... 6546 multicopters becoming increasingly important c... 6547 introduce new technique determining xray fluor... 6548 coupling vocal fold source vocal tract filter ... 6549 interested probability two randomly selected n... 6550 discourse connectives eg however terms explici... 6551 financial crime rampant hidden threat spite pr... 6552 consider explicit polar constructions blocklen... 6553 present article classical problem electromagne... 6554 maximizing sum two generalized rayleigh quotie... 6555 dirichlet processes dp widely applied bayesian... 6556 kontsevich designed scheme generate infinitesi... 6557 chernschwartzmacpherson csm classes generalize... 6558 current data explosion poses great challenges ... 6559 consider two player dynamic game played leq in... 6560 apply newly derived nonadiabatic goldenrule in... 6561 robots become ubiquitous need able adapt compl... 6562 multilayer neural networks lead remarkable per... 6563 kernel regression popular nonparametric fittin... 6564 study classification problems string data hypo... 6565 recent realization twodimensional synthetic sp... 6566 characterization lung nodules benign malignant... 6567 motion electrons near solids liquids gases tra... 6568 present hardware mechanism called hourglass pr... 6569 investigated frictional effects folding rates ... 6570 object ranking learning rank important problem... 6571 modeling spatial overdispersion requires point... 6572 explore methods producing adversarial examples... 6573 study estimation covariance matrix sigma pdime... 6574 multiagent systems setting paper addresses con... 6575 compact portable insitu nmr spectrometers dipp... 6576 using different methods laying graph lead diff... 6577 introduce twostep procedure context ultrahigh ... 6578 introduce new class monte carlo based approxim... 6579 paper study symmetry properties hilbert transf... 6580 paper study largetime behavior solutions class... 6581 let g mu pair reductive group g padic integers... 6582 program synthesis class regression problems on... 6583 describe new irreducible components giesekerma... 6584 cell monolayers provide interesting example ac... 6585 long shortterm memory networks trained gradien... 6586 covering type space x defined minimal cardinal... 6587 paper deals study principal lyapunov exponents... 6588 generally difficult predict positions mutation... 6589 machine learning emerged invaluable tool many ... 6590 article develop methods estimating low rank te... 6591 seminal paper formality conjecture kontsevich ... 6592 propose new types models appearance small larg... 6593 work provide nonasymptotic probabilistic guara... 6594 transition singlecell multicellular behavior i... 6595 review aspects twistor theory aims achievement... 6596 probabilistic integration continuous dynamical... 6597 propose generalisation notion centre algebra s... 6598 random forests common nonparametric regression... 6599 wittens gauged linear sigmamodel glsm unifies ... 6600 paper address convergence stochastic approxima... 6601 paper analyze communities across united states... 6602 problem quickest change detection qcd transien... 6603 many application settings involve analysis tim... 6604 work demonstrates potential deep reinforcement... 6605 paper provides holistic study stock prices var... 6606 inference learning probabilistic generative ne... 6607 modern social media platforms facilitate rapid... 6608 explore new mechanism explain polarization phe... 6609 many realworld applications characterized numb... 6610 consider adaptive algorithm finite element met... 6611 photoluminescence polarization experimentally ... 6612 weak variancealphagamma process multivariate l... 6613 generalization coordinated transaction schedul... 6614 paper study receiver performance physical laye... 6615 tetragonal copper oxide bicuo unusual crystal ... 6616 order achieve stateoftheart performance modern... 6617 design optimization engineering systems multip... 6618 present method generating high resolution shap... 6619 policy search algorithms require thousands tra... 6620 prove exist nonlinear binary cyclic codes atta... 6621 study consistency lipschitz learning graphs li... 6622 manufacturing increasing involvement autonomou... 6623 explore inflectional morphology example relati... 6624 study genome rearrangement many flavours someh... 6625 paper novel scheme synchronizing four drive fo... 6626 wholebody torque control framework adapted bal... 6627 construct new classes selfsimilar groups sarit... 6628 estimation parameters crucial part model devel... 6629 given two infinite sequences known binomial tr... 6630 present new system handling uncertainty quanti... 6631 search runaway former companions progenitors n... 6632 introduce natural families distributions roote... 6633 dnamediated computing novel technology seeks c... 6634 discuss effect ram pressure cold clouds center... 6635 paper analyses dynamics infectious disease con... 6636 task determining item similarity crucial one r... 6637 paper provide analytical framework analyze upl... 6638 paper explain sharp phase transition phenomeno... 6639 generative adversarial networks gans class dee... 6640 consider energybased boundary condition impose... 6641 period polynomials long fruitful tools study v... 6642 context series papers study major merger two d... 6643 paper measure systematic risk new nonparametri... 6644 paper present novel method obstacle avoidance ... 6645 advances sensor technology enabled collection ... 6646 hexagonal structure graphene gives rise proper... 6647 given smooth nontrapping compact manifold stri... 6648 correlation weak lensing cosmic microwave anis... 6649 consider asymmetric orthogonal tensor decompos... 6650 prove generalization result bhargava regarding... 6651 construct analyze strongly consistent secondor... 6652 proven chen f dillen j van der veken l vrancke... 6653 paper studies stability analysis dc microgrids... 6654 fundamental purpose present research article i... 6655 paper extending past works del popolo show hig... 6656 introduce compressed suffix array representati... 6657 consider bounded block operator matrix form ll... 6658 work devoted study first order operator xtmxt ... 6659 prove l bound oscillatory integral associated ... 6660 develop quantitative theory stochastic homogen... 6661 positive integer r rfubini number parameter n ... 6662 paper solve problem posed h bommierhato engli ... 6663 review concept support vector machines svms di... 6664 introduce sequent calculus simple restriction ... 6665 clusters galaxies gravitationally lens cosmic ... 6666 present theory seebeck effect nanoscale ferrom... 6667 paper introduce generalized asymmetric fronts ... 6668 photonic technologies offer numerous advantage... 6669 article attempted develop upwind scheme based ... 6670 gating key technique used integrating informat... 6671 assumption defining graph coxeter group admits... 6672 user datagram protocol udp commonly used proto... 6673 current understanding critical outbreak condit... 6674 vision deployment massive internetofthings iot... 6675 consider attacks twoway quantum key distributi... 6676 present new method approximate posterior proba... 6677 binary onebit representations data arise natur... 6678 stationary nonlinear schrdinger equation delta... 6679 parameter reduction enable otherwise infeasibl... 6680 paper consider higher order correction entropy... 6681 report compact simple robust high brightness e... 6682 pivotal step toward understanding unconvention... 6683 propose demonstrate ultrasonic communication l... 6684 global sensitivity analysis aims determining u... 6685 report inelastic neutron scattering measuremen... 6686 agile denoting quality agile readiness motion ... 6687 deep learning form machine learning nonlinear ... 6688 report tunnelinjected deep ultraviolet light e... 6689 present method preliminary results image recon... 6690 iterationfree method domain decomposition cons... 6691 recently richter rogers proved convex geometry... 6692 effectiveness molecularbased light harvesting ... 6693 present simple method improve neural translati... 6694 using local density approximation plus dynamic... 6695 work maximum entropy distributions space stead... 6696 paper consider linear regression model arp err... 6697 relative orientation filamentary structures mo... 6698 report combined theoreticalexperimental study ... 6699 study four problems dynamics body moving fixed... 6700 analyze theoretically schrodingerpoisson equat... 6701 extend classic multiarmed bandit mab model set... 6702 paper propose new method tackle mapping challe... 6703 propose nopol approach automatic repair buggy ... 6704 parametric geometry numbers new theory recentl... 6705 study intersection theory moduli space riemann... 6706 seirs epidemic disease fatalities introduced g... 6707 paper studies new type bin packing problem bpp... 6708 describe preliminary investigations using dock... 6709 propose method called label embedding network ... 6710 current fleet spacebased solar observatories o... 6711 new features enhancements spike banded solver ... 6712 describe neutrino flavor e electron u muon tau... 6713 gpus accelerators popular devices accelerating... 6714 stabilization linear systems unknown dynamics ... 6715 compute second coefficient composition two ber... 6716 given convex integrands gammai snto mathbbr fu... 6717 kernel methods powerful learning methodologies... 6718 paper presents nonmanual design engineering me... 6719 origin lifecycle molecular clouds still poorly... 6720 ability accurately predict simulate human driv... 6721 topological nodal line semimetals characterize... 6722 paper artificial intelligence based grid harde... 6723 let mathbbfq finite field given two irreducibl... 6724 currentdriven domain wall motion ratchet memor... 6725 let rmathfrakm ddimensional cohenmacaulay loca... 6726 endtoend ee systems achieved competitive resul... 6727 lhc run alice increase data taking rate signif... 6728 let omega csmooth bounded pseudoconvex domain ... 6729 composition natural liquidity changing time an... 6730 present indepth study behaviour fast folding a... 6731 famous result jurgen moser states symplectic f... 6732 brillouin light spectroscopy powerful robust t... 6733 develop framework approximating collapsed gibb... 6734 key feature thermophotovoltaic tpv emitter enh... 6735 electric coupling surface ions bulk ferroelect... 6736 paper provide new quantum algorithms polynomia... 6737 propose datadriven algorithm maximum posterior... 6738 let hdeltav schrdinger operator lmathbb r real... 6739 bioinformatics field grows must keep pace new ... 6740 mainstream research genetics epigenetics imagi... 6741 one key differences learning mechanism humans ... 6742 humanintheloop manipulation useful autonomous ... 6743 american cities devote significant resources i... 6744 known gas bubbles surface bounding fluid flow ... 6745 inverse problems correspond certain type optim... 6746 general completeness problem hoare logic relat... 6747 paper present result similar shiftcoupling res... 6748 quantifying image distortions caused strong gr... 6749 deep neural networks dnns excellent representa... 6750 introduce elliptic regularization pde system r... 6751 paper presents system based twoway particletra... 6752 one major drawbacks modularized taskcompletion... 6753 extreme phenotype sampling selective genotypin... 6754 fundamental theory energy networks different e... 6755 idea demonstrate beauty power alexandrov geome... 6756 prove rigorously exact nelectron hohenbergkohn... 6757 paper illustrate use results proving dtriple b... 6758 technology market continuing rapid growth phas... 6759 data mining field important source largescale ... 6760 automatic speaker verification asv systems use... 6761 describe loopinvgen tool generating loop invar... 6762 topologically protected superfluid phases allo... 6763 present lowfrequency spectral energy distribut... 6764 scalable framework developed allocate radio re... 6765 study kepler metrics kepler manifolds point vi... 6766 collisions background gas perturb transition f... 6767 show weyl symbol bornjordan operator class bor... 6768 deep learning popular machine learning approac... 6769 develop theory viscous dissipation onedimensio... 6770 study existence homoclinic type solutions seco... 6771 racetrack memory nonvolatile memory engineered... 6772 spirit recent work lamm malchiodi micallef set... 6773 robust pca methods typically batch algorithms ... 6774 paper present set simulation models realistica... 6775 technological improvement important cause long... 6776 musta given conjecture graded betti numbers mi... 6777 stochastic minimization method realspace wavef... 6778 template metaprogramming popular technique imp... 6779 show recently proposed neural dependency parse... 6780 let g finite group autg automorphism group g a... 6781 systems tightlypacked inner planets stips comm... 6782 autonomous robot manipulation often involves e... 6783 structural properties larup external pressure ... 6784 hyperspectral imaging important tool remote se... 6785 work addresses onedimensional problem bloch el... 6786 thermoelectric voltage developed across atomic... 6787 understanding segregation essential develop pl... 6788 protein gammaturn prediction useful protein fu... 6789 image defined set either open closed image tra... 6790 performed electronic structure calculations ba... 6791 precision experiments search electric dipole m... 6792 paper presents investigation relation positivi... 6793 propose constraintbased flowsensitive static a... 6794 humanoid robots may require degree compliance ... 6795 paper establish baseline object symmetry detec... 6796 consider paper regularity problem timeoptimal ... 6797 important breakthroughs data centric deep lear... 6798 asteroids primitive solar system bodies evolve... 6799 bayesian nonparametrics class probabilistic mo... 6800 depth focus dff one classical illposed inverse... 6801 paper present effective method craft text adve... 6802 remains challenge efficiently extract spatialt... 6803 configuration three neutrino masses take two f... 6804 paper concerned detection objects immersed ani... 6805 documentation tomographic xray data carved che... 6806 consider entitylevel sentiment analysis arabic... 6807 paper consider problem optimizing quantiles cu... 6808 photometry minor body extrasolar origin u oumu... 6809 present model generate power spectrum noise in... 6810 let sigma sigmai iin partition set primes bbbp... 6811 paper analyzes properties solutions generalize... 6812 paper extend several time reversible numerical... 6813 since emergence two decades ago astrophotonics... 6814 assessing generative models easy task generati... 6815 results probabilistic analysis direct numerica... 6816 developers use question answer qa websites exc... 6817 spectral based heuristics belong wellknown com... 6818 accelerated magnetic resonance mr scan acquisi... 6819 since question whether markets efficient contr... 6820 analyze performance different resampling strat... 6821 variational problem comes boundary conditions ... 6822 note studies equivalencies among convergences ... 6823 music source separation deep neural networks t... 6824 mobile crowdsourcing promising service paradig... 6825 liquidsvm package written c provides svmtype s... 6826 sterile neutrinos produced oscillations well m... 6827 paper design information elicitation mechanism... 6828 three types orbits theoretically possible auto... 6829 semiprocess analog semiflow nonautonomous diff... 6830 justinfinite calgebras ie infinite dimensional... 6831 trademark retrieval tr become important yet ch... 6832 emergence new digital technologies allowed stu... 6833 analyze spectra luminous red galaxies lrgs ste... 6834 consider analysis high dimensional data given ... 6835 todays mobile phone users faced large numbers ... 6836 paper present current trends realtime music tr... 6837 consider simultaneous blind deconvolution r so... 6838 study around musical compositions western clas... 6839 paper describes r package mvlsw package contai... 6840 item coldstart classical issue recommender sys... 6841 order sample marginalized andor hardtoreach po... 6842 graphitic nitrogendoped graphene excellent pla... 6843 microsized cold atmospheric plasma ucap develo... 6844 consistently checking statistical significance... 6845 currently deep neural networks deployed lowpow... 6846 let pzaazazazcdotsanzn polynomial degree n riv... 6847 developing appropriate design process conceptu... 6848 key problem modelling evolution dynamics infec... 6849 investigate interplay charge order superconduc... 6850 prototype imaging spectrograph coronagraphic e... 6851 show standard perturbative ie cubic descriptio... 6852 accurate measurement galaxy structures prerequ... 6853 francis steel shown exists nontrivial networks... 6854 explore effects expected higher cosmic ray cr ... 6855 news recommender systems aimed personalize use... 6856 consider online nonparametric detection abrupt... 6857 paper estimate distribution hidden nodes weigh... 6858 key common bottleneck stencil codes data movem... 6859 algebraic variety x introduce generalized firs... 6860 paper consider general twistedcurved spacetime... 6861 one exciting advancements ai last decade wide ... 6862 introduce problem learning distributed represe... 6863 plenty results obtained singleparticle quantum... 6864 many modern dataintensive computational proble... 6865 study computation complexity boolean functions... 6866 spinpolarized fieldeffect transistor spinfet d... 6867 magnetic fields play important roles many astr... 6868 dynamical properties two bosonic quantum walke... 6869 paper present characterize nearestneighbors co... 6870 clostridium difficile infections cdis affect p... 6871 let c simply laced generalized cartan matrix g... 6872 stellar flares frequent occurrence young lowma... 6873 determine grosshopkins duals certain higher re... 6874 outline new approach solving optimization prob... 6875 measure planck cluster mass bias using dynamic... 6876 data sharing among partnersusers organizations... 6877 paper study zeroflux chemotaxissystem beginequ... 6878 present complete optical transmission spectrum... 6879 consider linear programming lp problems infini... 6880 key component forecasting demand consumption r... 6881 given closed oriented surface describe cohomol... 6882 concerned existence regular solutions nonnewto... 6883 zerotemperature limit continuous phase transit... 6884 climate mitigation comprehensive solution pres... 6885 study diffusion multilayer network contact dyn... 6886 study marginally compact macromolecular trees ... 6887 considerable recent activity applying deep con... 6888 spectrogram ship wake heat map visualises time... 6889 emergence lowpower wide area networks lpwans n... 6890 xray transform periodic slab timesmathbb tn ng... 6891 paper consider separable covariance model play... 6892 paper prove finitely generated malnormal subgr... 6893 global political preeminence gradually shifted... 6894 many works collaborative robotics humanrobot i... 6895 work consider association meromorphic jacobi f... 6896 active hypothesis testing problem formulated p... 6897 present framework simultaneously align smooth ... 6898 theoretically recently showed scaling relation... 6899 let mathcalc finitely complete small category ... 6900 machine learning approaches hold great potenti... 6901 sinc approximation shown high efficiency numer... 6902 recent years role epidemic models informing pu... 6903 introduce new model describing multiple resona... 6904 bayesian shrinkage methods generated lot recen... 6905 object present paper study certain properties ... 6906 investigate fundamental modeltheoretic dividin... 6907 paper presents analysis polish fireball networ... 6908 study variation iwasawa invariants anticycloto... 6909 paper study predict results ltl model checking... 6910 properties two thcrsitype materials discussed ... 6911 inverse problem spectroscopy considered object... 6912 variational autoencoders vae directed generati... 6913 consider statics dynamics stable mobile threed... 6914 one key challenge talent search translate comp... 6915 environmental impacts medium large scale build... 6916 paper derive bayesian model order selection ru... 6917 sky models used past calibrate individual low ... 6918 recurrent neural networks rnns serve fundament... 6919 biological systems typically highly open noneq... 6920 work outline entropy viscosity method discuss ... 6921 convolutional neural networks cnns similar ord... 6922 ultraviolet selfinteraction energies field the... 6923 given graphical model one essential problem ma... 6924 work investigated feasibility applying deep le... 6925 dtransitionmetals carbides zrc nbc nitrides zr... 6926 work aimed determine characteristics activity ... 6927 series expansions unknown fields phisumvarphin... 6928 prove universal limit theorem halting time ite... 6929 demonstrate residual neural networks resnets d... 6930 multilabel classification important learning p... 6931 concerned burst synchronization bs related neu... 6932 collapse collisionless selfgravitating system ... 6933 possibility realizing nonabelian excitations n... 6934 approach development models control strategies... 6935 moving sofa problem posed l moser asks planar ... 6936 introductionthe free cued selective reminding ... 6937 understanding protein function one keys unders... 6938 compressive sensing powerful technique recover... 6939 show class groups kmultiple contextfree word p... 6940 study numerically superconductorinsulator tran... 6941 use techniques functorial quantum field theory... 6942 give simple multiplicativeweight update algori... 6943 studied neutron response paris phoswich labrce... 6944 mine detection unexplored area optimization pr... 6945 present strongest known knot invariant compute... 6946 main purpose paper formalize modelling process... 6947 study biplane graphs drawn finite planar point... 6948 main goal paper design market operator mo dist... 6949 web search entityseeking queries often trigger... 6950 show rclomegacdot equal omegacdot 6951 spatially explicit capture recapture secr mode... 6952 obtaining models capture imaging markers relev... 6953 recent advances derivativefree optimization al... 6954 work propose model estimating volatility finan... 6955 overcome travelling difficulty visually impair... 6956 poisson factorization probabilistic model user... 6957 using unfolding method given citehl prove conj... 6958 paper address bounded cardinality hub location... 6959 one recent trends network architec ture design... 6960 study gas sample galaxies e msun clusters obta... 6961 present hidden fluid mechanics hfm physics inf... 6962 study problem testing structure networks using... 6963 three dimensional magnetohydrodynamical simula... 6964 automatic meshbased shape generation great int... 6965 sunyaevzeldovich sz effect powerful probe evol... 6966 number recent works used variety combinatorial... 6967 exhaled air contains aerosol submicron droplet... 6968 expressive variations tempo dynamics important... 6969 paper deals convergence time analysis class fi... 6970 selforganization process order whole system ar... 6971 nonequilibrium workhamiltonian connection micr... 6972 study thick subcategories defined modules comp... 6973 examine whether various characteristics planet... 6974 paper study ideal structure reduced calgebras ... 6975 paper study nonparametric mean curvature type ... 6976 article develop new sequential monte carlo smc... 6977 formulate nambugoldstone theorem triangular re... 6978 large data collections required training neura... 6979 usually applying mimetic model early universe ... 6980 equilibrium thermodynamic kinetic information ... 6981 generative adversarial networks gans become wi... 6982 molecular dynamics md simulations allow explor... 6983 consider problem deep neural net compression q... 6984 threeway data conveniently modelled using matr... 6985 explore emergence persistent infection closed ... 6986 highresolution canopy height map exists global... 6987 accurate estimation regional wall thicknesses ... 6988 using threedimensional semiclassical model stu... 6989 lately wireless sensor networks wsns become em... 6990 present new frankwolfe fw type algorithm appli... 6991 problem choice boundary conditions discussed c... 6992 introduce exit time finite state projection et... 6993 data quality assessment data cleaning contextd... 6994 authentication first step toward establishing ... 6995 online dominating set problem online variant m... 6996 shanghai coherent light facility sclf quasicw ... 6997 role asymptomatically infected individuals pla... 6998 many methods automatic music transcription inv... 6999 policy gradient methods achieved remarkable su... 7000 magnetic fields quench kinetic energy two dime... 7001 consider cauchy problem gradient flow beginequ... 7002 currently thirdgeneration sequencing technique... 7003 paper proposes rebnet endtoend framework train... 7004 generalized lindelf hypothesis exponent error ... 7005 discuss latest results numerical simulations f... 7006 recently reported population protostellar cand... 7007 compared artificial neural networks anns spiki... 7008 matrix inversion interesting topic algebra mat... 7009 governing equations motion viscous incompressi... 7010 purpose note give simple proof fact certain su... 7011 key requirement routing telecommunication netw... 7012 conical functions appear large number applicat... 7013 present approach towards convex optimization r... 7014 motivated fact lowenergy properties kondo mode... 7015 paper propose adaptive framework variable powe... 7016 update issue found correctness algorithm worki... 7017 digital information encoded buildingblock sequ... 7018 artificial lighting responsible large portion ... 7019 study theory tmn existentially closed incidenc... 7020 study problem propagation regularity solutions... 7021 herewith attempt investigate cosmic rays behav... 7022 recent advances deep neural networks dnns make... 7023 study spreading information wide class quantum... 7024 present four new examples plane rational curve... 7025 study maximum likelihood estimator density n i... 7026 consider nonparametric testing nonasymptotic f... 7027 space npoint correlation functions possible ti... 7028 work provide theoretical guarantees reward dec... 7029 present endtoend system musical key estimation... 7030 introduce new approach aiming computing approx... 7031 synergies evolutionary game theory statistical... 7032 often analysis timedependent chemical biophysi... 7033 sample efficiency critical solving realworld r... 7034 many stateoftheart algorithms solving hard com... 7035 face detection methods relied face datasets tr... 7036 consider fock spaces fpellalpha entire functio... 7037 paper address problem generating elements obta... 7038 solve compressive sensing problem via convolut... 7039 present bayesian model selection approach esti... 7040 sequencetosequence models provide simple elega... 7041 consider binary classification problems positi... 7042 first part survey heuristic nontechnical discu... 7043 previous work area gesture production made ass... 7044 neural networks rational functions efficiently... 7045 analyze local properties sparse erdosrenyi gra... 7046 recent studies shown deep neural networks dnn ... 7047 paper present working model automatic pill rem... 7048 registration tremor performed two groups subje... 7049 accurate real time crime prediction fundamenta... 7050 make research chaos friendly discrete equation... 7051 submissions withdrawn arxiv administrators sub... 7052 contact processes form large highly interestin... 7053 paper first propose two types concepts almost ... 7054 paper studies remote state estimation denialof... 7055 semantic understanding localization fundamenta... 7056 ordered structures natural integer rational re... 7057 classify finite pgroups upto isoclinism two co... 7058 dutch book arguments applied beliefs outcomes ... 7059 key goal quantum chemistry methods whether ab ... 7060 give elementary combinatorial proof basss dete... 7061 electronmuon ranger emr fullyactive trackingca... 7062 photometric redshifts key component many scien... 7063 deep reinforcement learning drl methods deep q... 7064 cloud manufacturing cm concept using manufactu... 7065 theories one vacuum allow quantum transitions ... 7066 paper new series first second stieltjes consta... 7067 analyze sample complexity thresholding bandit ... 7068 nickel oxide nio studied extensively various a... 7069 area roc auc important metric binary classific... 7070 text preprocessing often first step pipeline n... 7071 develop apply new techniques order uncover gal... 7072 recent surge interest uavs civilian services i... 7073 riemann xiz function even z admits fourier tra... 7074 paper introducing kind small loop transfer spa... 7075 show existence yangmillshiggs ymh fields riema... 7076 give strong necessary conditions admissibility... 7077 stochastic ordering distributions random varia... 7078 measured quantum depletion interacting homogen... 7079 creating modeling realworld graphs crucial pro... 7080 field analytic combinatorics studies asymptoti... 7081 strong progress made image captioning last yea... 7082 paper presents novel framework accurate pedest... 7083 graphql query language thereuponbased paradigm... 7084 pressing need build architecture could subsume... 7085 linear carbon chains common various types astr... 7086 present work study charged black hole solution... 7087 note give simple proofs several results involv... 7088 chatbots one class intelligent conversational ... 7089 predictive coding attractive compression hyper... 7090 wide range electrochemical reactions practical... 7091 segmented silicon detectors micropixel microst... 7092 wearable devices enable users collect health d... 7093 paper computational aspects probability calcul... 7094 electron acceleration relativistically intense... 7095 propose use specific dynamical processes gener... 7096 study thermalization holographic dimensional c... 7097 purpose investigating coexistence magnetic ord... 7098 paper investigate questions related continuity... 7099 synopsis offered properties discrete integerva... 7100 proved certain restrictions weights pair weigh... 7101 tissue characterization long important compone... 7102 present psdbscan communication efficient paral... 7103 use elliptic system equations complex coeffici... 7104 nonnegative matrix factorization nmf prob lem ... 7105 document consists two papers submitted supplem... 7106 show two hamiltonian isotopic lagrangians cpom... 7107 spin relaxation chromium spinel oxides acro mg... 7108 biophysical model epimorphic regeneration base... 7109 established existence multiplicity solution re... 7110 babson steingrmsson generalized notion permuta... 7111 critical analysis state art necessary task ide... 7112 agentbased models abms simulate interactions a... 7113 combine bayesian prediction weighted inference... 7114 important disadvantage hindex typically cannot... 7115 every art form ultimately aims invoke emotiona... 7116 study equation beginequation deltasuvxu ialpha... 7117 paper present method unsupervised clustering h... 7118 generalize results citecapistran expected baye... 7119 order clarify hightc mechanism inhomogeneous c... 7120 paper new longterm survival distribution propo... 7121 many engineering problems require identifying ... 7122 simplified trisection trisection map manifold ... 7123 many localization algorithms use spatiotempora... 7124 present family selfconsistent axisymmetric rot... 7125 based experimental traffic data obtained germa... 7126 develop finite element method laplacebeltrami ... 7127 let x del pezzo surface degree defined field f... 7128 padic kummerleopoldt constant kappak number fi... 7129 despite impressive performance deep neural net... 7130 paper citelau shown restriction pseudoeffectiv... 7131 generalize work bourgainkontorovich zhang prov... 7132 screening surface charge electrolyte resulting... 7133 provide asymptotic expansion value function mu... 7134 probabilistic atlases provide essential spatia... 7135 present machine learning framework multiagent ... 7136 study optimal investmentconsumption problem me... 7137 consider restricted light ray transforms arisi... 7138 propose nonparametric method explicitly model ... 7139 article studies confluence pair regular singul... 7140 sequential estimation delay doppler parameters... 7141 maximally recoverable codes codes designed dis... 7142 paper focuses considering special precessional... 7143 paper presents novel physicsinformed regulariz... 7144 wavelet transform seen success incorporated ne... 7145 cardiologists main tool measuring systolic hea... 7146 study problem optimal estimation density clust... 7147 steganography collection methods hide secret i... 7148 graph g called sum graph socalled sum labeling... 7149 study exploration problem episodic mdps rich o... 7150 time converge steady state finite markov chain... 7151 generating versatile appropriate synthetic spe... 7152 rapid growth services stream groups users come... 7153 present suite reinforcement learning environme... 7154 let rhoellell system elladic representations a... 7155 apply tractor image modeling code improve upon... 7156 lifted relational neural networks lrnns descri... 7157 organisations store huge amounts data multiple... 7158 despite various debugging supports existing id... 7159 consider twoplayer game chomp posets associate... 7160 semiparametric nonlinear regression model pres... 7161 optimal transportation provides means lifting ... 7162 discussion randomprojection ensemble classific... 7163 propose deep asymmetric multitask feature lear... 7164 phasechange materials based gesbte alloys wide... 7165 let infty infty two points infty real hyperell... 7166 investigate class multidimensional twocomponen... 7167 classification problems mode conditional proba... 7168 one main benefits wristworn computer ability c... 7169 widespread use big social data pointed researc... 7170 paper introduce concept singular finsler folia... 7171 measuring airways chest computed tomography ct... 7172 time dependent quantum systems become indispen... 7173 systematic design adaptive waveform wireless p... 7174 year approximately heart valve repair replacem... 7175 gaussian process modulated poisson processes p... 7176 paper puts forth mathematical framework buildi... 7177 recent trends miniaturizing oxidebased devices... 7178 objective test hypothesis variation care coord... 7179 paper consider probabilistic setting probabili... 7180 measure statistically anisotropic signatures i... 7181 article dedicated estimation wasserstein dista... 7182 quantifying errors losses due use floatingpoin... 7183 despite significant progress made last years s... 7184 present cosegmentation technique spacetime col... 7185 many years ivector based audio embedding techn... 7186 generalization riemannian submersions horizont... 7187 recent years defect prediction received great ... 7188 extend classical notion spherical depth mathbb... 7189 utility markov chain monte carlo algorithm lar... 7190 paper presents one analytical tidal theory vis... 7191 zerocurvature representations zcrs one main to... 7192 article presents multiple sound source localiz... 7193 paper present scalable approach robustly compu... 7194 propose theoretical framework capture incremen... 7195 pseudocircle simple closed curve surface arran... 7196 modeled along truncated approach panigrahi sel... 7197 cholesky decomposition plays important role fi... 7198 combination recent emerging technologies netwo... 7199 consider network observation collection observ... 7200 paper concerned problem topk ranking pairwise ... 7201 recently modelfree reinforcement learning algo... 7202 consider problem detecting data races program ... 7203 improving effectiveness safety patient care ul... 7204 paper initiate study new problem termed functi... 7205 toric landauginzburg models giventals type fan... 7206 study role local tidal environment determining... 7207 paper general theory presented locally station... 7208 recentlyintroduced selflearning monte carlo me... 7209 optical diffraction tomography odt tomographic... 7210 rational filter functions used improve converg... 7211 maps parameter space expressing distribution f... 7212 classical ground state magnetic response heise... 7213 sparse matrix multiplication important compone... 7214 let g group acting tree finite edge stabilizer... 7215 lagrangian numerical scheme solving nonlinear ... 7216 paper studies optimal timebounded control mult... 7217 web advertising traffic operation trafficking ... 7218 randomizing fouriertransform ft phases tempora... 7219 paper addresses question whether possible gene... 7220 paper investigate simultaneous properties conv... 7221 solving partial differential equations using b... 7222 explore effect noise ballistic graphenebased s... 7223 design multistable rna molecules important app... 7224 utility notion generalized disclinations mater... 7225 emission properties pbte single crystal extens... 7226 every instance hospitalsresidents problem admi... 7227 describe procedures converging characterizing ... 7228 szilard enginesze one best example information... 7229 latest deep learning methods object detection ... 7230 emergence cloud computing sensor technologies ... 7231 recently certain qpainlev type system obtained... 7232 study statics dynamics stable mobile selfbound... 7233 lay foundations subject title build another pa... 7234 determination finite blaschke product critical... 7235 background componentbased modeling language mo... 7236 mit supercloud portal workspace enables secure... 7237 propose estimator prediction error using appro... 7238 set new speed records multiplying long polynom... 7239 metasurface gradient phase response offers new... 7240 let finitely generated subsemigroup z derive g... 7241 recent advances molecular simulations allow di... 7242 understanding influence product crucially impo... 7243 emergence oscillations models elnio effect utm... 7244 clustering undirected graph paper presents exa... 7245 hyper suprimecam subaru strategic program hsc ... 7246 propose practical method l norm regularization... 7247 interactions pm meteorological factors play cr... 7248 kgroup calgebra multipullback quantum complex ... 7249 gumbel trick method sample discrete probabilit... 7250 paper presents sequential randomized lowrank m... 7251 context convectivelydriven flows play crucial ... 7252 paper deals estimation problem misspecified er... 7253 many barred galaxies possibly including milky ... 7254 domain adaptation refers process learning pred... 7255 colocalization powerful tool study interaction... 7256 consider communication multipleinput singleout... 7257 paper investigate performance analysis synthes... 7258 formulate notions subadditivity additivity yan... 7259 hermite rank appears limit theorems involving ... 7260 extremal point positive threshold boolean func... 7261 virtual screening vs widely used computational... 7262 increasing availability big large volume socia... 7263 definition fractional integral may codified ri... 7264 assertion every definable set definable elemen... 7265 scientific community use pdes model range prob... 7266 enhanced quality service qos satisfaction mobi... 7267 rapid compression machines rcms widely used co... 7268 given elliptic curve ek galois extension kk co... 7269 basis quasipotential method quantum electrodyn... 7270 generative adversarial networks gans powerful ... 7271 show finite milnorwitt correspondences satisfy... 7272 recently wind riemannian structures wrs introd... 7273 solution implemented frame duckietown goal duc... 7274 cipher used encryption governmental communicat... 7275 deep neural networks dnns powerful machine lea... 7276 present spectra ultradiffuse galaxies udgs vic... 7277 tieline scheduling problem multiarea power sys... 7278 paper predicted stabilities several twodimensi... 7279 la transformoj de schwarzchristoffel mapas kon... 7280 humans imagine scene sound want machines using... 7281 interdisciplinary discipline data mining dm po... 7282 paper study twelve stochastic input models onl... 7283 paper addresses task learning image classifier... 7284 introduce general method improving convergence... 7285 singlephoton detectors space must retain usefu... 7286 study parameterized complexity several positio... 7287 many years lunar laser ranging llr observation... 7288 article proved existence similarity solutions ... 7289 attentionbased encoderdecoder architectures li... 7290 article consider parametric bayesian inference... 7291 despite recent advances reputation technologie... 7292 focus cohomology kth nilpotent quotient free g... 7293 kontsevich soibelman reformulated slightly gen... 7294 important challenge humanlike ai compositional... 7295 boltzmann provided scenario explain individual... 7296 threedimensional couette flow parallel plates ... 7297 existing dimensionality reduction methods adep... 7298 pipelined krylov subspace methods avoid commun... 7299 ananthnarayan avramov moore gave new construct... 7300 trigonometric time integrators introduced clas... 7301 around year centenary plancks thermal radiatio... 7302 highlyefficient multiresonant rf energyharvest... 7303 graphical causal models important tool knowled... 7304 paper concerns quantile oriented sensitivity a... 7305 intensity noise crosscorrelation polarization ... 7306 amino acid sequence portrays intrinsic form pr... 7307 experimental numerical study steadystate cyclo... 7308 theoretically study josephson current supercon... 7309 according tastes person could show preference ... 7310 purpose paper construct confidence intervals r... 7311 consider godunov numerical method phasetransit... 7312 let f holomorphic curve mathbbpnmathbbc let ma... 7313 present safe active incremental feature select... 7314 social graph construction various sources inte... 7315 show fluidflow interpretation service curve ea... 7316 using firstprinciples density functional calcu... 7317 present method construct numberconserving hami... 7318 present new parallel corpus jhu fluencyextende... 7319 address single machine problems optional jobs ... 7320 novel datadriven stochastic robust optimizatio... 7321 paper introduces algebraic multiscale method s... 7322 software processes improvement spi challenging... 7323 analysis bayesian mixture model matrix langevi... 7324 cycloids hipocycloids epicycloids often forgot... 7325 paper algorithm multicolor image compressionen... 7326 gaussian graphical models used throughout natu... 7327 chariklo small solar system body confirmed rin... 7328 powerful tool asynchronous event sequence anal... 7329 studies response sid silicontungsten electroma... 7330 study multiple hypothesis tracking mht algorit... 7331 nfold darboux transformation tn focusing real ... 7332 goodnessoffit test discrimination two tail dis... 7333 belief propagation algorithms instruments used... 7334 interpolation jointly infeasible predicates pl... 7335 oneparametric stochastic dynamics interface qu... 7336 lesion segmentation first step automatic melan... 7337 support vector data description svdd popular t... 7338 recent years supervised learning using convolu... 7339 main focus analysts deal clustered data usuall... 7340 magnetic anisotropies ferromagnetic thin films... 7341 create release first publicly available commer... 7342 aim present manuscript present novel proposal ... 7343 sometimes enough dnn produce outcome example a... 7344 propose variational shape learner vsl generati... 7345 study cubic wave equation adsd closely related... 7346 bag words bow represents corpus matrix whose e... 7347 formation singularity compressible gas describ... 7348 paper investigates far deep neural network att... 7349 set bousfield classes important subsets distri... 7350 potential benefits applying machine learning m... 7351 class actively calibrated line mounted capacit... 7352 present aircode technique allows user tag phys... 7353 paper advances state art text understanding me... 7354 paper drawing intuition turing test propose us... 7355 origin phobos deimos giant impact generated di... 7356 sales applications characterized competition l... 7357 paper present simple modularized neural networ... 7358 establish general connection ballistic diffusi... 7359 report present new face detection scheme using... 7360 endtoend control robot manipulation grasping e... 7361 twenty years term cosmic web guided understand... 7362 present regression technique data driven probl... 7363 arguably biggest challenge applying neural net... 7364 magnetohydrodynamic mhd ships represent clear ... 7365 rapidly increasing number devices connected in... 7366 investigate timeoptimal control problem sir su... 7367 consider fundamental open problem parametric b... 7368 adaptive gradientbased optimization methods ad... 7369 magnetic response related paramagnetic meissne... 7370 credal network epistemic irrelevance generalis... 7371 mollow spectrum light scattered driven twoleve... 7372 paper use approach based dynamics prove ksubse... 7373 extreme mass ratio inspiral emri events vulner... 7374 companies populating stock market along connec... 7375 offensive antagonistic language targeted indiv... 7376 paper devoted study infinite horizon optimal c... 7377 present general analytical formalism determine... 7378 intrinsic stochasticity induce highly nontrivi... 7379 five year posttransplant survival rate importa... 7380 investigate loss surface neural networks prove... 7381 well known functions involution respect poisso... 7382 decades contextdependent phonemes dominant sub... 7383 common problem applications linear finite dyna... 7384 measured resistivity thermopower specific heat... 7385 quantum walks virtue coherent superposition qu... 7386 resonant inelastic xray scattering rixs experi... 7387 mathematical modelling tumor growth one useful... 7388 rise digital mobile communications recently ma... 7389 todays education systems deep concern importan... 7390 propose statistical inferential procedures pan... 7391 onebit measurements widely exist real world us... 7392 computational complexity kernel methods often ... 7393 automl serves bridge varying levels expertise ... 7394 presence renewable resources distribution netw... 7395 assortative mixing networks tendency nodes att... 7396 neural machine translation models rely beam se... 7397 upstroke normal eye blink upper lid moves pain... 7398 kmappability problem given string x length n i... 7399 music creation typically composed two parts co... 7400 simulation optimization refers optimization ob... 7401 variational autoencoders vaes learn representa... 7402 examine conditions material martian moons phob... 7403 diffusion information widely modeled stochasti... 7404 propose fundamental techniques obtain effectiv... 7405 loopaugmented forest labeled rooted forest loo... 7406 reproducing experiments important instrument v... 7407 recently proposed adversarial training methods... 7408 parameterised boolean equation system pbes set... 7409 present measurement kinematic sunyaevzeldovich... 7410 statistical relational frameworks markov logic... 7411 contrast simple monatomic alkali halide ions c... 7412 modern operating systems android ios windows p... 7413 conditional independence treatment assignment ... 7414 describe first ever implementation emulsion mu... 7415 magnetic resonance image mri reconstruction se... 7416 give lower bounds degree multiplicative combin... 7417 important application haptic technology digita... 7418 study topological dynamics horocycle flow hmat... 7419 waist size cusp orientable hyperbolic manifold... 7420 motivated recent work straininduced pseudomagn... 7421 abstract separation logics family extensions h... 7422 consider two polytopes quadratic assignment po... 7423 xgboost often presented algorithm wins every m... 7424 investigate superfluid behavior twodimensional... 7425 game analytics supports game development provi... 7426 look bohemian matrices specifically entries sp... 7427 past years distributed energy resources der ob... 7428 dynamic evidence logics logics reasoning evide... 7429 researchers often interested assessing impact ... 7430 point location problems n points ddimensional ... 7431 consider statistical inverse problem recoverin... 7432 recently proposed models learn write computer ... 7433 paper presents design experimental evaluations... 7434 aainfty estimate improving previous result arx... 7435 state ramsey property classes ordered structur... 7436 investigate cognitive radio system secondary u... 7437 homophily put minority groups disadvantage res... 7438 imprecise incomplete specification system text... 7439 discuss unique existence microlocal regularity... 7440 correspondence propose new receiver design hig... 7441 one major open problems computer vision detect... 7442 given two deep neural networks dnns similar ar... 7443 quantification qoe subjects often provide indi... 7444 observations highlyeccentric e hotjupiter hd b... 7445 many biological data analysis processes like c... 7446 study josephson effect rmt f junction consisti... 7447 version information plays important role sprea... 7448 multiband systems ironbased superconductors su... 7449 pervasive belief regard differences human lang... 7450 paper present unified endtoend approach build ... 7451 critical temperature tc mgb one key factors li... 7452 article describes motivation design progress j... 7453 reinforcement learning promising approach lear... 7454 neodeterministic seismic hazard assessment nds... 7455 syllabification seem improve wordlevel rnn lan... 7456 persistent homology studies evolution kdimensi... 7457 measure alignment shapes galaxy clusters trace... 7458 paper consider degenerate stirling polynomials... 7459 useful machine learning quantum laboratory rai... 7460 spatial distribution elemental abundances disc... 7461 doseresponse functions drfs widely used estima... 7462 present work addressed thesis introduces first... 7463 paper presents solution persistent monitoring ... 7464 paper propose novel sufficient decrease techni... 7465 unified gas kinetic scheme ugks direct modelin... 7466 legged robots pose one greatest challenges rob... 7467 work prove existence result optimal partition ... 7468 note establish following second main theorem t... 7469 prove range new sumproduct type growth estimat... 7470 computing inverse covariance matrix precision ... 7471 date germanene synthesized metallic substrates... 7472 introduce quiver gauge theory associated nonsi... 7473 image vortex creep low temperatures using scan... 7474 strategic interactions competitive entities ge... 7475 investigate pivotbased translation related lan... 7476 semiconductor quantum dots qds doped magnetic ... 7477 chapter show use differential coding presence ... 7478 develop new approach solving classification pr... 7479 paper randomizations scattered sentences keisl... 7480 kaplansky zero divisor conjecture states g tor... 7481 describe relation mostly conjectural seibergwi... 7482 word embeddings provide point representations ... 7483 many areas practitioners seek use observationa... 7484 reinforcement algorithm solves classical optim... 7485 present approach accelerating wide variety ima... 7486 hiv rna viral load vl important outcome variab... 7487 consider relativistic charged particle backgro... 7488 paper presents distributed stochastic model pr... 7489 transform methods like laplace fourier frequen... 7490 consider dynamics belief propagation decoding ... 7491 entity resolution er presents unique challenge... 7492 since corot observations unveiled low amplitud... 7493 certain analytical expressions feel divisors n... 7494 paper presents problem model learning purpose ... 7495 topological insulator bise doped electrons sup... 7496 show mathbbqgorenstein flat family klt singula... 7497 let gr denote metaplectic covering group linea... 7498 paper introduces generalization convolutional ... 7499 investigate standard model sm ubl gauge extens... 7500 deep neural networks coupled fast simulation i... 7501 surfactant solutions exhibit multilamellar sur... 7502 topological group g bamenable every continuous... 7503 new generation silicon pixel detectors small p... 7504 microwave kinetic inductance devices mkids poi... 7505 practical impact abstractionbased controller s... 7506 propose novel denoising framework task functio... 7507 consider three dimensional vlasovpoisson syste... 7508 photography usually requires optics conjunctio... 7509 paper brings novel idea paying utility winning... 7510 consider problem individualspecific medication... 7511 emergent field probabilistic numerics thus far... 7512 study effect cavity collapse nonideal explosiv... 7513 present simple quantile regressionbased foreca... 7514 let b left bleft xright xin mathbbsright fract... 7515 named entity classification task classifying t... 7516 latent space models effective tools statistica... 7517 tackle challenge topic classification tweets c... 7518 context research testing building software sys... 7519 work studies storage mechanisms automata permi... 7520 nonconvex optimization local search heuristics... 7521 performed joule power loss calculations flat d... 7522 report exact likelihood computation linear gau... 7523 experimental design problem concerns selection... 7524 machine learning statistics often desirable re... 7525 establish correspondence riemann surface hyper... 7526 nonnegative matrix factorization nmf actively ... 7527 modern search techniques either cannot efficie... 7528 obtain new uniform bounds symmetric tensor ran... 7529 present several continued fraction algorithms ... 7530 neuralnetwork based speakeradaptive acoustic m... 7531 paper considers problem statistical inference ... 7532 show social dynamics responsible formation con... 7533 fusion iterative closest point icp reg istrati... 7534 paper use theory computing study fractal dimen... 7535 pairing symmetry interacting dirac fermions pi... 7536 study causal inference multienvironment settin... 7537 notion linear exponential comonads symmetric m... 7538 paper proposes original statistical decision t... 7539 domain adaptation refers problem leveraging la... 7540 atomically thin semiconductors dimensions comm... 7541 conceptual computational framework proposed mo... 7542 paper introduces colossus public opensource py... 7543 second generation sequencing technologies incr... 7544 many modern video processing pipelines rely ed... 7545 since matrix formed nonlocal similar patches n... 7546 contextual bandit algorithms class multiarmed ... 7547 demonstrate lightinduced localization coulombi... 7548 variety realworld processes networks produce s... 7549 search binary sequences low autocorrelations l... 7550 study asymptotic behavior marginal expected sh... 7551 securitycritical tasks require proper isolatio... 7552 data rates percentages proportions arise frequ... 7553 pagerank numerous applications information ret... 7554 remote sensing experiments require highaccurac... 7555 discuss git moduli semistable pairs consisting... 7556 provide novel simple description schellekens s... 7557 describe method reconstructing air showers ind... 7558 weyls original scale geometry purely infinites... 7559 paper explores discrete dynamic causal modelin... 7560 effort scale existing quantum hardware proceed... 7561 allan variance av widely used quantity areas f... 7562 current tools exploratory data analysis eda re... 7563 consider stochastic composition optimization p... 7564 enabling artificial agents automatically learn... 7565 paper adapts large deformation diffeomorphic m... 7566 determination morphology galaxy clusters impor... 7567 spin triangular lattice antiferromagnet ybmgga... 7568 location radio pulsars periodperiod derivative... 7569 paper prove immersed stable capillary hypersur... 7570 carried systematic search recoiling supermassi... 7571 days several organizations moving lan foundati... 7572 brazilian ministry health selected openehr mod... 7573 minimum volume enclosing ellipsoid mvee proble... 7574 interest memristors risen due possible applica... 7575 biological artificial neural systems composed ... 7576 major investment made telecom operator goes in... 7577 consider problem detecting outofdistribution i... 7578 possibility solving bethesalpeter equation min... 7579 paper show novel underlying connections fracti... 7580 prove smooth well formed fano weighted complet... 7581 examine relationship social structure sentimen... 7582 fabrication atomic scale metallic wire remains... 7583 universal homogeneous trianglefree graph const... 7584 let f nonarchimedean local field study restric... 7585 let qnn unit cube mathbb rn n mathbb n nondege... 7586 recent experimental results point existence co... 7587 sensors present various forms around world mob... 7588 study problem edit similarity joins given set ... 7589 study introduce new approach curve pairs using... 7590 consider general statistical linear inverse pr... 7591 short high charge electron bunches drive high ... 7592 magnetic systems spins sitting lattice corner ... 7593 let r homogeneous coordinate ring grassmannian... 7594 wasserstein metric introduced probabilistic me... 7595 word embeddings representations individual wor... 7596 theoretically investigate normalstate properti... 7597 goal machine learning automatically learn data... 7598 noh verification test problem extended beyond ... 7599 associate infinite cyclic cover punctured neig... 7600 recent years seen sharp increase number relate... 7601 coherent uncertainty quantification key streng... 7602 inference presence outliers important field re... 7603 universal labeling graph g labeling edge set g... 7604 online games provide rich recording interactio... 7605 study theoretically topological surface states... 7606 given crossing minimal chart gamma minimal cha... 7607 assistive robotics particularly robot coaches ... 7608 study superconvergence property linear finite ... 7609 paper proposes multichannel source separation ... 7610 pore space characteristics biochars may vary d... 7611 present firstprinciplesbased manybody typical ... 7612 upon thermal annealing room temperature rt hig... 7613 parametric imaging compartmental approach proc... 7614 current recommender systems exploit user item ... 7615 consider properties integrals considered hardy... 7616 give complexity analysis class short generatin... 7617 thermodynamic potential neutral twodimensional... 7618 redis inmemory data structure store often used... 7619 discuss existence ground state solutions choqu... 7620 present study dark soliton dynamics inhomogeno... 7621 exchange interaction magnetic ions charge carr... 7622 perform polarimetry analysis active galactic n... 7623 let n closed enlargeable manifold sense gromov... 7624 programmable optical computer remained elusive... 7625 main theorem jain et aljain k singh sharma str... 7626 nmethylformamide chnhcho may important molecul... 7627 paper study development anisotropy strong mhd ... 7628 alternative density functional theory wavefunc... 7629 identification minimal set nodes maximizes pro... 7630 let x g asymptotically hyperbolic manifold hat... 7631 clinical nlp immense potential contributing cl... 7632 propose novel online predictor discrete labels... 7633 article deals markov process related fundament... 7634 look enhancement correspondence model peridyna... 7635 active learning long topic study machine learn... 7636 report orbitalfree densityfunctional theory df... 7637 contribution summarize progress made investiga... 7638 given leq k leq say kuniform hypergraph cks ti... 7639 among different biomarkers aging based omics c... 7640 effective efficient mitigation malware longtim... 7641 holes clumps interstellar gas dwarf irregular ... 7642 paper report visualization capabilities explai... 7643 present neural network architecture based upon... 7644 interested attributeguided face generation giv... 7645 unsupervised data generation tasks besides gen... 7646 extend certain classical theorems pluripotenti... 7647 report inconsistency found probability theory ... 7648 recently test signchanging gap function candid... 7649 handheld augmented reality commonly implements... 7650 paper propose distributed primaldual algorithm... 7651 consider inverse dynamic spectral problems one... 7652 let x quasiaffine algebraic variety isomorphic... 7653 gaussian process gp regression powerful interp... 7654 study probable trajectories concentration evol... 7655 many topics planetary studies demand estimate ... 7656 scanning microwave impedance microscopy mim me... 7657 long known feedback vertex set solved time mat... 7658 mechanisms strong electronphonon coupling pred... 7659 competitive equilibrium equal incomes ceei wel... 7660 author showed homogeneous algebraic diophantin... 7661 automatic sleep staging challenging problem st... 7662 onedimensional wakefield generation equations ... 7663 show permutation complexity image sturmian wor... 7664 propose predictability computability stability... 7665 let atomic monoid let x nonunit element elasti... 7666 stable topological invariants cornerstone pers... 7667 consider minimal nonnegative jacobi operator p... 7668 geodesic monte carlo gmc powerful algorithm ba... 7669 recently review concluded google scholar gs su... 7670 problem gas detection relevant many realworld ... 7671 discuss correspondence knizhnikzamolodchikov e... 7672 experimentally numerically investigate effect ... 7673 paper presents combinatorial construction lowd... 7674 statistics derived eigenvalues sample covarian... 7675 show artintits group spherical type intersecti... 7676 explore probabilistic model artistic text word... 7677 machine learning algorithms become increasingl... 7678 customer retention campaigns increasingly rely... 7679 quite general device analysis method allows di... 7680 wide class hermitian random matrices limit dis... 7681 paper proposes power slow feature analysis gra... 7682 behavior matter near quantum critical point qc... 7683 biological systems cell human brain inherently... 7684 one challenging tasks flying robot autonomousl... 7685 efforts reduce numerical precision computation... 7686 prove functor associating rigid analytic varie... 7687 determinantal point processes dpps wideranging... 7688 theoretically propose weyl semimetals may exhi... 7689 variability management process models major ch... 7690 propose use threedimensional dirac materials t... 7691 objective paper use transfer functions compreh... 7692 many modern applications deal multilabel data ... 7693 training robots operation real world complex t... 7694 need efficiently calculate first higherorder d... 7695 paper propose method importing tensor index no... 7696 wave theories heating chromosphere corona sola... 7697 unconventional spinrotation mode emerging quan... 7698 interesting significant importance investigate... 7699 given two continuous functions fgitomathbbr g ... 7700 study effective versions unlikely intersection... 7701 recommenders become widely popular recent year... 7702 let nilmanifold fundamental group free step ni... 7703 fog computing enables use cases data produced ... 7704 document describes code perform parameter esti... 7705 paper describes approach bosch production line... 7706 spherical symmetry radial coordinate r classic... 7707 audio events quite often overlapping nature pr... 7708 study exact solutions quasionedimensional gros... 7709 novel textindependent speaker identification s... 7710 argue hardware modularity plays key role conve... 7711 give new bound number collinear triples two ar... 7712 visinelli gondolo hereafter vg derived analyti... 7713 poisson structures admit resolutions symplecti... 7714 interest replace computed tomography ct images... 7715 calculate specific heat weakly interacting dil... 7716 inference models key component scaling variati... 7717 many statisticians citizens outcome recent us ... 7718 paper aims solving onedimensional backward sto... 7719 study spectrophotometric properties highly mag... 7720 study n interacting random walks positive inte... 7721 paper addresses problem estimating presence ra... 7722 recent note author provides counterexample glo... 7723 memristor one four fundamental twoterminal sol... 7724 ratio medians suitable quantiles two distribut... 7725 give new proof salvatis theorem group language... 7726 propose compare several projection methods app... 7727 propose novel approach using unsupervised boos... 7728 koszul algebras quadratic groebner bases calle... 7729 community discovery social network one tremend... 7730 debugging transactions understanding execution... 7731 linkedin salary product launched late goal pro... 7732 quantum bits based individual trapped atomic i... 7733 fault detection problem closed loop uncertain ... 7734 given nsample drawn submanifold subset mathbbr... 7735 learning optimize recently proposed framework ... 7736 present analyze new spacetime finite element m... 7737 packing kcoloring integer k graph gve mapping ... 7738 social networks involve positive negative rela... 7739 significance topological phases widely recogni... 7740 measured absolute frequency p transition yb at... 7741 paper gives foundational results application q... 7742 identifying meaningful signal buried noise pro... 7743 hyperspectral analysis gained popularity recen... 7744 antihydrogen forefront antimatter research cer... 7745 control ultracold collisions neutral atoms ext... 7746 paper develops nonparametric rotation invarian... 7747 mechanism behind angular momentum transport pr... 7748 context robotic underwater operations visual d... 7749 introduce casper proof stakebased finality sys... 7750 crowdsourcing emerged paradigm leveraging huma... 7751 apply nested algebraic bethe ansatz models gl ... 7752 find epolynomials family parabolic mathrmspnch... 7753 discuss derivation lowenergy effective field t... 7754 prove two knots concordant involutive knot flo... 7755 spectrally efficient multiantenna wireless com... 7756 study kernel leastsquares estimation norm cons... 7757 present novel method determining surface densi... 7758 paper show motive hpn quaternionic grassmannia... 7759 continuation completion program initiated cite... 7760 paper shows authors consistent way characteriz... 7761 consider interaction distinct superradiance sr... 7762 paper prove given cliquewidth kexpression nver... 7763 functional window experimentally observed prop... 7764 practice evidencebased medicine ebm urges medi... 7765 article provide systematic way creating genera... 7766 paper investigates lateral pullin effect inpla... 7767 answer mark kacs famous question one hear shap... 7768 machine learning models vulnerable adversarial... 7769 paper propose novel energy efficient adaptive ... 7770 discriminative correlation filter dcf based me... 7771 investigate multitarget search complex network... 7772 set new upper limit abundance primordial black... 7773 hierarchical clustering class algorithms seeks... 7774 introduce physics informed neural networks neu... 7775 escard simpson defined notion interval object ... 7776 apply basic statistical reasoning signal recon... 7777 root cause analysis anomalies challenging trad... 7778 neural networks shown remarkable ability uncov... 7779 bayesian inference requires approximation meth... 7780 two node variables determine evolution cascade... 7781 nowadays major challenge machine learning big ... 7782 problem constrained coverage path planning inv... 7783 design next generation computer systems suppor... 7784 let lk finite galois extension number fields g... 7785 paper explore possibility use alternative data... 7786 survey article based authors lectures current ... 7787 consider double layered prestrained elastic ro... 7788 heterogeneous information networks hins ubiqui... 7789 information bottleneck ib technique extracting... 7790 central problem graph mining finding dense sub... 7791 present complete resolution abrahamminkowski c... 7792 process induced efficiency variation major con... 7793 paper serve introduction body work robust subs... 7794 orthogonal matching pursuit omp widely used co... 7795 linear complementarydual lcd short codes linea... 7796 report joint work e jrvenp jrvenp rajala rogov... 7797 theoretically investigate possibility achievin... 7798 family quasiarithmetic means natural partial o... 7799 explicitly construct families integrable sigma... 7800 existing deep multitask learning mtl approache... 7801 execution logs used process mining practice of... 7802 consider initial value problem fractional nonl... 7803 framework variational principles stochastic fl... 7804 inspired recent work pl lions conditional opti... 7805 allosteric proteins transmit mechanical signal... 7806 discuss application agapito curtarolo buongior... 7807 sensl microfcsmt x mm silicon photomultiplier ... 7808 propose reduction nonconvex optimization turn ... 7809 learning algorithms implicit generative models... 7810 network coding based peertopeer streaming repr... 7811 baryonacoustic oscillation bao feature lymanal... 7812 means present geometrical dynamical observatio... 7813 paper describes infocatvae extension variation... 7814 study parity selmer ranks family quadratic twi... 7815 social networks often provide binary perspecti... 7816 marketing power grid management purposes many ... 7817 classify ulrich vector bundles arbitrary rank ... 7818 paper show kshellable simplicial complex expan... 7819 commonly used weighted least square state esti... 7820 closed four dimensional manifold cannot posses... 7821 demonstrate potential deep learning methods me... 7822 consider task identifying attitudes towards gi... 7823 training step variational autoencoder vae requ... 7824 introduce new audio processing technique incre... 7825 thermoelectric te measurements performed workh... 7826 autonomous systems substantially enhance human... 7827 interaction thin structures incompressible new... 7828 suspensions selfpropelled bodies generate uniq... 7829 manuscript discuss construction covariant deri... 7830 work formulate fixedlength distribution matchi... 7831 predicting ground state alloy systems challeng... 7832 paper gives short survey basic results related... 7833 opposed manual feature engineering tedious dif... 7834 spin ice research small variations structure i... 7835 present hybrid neural network rulebased system... 7836 creation smart future information society inte... 7837 acceptable quantum gravity theory must allow u... 7838 develop method estimate data travel latency co... 7839 selftaught learning technique uses large numbe... 7840 develop computational method regiosqm predicti... 7841 note discusses proofs convergence firstorder m... 7842 give new class multidimensional padic continue... 7843 present new sinfoni nearinfrared integral fiel... 7844 present several formulae larget asymptotics mo... 7845 propose distributed version stochastic approxi... 7846 propose expected policy gradients epg unify st... 7847 behavior new hysteretic nonlinear energy sink ... 7848 paper demonstrates designing developing ultral... 7849 support scientific visualization multiplemissi... 7850 learning auxiliary tasks shown improve general... 7851 highaltitude watercherenkov hawc experiment te... 7852 work study two models arbitrarily varying chan... 7853 propose three properties related stationary po... 7854 propose generative neural network methods gene... 7855 radioactive daughters isotope rn one highest r... 7856 consider problem provably optimal exploration ... 7857 citehillmotegi present new general asymptotic ... 7858 applications safety security rescue robotics m... 7859 theoretical study optical properties te tm mod... 7860 high dimensional superposition models characte... 7861 developers spend significant amount time searc... 7862 tens millions new variable objects expected id... 7863 multivariate nonlinear granger causality devel... 7864 dynamic dielectric nonlinearity barium stronti... 7865 nonlinear modal decoupling nmd recently propos... 7866 report discovery keltb transiting hot jupiter ... 7867 statistical analyses directional angular data ... 7868 twotimescale stochastic approximation sa algor... 7869 consider ysystem functional equations form ynx... 7870 address problem estimating statistics hidden u... 7871 ground state spin heisenberg antiferromagnet d... 7872 work extends results known delta sets nonsymme... 7873 study riemannhilbert problems associated donal... 7874 provide new theoretical insights overparametri... 7875 task multilabel learning predict set relevant ... 7876 iterative supervised learning algorithms commo... 7877 propose general framework learn deep generativ... 7878 based meteorological data investigated tempera... 7879 video popularity essential reference optimizin... 7880 many artificial intelligence ai applications o... 7881 complete foundational discussion acceleration ... 7882 consider stochastic multiarmed bandit problems... 7883 supervised object detection semantic segmentat... 7884 aim paper characterize nonnegative functions v... 7885 threedimensional color codes advantages faultt... 7886 paper explores supervised techniques continuou... 7887 early environmental scan conducted research li... 7888 demonstrate nonvolatile ntype backgated mos tr... 7889 memristive crossbars become popular means real... 7890 cholanaikkans diminishing tribe india populati... 7891 light transport simulation reinforcement learn... 7892 using high energy electron beam imaging high d... 7893 developmental robotics offers new approach num... 7894 even todays advanced machine learning models e... 7895 simulate boron pb surface using ab initio evol... 7896 modelbased reinforcement learning rl methods b... 7897 use color qr codes brings extra data capacity ... 7898 emission molecular ion h powerful diagnostic u... 7899 show well known rules back propagation arise w... 7900 large collections videos grouped clusters topi... 7901 requirements elicitation requires extensive kn... 7902 present results neutron scattering experiments... 7903 kickstarter crowdfunding campaigns successfull... 7904 franceschi et al proposed unified mathematical... 7905 potential functionals introduced recently impo... 7906 present simple deterministic algorithms subgra... 7907 consider finitedimensional irreducible transit... 7908 instruments visualize transient structural cha... 7909 highthroughput biological sequencing becomes f... 7910 present realtime featurebased slam simultaneou... 7911 purpose paper carry classical construction non... 7912 present set full evolutionary sequences white ... 7913 study uniqueness complete biconservative surfa... 7914 present mapping class simplified air traffic m... 7915 junior machado zuluaga studied model understan... 7916 monte carlo simulations using mcnp performed s... 7917 present new approach deal first order ordinary... 7918 significant research conducted recent years de... 7919 paper prove strong consistency several methods... 7920 besides huge technological importance fluidize... 7921 neural network based machine learning emerging... 7922 paper conducts rigorous analysis provable esti... 7923 distance true numerical solutions metric consi... 7924 article prove first eigenvalue inftylaplacian ... 7925 variety complex decisionmaking tasks doctors p... 7926 network embedding aims projecting network data... 7927 research aims identify bitcoinrelated news pub... 7928 optical properties photonic crystal covered pe... 7929 many settings involve sequential decisionmakin... 7930 existing methods dealing knowledge updates dif... 7931 seminal work several macroscopic market observ... 7932 paper approach controller design based cloud m... 7933 recent planet nine hypothesis led many observa... 7934 consider differentialdifference equations dete... 7935 random forests become important tool improving... 7936 two complex vector bundles admitting homomorph... 7937 resources natural environment concepts semanti... 7938 propose novel technique analyzing adaptive sam... 7939 computing polarised intensities noisy data sto... 7940 spatial point process context kernel intensity... 7941 study cr geometry arbitrary codimension introd... 7942 widespread use information technologies inform... 7943 receiver operating characteristic roc curves w... 7944 maximum entropy modeling flexible popular fram... 7945 variational tensor network renormalization app... 7946 propose general framework nonasymptotic covari... 7947 regular language l unionfree represented regul... 7948 piecewise deterministic markov processes pdmps... 7949 language models lm powerful lipreading systems... 7950 millisecond pulsars msps great potential set s... 7951 propose use optical antennas made natural hype... 7952 following success type ia supernovae constrain... 7953 highprecision modeling subatomic particle inte... 7954 entropy search es predictive entropy search pe... 7955 recent article jentzen mllergronbach yaroslavt... 7956 advancement nanoscale electronics limited ener... 7957 article studies recovery graphons convolution ... 7958 g millimeter wave mmwave technology envisioned... 7959 plants monitor surrounding environment control... 7960 humans able identify referred visual object co... 7961 present novel technique learning mass matrices... 7962 characteristics gravitational collapse superno... 7963 consider multicell joint power control schedul... 7964 copy article published imrn describe noncommut... 7965 propose new expression response quadrant detec... 7966 paper propose novel algorithm combine two cell... 7967 paper discuss nacuteeel kekulacutee valence bo... 7968 since multimedia streaming become popular rese... 7969 paper complete determination brauer trees unip... 7970 manuscript proposes novel empirical bayes tech... 7971 distributed cloud storage systems used reliabl... 7972 moedal experiment lhc optimised detect highly ... 7973 likely protostellar systems undergo brief phas... 7974 review recent progress modeling credit risk co... 7975 many scientific domains face fundamental probl... 7976 despite increasing focus data publication disc... 7977 classic approach learning bayesian networks da... 7978 new method simulate heat transport multiphase ... 7979 show nonempty open set hyperbolic surface prov... 7980 paper shall prove grand fujiifujiinakamoto ope... 7981 prove continuity controlled sde solution skoro... 7982 analyze evolution fe xii coronal plasma upflow... 7983 investigate size scaling macroscopic fracture ... 7984 consider timedependent viscous meanfield games... 7985 highresolution imaging reveals large morpholog... 7986 fix sets x write mathcalptxy set partial funct... 7987 exploiting others beneficial individually coul... 7988 theory graph limits represents large graphs an... 7989 dispersal ubiquitous throughout tree life fact... 7990 vortex boseeinstein condensate ring undergoes ... 7991 hidden quantum markov models hqmms thought qua... 7992 gradient descent commonly used solve optimizat... 7993 largescale deep neural networks memory intensi... 7994 stochastic variance reduction algorithms recen... 7995 give proof conjecture raised michael finkelber... 7996 note prove instability blowup ground state sol... 7997 study stochastic particle system logarithmical... 7998 paper applies hes new amplitudefrequency relat... 7999 complex lie superalgebras mathfrakg type da al... 8000 report magnetotransport measurements magnetica... 8001 address general mathematical problem computing... 8002 article proposes mixture modeling approach est... 8003 dual fabryperotcavitybased optical refractomet... 8004 develop theory modulated operators general pri... 8005 galex detected significant fraction earlytype ... 8006 present new decision procedure logic wss origi... 8007 given polynomial qzaazdotsanzn vector positive... 8008 paper analyzes directional tracking extended k... 8009 study shows software developers spend time loo... 8010 many current future exoplanet missions pushing... 8011 modern topic identification topic id systems s... 8012 spiking neural networks snns enable powereffic... 8013 determinantal point processes dpps distributio... 8014 brownian motion served pilot studies diffusion... 8015 paper describes use idea natural time propose ... 8016 owing connection generative adversarial networ... 8017 precision robotic pollination systems fill gap... 8018 theoretical existence nonclassical schottky gr... 8019 keyword spottingor wakeword detectionis essent... 8020 radiobiology studies effects galactic cosmic r... 8021 pose graph optimization involves estimation se... 8022 extending notion frobeniussplitting prove ever... 8023 latent block model lbm modelbased method clust... 8024 note point basic link generative adversarial g... 8025 paper introduce new framework detect elephant ... 8026 coresets compact representations data sets mod... 8027 recent work fluid infiltration heleshaw cell p... 8028 case linear state space model implement mcmc s... 8029 new class functions called information sensiti... 8030 main inspiration paper paper elek introduces c... 8031 exploratory data analysis crucial developing u... 8032 work investigate surface thermophysical proper... 8033 present new approach generating cluster states... 8034 earths climate mantle core interact geologic t... 8035 find form refractive index solution eikonal eq... 8036 semantic textual similarity sts measures meani... 8037 observations show luminous blue variables lbvs... 8038 collective behaviour people adopting innovatio... 8039 phase tensor pt marked breakthrough understand... 8040 paper propose implement general convolutional ... 8041 compoundspecific chlorine isotope analysis csi... 8042 advent new materials van der waals heterostruc... 8043 paper establish equivariant mirror symmetry we... 8044 generative adversarial networks gans transform... 8045 report results twelve simulations collapse mol... 8046 currentvoltage characteristics new range devic... 8047 discriminative approach classification using d... 8048 recurrent neural networks extensively studied ... 8049 scanning probe microscopy spm extensively appl... 8050 sgd stochastic gradient descent popular algori... 8051 occasion th anniversary first observation ce v... 8052 mobile adhoc networks manets identified key em... 8053 real world significant relation human behavior... 8054 message importance measure mim applicable char... 8055 paper addresses problem multiview people occup... 8056 bakground proliferation available microarray h... 8057 falling oil revenues rapid urbanization puttin... 8058 wide range humanrobot collaborative applicatio... 8059 cosi recently reported exhibit remarkable magn... 8060 construct examples modular rigid calabiyau thr... 8061 consider infinitebuffer singleserver queue int... 8062 minimal number rooted subtree prune regraft rs... 8063 analytical model humanrobot hr coordination pr... 8064 aim akaike information criterion aic widely us... 8065 order understand exoplanet need understand par... 8066 use drug combinations termed polypharmacy comm... 8067 musical intervals multiple semitones note equa... 8068 show knowledge dirichlet neumann map rough q d... 8069 part collection discussion pieces david donoho... 8070 paper consider control problem partially obser... 8071 binomial random intersection graphs used parsi... 8072 present new compressed representation free tra... 8073 multivariate linear regression model shuffled ... 8074 present model instantaneous collisions solid m... 8075 todays highperformance computing hpc systems h... 8076 realworld networks often powerlaw degrees scal... 8077 word similarities affect language acquisition ... 8078 prove weighted lpqestimates divergence type hi... 8079 give several sharp estimates class combination... 8080 phase retrieval refers problem recovering real... 8081 derive representation formula tensorial wave e... 8082 consider problem sequential detection change s... 8083 lacasa type system programming model enforce o... 8084 autonomous control systems onboard planetary r... 8085 paper study boundary layer problems incompress... 8086 scientific experiments online ab testing previ... 8087 introduction advanced machine learning methods... 8088 part work developed exact diffusion algorithm ... 8089 much combinatorial optimisation problems const... 8090 bismut zhang establish mod z embedding formula... 8091 sparse deep neural networksdnns efficient memo... 8092 syntactic structure sentence modelled tree ver... 8093 paper aim establish new shape theory compact h... 8094 article use strong law large numbers give proo... 8095 using enthalpybased thermal evolution loops eb... 8096 particle filters popular flexible class numeri... 8097 paper presents hybrid control framework motion... 8098 performed realistic atomistic simulations fini... 8099 paper investigate effective sketching schemes ... 8100 recommender systems widely used predict person... 8101 nonrelativistic variational calculation comple... 8102 formulate optimization problem control large n... 8103 free lunch single learning algorithm outperfor... 8104 given multiplatform genome data prior knowledg... 8105 spin torque oscillators placed onto nonmagneti... 8106 study complementary information set codes leng... 8107 objectives discussions fairness criminal justi... 8108 article analysis carried within confines repli... 8109 investigate spinbrauer diagram algebra denoted... 8110 using muon spin rotation shown field first flu... 8111 paper studies contraction properties nonlinear... 8112 let h hopf quasigroup bijective antipode let a... 8113 sparse dictionary learning sdl become popular ... 8114 consider problem identifying profitable produc... 8115 present various identities involving classical... 8116 work magnetoresistance mr ultrathin wtebn hete... 8117 morpheo transparent secure machine learning pl... 8118 obtain hlder regularity time derivative soluti... 8119 based third allotropic form carbon fullerenes ... 8120 topics machine learning commonly addressed res... 8121 study proposes mixed logit model multivariate ... 8122 tuning band gaps twodimensional materials grea... 8123 michaelismenten mechanism probably best known ... 8124 given unconstrained stream images captured wea... 8125 graphene potential make significant impact soc... 8126 using brownian motion periodic potentials vx t... 8127 observe breakup dynamics elongated cloud conde... 8128 conical density theorems used geometric measur... 8129 despite wealth planck results difficulties dis... 8130 giant impacts gis common late stage planet for... 8131 expectation emergence higher functions getting... 8132 generative adversarial network gan variants ex... 8133 fairness decisionmakers believed auditable thi... 8134 paper presents stochastic logic time delay res... 8135 photosynthetic organisms rely series selfassem... 8136 prove chernofftype bound sums matrixvalued ran... 8137 cognitive neuroscience enjoying rapid increase... 8138 automatic body part recognition ct slices bene... 8139 word obfuscation substitution means replacing ... 8140 one remaining obstacles approaching theoretica... 8141 recent developments imaging techniques enable ... 8142 consider semiparametric transformation models ... 8143 mathfrakp subseteq mathbbzzeta prime ideal p p... 8144 one big challenge hinders transition braincomp... 8145 present study social networks based analysis b... 8146 platinum diselenide ptse exciting new member t... 8147 oneparameter family longrange resonating valen... 8148 loggaussian cox process flexible popular class... 8149 misra project started mission providing worldl... 8150 estimation hand grip force essential understan... 8151 investigate probabilistic graphical models all... 8152 article investigates fast stable method solve ... 8153 article us mean curvature flow surgery derive ... 8154 extend idea conformal attractors inflation non... 8155 conventional wisdom holds modelbased planning ... 8156 prefrontal cortex known involved many highleve... 8157 atomicsize spin defects solids unique quantum ... 8158 pairwise samecluster queries one widely used f... 8159 light pseudoscalar fields promising candidates... 8160 tor lowlatency anonymity system intended provi... 8161 paper presents machine learning experiments pe... 8162 lrs locally rotationally symmetric bianchi typ... 8163 learning many realworld datasets limited probl... 8164 family sets said emphsymmetric automorphism gr... 8165 last fifteen subset sampling method often used... 8166 work consider solutions maxwell equations schw... 8167 consider problem diagnostic pattern recognitio... 8168 riesz spotentials kxyxys investigate separatio... 8169 show algebraically locally finite countable ho... 8170 multiway rendezvous introduced theoretical csp... 8171 study online multiple testing problem hypothes... 8172 paper characterize set polynomials finmathbb f... 8173 consider class kinetic models polymeric fluids... 8174 maximal equilibriumindependent passivity meip ... 8175 volume data generated modern astronomical tele... 8176 quasid heavyfermion system ybnipxasx presence ... 8177 wildland fire dynamics complex turbulent dimen... 8178 recently deep reinforcement learning rl method... 8179 evaluating computational reproducibility data ... 8180 propose deep learning model identifying struct... 8181 p speller braincomputer interface enables peop... 8182 functions functionnings enable give structure ... 8183 reducedorder models roms popular efficiently s... 8184 ranking ordered sequence items item higher ran... 8185 dark matter axions generate peculiar effects s... 8186 let randomized query complexity relation error... 8187 article investigate first order reparametrizat... 8188 study unique network dataset including periodi... 8189 explicitly describe isomorphism two combinator... 8190 propose ensemble clustering algorithm graphs e... 8191 feature selection highdimensional data small p... 8192 paper considers multipleinput multipleoutput m... 8193 observations powerful xray telescopes xmmnewto... 8194 paper consider onedimensional coxingersollross... 8195 context solar observatories providing worldwid... 8196 based firstprinciples calculations effective m... 8197 paper presents modelbased design evaluation in... 8198 present chemical abundance analysis tidally di... 8199 transition metal carbides include wide variety... 8200 programming languages besides c provide native... 8201 article proposed new probability distribution ... 8202 propose algorithm deep learning networks graph... 8203 paper study stochastic optimal control problem... 8204 recent years use adjoint vectors computational... 8205 present new methodology computing incremental ... 8206 prior knowledge objects object features helps ... 8207 light carrying orbital angular momentum oam sh... 8208 theorem gekeler compares number nonisomorphic ... 8209 modelfree policy learning enabled robust perfo... 8210 investigate series learning kernel problems po... 8211 paper study following critical system fraction... 8212 skin cancer one major types cancers incidence ... 8213 paper investigate extent results z wang daigle... 8214 novel approach based notion altruism presented... 8215 maximum entropy method mem well known deconvol... 8216 paper construct green function classical orrso... 8217 proposed life earth might descend seeding earl... 8218 time integration transient eddy current proble... 8219 prove transversality result necessary defining... 8220 let mu measure mathbb rd compact support conti... 8221 schmidt wrote seminal paper heights subspaces ... 8222 paper establish optimal rates adaptive estimat... 8223 voltage control plays important role operation... 8224 work derive generic overcomplete frame thresho... 8225 work presents methodology design trajectory tr... 8226 system application availability continues fund... 8227 current tools exploratory data analysis eda re... 8228 rotationally coherent lagrangian vortices rclv... 8229 present novel method convex unconstrained opti... 8230 problem finding good approximations arbitrary ... 8231 many machine learning tasks desirable models p... 8232 consider stochastic bandit problem sublinear s... 8233 paper devoted study max karmed bandit problem ... 8234 paper centers comparison three different model... 8235 initialboundary value problems bounded rectang... 8236 study stability pwave superfluidity quantum fl... 8237 stochastic allencahn equation multiplicative n... 8238 work consider quantum generalization task cons... 8239 popular approach modeling inference spatial st... 8240 study inhomogeneous neumann boundary value pro... 8241 optical spectroscopy primary tool study electr... 8242 known essential spectrum schrdinger operator h... 8243 investigate impact external pressure structure... 8244 pumpprobe experiments turned powerful tool ord... 8245 investigate impact filament void environments ... 8246 area distributed graph algorithms number netwo... 8247 order machine learning deployed trusted many a... 8248 monolayer films fese grown srtio substrates ex... 8249 automatic summarisation popular approach reduc... 8250 channel feedback essential frequency division ... 8251 study electron phonon thermalization simple me... 8252 prove free boltzmann quadrangulation simple bo... 8253 canonically quantize od nonlinear sigma models... 8254 propose novel dirichletbased plya tree dp tree... 8255 paper present model predictive control mpc fra... 8256 predicting cheapest sample size optimal strati... 8257 article propose novel technique classification... 8258 possibility perform highresolution timeresolve... 8259 work establish relation optimal control traini... 8260 article consider following capacitated coverin... 8261 coherent phonon cp generation undoped si cryst... 8262 recent advances neural networks nns exhibit un... 8263 classicalinput quantumoutput cq wiretap channe... 8264 alternative voting scheme proposed fill democr... 8265 double dirac fermions recently identified poss... 8266 although recent progress control multijoint pr... 8267 paper establish new explicit upper lower bound... 8268 performing numerical integration integrand can... 8269 spatially dependent parameters twocomponent ch... 8270 dm tool used hundreds researchers perform comp... 8271 building largescale globally consistent maps c... 8272 velocity dispersion cold interstellar gas sigm... 8273 framework statistical inference successfully u... 8274 x real valued random variables first moments x... 8275 classical involutive division theory janet dec... 8276 synchronous computation models simplify design... 8277 swarms robots revolutionize many industrial ap... 8278 oxidation process simulated bundle metal tubes... 8279 present panorama hpc architectures extremely h... 8280 study nodetrix planarity testing problem flat ... 8281 present exact analytical results degree distri... 8282 exor objects young variables show episodic var... 8283 paper first introduce new kinds weighted amalg... 8284 propose method estimating coefficients multiva... 8285 achieving highfidelity control quantum systems... 8286 online job boards one central components moder... 8287 understanding semantic similarity among images... 8288 detection gravitational waves ligo virgo requi... 8289 blackbox variational inference tries approxima... 8290 paper proposes clustering procedure samples mu... 8291 wasp hot jupiter system orbital period p textr... 8292 many machine learning systems rely data collec... 8293 chemicalchemical interaction cci plays key rol... 8294 paper improve moment estimates gaps numbers re... 8295 realize family generalized cluster algebras ca... 8296 ricean channel model widely used wireless comm... 8297 paper consider framework projected gradient it... 8298 homoclinic unstable periodic orbits chaotic sy... 8299 motivated recent experiments twocomponent bose... 8300 high planetary multiplicity revealed kepler im... 8301 neuronal network dynamics depends network stru... 8302 study beurlingselberg problem finding bandlimi... 8303 understanding developing correlation measure d... 8304 outoftimeorder oto operators recently become p... 8305 distribution scientific citations publications... 8306 monocular camera systems prevailing intelligen... 8307 architecture patterns capture architectural de... 8308 consider certain definite integral involving p... 8309 describe second generalized fengrao distance e... 8310 given sample poisson point process intensity l... 8311 image simulation scanning transmission electro... 8312 study point sources astronomical images specia... 8313 consider pac learning probability distribution... 8314 ontologybased data access obda popular approac... 8315 multiplex networks describe large number compl... 8316 discuss emergence pwave superfluidity identica... 8317 functions proteins rnas determined myriad inte... 8318 extraordinary progress made towards developing... 8319 twodimensional materials significant potential... 8320 rapid growth social media massive misinformati... 8321 setidentified models often restrict number cov... 8322 given integer base b set integers represented ... 8323 plasmonic metasurfaces employed tuning control... 8324 context stochastic twophase flow porous media ... 8325 medical research facilitates acquire diverse t... 8326 derived geometry defined universal way adjoin ... 8327 feature model widely used capture commonalitie... 8328 emerging problem computer vision reconstructio... 8329 earlier work katz exhibited simple one paramet... 8330 linked beneficial deleterious mutations known ... 8331 extend vector configurations general objects n... 8332 survey contains main results rational homotopy... 8333 latetype star beta cmi remarkably stable compa... 8334 sapirovskii proved xleqpichixcxpsix regular sp... 8335 incompressible periodic statistically stationa... 8336 distribution grids constitute complex networks... 8337 paper construct analogue luries unstraightenin... 8338 approximate string matching fundamental recurr... 8339 present strain temperature dependence anomalou... 8340 present system covert automated deception dete... 8341 recent work degenerate stirling polynomials se... 8342 integration multiple viewpoints became increas... 8343 acousticstoword models endtoend speech recogni... 8344 smart sensing expected become pervasive techno... 8345 designers modern readerwriter locks confront d... 8346 internal diffusionlimited aggregation idla sto... 8347 groundbased observations thermal infrared wave... 8348 article presents various weak laws large numbe... 8349 develop algorithm synthesizing spatial pattern... 8350 extended biquaternionic diracs equation includ... 8351 describe framework deriving analyzing online o... 8352 often claimed error cancellation plays essenti... 8353 consider spectral clustering algorithms commun... 8354 thermal gradients induce concentration gradien... 8355 annihilating dark matter dm models offer promi... 8356 convolution trees loopy belief propagation fas... 8357 levelsensitive latches widely used high perfor... 8358 paper give method construct momentangle manifo... 8359 heuristic tools statistical physics used past ... 8360 xu et al j asian earth sci bf reported approxi... 8361 consider conservative hnon family perioddoubli... 8362 analyze stylized model coevolution two purely ... 8363 propose use neural networks simultaneous detec... 8364 work give first algorithms tolerant testing no... 8365 simplified model example regional rf hyperther... 8366 topological dirac semimetals tdss represent ne... 8367 classic arcsine law number nnnsumknmathbfsk po... 8368 demand response aims stimulate electricity con... 8369 first two detections late astrophysics officia... 8370 paper considers distributed multiagent optimiz... 8371 audeep python toolkit deep unsupervised repres... 8372 annotation training data major bottleneck crea... 8373 extreme cold weather living organisms produce ... 8374 powerful method pioneered swinnertondyer allow... 8375 previous work questioned conditions decision r... 8376 note show backwards uniqueness theorem mean cu... 8377 classical habitable zone circular region aroun... 8378 paper use inverse mean curvature flow establis... 8379 errortolerant applications approximate adders ... 8380 totally new energy harvesting architecture exp... 8381 stochastic computer simulations enable users g... 8382 nonorthogonal multiple access noma candidate m... 8383 backgroundintroduction zipfs law establishes w... 8384 online reviews provide viewpoints strengths sh... 8385 develop local theory construction singular spa... 8386 manuscript discusses still preliminary conside... 8387 first review classical results cloaking mirage... 8388 well known multivariate rogersszeg polynomials... 8389 using methods statistical physics analyse erro... 8390 paper present parallelization strategy distrib... 8391 paper present method initialize feasible point... 8392 paper explores four different visualization te... 8393 discovery accurate causal bayesian network str... 8394 paper proposes approach rapid bounding box ann... 8395 social media provides political news informati... 8396 seaquest spectrometer fermilab designed detect... 8397 recent successes deep learning led wave intere... 8398 many samples sufficient guarantee eigenvectors... 8399 wavefronts nonlinear nonlocal bistable reactio... 8400 neural networks generally built interleaving a... 8401 inviscid computational results presented selfp... 8402 aim chapter provide adequate graph theoretic f... 8403 dependent object types dot calculus formalizes... 8404 information web dialogic facebook newsfeeds fo... 8405 detecting light extrasolar planetswe measure c... 8406 uncovering modular structure networks fundamen... 8407 properties cold interstellar medium lowmetalli... 8408 provide novel theoretical insights structured ... 8409 sharir welzl derived bound crossingfree matchi... 8410 spectral renormalization method introduced eff... 8411 wild bootstrap resampling method choice surviv... 8412 paper consider soft measure block sparsity kal... 8413 fundamental question reinforcement learning wh... 8414 properly benchmarking automated program repair... 8415 spatial understanding fundamental problem wide... 8416 paper concerned design capacity approaching en... 8417 refractory organic compounds formed molecular ... 8418 greek aperitif ouzo famous specific aniseflavo... 8419 article semianalytical approach demonstrating ... 8420 one key challenges revenue management unconstr... 8421 paper devoted dimensional relative differentia... 8422 subject thesis uniqueness theory meromorphic f... 8423 transfer learning methods address situation li... 8424 recent observations revealed massive galactic ... 8425 volume manuscripts submitted publication growi... 8426 paper search existence invariant solutions bia... 8427 study nonsymmetric macdonald polynomials speci... 8428 paper aims address two issues existing current... 8429 quanta image sensor qis binary imaging device ... 8430 odd prime p conjecture distribution ptorsion s... 8431 present novel approach shared control humanmac... 8432 following rapidly growing digital image usage ... 8433 address reduction compact band forms via unita... 8434 provide counterexample wentes inequality conte... 8435 let mathfrako complete discrete valuation ring... 8436 comparison study high pressure superconducting... 8437 dozen ultracool dwarfs ucds lowmass objects sp... 8438 side channel attacks major class attacks crypt... 8439 suggested adversarial examples cause deep lear... 8440 clear em spectrum rapidly reaching saturation ... 8441 topological linkprediction exploit entire netw... 8442 theoretically demonstrated emission circularly... 8443 scenario recently reported order stabilize com... 8444 paper propose opportunistic downlink interfere... 8445 let n nonnull positive integer dn number posit... 8446 generalize notion selfsimilar groups infinite ... 8447 aim thesis find solution nonparametric indepen... 8448 present novel tractable generative model exten... 8449 exponential growth smartphone adoption contrib... 8450 revisit algebraic description shape invariance... 8451 present continuous time state estimation frame... 8452 search digital biomarkers parkinsons disease o... 8453 study invasion fronts spreading speeds two com... 8454 neural networks commonly trained make predicti... 8455 objective model presented evaluate viability u... 8456 ultracold atomic gases realised numerous parad... 8457 identifying anomalous patterns realworld data ... 8458 analyze isolated resonance curves ircs singled... 8459 air pollution becoming largest environmental h... 8460 interaction electron system strong electromagn... 8461 increasing practice engaging crowds organizati... 8462 survey explores procedural content generation ... 8463 increasing numbers software vulnerabilities di... 8464 dependence mass accretion rate stellar propert... 8465 limitations matrix factorization losing spatia... 8466 letter reports successful use feedback spin po... 8467 recent years witnessed widespread increase int... 8468 modified camassaholm equation also called forq... 8469 representation learning algorithms designed le... 8470 use large amounts unlabeled video learn models... 8471 valley pseudospin labeling quantum states ener... 8472 paper introduces schurconstant equilibrium dis... 8473 let g semisimple real lie group finite center ... 8474 dirichlet kpartition domain u subseteq mathbbr... 8475 wake behind sphere rotating axis aligned strea... 8476 large size air cherenkov telescope lst prototy... 8477 basic firstorder differential operators spin g... 8478 gravitational wave observations eccentric bina... 8479 paper proposes novel joint computation communi... 8480 describe novel approach computing wave correla... 8481 paper investigates one fundamental issues cach... 8482 experimentally demonstrate operation josephson... 8483 introduce new model formation evolution superm... 8484 point matching refers process finding spatial ... 8485 call efficient computer architectures introduc... 8486 possibility constructing lorenzs concept avail... 8487 anisotropy magnetic properties commonly introd... 8488 high coefficient performance zero local emissi... 8489 developing safe efficient collision avoidance ... 8490 betweenness centrality important index widely ... 8491 design gaits robot locomotion daunting process... 8492 study random networks neuroscientific context ... 8493 paper present perturbed lawbased sensitivity i... 8494 show counting class lwpp ffk remains unchanged... 8495 currentinduced spinorbit torques sots represen... 8496 explored evolution cold debris disk gravitatio... 8497 concept derivative coordinate functions proved... 8498 revisit wellknown objectpool design pattern ja... 8499 recent quasar surveys revealed supermassive bl... 8500 idea reusing information previously learned ta... 8501 paper presents distributed model predictive co... 8502 direct imaging exoplanets circumstellar disk m... 8503 relationship communicating automata session ty... 8504 present phase induced transparency based schem... 8505 twisted torus knot knot obtained torus knot tw... 8506 many online applications interactions user web... 8507 endtoend learning refers training possibly com... 8508 necessarily selfadjoint quantum graphs differe... 8509 paper completely solve diophantine equations f... 8510 combine sullivan models rational homotopy theo... 8511 deep learning based speech enhancement source ... 8512 ranking used wide array problems notably infor... 8513 alice farultraviolet imaging spectrograph onbo... 8514 adsorption hydrogen nonpolar gan surfaces impa... 8515 study fast multipole method fmm used decrease ... 8516 present quantitative characterization electric... 8517 describe novel iterative strategy kohnsham den... 8518 medical applications challenge todays text cat... 8519 supervised learning specifically convolutional... 8520 observe electricdipole forbidden srightarrows ... 8521 paper propose integrated framework autonomous ... 8522 motility mechanism certain rodshaped bacteria ... 8523 designing pseudorandom number generator prng d... 8524 present warp hardware platform support researc... 8525 atomistic effective hamiltonian simulations us... 8526 permutation testing nonparametric method obtai... 8527 recording spectra ground atmospheric turbulenc... 8528 data often labeled many different experts expe... 8529 sparse tiling technique fuse loops access comm... 8530 paper concerned modeling dependence structure ... 8531 defining mth stratum closed subset n dimension... 8532 regression problems assume every instance anno... 8533 traditional models question answering optimize... 8534 study learning problems involving arbitrary cl... 8535 open new field one define means infinite sets ... 8536 paper proves tamed closed almost complex fourm... 8537 contours may viewed outline image object type ... 8538 discuss systematic expansion solution fokkerpl... 8539 cspe specification language runtime monitors d... 8540 study properties entanglement twodimensional t... 8541 fully exploiting properties crystals requires ... 8542 traditionally problem researchers access enoug... 8543 study thermal diffusivity dt models metals wit... 8544 paper presents methodology simulating internet... 8545 symmetry operators twistor spinors harmonic sp... 8546 consider marked empirical processes indexed ra... 8547 exist wide range effective methods community d... 8548 discovery pluto presaged discoveries kuiper be... 8549 study strichartz estimates schrdinger equation... 8550 visualizing highdimensional data focus data an... 8551 voltage control effects provide energyefficien... 8552 present expectationmaximization algorithm frac... 8553 paper focuses recently introduced successive c... 8554 numerical simulations beamplasma instabilities... 8555 article introduce variable exponent fock space... 8556 despite originally inspired central nervous sy... 8557 set economic entities embedded network graph c... 8558 survey article dedicated families fractals int... 8559 work proposes novel approach restricting acces... 8560 paper hybrid measurement modelbased method pro... 8561 running highresolution physical models computa... 8562 work consider open quantum random walks nonneg... 8563 introduce nevanlinna classes holomorphic funct... 8564 current article explores interesting significa... 8565 style transfer among images recently emerged a... 8566 kinematics robot manipulator described terms m... 8567 technical report provides description derivati... 8568 set points mathbbrd acute three points set for... 8569 paper presents preliminary results work major ... 8570 stress seen physiological response everyday em... 8571 study problem causal structure learning experi... 8572 rogue waves periodic counterparts shown exist ... 8573 study following control problem fish bounded a... 8574 classify betti tables indecomposable graded ma... 8575 possible understand whether given bps spectrum... 8576 order scale standard gaussian process gp regre... 8577 present new inference method based approximate... 8578 explore recently proposed variational dropout ... 8579 note contains additions paper clustered cell d... 8580 review recent advances record statistics stron... 8581 paper study prandtls boundary layer asymptotic... 8582 given full partial information collection poin... 8583 techniques approximately contracting tensor ne... 8584 rapid advances development nanotechnology nowa... 8585 let g abelian group subset g cyca denotes set ... 8586 poor road conditions public nuisance causing p... 8587 introduce concrete autoencoder endtoend differ... 8588 thesis present theoretical studies models self... 8589 many algorithms used solve minimization proble... 8590 explore relation urban road network characteri... 8591 complement msetminus l lagrange spectrum l mar... 8592 compare six models including baryonic model tw... 8593 clustering data set one core tasks data analyt... 8594 solve regularity problem milnors infinite dime... 8595 paper focus online reviews employ artificial i... 8596 study exponential convergence stationary state... 8597 fermionic natural occupation numbers obey paul... 8598 high dimensional sparse learning imposed great... 8599 paper introduce new characterizations spectral... 8600 article reformulate cobordism map embedded con... 8601 study stability recently proposed model scalar... 8602 topological phases matter considered bedrock n... 8603 discuss production evolution cosmological grav... 8604 investigate effect cylindrical nanoconfinement... 8605 paper propose unsupervised reinforcement learn... 8606 main results note concern characterization len... 8607 provide sufficient criterion unique parameter ... 8608 develop theory diophantine approximation syste... 8609 present generative framework generalized zeros... 8610 distance multivariance multivariate dependence... 8611 develop simulation scheme class spatial stocha... 8612 present paper extends thermodynamic dislocatio... 8613 propose experimentally demonstrate enhancement... 8614 dark matter particle spin two types wimpnucleo... 8615 gottschalk vygen proved every solution subtour... 8616 recently deep neural networks demonstrated exc... 8617 consider controlconstrained parabolic optimal ... 8618 increase use resilient control algorithms base... 8619 classification high dimensional data finds wid... 8620 effect spinorbit coupling soc electronic prope... 8621 clustering integers equal total stopping times... 8622 construct model galactic globular cluster syst... 8623 video summarization approaches focused extract... 8624 show duality relation sum multiple zeta values... 8625 statistical pattern recognition methods provid... 8626 paper walgebras presented canonical colimits d... 8627 obtain estimates mean squared error mse multit... 8628 embarrassingly communicationfree parallel mark... 8629 network models increasingly used past years su... 8630 paper studies performance multihop mesh networ... 8631 possible draw circle manhattan using discrete ... 8632 article present bernstein inequality sums rand... 8633 chipscale integrated light sources crucial com... 8634 recent experiments revealed striking asymmetry... 8635 establishing connection bidirectional helmholt... 8636 consider fiberwise singly generated fellbundle... 8637 need large annotated image datasets training c... 8638 prove every set n points mathbbr spans onepsil... 8639 periodic solutions three body problem importan... 8640 observations solar photosphere ground encounte... 8641 multidimensional item response theory widely u... 8642 statistical learning using imprecise probabili... 8643 paper deals planar segment processes given den... 8644 consider problem choosing parametric models di... 8645 construct local generalizations state potts mo... 8646 shortcoming existing reachability approaches n... 8647 crowdsourced video systems like youtube twitch... 8648 intracellular bidirectional transport cargo mi... 8649 study asymptotic distributions spiked eigenval... 8650 consider nonparametric poisson regression prob... 8651 typelevel word embeddings use set parameters r... 8652 cell division timing critical cell fate specif... 8653 confluence nondeterministic program ensures fu... 8654 propose novel projection based way incorporate... 8655 qlbs model discretetime option hedging pricing... 8656 demonstrate approach face attribute detection ... 8657 melamed harrell simpson recently reported expe... 8658 critical applications anomaly detection includ... 8659 lithium ion batteries libs proper design catho... 8660 study massive two dimensional dirac operator e... 8661 paper present novel formal agentbased simulati... 8662 consider asep stochastic six vertex model star... 8663 selforganizing logic recentlysuggested framewo... 8664 robot carry naturallanguage instruction dream ... 8665 gain control magnetic order ultrafast time sca... 8666 automated classification methods disease diagn... 8667 richclub concept introduced order characterize... 8668 sparse variational approximations allow princi... 8669 anyons exotic quasiparticles fractional charge... 8670 former paper authors introduced two new system... 8671 bounce universe model known coupledscalartachy... 8672 intelligent infrastructure critically rely den... 8673 foundations equilibrium thermodynamics equatio... 8674 obtain optimal proxy variance subgaussianity b... 8675 starting anosov chaotic dynamics geodesic flow... 8676 article novel analytical approach presented an... 8677 causal effects commonly defined comparisons po... 8678 applying certain flexible geometric sampling m... 8679 discriminative power modern deep learning mode... 8680 tdistributed stochastic neighborhood embedding... 8681 construct imaginary quadratic number fields cl... 8682 increased application modelbased wholebody con... 8683 paper consider blocksparse signals recovery pr... 8684 dwarf stars masses less per cent sun make per ... 8685 consider gas independent brownian particles bo... 8686 purpose paper continues development comprehens... 8687 hierarchical scheme clustering data presented ... 8688 forecast political elections popular pollsters... 8689 vast majority optimization online learning alg... 8690 introduce low complexity machine learning base... 8691 performing statistical analysis singlesubject ... 8692 present randomizationbased inferential framewo... 8693 negative index materials artificial structures... 8694 factor analysis principal component analysis p... 8695 paper compute laplacian spectrum noncommuting ... 8696 test coulomb exchange correlation energy densi... 8697 paper proposes centralized distributed subopti... 8698 unsupervised learning generalized hopfield ass... 8699 biocompatible microencapsulation widespread in... 8700 work define solve fair topk ranking problem wa... 8701 entangled states notoriously nonseparable sube... 8702 remarkable success machine learning especially... 8703 structures properties many inorganic compounds... 8704 symmetry breaking responsible axion dark matte... 8705 performing analytic household load curves lcs ... 8706 prove two general theorems determine lie noeth... 8707 new model thermal inflation introduced mass th... 8708 present novel humanaware navigation approach r... 8709 paper prove fourmoment theorems multidimension... 8710 paper study finite walgebra queer lie superalg... 8711 motivation integratively analyze largescale mu... 8712 unified modeling framework nonfunctional prope... 8713 obtaining magnetic resonance images mri high r... 8714 continue study problem modeling substitution p... 8715 study superconducting properties populationimb... 8716 establish analogy superconductormetal interfac... 8717 chain late roman fortified settlements built k... 8718 let x smooth manifold smooth involution sigmax... 8719 pilot system development metrescale negative l... 8720 paper propose novel methodology static analysi... 8721 aim paper provide several novel upper bounds e... 8722 since unveiling schemaorg become de facto stan... 8723 give extension rubio de francias extrapolation... 8724 carbon solubility facecentered cubic niw alloy... 8725 paper linear sigma model studied using method ... 8726 fundamental challenge multiagent systems desig... 8727 foreign policy analysis struggling find ways m... 8728 problems searchbased software engineering invo... 8729 j makowsky b zilber showed many variations gra... 8730 twoline elements tles continue sole public sou... 8731 paper present initial attempt learn evolution ... 8732 study parameter planes certain onedimensional ... 8733 providing frequency regulation payforperforman... 8734 let real bott manifold khler structure using i... 8735 kecknirc imaging survey searches stellar compa... 8736 regression context relevant subset explanatory... 8737 cavitybased axion dark matter search experimen... 8738 physical unclonable function puf analogous hum... 8739 since concept spin superconductor proposed rel... 8740 order understand mechanisms behind emergence s... 8741 training deep neural networks dnns efficiently... 8742 measurement zeta potential ga nface gallium ni... 8743 wikipedia articles representing entity topic d... 8744 building upon hoveys work smith ideals monoids... 8745 phase power control methods satisfy requiremen... 8746 study morsenovikov cohomology almostsymplectic... 8747 novel frequency domain training sequence corre... 8748 show set cusp shapes hyperbolic tunnel number ... 8749 consider dtimes tensors ax symmetric positive ... 8750 purpose siemens developed several iterative re... 8751 let smooth manifold ksubset simplicial complex... 8752 predictive process monitoring concerned analys... 8753 line field manifold smooth map assigns tangent... 8754 propose novel automaton model uses arithmetic ... 8755 increasing use wearables smart telehealth gene... 8756 letter presents new spectralclusteringbased ap... 8757 closure partitioning principles used build var... 8758 certain systems inviscid fluid dynamics proper... 8759 proper choice collective variables cvs central... 8760 let g inner form general linear group nonarchi... 8761 concepts sketching subsampling recently receiv... 8762 small drops impinging angularly thin flowing s... 8763 integral scheme efficient evaluation twocenter... 8764 integrating product linear forms unit simplex ... 8765 consider modification covariance function gaus... 8766 interpret augmented racks certain kind multipl... 8767 determine modular curves xdeltan curves lying ... 8768 many households developing countries lack form... 8769 ergodicity output controllability shown fundam... 8770 propose effective method solve event sequence ... 8771 let g finite group let cg number cyclic subgro... 8772 provide novel accelerated firstorder method ac... 8773 calculate disruption scale lambdarm sheetlike ... 8774 neutrinos coming suns core measured high preci... 8775 standard graph clusteringcommunity detection o... 8776 let n compact connected nonorientable surface ... 8777 present gofmm geometryoblivious fmm novel meth... 8778 identifying coordinate transformations make st... 8779 neuronal correlates parkinsons disease pd incl... 8780 heterosis improved increased function biologic... 8781 paper propose novel cs approach acquisition no... 8782 general small bodies solar system eg asteroids... 8783 let omega bounded open set mathbb rn nge paper... 8784 paper introduces parametric levelset method to... 8785 large volume genomics data produced daily basi... 8786 hexagonal manganites remno rare earths attract... 8787 fully pseudospectral solver direct numerical s... 8788 paper two purposes first study several structu... 8789 noncommuting graph gammag nonabelian group g d... 8790 linearquadraticgaussian lqg control concerned ... 8791 subspace learning important problem many appli... 8792 objective purpose work analyse knowledge struc... 8793 concept balance two state preserving quantum m... 8794 paper develops randomized approach incremental... 8795 study four different notions convergence graph... 8796 paper presents analysis impact floatingpoint n... 8797 let lk extension complete discrete valuation f... 8798 shown mcmullen coefficients ehrhart polynomial... 8799 heart rate variability hrv vital measure auton... 8800 demonstrate fabrication photonic crystal nanob... 8801 block coordinate update bcu methods enjoy low ... 8802 overhead depth map measurements capture suffic... 8803 discovered novel candidate spin liquid state r... 8804 spherical principal series representations pin... 8805 lidar extensively used industry massmarket due... 8806 fuzz programming language reed pierce uses ele... 8807 study padic families eigenforms pth hecke eige... 8808 report size dependence surface tension free su... 8809 epileptic seizure activity shows complicated d... 8810 present formal model fragmentation reassembly ... 8811 developed efficient active galactic nucleus ag... 8812 feature selection procedures spatial point pro... 8813 effective representation proteins crucial task... 8814 introduce class distributed control policies n... 8815 version liouvilles theorem proved solutions de... 8816 study optimal boundary control problem twodime... 8817 small solids embedded gaseous protoplanetary d... 8818 paper show shear modulus mu isotropic elastic ... 8819 paper study rational sections relative picard ... 8820 recent years great interest variational analys... 8821 alzheimers disease major cause dementia diagno... 8822 quantity interest system governed ordinary dif... 8823 learning unlabeled noisy data one grand challe... 8824 reliable physiological function maintained cel... 8825 programmable packet processors p programming l... 8826 use group theoretic ideas coset space methods ... 8827 present framework calculate large deviations n... 8828 every university introductory physics course c... 8829 imaging form probabilistic belief change could... 8830 paper give new sparse interpolation algorithms... 8831 improving health nations population increasing... 8832 lregularized models widely used sparse regress... 8833 zerodelay transmission gaussian source additiv... 8834 paper proposes novel nonoscillatory pattern no... 8835 main aim paper development lyapunov function b... 8836 scheduling surgeries challenging task due fund... 8837 field speech recognition midst paradigm shift ... 8838 recently deep learning based natural language ... 8839 carried synthetic observations interstellar at... 8840 social approach exploited internet things iot ... 8841 paper introduce powerful technique leaveoneout... 8842 paper introduce weyl functional calculus mapst... 8843 recent modelfree reinforcement learning algori... 8844 paper propose new method joint nonparametric e... 8845 convolutional neural nets cnns become practica... 8846 investigated transport magnetotransport broadb... 8847 present cosmological constraints scalartensor ... 8848 government agencies offer economic incentives ... 8849 gaussian polytope mathcal pnd convex hull n in... 8850 news spread internet media outlets seen contag... 8851 market asymmetric information viewed repeated ... 8852 domain shift refers well known problem model t... 8853 android users suffering serious threats variou... 8854 classify number symmetry protected phases usin... 8855 kidney function evaluation using dynamic contr... 8856 problem construction quantum mechanical evolut... 8857 numerous geological observations evidence inel... 8858 study screening bounded body gamma effect wind... 8859 vertices graph edges may partitioned two parts... 8860 full squashed flat antichain fsfa boolean latt... 8861 paper investigate called phantom barrier cross... 8862 introduce notion tropical defects certificates... 8863 paper introduces wasserstein variational infer... 8864 let g real linear semisimple algebraic group w... 8865 consider ensemble random density matrices dist... 8866 fermion localization functions used discuss el... 8867 randomized experiments gold standard evaluatin... 8868 standard approach assessing performance partit... 8869 propose madgan intuitive generalization genera... 8870 aetiology polygenic obesity multifactorial ind... 8871 develop analytical framework perfor mance comp... 8872 consider problem variable selection highdimens... 8873 breakthrough starshot aims sending nearspeedof... 8874 investigate relation fermi sea fs zerofield ca... 8875 propose monaural intrusive instrumental intell... 8876 study model described single real scalar field... 8877 dynamic architectures component activation con... 8878 forwardlooking sonar capture high resolution i... 8879 rgtsvm provides fast flexible support vector m... 8880 let regular matroid jacobian group rm jacm fin... 8881 collaborative filtering cf widely adopted tech... 8882 clickthrough rate prediction essential task in... 8883 physics arising twodimensionald dirac cones to... 8884 consider fractional version heston volatility ... 8885 determine systematic regions bigraded homotopy... 8886 investigate prime character degree graphs solv... 8887 present method computing table marks direct pr... 8888 article use combinatorial geometric structure ... 8889 deep neural networks specifically fullyconnect... 8890 analyzing multivariate time series data import... 8891 describe mathematical link aspects information... 8892 reproducibility computational studies hallmark... 8893 users rarely familiar content data source quer... 8894 crystal plasticity mediated dislocations form ... 8895 brownian motion twodimensional wedge negative ... 8896 cold load pickup clpu critical concern utiliti... 8897 wellknown theorem eilenberg ganea expresses lu... 8898 investigate structures consist countable set t... 8899 modern applications operating systems vary gre... 8900 consider maximum likelihood estimation gaussia... 8901 paper introduce study coprime quantum chain ie... 8902 kraichnan seminal ideas inverse cascades yield... 8903 proposal improve routing securityroute origin ... 8904 present primaldual memory efficient algorithm ... 8905 establish conceptual framework identification ... 8906 fiducial unique general prove restricted class... 8907 statistical thinking partially depends upon it... 8908 present conceptually simple flexible general f... 8909 fishing activities broad impacts affect althou... 8910 recently authors present work together n kolou... 8911 distributed generation dg units increasingly i... 8912 little little newspapers revealing bright futu... 8913 famous twofold cost sex really cost anisogamy ... 8914 consider pair plane straightline graphs whose ... 8915 industries integrate machine learning socially... 8916 note announces results relations approach beil... 8917 new regularisation shallow water isentropic eu... 8918 recently andrews dixit yee defined two partiti... 8919 examine nonlinear dynamical systems ordinary d... 8920 provide algorithm computes set generators comp... 8921 last decade digital media web app publishers g... 8922 dyonic bps states type iib string theory compa... 8923 introduce family tensor network states term se... 8924 single atoms form model system understanding l... 8925 verbal autopsy va consists survey relative clo... 8926 report versatile highly controllable hybrid co... 8927 planetary systems orbital periods two members ... 8928 consider motion nonrelativistic electron field... 8929 renewed interest weak model sets due connectio... 8930 citation metrics analytic measures used evalua... 8931 physical properties polycrystalline materials ... 8932 introduce study new categories tgkof integrabl... 8933 using situ grazingincidence xray scattering me... 8934 wellknown komlsmajortusndy inequalities z wahr... 8935 consider problem learning level set noisy blac... 8936 last decade many business applications moved c... 8937 introduce kinetx fully automated metaalgorithm... 8938 present contribution study landaulifshitzgilbe... 8939 new approach perform analog optical differenti... 8940 review problem defining inferring state contro... 8941 quantization improve execution latency energy ... 8942 paper provide new results weibullr family dist... 8943 principle material frame indifference shown in... 8944 recently introduced notion flow depending time... 8945 aims present new iram plateau de bure interfer... 8946 recent years mobile devices eg smartphones tab... 8947 consider rosenzweigporter model h v sqrtt phi ... 8948 seminal paper mcafee presented truthful mechan... 8949 paper propose multivariable lstm capable accur... 8950 spectral images captured satellites radioteles... 8951 introduce simulations aimed assessing well wea... 8952 selfrepelling random walk token graph one step... 8953 propose algorithm impute forecast time series ... 8954 consider motionplanning problem planning colli... 8955 orthogonal frequency division multiplexing ofd... 8956 paper study generalized meanfield stochastic c... 8957 extend grangerjohansen representation theorems... 8958 number density field galaxies per rotation vel... 8959 study signs fourier coefficients newform let f... 8960 germanium telluride features special spinelect... 8961 objects may appear arbitrary scales perspectiv... 8962 use standard platforms field humanoid robotics... 8963 paper studies complexity solving two classes n... 8964 angle spin star planets orbital planes traces ... 8965 analysed fluxflow region isofield magneto resi... 8966 algorithmic issues concerning elliott local se... 8967 show absolute constant c mahler measure fekete... 8968 recently supervised hashing methods attracted ... 8969 paper provides results application boundary fe... 8970 accurate efficient entity resolution open chal... 8971 admittance two types josephson weak links calc... 8972 paper propose efficient algorithm protodash se... 8973 consider variant classic multiarmed bandit pro... 8974 asteroseismic parameters allow us measure basi... 8975 polarised drellyan experiment compass facility... 8976 early approaches multipleoutput gaussian proce... 8977 personal recollection events preceded construc... 8978 demonstrate five vortex equations recently int... 8979 humans develop common sense style compatibilit... 8980 study problem learning latent variable model s... 8981 aim introduce generalized multiindex bessel fu... 8982 show assuming mild settheoretic hypothesis abs... 8983 motivated rm psiriemannliouville rm psirl frac... 8984 illicit online pharmacies allow purchase presc... 8985 use dimension lie algebra structure first hoch... 8986 analyze convergence stochastic gradient descen... 8987 large body compelling evidence accumulated dem... 8988 skyrmions topologically protected twodimension... 8989 using modification shapiro scaling approach de... 8990 phase retrieval attractive difficult problem r... 8991 show smooth bilipschitz h represented exactly ... 8992 start recently conjectured bosonization dualit... 8993 deep learning emerged powerful machine learnin... 8994 differential privacy mechanisms also make reco... 8995 employing spin degree freedom charge carriers ... 8996 biodiversity ecosystem functioning bef researc... 8997 developed datadriven magnetohydrodynamic mhd m... 8998 neural network based approximate computing uni... 8999 deep learning methods useful highdimensional d... 9000 report ab initio discovery novel putative grou... 9001 basic considerations lie group preserves targe... 9002 r ellpartition graph g partition vertex set r ... 9003 series papers bartelt coworkers developed nove... 9004 mobile devices become indispensable modern lif... 9005 massimbalanced threebody recombination process... 9006 partially observable markov decision processes... 9007 anais experiment aims confirmation damalibra s... 9008 logarithmic strain measures lvertlog urvert lo... 9009 present interpretable neural network predictin... 9010 paper presents new way design fuzzy terminal i... 9011 purpose present paper investigate generalized ... 9012 two recent publications int j quant chem molec... 9013 understanding structural controllability compl... 9014 heat generally transfer via thermal conduction... 9015 report highly efficient tunable thz reflector ... 9016 kernel online convex optimization koco framewo... 9017 endofunctor h hyperextensive category preservi... 9018 article representation theory inner formg gene... 9019 propose method build quantum memristors quantu... 9020 exciton spin dynamics investigated experimenta... 9021 resonant inelastic xray scattering n k edge re... 9022 present dynamic thermodynamic study orientatio... 9023 data augmentation usually used supervised lear... 9024 paper deals regression problems nonsmooth targ... 9025 civil asset forfeiture caf longstanding contro... 9026 modern biotechnologies produced vast amount hi... 9027 deal finite dimensional differentiable manifol... 9028 nearly previous work smallfootprint keyword sp... 9029 paper prove functorial aspect formal geometric... 9030 using risk dependence measures based given und... 9031 twoway relay nonorthogonal multiple access twr... 9032 show two involutions variety nn upper triangul... 9033 li wei studied density zeros gaussian harmonic... 9034 deforestation detection using satellite images... 9035 distributed computation recent trend engineeri... 9036 context use defect prediction models classifie... 9037 graphlets small connected induced subgraphs la... 9038 review didactic point view definition toric se... 9039 demonstrate one see quantization geometry quan... 9040 embedded continual learning autonomous adaptiv... 9041 paper proposes application discrete wavelet tr... 9042 context upcoming weak lensing surveys euclid p... 9043 study charge spin transport along grain bounda... 9044 lagrangian meshfree methods underlying spatial... 9045 consider problem optimally designing body wire... 9046 negatively charged nitrogenvacancy nv center d... 9047 convolution neural network cnn gained tremendo... 9048 present catalogue candidate halpha emission ab... 9049 using age information aoi metric examine trans... 9050 analyze optical continuum starforming galaxies... 9051 eigenvector method umbrella sampling emus belo... 9052 markov chain monte carlo mcmc methods widely u... 9053 describe opensource global fitting package gam... 9054 complexity testing whether graph contains indu... 9055 well known external magnetic fields magnetic m... 9056 completely characterize unimodal category func... 9057 counting formulae general primary fields free ... 9058 paraphrase generation important problem nlp es... 9059 collective motion chemotactic bacteria e coli ... 9060 landau level mixing plays important role pfaff... 9061 shear dilation based hydraulic stimulations en... 9062 treat emerging power systems direct current dc... 9063 avian influenza breakouts cause millions dolla... 9064 new approach jiukang yus construction tame sup... 9065 review cohomological aspects complex hypercomp... 9066 paper study different questions concerning aut... 9067 paper introduce new form amortized variational... 9068 latest results benchmarking research presented... 9069 argue important elements current cosmological ... 9070 standard clustering algorithms usually find re... 9071 exploration difficult challenge reinforcement ... 9072 paper propose stochastic optimization method a... 9073 large literature asymptotic distribution numbe... 9074 study effects assuming power series ring dx vd... 9075 autoregressive models among best performing ne... 9076 due exceptional plasmonic properties noble met... 9077 consider wellstudied partial sums problem succ... 9078 propose approaches based deep learning localiz... 9079 recent years noticeable interest study shape d... 9080 propose new approach model ground penetrating ... 9081 glass corrosion crucial problem keeping conser... 9082 abridged infrared rovibrational emission lines... 9083 elections seem simplearent counting unique cha... 9084 observations stars solar vicinity show clear t... 9085 random column sampling guaranteed yield data s... 9086 recently dinitriles ncchncn especially adiponi... 9087 practical solutions bootstrap security todays ... 9088 proposed computerized method calculating relat... 9089 discovered formal analogy nevanlinna theory di... 9090 unlike conventional firstorder network fon hig... 9091 dissolution porous media geologic formation in... 9092 paper study algebraic symplectic geometry sing... 9093 properties defect modes cholesteric liquid cry... 9094 reported growth mmsized singlecrystals lowdime... 9095 controlling confining light exciting plasmons ... 9096 codes galois rings studied extensively last th... 9097 prove version onsagers conjecture conservation... 9098 geometric brownian motion gbm key model repres... 9099 identify emerging microscopic structures low t... 9100 empirical investigation activecontinuous authe... 9101 constraining linear layers neural networks res... 9102 study behavior deep policy gradient algorithms... 9103 paper improve previously best known regret bou... 9104 variational inference powerful approach approx... 9105 propose encoderclassifier framework model mand... 9106 modify nonlinear shallow water equations korte... 9107 solve tensor balancing rescaling nth order non... 9108 consider problem learning unknown markov decis... 9109 study knots links probabilistic viewpoint prov... 9110 revival structures xm exceptional orthogonal p... 9111 autonomous aerial cinematography potential ena... 9112 high order reconstruction finite volume fv app... 9113 given statistical model request frequencies si... 9114 use language uninformative bayesian prior choi... 9115 aging process growing old maturing one widely ... 9116 present apply generalpurpose multistart algori... 9117 introduce novel method train agents reinforcem... 9118 paper set forth ocean model radioactive trace ... 9119 girards geometry interaction goi semantics des... 9120 determine structure wgroup mathcalgf small gal... 9121 principal component pursuit pcp stateoftheart ... 9122 kepler photometry hot neptune host star hatp s... 9123 number weak consistency mechanisms developed r... 9124 andreev conductance across normal metal nsuper... 9125 contextual bandits form multiarmed bandit agen... 9126 let z two given topological spaces cal oy resp... 9127 consider spherical mean generated multidimensi... 9128 tabu search ts metaheuristic proposed kmeans c... 9129 synthetic toggle switch first proposed gardner... 9130 study segre varieties associated leviflat subs... 9131 event cameras paradigm shift camera technology... 9132 apply nonlinear reconstruction method simulate... 9133 establishing metallic hydrogen goal intensive ... 9134 relative performance competing point forecasts... 9135 present paper generic parameterfree algorithm ... 9136 paper investigate potential estimating soilmoi... 9137 deep neural networks proved effective way perf... 9138 paper propose implicit force control scheme on... 9139 casual conversations involving multiple speake... 9140 tool manipulation vital facilitating robots co... 9141 consider surface let msubset ssetminus connect... 9142 noninvasive steadystate visual evoked potentia... 9143 iuis aim incorporate intelligent automated cap... 9144 graphs widely used model execution dependencie... 9145 efficient sublineartime indexing algorithms hi... 9146 recent work proposed lempelziv jaccard distanc... 9147 study category left unital graded modules stei... 9148 consider cauchy problem damped wave equation i... 9149 time series prediction studied variety domains... 9150 extend previous results characterizing loading... 9151 commercial onesun solar modules incoming sunli... 9152 present clustering properties lyman break gala... 9153 prove leastarea unitvolume tetrahedral tile eu... 9154 motivated multihop communication unreliable wi... 9155 investigate fewbody mixture two bosonic compon... 9156 natural uranium assembly quinta irradiated gev... 9157 let operatornameconmathbf trestrictionx denote... 9158 recent study entitled cell nuclei lower refrac... 9159 whole enterprise spin compositions recast simp... 9160 clearly one likes webpages poor quality experi... 9161 investigate properties entanglement onedimensi... 9162 revisit problem robust principal component ana... 9163 show self orbit equivalence transitive anosov ... 9164 use chandra xray data measure metallicity intr... 9165 work consider extension graphical models rando... 9166 framework application boundary control method ... 9167 traditional view morphologyspin connection cha... 9168 present method systematically study multiphoto... 9169 method presented solving discretetime finiteho... 9170 size modern data sets exceeds disk memory capa... 9171 hybrid inflation driven fayetiliopoulos fi ter... 9172 paper study recovery signal set noisy linear p... 9173 study piecewise linear codimension two embeddi... 9174 problem population recovery refers estimating ... 9175 consider first exit time shiryaevroberts diffu... 9176 article study transfer learning model action a... 9177 barocaloric effect still incipient scientific ... 9178 establish mathfrakglm mathfrakglndualities qua... 9179 propose method efficiently coupling finite ele... 9180 noise affecting time series colored unknown st... 9181 present efficient deep learning technique mode... 9182 paper describes efficient algorithm computing ... 9183 python r scientific packages incorporate compi... 9184 investigate effect incommensurate potential we... 9185 word equations important problem intersection ... 9186 paper addresses problem minimum cost resilient... 9187 introduce new algorithm reinforcement learning... 9188 geometric approach optimal transport informati... 9189 history humanhood included competitive activit... 9190 virtual reality simulation becoming popular tr... 9191 paper presents novel deep learning architectur... 9192 ability generate natural language sequences so... 9193 explore problem learning decompose spatial tas... 9194 prove zero set nonnegative plurisubharmonic fu... 9195 autonomous driving systems broadly used equipm... 9196 achieving relativistic flight enable extrasola... 9197 estimating cascade size nodes influence fundam... 9198 high frequency based estimation methods semipa... 9199 kagra km cryogenic interferometric gravitation... 9200 using observations made mosfire keck part zfir... 9201 organisms ability move freely fundamental beha... 9202 inverse relationship length word frequency use... 9203 recent years number artificial intelligent ser... 9204 recent empirical success crossdomain mapping a... 9205 calculate scrambling rate lambdal butterfly ve... 9206 recently blanchet kang murhy showed several ma... 9207 propose new formal criterion secure compilatio... 9208 machine learning models increasingly used indu... 9209 misalignment solar rotation axis magnetic axis... 9210 paper consider filtering smoothing partially o... 9211 paper presents longhcpulse software enables he... 9212 zvector method relativistic coupledcluster fra... 9213 modeling interpreting spike train data task ce... 9214 dimerized kanemele model withwithout strong in... 9215 understanding model makes certain prediction c... 9216 consider largescale markov decision processes ... 9217 overview dataflow matrix machines turing compl... 9218 neural machine translation nmt models usually ... 9219 purpose develop rapid imaging framework balanc... 9220 generalization use graphs describe pairwise in... 9221 paper consider class k surfaces defined hypers... 9222 although deep learning models proven effective... 9223 consider set bp parametric block correlation m... 9224 develop twodimensional lattice boltzmann model... 9225 shown mathbbzcolorable link diagram admits non... 9226 automatic machine learning performs predictive... 9227 recommender systems play important role many s... 9228 last decades notion cities state equilibrium c... 9229 simplest model magnetized infinitely thin elec... 9230 system dynamic equations boseeinstein condensa... 9231 polyellipse curve euclidean plane whose points... 9232 lda method selfenergy correction powerful tool... 9233 investigate scaling ground state energy optima... 9234 object tracking essential task computer vision... 9235 study family spins quantum spin chains nearest... 9236 next generation radiointerferometers like squa... 9237 optimized substrate temperature ts phosphorus ... 9238 solving peierlsboltzmann transport equation in... 9239 region interest roi alignment medical images p... 9240 past years use cameraequipped robotic platform... 9241 trilobites exotic giant dimers enormous dipole... 9242 many debris discs reveal twocomponent structur... 9243 multiple root estimation problems statistical ... 9244 let mathbbg locally compact quantum group give... 9245 temperaturedependent optical response excitons... 9246 lowest landau level lll equation emerges accur... 9247 work present novel framework uses deep learnin... 9248 recently renault studied dual bin packing prob... 9249 algorithmic proof general nron desingularizati... 9250 study problem listdecodable gaussian mean esti... 9251 possibly infinite fixed family graphs f say gr... 9252 using new general method prove existence rando... 9253 consider chemotaxis problem onedimensional sys... 9254 possible generally construct dynamical system ... 9255 implementation algebraic bethe ansatz xxz heis... 9256 graphenebased spindiffusive grsd neural networ... 9257 quasicyclic qc lowdensity paritycheck ldpc cod... 9258 gw method manybody approach capable providing ... 9259 paper considers problem predicting number clai... 9260 solution inverse problems variational setting ... 9261 study geometry finsler submanifolds using pull... 9262 pet image reconstruction challenging due illpo... 9263 round functions used building blocks iterated ... 9264 time crystals phase showing spontaneous breaki... 9265 paper devoted development control procedures g... 9266 investigate role tachysterol photophysicalchem... 9267 online social platforms beset hateful speech c... 9268 integral power series called lacunary modulo a... 9269 describe sofic groupoids elementary terms prov... 9270 paper propose new combined message passing alg... 9271 lsst software systems make extensive use pytho... 9272 paper study methods estimating causal effects ... 9273 give explicit formula singular surfaces revolu... 9274 kappamechanism successful explaining origin ob... 9275 classify cubic extensions field arbitrary char... 9276 installation argus pixel receiver covering ghz... 9277 challenging develop stochastic gradient based ... 9278 two general views causal analysis experimental... 9279 recent years significant progress made solving... 9280 main goal article compare performance penaltie... 9281 present first realworld application methods im... 9282 demonstrate successful experimental implementa... 9283 simulationbased training sbt gaining popularit... 9284 present gravitational lens models multiply ima... 9285 variable selection plays fundamental role high... 9286 investigate formation early evolution star clu... 9287 sleep stage classification constitutes importa... 9288 gambler moves vertices ldots n graph using pro... 9289 efficient reliable trapping execution program ... 9290 paper studies mechanism preconcentration charg... 9291 present models embedding words context surroun... 9292 data storage systems availability play crucial... 9293 theory sparse stochastic processes offers broa... 9294 princess kaguya heroine famous folk tale every... 9295 descriptor system tools dstools collection mat... 9296 classic sparsitydriven problems fundamental l ... 9297 work propose contentbased recommendation appro... 9298 work describes firstprinciplesbased computatio... 9299 v jimenez j llibre characterized homeomorphism... 9300 adoption distributed paradigm allowed applicat... 9301 spatial distributions cell interference ocif i... 9302 order understand underlying processes governin... 9303 introduce method learning dynamics complex non... 9304 artificial intelligence ai intrinsically datad... 9305 deep stacked rnns usually hard train adding sh... 9306 using nbody hydrodynamical cosmological simula... 9307 one big restrictions brain computer interface ... 9308 goal learn semantic parser maps natural langua... 9309 object transfiguration replaces object image a... 9310 segmenting foreground object video challenging... 9311 paper develop novel paradigm namely hypergraph... 9312 set points ddimensional euclidean space almost... 9313 investigate extent weak equivalences model cat... 9314 treewidth parameter measures treelike relation... 9315 many microbial systems known actively reshape ... 9316 unsupervised machine learning data mining tech... 9317 paper consider defocusing energy critical wave... 9318 deep neural networks impressive classification... 9319 crucial problem robotics field cage object usi... 9320 graph models relevant many fields distributed ... 9321 metric space phylogenetic trees defined biller... 9322 social media offer great communication opportu... 9323 discuss cyclic cosmology visible universe intr... 9324 electronic health records ehrs contributed com... 9325 investigate stability statistically stationary... 9326 construct statistical indicator detection shor... 9327 one central notions emerge study persistent ho... 9328 article investigates evidencebased semantics e... 9329 paper study linear complementarity problems ex... 9330 prove bernsteinvon mises theorem general class... 9331 word evolution refers changing meanings associ... 9332 fraenkel simpson showed number distinct square... 9333 article propound question annihilator koszul h... 9334 analyze knowledge autonomously handle one type... 9335 note describe objects generalized geometry app... 9336 recently experience replay widely used various... 9337 study behavior spectrum dirac operator togethe... 9338 studied impact lowfrequency magnetic flux nois... 9339 start riemannhilbert problem rhp related bdity... 9340 extending results raistauvel macedosavage arak... 9341 timing channels significant growing security t... 9342 show deciding whether given graph g size uniqu... 9343 paper studies optimal outputfeedback control l... 9344 graphene zerobandgap twodimensional semiconduc... 9345 path integrals describing quantum manybody sys... 9346 bcml system beam monitoring device cms experim... 9347 paper deal timeinvariant spatially coupled low... 9348 prediction organic reaction outcomes fundament... 9349 paper legendre curves unit tangent bundle give... 9350 giant vortices higher phasewinding pi usually ... 9351 study vortex patterns prototype nonlinear opti... 9352 recent work imitation learning generated polic... 9353 introduce seven families stochastic systems in... 9354 recent studies shown closein brown dwarfs mass... 9355 dirac equation requires treatment step potenti... 9356 recent years real estate industry captured gov... 9357 present new atacama large millimetersubmillime... 9358 report first time observation bunching monoato... 9359 bandit framework designing sequential experime... 9360 present new algorithm sliding window discrete ... 9361 study investigate limits current state art ai ... 9362 general neural networks currently capable lear... 9363 scale invariance commonly observed component r... 9364 present easytoimplement efficient analytical i... 9365 superregular sr breathers nonlinear wave struc... 9366 real network datasets provide significant bene... 9367 define two algebra automorphisms qonsager alge... 9368 examine lagrangian techniques computing undera... 9369 domainspecific languages dsls increasing impor... 9370 paper study nystrm type subsampling large scal... 9371 work novel ring polymer representation multile... 9372 nonlinear thinshell instability ntsi may expla... 9373 multivariate contaminated normal mcn distribut... 9374 present new determinations stellartohalo mass ... 9375 article proposes depth comparative study popul... 9376 consider problem packing family disks shelf di... 9377 randomized rumor spreading problem generates b... 9378 due severe mathematical modeling calibration d... 9379 employ generic threewave system chi interactio... 9380 note proposes penalty criterion assessing corr... 9381 identification differentially expressed genes ... 9382 derive expressions finitesample distribution l... 9383 present transductive boltzmann machines tbms f... 9384 paper presents humanrobot trust integrated tas... 9385 statistical test seen procedure produce decisi... 9386 present pubmed k rct new dataset based pubmed ... 9387 address problem analyzing radius convergence p... 9388 customarily inplane auxeticity synclastic bend... 9389 scheme making use isolated feedback loop recen... 9390 directional data constrained lie unit sphere o... 9391 boseeinstein condensates becs confined twodime... 9392 paper construct two groupoids morphisms groupo... 9393 stellar clusters form gravitational collapse t... 9394 paper prove global wellposedness critical surf... 9395 understanding characterizing subspaces adversa... 9396 paper construct properly embedded holomorphic ... 9397 given dimensional scheme projective space math... 9398 dft used throughout nanoscience especially mod... 9399 investigate birth diffusion lexical innovation... 9400 give complete formula characteristic polynomia... 9401 largescale wireless testbeds setup last years ... 9402 nonrapid eye movement nrem sleep desaturation ... 9403 paper present fptalgorithms special cases shor... 9404 purpose improve kidney segmentation clinical u... 9405 human mobility known distributed across severa... 9406 thz timedomain spectroscopy transmission mode ... 9407 advancement treatment modalities radiation the... 9408 bacterial dna gyrase introduces negative super... 9409 selfdriving vehicles backflipping robots virtu... 9410 imidazolium based porous cationic polymers syn... 9411 discuss similarity oscillons oscillational mod... 9412 highly eccentric binary systems appear many as... 9413 study threefolds fibred k surfaces admitting l... 9414 paper deal lipschitz continuous perturbations ... 9415 human trafficking one atrocious crimes among c... 9416 may einstein published two coauthors famous ep... 9417 rising interest construction quality business ... 9418 study performance least squares estimator lse ... 9419 kriging widely employed technique particular c... 9420 inspired matching supply demand logistical pro... 9421 prospect next generation groundbased telescope... 9422 emojis new way conveying nonverbal cues widely... 9423 investigate selfshielding intergalactic hydrog... 9424 propose single neural probabilistic model base... 9425 present systematic study higherorder penalty t... 9426 prospective chapter gives view evolution study... 9427 nonlinear ordinary differential equation solve... 9428 paper presents research polar cap ionosphere s... 9429 report large linear magnetoresistance cuxte re... 9430 given samples unknown distribution p descripti... 9431 study relaxation dynamics photocarriers parama... 9432 two popular modelling paradigms computer visio... 9433 let b ge integer among results establish quant... 9434 paper study constraint qualifications nonconve... 9435 propose framework employing stochastic differe... 9436 kimura yoshida treated model finite variation ... 9437 liquid scintillators common choice neutrino ph... 9438 consider lie group psl group orientation prese... 9439 relation extraction fundamental task informati... 9440 anelastic pseudoincompressible equations two w... 9441 bayesian optimization sampleefficient approach... 9442 making predictions ecosystems often available ... 9443 consider longitudinal nonlinear atomic vibrati... 9444 smooth manifold possibly boundary corners lie ... 9445 cyclic proof system called clkidomega gives us... 9446 let theta inner function unit disk let kptheta... 9447 web request query strings queries pass paramet... 9448 introduce signature payoffs family pathdepende... 9449 present deep alma co observations main sequenc... 9450 paper demonstrate new datadriven framework rea... 9451 turbulent mixing chemical elements convection ... 9452 duke imamoglu toth constructed polyharmonic ma... 9453 consider system r cubic forms n variables inte... 9454 selfsupported electrocatalysts generated emplo... 9455 exponential growth cyberphysical systems cps n... 9456 standard web browser programming model thirdpa... 9457 pseudomarginal algorithm variant metropolishas... 9458 present contribution investigates dynamics gen... 9459 failure rates high performance computers rapid... 9460 long assumed high dimensional continuous contr... 9461 sampling errors nested sampling parameter esti... 9462 paper explores design development class robust... 9463 bitcoin underlying technology blockchain becom... 9464 results presented direct numerical simulations... 9465 integration largescale renewable generation ma... 9466 recent results supercomputers show beyond k co... 9467 aims density waves often considered triggering... 9468 according traditional point view boltzmann ent... 9469 mathematical model variable selection function... 9470 report development multichannel microscopy who... 9471 trinity socalled canonical wallbounded turbule... 9472 paper consider problem learning object manipul... 9473 paper addresses important control observabilit... 9474 present theoretical investigation dynamic dens... 9475 let x compact metrizable group gamma countable... 9476 novel diverse domain dctsvd dwtsvd watermarkin... 9477 solving largescale regularized linear inverse ... 9478 important property statistical estimators qual... 9479 kernelbased regularization method two core iss... 9480 despite accelerating convolutional neural netw... 9481 present numerical implementation infiniterange... 9482 use large sample sim galaxies constructed comb... 9483 present generic framework trading fidelity cos... 9484 phase compensated optical fiber links enable h... 9485 spin atomic gas optical lattice unitfilling mo... 9486 paper prove existence classical solutions seco... 9487 paper wellposedness realizability kinetic equa... 9488 note construct series small subsets containing... 9489 paper suggest framework make use mutual inform... 9490 let q odd prime power set monic irreducible po... 9491 consider situation signal propagating arm inte... 9492 start study glider representations setting sem... 9493 emphab initio langevin dynamics approach devel... 9494 biological plastic neural networks systems ext... 9495 recently graph neural networks attracted great... 9496 former paper concept bipartite pagerank introd... 9497 method introduction secondorder derivatives lo... 9498 sample coma cluster ultradiffuse galaxies udgs... 9499 reliable realtime reconstruction localization ... 9500 work first step towards description gromov bou... 9501 present transient source detection efficiencie... 9502 paper consider isotropic stationary maxstable ... 9503 given direct system hilbert spaces smapsto mat... 9504 plethora available classification performance ... 9505 modern large displacement optical flow algorit... 9506 grew lixnhyfetese single crystals successfully... 9507 electronelectron correlation forms basis diffi... 9508 present semianalytical correction seminal solu... 9509 making informed correct quick decision lifesav... 9510 paper investigates stability distancebased tex... 9511 general spacetime evolution scattering inciden... 9512 subspace estimation unknown colored noise fact... 9513 resilience complex interconnected system conce... 9514 paper presents several test cases intended ben... 9515 authorship attribution natural language proces... 9516 building voice conversion vc system nonparalle... 9517 numerous institutions organizations need prese... 9518 timetriggered eventtriggered control strategie... 9519 study lipschitz positively homogeneous finite ... 9520 online social networks people often express at... 9521 prove elimination field quantifiers strongly d... 9522 several domains adopted increasing use iotbase... 9523 demand metals modern technology shifting commo... 9524 high speed quasidistributed demodulation metho... 9525 study loss coherence electrochemical oscillati... 9526 present new algorithm constructive recognition... 9527 display entire structure cal r coding sigma si... 9528 new radical cnn design approach presented pape... 9529 journals central eugene garfields research int... 9530 partially observable environments present impo... 9531 context creating akari midinfrared allsky diff... 9532 convective mixing heliumcoreburning hecb stars... 9533 neurons networks cerebral cortex must operate ... 9534 extended air showers produced cosmic rays impi... 9535 argued concept technical tie electoral polls q... 9536 recent discovery pyrite feo important ingredie... 9537 despite recent progress automatic theorem prov... 9538 study active learning problem topk ranking mul... 9539 first concise formulation inverse problem cons... 9540 consider exclusion process long jumps box lamb... 9541 paper introduce new property twodimensional in... 9542 initial conditions clustered star formation no... 9543 common architecture torque controlled humanoid... 9544 actual causation concerned question caused con... 9545 consider minimax setup gaussian onearmed bandi... 9546 machine learning become pervasive multiple dom... 9547 indexes models btreeindex seen model map key p... 9548 compute leading postnewtonian pn contributions... 9549 hybrid unmanned aircraft combine hover capabil... 9550 harmonic product tensorsleading concept harmon... 9551 incorrect operations multirobot system mrs may... 9552 show revenueoptimal deterministic mechanism de... 9553 present constraints variations initial mass fu... 9554 study static spherically symmetric black hole ... 9555 paper presents reliable method verify existenc... 9556 chemical evolution essential understanding ori... 9557 simple analytically correct algorithm develope... 9558 graph g called bkvpg resp bkepg constant kgeq ... 9559 study two identical fermions two hardcore boso... 9560 group synchronization requires estimate unknow... 9561 stability power networks increasingly importan... 9562 since majority massive stars members binary sy... 9563 networks observed real world like social netwo... 9564 investigate contextual online learning nonpara... 9565 investigate robust multiperiod network design ... 9566 deep learning architecture proposed predict gr... 9567 fault tolerance random graphs unbounded degree... 9568 factor graphs important models succinctly repr... 9569 correct treatment vibronic effects vital model... 9570 endowing dialogue system particular personalit... 9571 motivated results mestre voisin note mainly co... 9572 orthogonal matching pursuit omp orthogonal lea... 9573 many physical problems involve spatial tempora... 9574 success conflict driven clause learning cdcl b... 9575 paper provides analysis voting method known de... 9576 exceptional point two eigenstates coalesce ope... 9577 main topic considered maximizing number cycles... 9578 article introduces new concept structure defin... 9579 robots state insecurity onstage emerging conce... 9580 tungsten w widely considered promising plasma ... 9581 consider necessarily nearcritical random graph... 9582 designing logo new brand lengthy tedious backa... 9583 study notion consistency shape observation pro... 9584 rank minimization rm wildly investigated task ... 9585 study properties stanleyreisner rings simplici... 9586 propose analyze theoretically approach realizi... 9587 human visual object recognition typically rapi... 9588 discuss dynamical response functions near quan... 9589 study testing highdimensional covariance matri... 9590 exist several successful techniques supporting... 9591 show certain family cohomogeneity one manifold... 9592 investigate regularized algorithms combining p... 9593 paper study scaling properties legendre polyno... 9594 important problem machine learning statistics ... 9595 report phases corresponding critical lines qua... 9596 categorical equivalences block algebras finite... 9597 arithmetic function fields drinfeld modules pl... 9598 paper explore effectiveness dynamic analysis t... 9599 note concerned accurate computationally effici... 9600 investigated morphology lateral surfaces pbte ... 9601 highly oscillatory integrals involving bessel ... 9602 volume contains proceedings fourteenth interna... 9603 paper considers mean field games multiagent ma... 9604 develop framework downlink heterogeneous cellu... 9605 goulds belt flat local system composed young o... 9606 recent years correntropy applications machine ... 9607 evidence surface magnetism observed increasing... 9608 consider content delivery fading broadcast cha... 9609 dynamics nonlinear conservation laws long pose... 9610 combined allelectron twostep approach applied ... 9611 adaptive information gathering problem policy ... 9612 report experimental numerical demonstration di... 9613 arctic coastal morphology governed multiple fa... 9614 classification problems sampling bias training... 9615 fastdeclining type ia supernovae sn ia separat... 9616 architectures debris disks encode history plan... 9617 prove nonlinear modulational instability perio... 9618 present new model drnet learns disentangled im... 9619 photodissociation molecule produces spatial di... 9620 new generative adversarial network developed j... 9621 mapreduce programming model used extensively p... 9622 investigated formation circumstellar wideorbit... 9623 symmetric nonnegative matrix factorization fou... 9624 paper present new light field representation e... 9625 networks become de facto diagram big data age ... 9626 study problem policy evaluation learning batch... 9627 work investigates geometry nonconvex reformula... 9628 methods described extend fields reconstructed ... 9629 let lcdot loop let al group automorphisms lcdo... 9630 multiobjective recommender systems address dif... 9631 decide madrid civic technology madrid city cou... 9632 modeling physiological timeseries icu high cli... 9633 paper study spectral properties dirichlettoneu... 9634 work used recent cosmic chronometers data alon... 9635 statistical tts systems directly predict speec... 9636 stability complex system generally decreases i... 9637 timeresolved ultrafast xray scattering photoex... 9638 critical overdensity deltac key concept estima... 9639 consider finite point subsets distributions co... 9640 paper concerned partitioned iterative formulat... 9641 hubble catalog variables hcv year esa funded p... 9642 design general purpose processors relies heavi... 9643 traditional video summarization methods design... 9644 federated clouds raise variety challenges mana... 9645 wellestablished cognitive neuroscience human p... 9646 drying colloidal droplets solid rigid substrat... 9647 autonomous underwater vehicle auv carry comple... 9648 random attacks jointly minimize amount informa... 9649 paper present alternative strategy finetuning ... 9650 work presents joint selfconsistent bayesian tr... 9651 paper give lowdimensional examples local cocyc... 9652 highresolution wide fieldofview fov microscopi... 9653 address personalization issues image captionin... 9654 map fcolon kto mathbb rd simplicial complex al... 9655 optimization energy cost determines average va... 9656 anyangle pathfinding problem goal find shortes... 9657 scenario generation important step operation p... 9658 give new proof ciocanfontanine kims wallcrossi... 9659 undertaking cyber security risk assessments mu... 9660 paper continuation arxiv exploded layered trop... 9661 using image context effective approach improvi... 9662 spectral renormalization method introduced abl... 9663 present novel approach robust manipulation hig... 9664 discuss bayesian formulation coarsegraining cg... 9665 accurate protein structural ensembles determin... 9666 optimal learner prediction modeling varies dep... 9667 context transit events extrasolar planets offe... 9668 markov decision processes mdps popular model p... 9669 paper give novel certificates triangular equiv... 9670 tf boosted trees tfbt new opensourced framewor... 9671 evaluation query probabilistic database boils ... 9672 paper considers problem inliers empty cells re... 9673 determine connected homogeneous kobayashihyper... 9674 one important problem network locate invisible... 9675 show even mild improvements polyavinogradov in... 9676 phenomenon polarization nuclei process stimula... 9677 existence string functions polynomial time com... 9678 paper outline vision chatbots facilitate inter... 9679 define distance edges graphs study coarse ricc... 9680 present milabot deep reinforcement learning ch... 9681 propose datadriven method solve stochastic opt... 9682 realtime crime forecasting important however a... 9683 investigated physical properties cometlike obj... 9684 availability validated realistic fuel cost mod... 9685 work show model timed discreteevent systems td... 9686 functional significance resting state networks... 9687 report development versatile cryogenfree labor... 9688 present new proof kirchbergs mathcal ostable c... 9689 paper analyse profile land use population dens... 9690 let h semisimple algebraic group k maximal com... 9691 present results empirical studies positive spe... 9692 almost geostatistical analysis one underlying ... 9693 kernel methods median heuristic widely used wa... 9694 similar real world data ubiquitous presence no... 9695 principal component analysis pca one powerful ... 9696 present results threedimensional ideal magneto... 9697 along advance opinion mining techniques public... 9698 article consider static bayesian parameter est... 9699 many applications interdependencies among set ... 9700 detecting defection alarming partners possible... 9701 paper aims design quadrotor swarm performances... 9702 paper consider multivariate hawkes processes b... 9703 datacenters main infrastructure top cloud comp... 9704 halting theorem establishes program turing mac... 9705 skyrmions localized magnetic spin textures who... 9706 feval fetisn full heusler compounds nonmagneti... 9707 paper find integers c least two representation... 9708 profound vitamin b deficiency known cause dise... 9709 de trevisan tulsiani crypto show every distrib... 9710 study observed relation accretion rate terms l... 9711 deep reinforcement learning rl tasks efficient... 9712 use new xray data obtained nuclear spectroscop... 9713 quantum machine learning witnesses increasing ... 9714 introduce recurrent additive networks rans new... 9715 origin colossal magnetoresistance cmr still co... 9716 optical memory effect wellknown type wave corr... 9717 investigate geometry optimal memoryless time i... 9718 emerging class microfluidic bioreactors posses... 9719 prove triangulation theorem semialgebraic sets... 9720 paper consider positioning observedtimediffere... 9721 show dense ogle kmtnet iband survey data requi... 9722 cms apparatus identified years start lhc opera... 9723 paper proposes discontinuitysensitive approach... 9724 delays important phenomenon arising wide varie... 9725 came attention posting paper yu ding proved re... 9726 paper deal task building dynamic ensemble chai... 9727 scaling regression large datasets common probl... 9728 current study mechanism extract traffic relate... 9729 using form descent stable category mathcalamod... 9730 blind deconvolution methods usually predefine ... 9731 provide new results noisetolerant sampleeffici... 9732 consider three notions connectivity interactio... 9733 prove positive integer n exist boundarysum irr... 9734 neural networks grow deeper wider learning net... 9735 paper presents novel datadriven approach predi... 9736 impact developmental aging processes brain con... 9737 online game involves large number users interc... 9738 prove general existence result stochastic opti... 9739 monocular visualinertial system vins consistin... 9740 gravitational waves gws generated axisymmetric... 9741 theoretically study threedimensional weaklyint... 9742 written version closing talk nd los alamos ste... 9743 grouping objects clusters based similarities w... 9744 edge structure graphene significant influence ... 9745 study certain qdeformed analogues maximal abel... 9746 discuss computational procedures based descrip... 9747 directedloop quantum monte carlo method genera... 9748 paper presents study use convolutional neural ... 9749 paper unravel fundamental connection weighted ... 9750 model evaluation process making inferences per... 9751 starting graph two players take turns either d... 9752 cyclization dna sticky ends commonly used cons... 9753 give counter example new theorem appeared surv... 9754 paper present distributed testing algorithms g... 9755 bipartite data common data engineering brings ... 9756 present systematic study coreshell aufeo nanop... 9757 borondoped diamond undergoes insulatormetal tr... 9758 use sloan digital sky survey data release larg... 9759 paper geometric approach trajectory tracking c... 9760 effect spatial localization states distributed... 9761 propose twostage neural model tackle question ... 9762 radio tomographic imaging rti recently propose... 9763 prove low noise assumptions support vector mac... 9764 propose kernel mixture polynomials prior bayes... 9765 mobile edge computing new computing paradigm p... 9766 achievement gaps refer difference performance ... 9767 debris discs evidence ongoing destructive coll... 9768 paper propose novel endtoend approach scalable... 9769 introduce topology space isomorphism types rep... 9770 numerical experimental turbulence simulations ... 9771 convexity network graph recently defined prope... 9772 achieving high spatial resolution contact sens... 9773 paper study parallel space complexity graph is... 9774 study energy transport properties heterogeneou... 9775 theoretical paper introduces new way view char... 9776 decades research neural code underlying spatia... 9777 introduce discrete affine group regular tree f... 9778 spin filter superconducting sin tunnel junctio... 9779 correct double spend race analysis given nakam... 9780 understanding delayed information impacts queu... 9781 report influence crystalline defects introduce... 9782 given large number unlabeled face images face ... 9783 study problem identifying causal relationship ... 9784 unlike organs thymus gonads generate nonunifor... 9785 geometric approaches monocular visual odometry... 9786 published paper sengupta proposed brain selfor... 9787 watermarking techniques proposed last years ap... 9788 small cells deployment one significant longter... 9789 although generative adversarial networks gans ... 9790 advancement autonomous vehicles avs created en... 9791 extend urbans construction eigenvarieties redu... 9792 consider problem identifying groups mutually a... 9793 many aspects progenitor systems environments e... 9794 paper proposes novel approach stereo visual od... 9795 past decade cities experienced rapid growth ex... 9796 quantum phase transitions sudden changes groun... 9797 study sequences scaled edgecorrected empirical... 9798 purpose study evaluation relationship differen... 9799 worldwide web webpages connected source code s... 9800 technology become advanced design use otherwis... 9801 present work deals study structural ferroelect... 9802 paper introduce notion cdpfunctor waldhausen c... 9803 monograph aims providing introduction key conc... 9804 jed harrison full professor department chemist... 9805 liquid helium spin coldatom fermi gases exhibi... 9806 present probabilistic las vegas algorithm comp... 9807 prove sharp schwarz type inequality weierstras... 9808 period estimation one central topics astronomi... 9809 propose new algorithm mean actorcritic mac dis... 9810 recent measurements geminga b pulsars gammaray... 9811 deep neural networks require large amount labe... 9812 development robotics growing needs real time m... 9813 event cameras bioinspired vision sensors outpu... 9814 show analogy high curvature fr r arn br theory... 9815 introduce solve new type quadratic backward st... 9816 due recent advances technology recording analy... 9817 give parametrization simple bernstein componen... 9818 injury heals embryo develops carcinoma spreads... 9819 among sequential monte carlo smc methodssampli... 9820 approach truth society may depend various fact... 9821 increasing evidence shown theorybased health b... 9822 recent publication appl opt method twodimensio... 9823 derive new approximations value risk expected ... 9824 computational methods predict differential gen... 9825 modern datasets models notoriously difficult e... 9826 matching members coma cluster catalogue ultrad... 9827 work discuss related challenges describe appro... 9828 recently inference highdimensional integrated ... 9829 online communities become increasingly importa... 9830 show known classical adversary lower bounds ra... 9831 shortspacing problem describes inherent inabil... 9832 estimation tail quantities expected shortfall ... 9833 derive flow equations cold atomic gases one ma... 9834 dynamic selforganized morphology hallmark netw... 9835 note investigate existence frames exponentials... 9836 growth interest network data across fields exp... 9837 paper present study critical behavior stochast... 9838 study covariances positive definite functions ... 9839 many cloud applications rely fast nonrelationa... 9840 long standing problem area error correcting co... 9841 drones also known miniunmanned aerial vehicles... 9842 investigate weak excitations system made two c... 9843 find plane models xn ngeq observe map modular ... 9844 neural networks shown great potential many app... 9845 transient response power grids external distur... 9846 present family mutually orthogonal polynomials... 9847 automatic differentiation ad essential primiti... 9848 describe procedure combine measurements nm ca ... 9849 microwave cavities sikivietype axion search su... 9850 determine connected homogeneous kobayashihyper... 9851 paper first establish new explicit estimates c... 9852 explosion number experimentally determined ato... 9853 test whether advanced galaxy models analysis t... 9854 friction plays key role manipulating objects h... 9855 turkish wikipedia namedentity recognition text... 9856 biintuitionistic stable tense logics bist logi... 9857 demonstrate students use modeling examined ass... 9858 despite numerical challenges finite element me... 9859 progress machine learning measured careful eva... 9860 bayesian framework formulate fully sequential ... 9861 concept gammasemigroup introduced mridul kanti... 9862 formally deduce closedform expressions transmi... 9863 graph perfect chromatic number every induced s... 9864 paper show synchronization group output passiv... 9865 present method emgdriven teleoperation nonanth... 9866 introduce novel numerical method integrate par... 9867 xray magnetic circular dichroism xmcd measurem... 9868 many activation functions proposed past select... 9869 traditionally social sciences interested struc... 9870 entropic regularization quickly emerging new s... 9871 eigenvalue hermitic hamiltonian real undoubted... 9872 let x finite collection sets clusters consider... 9873 every observation astrophysical objects involv... 9874 generalize support vector machine support spin... 9875 recall group pslmathbb r isomorphic pspmathbb ... 9876 paper proposes signaturebased approach solving... 9877 study fr theory gravity anisotropic metric eff... 9878 visual tracking fundamental problem computer v... 9879 design deterministic polynomial time cn approx... 9880 recent advances policy gradient methods deep l... 9881 primarily study special weighted lowrank appro... 9882 derive markov process equivalent sheleveque sc... 9883 dynamic mott insulatortometal transition dmt k... 9884 although compelling assessments examined recen... 9885 decoding human brain activities via functional... 9886 neural networks equal excitatory inhibitory fe... 9887 efficient communication qubits relies robust n... 9888 whereas relationship criticality gene regulato... 9889 feedforward convolutional neural networks cnns... 9890 dynamic patterning specific proteins essential... 9891 pick n random points uniformly connect point k... 9892 formation selforganized patterns key morphogen... 9893 biophysical modelling diffusion mri necessary ... 9894 paper shows conditional independence reasoning... 9895 agile localization anomalous events plays pivo... 9896 tensor train decomposition decomposes tensor t... 9897 understanding thermally activated escape metas... 9898 sparse exchangeable graphs resolve pathologies... 9899 ttette graphs relative ttette graphs introduce... 9900 characterize cesroorlicz function spaces cesva... 9901 modeling joint distribution extreme weather ev... 9902 moems deformable mirrors dm key components nex... 9903 remote sensing image scene classification play... 9904 network theory proved recently useful quantifi... 9905 efficient adaptive algorithm removal salt pepp... 9906 strong product efficient way construct larger ... 9907 paper prove existence global weak solutions co... 9908 energy increasingly generated collected differ... 9909 word embeddings use vectors represent words ge... 9910 work develop novel bayesian estimation method ... 9911 introduce psiec local spectral exterior calcul... 9912 report transverse relaxation rates ts cu nucle... 9913 limitedangle computed tomography ct often used... 9914 renewed greens function approach calculating a... 9915 paper proposes new algorithm controlling class... 9916 analyze secrecy outage probability downlink wi... 9917 introduce novel method defining geographic dis... 9918 computer aided diagnostic cad system crucial m... 9919 recently shown feedback effects decisions igno... 9920 predictions inflationary schemes influenced pr... 9921 characterize class rfd calgebras containing de... 9922 let mathbfb cdot real separable banach space l... 9923 difficult humans efficiently teach robots corr... 9924 perform tasks specified natural language instr... 9925 automatic classification trees using remotely ... 9926 known individuals social networks tend exhibit... 9927 last decade deep learning contributed advances... 9928 na fixedtarget experiment cern sps dedicated m... 9929 let ksubset knot x ssetminus k complement math... 9930 paper presents automated supervised method per... 9931 bose condensation central understanding quantu... 9932 physics phenomena multisoliton complexes enric... 9933 visual question answering vqa new exciting pro... 9934 rise endtoend learning deep learning person de... 9935 medical charts national census healthcare trad... 9936 autonomous racing vehicles operate close limit... 9937 experimentally studied effects spin hall angle... 9938 deep neural networks dnns begun pervasive impa... 9939 identify study number new rapidly growing inst... 9940 automatically determining optimal size neural ... 9941 traffic internet video streaming rapidly incre... 9942 hierarchicallyorganized data arise naturally m... 9943 paper concerned channel estimation problem mul... 9944 policy maker faces sequence unknown outcomes s... 9945 shearing transitions multilayer molecularly th... 9946 chiral magnetic materials numerous intriguing ... 9947 graphene emerged promising building block mode... 9948 transfer learning finetuning pretrained neural... 9949 work present analysis burst failure effect hin... 9950 architecture exascale computing facilities inv... 9951 study time evolution onedimensional interactin... 9952 game chess widelystudied domain history artifi... 9953 discuss monotone quantity related huiskens mon... 9954 consider forecasting single time series using ... 9955 present new radio continuum observations ngc m... 9956 fractons emergent particles immobile isolation... 9957 generating function cubic hodge integrals sati... 9958 explore simplification widely used metageneral... 9959 prove counting copies graph f another graph g ... 9960 densityfunctional theory calculations spinpola... 9961 introduce notion nodal domains positivity pres... 9962 notifications provide unique mechanism increas... 9963 novel matching based heuristic algorithm desig... 9964 neuroinflammation utero may result lifelong ne... 9965 skyrmions disklike objects typically form tria... 9966 deep convolution neural networks demonstrate i... 9967 formulate simple assumptions implying robbinsm... 9968 holstein model describes motion tightbinding t... 9969 key challenge complex visuomotor control learn... 9970 recent advances representation learning advers... 9971 theoretically analyze effect parameter fluctua... 9972 exploratory testing neither black white rather... 9973 paper suggest framework category theory possib... 9974 accurately predicting ambulance callouts occur... 9975 curated web archive collections contain focuse... 9976 learning network representations variety appli... 9977 superconductivity noncentrosymmetric compounds... 9978 article pessential dimension generic symbols f... 9979 market research generally performed surveying ... 9980 optimization riemannian manifolds widely arise... 9981 paper formalize notion distributed sensitive s... 9982 propose new approach problem optimizing autoen... 9983 present slow control system gather relevant en... 9984 studied nonequilibrium response initial nel st... 9985 propose datadriven framework optimizing privac... 9986 chromium arsenides bacras bacrfeas thcrsi type... 9987 development high strength carbon fibers cfs re... 9988 model cosmological inflation proposed field sp... 9989 often time spent finding model works well rath... 9990 show convergence rate ellregularization linear... 9991 mue experiment search coherent neutrinoless co... 9992 current prominence future promises internet th... 9993 adversarial examples perturbed inputs designed... 9994 construct sample xray bright optically faint a... 9995 article second pair articles goldman symplecti... 9996 tus worlds first orbital detector extreme ener... 9997 thesis present novel semisupervised networkbas... 9998 derive naturally important distributions high ... 9999 give generalization theorem silverman stephens... 10000 consider characterization well construction qu... 10001 kinetically constrained lattice gases kclg int... 10002 molecular fingerprints ie feature vectors desc... 10003 present generalized times matrix formalism des... 10004 paper chua circuit five linear elements satura... 10005 loglinear models arguably successful class gra... 10006 recent quantumgas microscopy ultracold atoms s... 10007 discrete particle simulations widely used stud... 10008 describe mergerevent gammaray mergr telescope ... 10009 proved graham witten conformal invariants subm... 10010 genealogical networks also known family trees ... 10011 paper prove small data global existence soluti... 10012 concentration biochemical oxygen demand bod st... 10013 matched observational studies treatment assign... 10014 tte approach computable analysis study socalle... 10015 data mining machine learning techniques classi... 10016 paper investigate computational complexity dec... 10017 trace tau separable calgebra called matricial ... 10018 fock representation propose framework construc... 10019 fractal tridyn ftridyn modified version widely... 10020 precisely measure radon concentrations purifie... 10021 development neural networks based machine lear... 10022 show leibnitzs indiscernibility principle gent... 10023 main purpose article fix several aspects aspec... 10024 investigate level spacing distribution quantum... 10025 note remember friend maria krawczyk passed awa... 10026 training deep neural networks known require la... 10027 introduce multimodal attentionbased neural mac... 10028 coprime hypergraph integers n vertices chikn d... 10029 since largest ebola virus disease outbreak wes... 10030 nonnegative matrix factorization nmf widely us... 10031 consider problem recovering superposition r di... 10032 quest scalable bayesian computational algorith... 10033 choosing indium gallium nitride ingan ternary ... 10034 wide application machine learning algorithms r... 10035 nonlinear dynamics graphs rapidly become topic... 10036 synthesis dna molecules offers unprecedented a... 10037 excitation relativistic electron beam driven w... 10038 kernel pca widely used nonlinear dimension red... 10039 organized crime inflicts human suffering genoc... 10040 present work describe results obtained large a... 10041 micrornas mirnas small noncoding rnas function... 10042 shape completion problem estimating complete g... 10043 paper establish connection nonconvex optimizat... 10044 note define circular ksuccessions permutations... 10045 study weighted particle systems new generation... 10046 nodal effectively relativistic dispersion feat... 10047 predicting outcome sports events hard task qua... 10048 propose generalization neural network sequence... 10049 spite intrinsic onedimensional nature matrix p... 10050 last years microblogging platforms twitter giv... 10051 large amounts insight social discovery potenti... 10052 undergraduate level abstract algebra texts use... 10053 paper studies heat equation utdelta u bounded ... 10054 paper addresses challenge humanoid robot teleo... 10055 novel device used tunable supportfree phase pl... 10056 paper problem tracking desired longitudinal la... 10057 present development genetic algorithm fitting ... 10058 large datasets represented multidimensional da... 10059 explore nonequilibrium evolution stationary st... 10060 grip control robotic inhand manipulation usual... 10061 several recent studies reported different intr... 10062 show every bounded subset euclidean space appr... 10063 study fairness within stochastic emphmultiarme... 10064 virtual reality immersive technology replicate... 10065 note provide conceptual explanation wellknown ... 10066 examine effect stress tensor quantum matter fi... 10067 article introduce new geometric object called ... 10068 consider problem adversarial nonstochastic onl... 10069 qcoloring problem asks whether vertices graph ... 10070 planar object tracking actively studied proble... 10071 operation atomtronic battery demonstrated fini... 10072 address two fundamental problems spatial field... 10073 paper prove smooth projective variety x charac... 10074 study predictive density estimation kullbackle... 10075 many systems structured argumentation explicit... 10076 independent tests aiming constrain value cosmo... 10077 construct examples flat fiber bundles hopf sur... 10078 fields astronomy astrophysics currently engage... 10079 living organisms process information interact ... 10080 work analyses surprising elections attempts qu... 10081 kinetic plasma turbulence cascade spans multip... 10082 explore relationship human migration oecds for... 10083 weyl semimetal nbp exhibits extremely large ma... 10084 continuous cultures mammalian cells complex sy... 10085 technique propagating spin wave spectroscopy a... 10086 paper demonstrate genetic algorithms used reve... 10087 social conventions govern countless behaviors ... 10088 work devoted elaboration idea use block term d... 10089 paper reviews historic chalearn looking people... 10090 chaos associated bifurcation makes new science... 10091 bazhin analyzed atp coupling terms quasiequili... 10092 explosive increase number smart devices hostin... 10093 believed thermalization closed systems interac... 10094 interface phonon modes cplane oriented alngan ... 10095 transitions multiple stable states nonlinear s... 10096 sieve rational points suitable varieties devel... 10097 neural responses cortex change time systematic... 10098 present general formalism multipole descriptio... 10099 columnsparse packing problems arise several co... 10100 doppler effect shift frequency waves emitted o... 10101 propose new linear algebraic approach computat... 10102 investigate relation disk mass mass accretion ... 10103 present characterword long shortterm memory la... 10104 machine learning methods found many applicatio... 10105 effect monolayers oxygen hydrogen h possibilit... 10106 early recognition abnormal rhythm ecg signals ... 10107 currently speech processing techniques use mag... 10108 many classical results relativity theory conce... 10109 present alma observations system young binary ... 10110 class methods based multichannel linear predic... 10111 many successful methods proposed learning low ... 10112 present user model interaction based physics k... 10113 consider supervised learning problem shallow n... 10114 software engineering considers performance eva... 10115 porous silicon layers ps prepared work via pho... 10116 connectivity patterns relevance neuroscience s... 10117 deep convolutional neural networks dcnns curre... 10118 study translation invariant stochastic process... 10119 study highfrequency behavior dirichlettoneuman... 10120 using lyapunovschmidt reduction method without... 10121 general formalism introduced allow steady stat... 10122 neural networks lowprecision weights activatio... 10123 stable marriage fundamental problem computer s... 10124 electricity market price predictions enable en... 10125 community detection clustering fundamental tas... 10126 topological interference management tim proble... 10127 paper studies robust regression settings huber... 10128 introduce structures model quotients buildings... 10129 paper origin generalized uncertainty principle... 10130 consider nonparametric inference finite dimens... 10131 knowledge base completion kbc aims predict mis... 10132 feature engineering crucial step process predi... 10133 shown two cellular automata ca rule space conn... 10134 discuss operational approach testing convex co... 10135 present experimental data simulations effects ... 10136 frequent pattern mining one field significant ... 10137 study dynamics fermihubbard model driven timep... 10138 exhibit olog kcompetitive randomized algorithm... 10139 provide physical definition new homological in... 10140 prove topological methods new results existenc... 10141 paper proposes approach detect emotion human s... 10142 article basic principles put basis algorithmic... 10143 cone spherical metrics conformal metrics const... 10144 suggest new type ultrasensitive detector elect... 10145 new upper bounds pointwise behaviour christoff... 10146 string theory notion deformed hermitian yangmi... 10147 present introduction periodic stochastic homog... 10148 yttriastabilized zirconia ysz zroyo solid solu... 10149 reactive power compensation important challeng... 10150 investigate additional properties protolocaliz... 10151 consider dirichlet laplacian straight three di... 10152 liquid film wetting interior long circular cyl... 10153 existing brain network distances often based m... 10154 online trust systems playing important role to... 10155 study collapse pebble clouds statistical model... 10156 accurate path integral monte carlo molecular d... 10157 constrained application protocol coap speciali... 10158 physics active systems selfpropelled particles... 10159 letter present theorem dynamics generalized hu... 10160 realistic evolutionary fitness landscapes noto... 10161 datadriven modeling plays increasingly importa... 10162 many domains latent competition among differen... 10163 analogtodigital converters adcs major contribu... 10164 design controllers formal specifications posit... 10165 progress deep learning slowed days weeks takes... 10166 sensing reciprocating cellular systems sars im... 10167 new threeparameter cumulative distribution fun... 10168 paper proposes new scheme secure transmissions... 10169 investigate deep neural network performance te... 10170 bayesian model selection model averaging rely ... 10171 analyze subway arrival times new york city sub... 10172 superconducting transition fesexsx three disti... 10173 paper explores incremental training strategy s... 10174 treating optimization methods dynamical system... 10175 processing sequential data variable length maj... 10176 multiaccess channel simple model channel outpu... 10177 social media platforms contain great wealth in... 10178 transparency user trust human comprehension po... 10179 paper reconsider unfoldingbased technique intr... 10180 present study investigates different strategie... 10181 random fourier features one popular techniques... 10182 dark matter particle explorer dampe one four s... 10183 superconducting nanowire single photon detecto... 10184 like atiyah lie algebroids encode infinitesima... 10185 demonstrate creation electroformingfree taox m... 10186 present paper considers testing erdosrenyi ran... 10187 paper propose new loss function called general... 10188 regularization approach variable selection wel... 10189 learning interpretable features complex multil... 10190 recent years witnessed growing demands resolvi... 10191 graphenebased photodetectors demonstrated mech... 10192 paper propose efficient transfer leaning metho... 10193 consider nonlinear schrdinger equation delta u... 10194 paper concerned convergence longterm stability... 10195 recent media blitz cohort mathematicians valia... 10196 temporary earth retaining structures ters help... 10197 subset mathcalg generating calgebra said hyper... 10198 study fully gapped chiral mott insulator cmi f... 10199 establish functional weak law large numbers ob... 10200 nature nematic state fese remains one major un... 10201 propose simple modification existing neural ma... 10202 consider problem optimizing placement stubborn... 10203 work fits context community microgrids members... 10204 formulate type b extended nilhecke algebra fol... 10205 unsupervised domain mapping learner given two ... 10206 present approach adaptively utilize deep neura... 10207 phylogenetic effective sample size parameter g... 10208 paper construct additional symmetries fermioni... 10209 measuring full distribution individual particl... 10210 branch provability logic investigates provabil... 10211 physical emergence crystals rocks sandpiles tu... 10212 interplay geometric frustration gf bond disord... 10213 acoustic scene classification researches audio... 10214 new definition continuoustime equilibrium cont... 10215 alpha signals statistical arbitrage strategies... 10216 deep convolutional networks achieved great suc... 10217 current study applies deep learning herbalism ... 10218 privacy amplification two mutually trusted par... 10219 reversible language forward computation undone... 10220 paper investigate convergence consistency prop... 10221 nanotubes various kinds prepared last decade s... 10222 classic statistics functional regression model... 10223 star chromatic index multigraph g denoted chis... 10224 absolutely koszul algebras class rings finite ... 10225 online advertisement main source revenue inter... 10226 smooth symmetric function f defined symmetric ... 10227 demonstrate enhancement vortex generation arti... 10228 investigate subgaussian property almost surely... 10229 finding maximum cut fundamental task many comp... 10230 let pgroup odd prime p oliver proposed conject... 10231 suppose elliptic curve number field whose mod ... 10232 precise modeling subatomic particle interactio... 10233 demonstrate temporal measurements subpicosecon... 10234 paper present several values nexttominimal wei... 10235 alien alice environment file catalogue global ... 10236 report versatile mini ultrahigh vacuum uhv cha... 10237 dislocationmediated quantum melting solids qua... 10238 mechanical properties deformation mechanisms c... 10239 give necessary sufficient conditions embedding... 10240 variable graph selection problems finding righ... 10241 propose definition vafawitten invariants count... 10242 aggregation many independent estimates outperf... 10243 temperate climates mortality seasonal winterdo... 10244 address problem verifying satisfiability const... 10245 investigate power nondeterminism purely functi... 10246 advanced virgo detector uses two monolithic op... 10247 use mobile impurity depleton model study eleme... 10248 study applicability timedependent variational ... 10249 paper presents topology optimization approach ... 10250 reward shaping one effective methods tackle cr... 10251 among recently introduced new notions real alg... 10252 revise operatornorm convergence trotter produc... 10253 nowadays data compressors applied many problem... 10254 twodimensional embeddings remain dominant appr... 10255 graph matching quadratic assignment problem la... 10256 extensive cooperation among unrelated individu... 10257 study bayesian hypernetworks framework approxi... 10258 plate motions governed equilibrium basal edge ... 10259 one challenging tasks adopting bayesian networ... 10260 simulate stresses induced temperature changes ... 10261 forwarding data name assumed necessary aspect ... 10262 delay tolerant networking dtn approach network... 10263 regularization techniques lasso tibshirani ela... 10264 multiobject tracking applications model parame... 10265 consider general monotone regression estimatio... 10266 distributed network optimization studied well ... 10267 purpose note revive lp spaces original markov ... 10268 paper apply empirical likelihood method infere... 10269 obtain uncertainty estimates realworld bayesia... 10270 article propose two classes semiparametric mix... 10271 apply convolutional neural network cnn classif... 10272 analyze source intermodel scatter surface temp... 10273 paper proposes novel representation decomposab... 10274 causal inference problem consists determining ... 10275 complexity embedded condensed matter fertilize... 10276 robotic systems working together team becoming... 10277 model precision classification task highly dep... 10278 goal improve variance reducing stochastic meth... 10279 consider plasmon resonances cloaking elastosta... 10280 introduce hybridizable discontinuous galerkin ... 10281 artificial neural networks anns gained welldes... 10282 connectionist temporal classification recently... 10283 paper presents novel method describe battery d... 10284 consider problem locating pointsource heart ar... 10285 note propose method based artificial neural ne... 10286 possibility calculation conditional unconditio... 10287 let g finite simple graph x subset vg differen... 10288 collisionionization mechanism nonsequential do... 10289 chaos despite several decades research ubiquit... 10290 context first gaia data release dr delivered c... 10291 applications require substantial computational... 10292 kiva online nonprofit crowdsouring microfinanc... 10293 ics wut platform simulation cooperation physic... 10294 analytically derive expressions structure inne... 10295 xray emission spectrum liquid ethanol calculat... 10296 class labels empirically shown useful improvin... 10297 high performance computing often performed sca... 10298 propose new method detect offpulse unpulsed an... 10299 structural topological information play key ro... 10300 taking image question input method output text... 10301 paper examine physical layer security cooperat... 10302 superconducting bulks acting highfield permane... 10303 inability efficiently tune optical properties ... 10304 traditionally blind speech separation techniqu... 10305 inelastic neutron scattering used study magnet... 10306 present novel methodology enable control neuro... 10307 introduce variants frankwolfe style algorithms... 10308 theoretically investigate ultrastronglycoupled... 10309 work merle e manis introduced valuations commu... 10310 electron cryotomography ect allows visualizati... 10311 existing characterizations integral inputtosta... 10312 introduce new ferromagnetic model capable repr... 10313 paper present short scientific biography guido... 10314 work addresses problem segmentation time serie... 10315 propose article mgcc state dependent queuing m... 10316 paper considers laplace method derive approxim... 10317 study fixed point theory nvalued maps space x ... 10318 large synoptic survey telescope lsst enable re... 10319 co capture storage important technology mitiga... 10320 gelsight sensor uses elastomeric slab covered ... 10321 visual perception surroundings ultimately limi... 10322 paper consider community detection problem eit... 10323 paper build upon previous work designing infor... 10324 vehicletovehicle communications change driving... 10325 show twoweight estimate dyadic square function... 10326 observations nine transits wasp k mission reve... 10327 article give reviews concerning negative proba... 10328 advances virtual reality generated substantial... 10329 understanding dynamical behavior complex syste... 10330 quantum gas microscopes promising tool study i... 10331 multivariate normal set well known maximum lik... 10332 cloud computing new era remote computing inter... 10333 astrophysics community uses different tools co... 10334 based bcs model external pair potential formul... 10335 introduce emphpnrandom qnproportion bulgarian ... 10336 introducing simplified transport model outer l... 10337 present novel approach estimating conditional ... 10338 volume eptcs contains proceedings fifth worksh... 10339 transient quantum dynamics interacting fermion... 10340 prove automorphism group topological paralleli... 10341 paper presents first md simulations model desi... 10342 software service cloud computing model favorit... 10343 efficiently exploiting gpus increasingly essen... 10344 study height spanning tree graph g obtained st... 10345 propose theoretically effective scheme braidin... 10346 motion planning core problem solve developing ... 10347 assume ctm zfcch containing simplified omegamo... 10348 use resonant depolarization suggested precise ... 10349 learningbased approaches robotic grasping usin... 10350 generalize translation invariant tensorvalued ... 10351 develop maximum likelihood estimator mle measu... 10352 work highlight connection incremental proximal... 10353 list decoding insertions deletions levenshtein... 10354 prove almost sure global existence scattering ... 10355 boltzmann exploration widely used reinforcemen... 10356 gps wifi based localization exploited recent y... 10357 since advent online real estate database compa... 10358 neuromorphic hardware tends pose limits connec... 10359 internet things iot community wireless sensor ... 10360 proved replica symmetry broken transverse long... 10361 implemented optimization specializes typegener... 10362 obtain first polynomialtime algorithm exact te... 10363 outlier detection cluster number estimation im... 10364 general expressions stored energies timeharmon... 10365 inference network topologies relational data i... 10366 paper introduce iterative linearization scheme... 10367 important class realworld networks directed ed... 10368 report experimental observation multiple corot... 10369 paper presents results topic modeling network ... 10370 construct countable bounded sublattice lattice... 10371 work issue bayesian inference stationary data ... 10372 aim study investigate reason low productivity ... 10373 merging mobile edge computing dense deployment... 10374 experimental particle physics forefront analyz... 10375 guided critical systems found nature develop n... 10376 introduce analyze extension matching problem w... 10377 present detailed spectral analysis brightest a... 10378 ndhfo belonging family geometrically frustrate... 10379 noncritical softfaults model deviations challe... 10380 study sis epidemic spreading processes unfoldi... 10381 present model anisotropic compact star general... 10382 paper describe evaluate mixed reality system a... 10383 benefited widely deployed infrastructure lte n... 10384 disagreementbased approaches generate multiple... 10385 someone built box applies quantum superpositio... 10386 unmanned aircraft decreased cost required coll... 10387 paper present approach select subset requireme... 10388 chapter present stateoftheart generation noncl... 10389 recent years number biomedical publications st... 10390 transfer learning popular practice deep neural... 10391 paper presents construction particle filter in... 10392 enabling robots autonomously navigate complex ... 10393 study magnetization reversal varphi josephson ... 10394 computational astrophysics comes pressure beco... 10395 deep neural networks built generalize outside ... 10396 simply typed lambdacalculus statman investigat... 10397 used brillouin light scattering spectroscopy i... 10398 paper shows detailed modeling threelink roboti... 10399 key task bayesian statistics sampling distribu... 10400 provide compositional coalgebraic semantics st... 10401 anytime almostsurely asymptotically optimal pl... 10402 propose novel approach human pose estimation s... 10403 selection appropriate collective variables enh... 10404 study random conductance model lattice mathbbz... 10405 important problem combinatorial optimization p... 10406 estimating influence given feature model predi... 10407 largescale industrial processes closedloop con... 10408 problem highdimensional largescale representat... 10409 recently czumaj etal arxiv presented parallel ... 10410 present eldar new method exploits potential me... 10411 hard xray emission solar flare typically chara... 10412 propose general framework interactively learni... 10413 gravitational lensing provides means measure m... 10414 three separation properties closed subgroup h ... 10415 machine learning ml increasingly deployed real... 10416 paper presents solution boltzmann kinetic equa... 10417 first step realize automatic experimental data... 10418 article expands research done develop recurren... 10419 present physhare new haptic user interface bas... 10420 every graph gve induced subgraph kneser graph ... 10421 graph drawings useful tools exploring structur... 10422 one ultimate goals biology understand design p... 10423 epilepsy common neurological diseases affectin... 10424 maintenance software developers deal numerous ... 10425 consider weighted beliefpropagation wbp decode... 10426 study pattern forming instability laser driven... 10427 study electronic spin structures giant rashbas... 10428 technological developments alongside vlsi achi... 10429 quantum phase transitions ubiquitous many exot... 10430 future observations cosmic microwave backgroun... 10431 detailed thermal analysis niobium nb based sup... 10432 shear viscosity plays important role studies t... 10433 cyclic proof system gives us another way repre... 10434 paper revisit recently established theoretical... 10435 employ grand canonical adaptive resolution mol... 10436 daily operation largescale experiment challeng... 10437 aim paper find approximate solution hiv infect... 10438 well known store language every pushdown autom... 10439 cupyzno quasi onedimensional molecular antifer... 10440 session search task aims best serving users in... 10441 recently graph neural networks gnns revolution... 10442 people participate activate online social netw... 10443 note continues previous work special secant de... 10444 met offices weather climate simulation code un... 10445 self organizing networks sons considered vital... 10446 topological semimetals dirac points form zerod... 10447 manyvalued modal logic introduced combines usu... 10448 construct sequence compact oriented embedded t... 10449 let pi irreducible smooth complex representati... 10450 purpose paper show functions derivate twovaria... 10451 rnio perovskites known order antiferromagnetic... 10452 routine state space circuit analysis arbitrari... 10453 discuss practical problems arising constructin... 10454 let v minimal valuation overring integral doma... 10455 present finitetemperature extension retarded c... 10456 given graph g n vertices set n points plane po... 10457 despite significant recent progress area brain... 10458 paper investigate parametric knapsack problem ... 10459 dozens new models fixation prediction publishe... 10460 study focusses selfbalancing microgrids smartl... 10461 optical frequency combs ofc provide convenient... 10462 linear operator two latticenormed spaces said ... 10463 present results pilot nearinfrared nir spectro... 10464 mining relationships treatments medical proble... 10465 internet things iot changing daily life rapidl... 10466 probabilistic description essential understand... 10467 steiner forest problem given graph collection ... 10468 antenna current optimization often used analyz... 10469 knowledge regarding function proteins necessar... 10470 recent years several powerful techniques devel... 10471 let string length n paper introduce notion emp... 10472 purpose review paper presents review current s... 10473 study problem testing community structure netw... 10474 magnetic activity strongly impacts stellar rvs... 10475 differential testing solve oracle problem appl... 10476 explicitly implicitly dimensionality reduction... 10477 blind source separation bss challenging matrix... 10478 monomorphism category mathscrsa b induced bimo... 10479 focus paper analysis boundary layer associated... 10480 recent experimental discovery threedimensional... 10481 high quality gene models necessary expand mole... 10482 past years convolutional neural networks cnns ... 10483 computing medoid large number points highdimen... 10484 consider truncated svd spectral cutoff project... 10485 sampling logconcave functions arising statisti... 10486 celebrated integer relation finding algorithm ... 10487 tensor completion problem filling missing unob... 10488 path resp cycle decomposition graph g set edge... 10489 investigate transport properties neutral fermi... 10490 increasing body evidence suggests trialtotrial... 10491 current searches dark photon mass range gev re... 10492 paper gave properties binomial coefficient 10493 paper present method determine global horizont... 10494 anisotropy febased superconductors much smalle... 10495 simple polytope p said emphbrigid combinatoria... 10496 concept emergence powerful concept explain com... 10497 trouv group mathcal gmathcal image analysis co... 10498 motion planning classically concerns problem a... 10499 paper present new r package coreclust dedicate... 10500 deep neural networks dnns universal function a... 10501 international rosetta mission launched consist... 10502 describe new cardinality estimation algorithm ... 10503 object tracking systems play important roles t... 10504 using nasairtf spex bass spectrometers obtaine... 10505 flyby anomaly unexpected variation asymptotic ... 10506 two dimensional materials provide unique platf... 10507 consider incompressible euler navierstokes equ... 10508 wheeled ground robots limited exploring extrem... 10509 currently lower limb robotic rehabilitation wi... 10510 tetrachiral materials characterized cellular m... 10511 twitter provided great opportunity public libr... 10512 dynamic boltzmann machine dybm shown highly ef... 10513 discussed effects basics graph transformations... 10514 paper focus applications machine learning opti... 10515 paper presents laser amplifier based antirefle... 10516 paper study entire radial solutions quasilinea... 10517 automatically detecting sound units humpback w... 10518 given input string specific lindenmayer system... 10519 generalization multiscale entanglement renorma... 10520 geotags microblog posts shown useful many data... 10521 aim present paper contribute development study... 10522 symmetric lvy processes local times exist tana... 10523 study classical complexity exact boson samplin... 10524 study carrier transport magnetic properties gr... 10525 purpose note attract attention following conje... 10526 studies theories ideas influenced eugene garfi... 10527 paper focus online representation learning non... 10528 recent pumpprobe experiments reported enhancem... 10529 advent modern communications systems much atte... 10530 neural style transfer based convolutional neur... 10531 quantized physical framework called fiveanchor... 10532 reinforcement learning emerged promising metho... 10533 construct contour function entanglement entrop... 10534 topic discovery witnessed significant growth f... 10535 well known finite commutative association sche... 10536 recently almost nothing known evolution magnet... 10537 use ultradeep cm data karl g jansky large arra... 10538 paper begins theoretical explanation spacetime... 10539 h hevc contextadaptive binary arithmetic codin... 10540 informationcentric networking promising networ... 10541 deep gaussian processes dgps hierarchical gene... 10542 paper develops meshless methods probabilistica... 10543 note collection several discussions paper beyo... 10544 new physics traditionally expected highpt regi... 10545 changes structure observed social complex netw... 10546 according wienerhopf factorization characteris... 10547 local crystal structures many perovskitestruct... 10548 ordering multilayer consisting dspc bilayers s... 10549 deep reinforcement learning rl proven powerful... 10550 thesis study interplay phase separation wettin... 10551 consider spatial stochastic model wireless cel... 10552 reinsurance contract address conflicting inter... 10553 show problem counting homomorphisms fundamenta... 10554 use semiautonomous autonomous robotic assistan... 10555 start asking interesting yet challenging quest... 10556 consider several related notions geometric reg... 10557 sleep condition closely related individuals he... 10558 motivated recent result farhi show nequiv pm p... 10559 context music production distortion effects ma... 10560 paper consider adaptive decisionmaking problem... 10561 many machine learning problems formulated cons... 10562 last decade information technology industry ad... 10563 estimating domain attraction da nonpolynomial ... 10564 article devoted problem predicting value taken... 10565 examine whether extended scenario twoscalarfie... 10566 address key open problem higher dimensional ge... 10567 sparse additive modeling class effective metho... 10568 present performance analysis appropriate compa... 10569 rieszsobolev inequality provides upper bound i... 10570 study problem defining maps link floer homolog... 10571 recent advances enabled object reconstruction ... 10572 investigate longtime stability sunjupitersatur... 10573 consider variants classical berz sublinearity ... 10574 long standing interest understanding social in... 10575 coreperiphery structure networks core nodes de... 10576 central limit theorems play important role stu... 10577 first half manuscript begin brief review combi... 10578 rapid anisotropic modification fermisurface sh... 10579 visual exploration analysis data determining s... 10580 convolutional operator learning increasingly g... 10581 construction permutation trinomials finite fie... 10582 recent observations identify valley radius dis... 10583 sparsity gradient sog robust autofocusing crit... 10584 purpose note propose new approach probabilisti... 10585 image semantic segmentation interest computer ... 10586 kinds mixed data personal data panel scientifi... 10587 incremental improvements accuracy convolutiona... 10588 paper describes method learning lowdimensional... 10589 dip test unimodality silvermans critical bandw... 10590 first part paper present formalization agda ja... 10591 inelastic neutron scattering measurements itin... 10592 study problem finding maximum function defined... 10593 models collective decisionmaking considered pa... 10594 paper focuses recognition activities daily liv... 10595 monitoring structural changes ferroelectric th... 10596 work aim explore connections dynamical systems... 10597 octonion algebras rings contrast fields determ... 10598 two fundamental approaches information averagi... 10599 atomic transition addressed single tooth optic... 10600 paper calculate numbers irreducible ordinary c... 10601 paper investigates asymptotic behaviors gradie... 10602 pigeonhole principle states n items contained ... 10603 anomaly matching constrains lowenergy physics ... 10604 highspeed mhz strain monitor using fiber bragg... 10605 present functional form erdsrenyi law large nu... 10606 present memristive device based r puf construc... 10607 paper demonstrate application fuzzy markup lan... 10608 present alma detections ci co j co j emission ... 10609 finding central nodes fundamental problem netw... 10610 latest measurements cmb electron scattering op... 10611 reinforcement learning rl makes possible train... 10612 drafting strong players crucial team success d... 10613 distributions dark matter baryons universe kno... 10614 let galpha hbeta locally compact hausdorff gro... 10615 key part implementing highlevel languages prov... 10616 paper develops systematically output feedback ... 10617 one essential prerequisites detection earthlik... 10618 past years ilsvrc competition imagenet dataset... 10619 suffix trees recently become successful data s... 10620 understanding interaction valves walls heart i... 10621 optimal estimation signal amplitude background... 10622 deep learning textitdepth well textitnonlinear... 10623 define quantity cmnk generalization notion com... 10624 recent years bullying aggression users social ... 10625 robots typically created security main concern... 10626 paper considers general datafitting problem ne... 10627 develop differentially private hypothesis test... 10628 remote sensing atmospheres distant worlds moti... 10629 provide best knowledge first computational stu... 10630 designing control strategies differentialdrive... 10631 although various norms reciprocitybased cooper... 10632 online multiple testing problem pvalues corres... 10633 current gametheoretic demandside management me... 10634 give first example locally quasiconvex even co... 10635 dipole moments simple global measure accuracy ... 10636 paper explores interesting new dimension chall... 10637 estimating causal effects intervention presenc... 10638 known multicollinearity exists logistic regres... 10639 segmentation animals cameratrap images difficu... 10640 bilipschitz geometry one main subjects modern ... 10641 define action extended affine dstrand braid gr... 10642 introduce new shapeconstrained class distribut... 10643 article presents weak law large numbers centra... 10644 based geometry optimization magnetic structure... 10645 previously sevencluster pattern claiming unive... 10646 show party encrypt data epassport holder physi... 10647 show perform full likelihood inference maxstab... 10648 describe nef vector bundles projective space f... 10649 atlas collaboration replace tracking detector ... 10650 given input sound signal target virtual sound ... 10651 present method identifying coherent structures... 10652 present nonparametric joint estimation method ... 10653 calculate loop master integrals heavy quark co... 10654 propose novel distributed inference algorithm ... 10655 pebps phosphatidylethanolamine binding protein... 10656 modal description logics feature modalities ca... 10657 existence spinliquid ground state heisenberg k... 10658 paper moment problem finitedimensional vector ... 10659 paper describe concept cryptocurrency issuance... 10660 pairwise ranking methods basis many widely use... 10661 analysis part revealed interesting properties ... 10662 paper explore aggregate degrees belief group a... 10663 consider problems robust pac learning distribu... 10664 paper present realtime robust multiview pedest... 10665 ongoing future surveys repeat imaging multiple... 10666 shafers belief functions introduced seventies ... 10667 photonics sensing long valued tolerance harsh ... 10668 inductive inference process extracting general... 10669 present method computing stable models normal ... 10670 paper presents comprehensive survey existing a... 10671 analysis organizations computer network activi... 10672 consider dihedral cover f yto x x fourmanifold... 10673 introduce new sample complexity measure refer ... 10674 inability interpret model prediction semantica... 10675 survey basics things known never published thi... 10676 given potential xray radiation risk patient lo... 10677 let xgeq large number let leq q integers gcdaq... 10678 need analyze available large synoptic multiban... 10679 schizophrenia mental disorder characterized ab... 10680 gaussian mixture models one studied mature mod... 10681 argued based results numerical modelling exper... 10682 investigation coherent smithpurcell radiation ... 10683 groundbased telescopes equipped stateoftheart ... 10684 k borsuk topological conference moscow introdu... 10685 paper focuses new task ie transplanting catego... 10686 build systems essential part modern software e... 10687 essential issue freight transportation system ... 10688 experiments optical stm injection carriers lay... 10689 japanese comic format known manga popular worl... 10690 optical spectrum liquid water analyzed subsyst... 10691 type ii weyl semimetal three dimensional gaple... 10692 present simple model development shear layers ... 10693 materials composed two dimensional layers bond... 10694 prove choice parameters ktlambda class finite ... 10695 paper survey recent results adaptive robust no... 10696 consider statistical inverse problem recover f... 10697 consider system linear hyperbolic pdes state o... 10698 stereodynamics nepar penning associative ioniz... 10699 consider tunneling spinless electrons singlech... 10700 intersystem crossing radiationless process tak... 10701 denial service attacks especially pertinent in... 10702 paper reports datadriven interactionaware moti... 10703 skiroc asic readout silicon pad detectors elec... 10704 dominance annual plants traditionally consider... 10705 systems synthetic biology much research focuse... 10706 resolve thermal motion highstress silicon nitr... 10707 geodesic distance matrices reveal shape proper... 10708 work structural stability electronic propertie... 10709 construct knrrer type equivalences outside hyp... 10710 classify torsion actions free wreath products ... 10711 propose two semiparametric versions debiased l... 10712 smallcell deployment licensed unlicensed spect... 10713 paper studies numerical approximation solution... 10714 study effect adaptive mesh refinement parallel... 10715 todays artificial assistants typically prompte... 10716 imaginary conversation guido altarelli express... 10717 approximate bayesian computing powerful likeli... 10718 study word conjugacy problems lacunary hyperbo... 10719 higgs resonance modes condensed matter systems... 10720 generic text embeddings successfully used vari... 10721 instrumental variable analysis widely used met... 10722 schubert polynomials basis polynomial ring rep... 10723 since first studies thermodynamics heat transp... 10724 complex high dimensional unstructured data oft... 10725 consider numerical approach incompressible sur... 10726 propose machinelearning method evaluating pote... 10727 article consider products random walks finite ... 10728 dantzig selector ds lasso problems attracted p... 10729 design adaptive algorithms simultaneous regula... 10730 birkhoff conjecture says boundary strictly con... 10731 pedestrian crowds often include social groups ... 10732 paper derive upper lower bounds well simple cl... 10733 discuss quasiparticle entropy heat capacity di... 10734 widefield high precision photometric surveys k... 10735 plasmonassisted channeling acceleration realiz... 10736 formal verification techniques widely used det... 10737 underpotential deposition transition metal ion... 10738 many real world tasks reasoning physical inter... 10739 usage online textual media steadily increasing... 10740 show entropysgd chaudhari et al viewed learnin... 10741 learning sophisticated feature interactions be... 10742 investigate stability manybody localized mbl p... 10743 almost eegbased braincomputer interfaces bcis ... 10744 conditional fourier restriction estimates elli... 10745 measurement falls outside quantization measura... 10746 increased interest building data analytics fra... 10747 deep neural networks enabled progress wide var... 10748 investigate differential equation jacobitype p... 10749 xray absorption spectroscopy measured ledge tr... 10750 topological states matter root fascinating phe... 10751 consider large scale empirical risk minimizati... 10752 let gamma convex cocompact discrete group isom... 10753 paper investigates role tutor feedback languag... 10754 paper analyzes coexistence performance wifi ce... 10755 realtime traffic flow prediction provide trave... 10756 since introduction locally linear embedding ll... 10757 studied acetylhistidine ach bare microsolvated... 10758 quantum mechanics quantum states values physic... 10759 known set correlated equilibria nplayer noncoo... 10760 known unconfined dust explosions consist relat... 10761 data volume heterogeneity digital music conten... 10762 theoretically investigate generation intense k... 10763 demonstrate usefulness adding delay infinite g... 10764 reachability analysis hybrid systems active ar... 10765 lasso biased concave penalized least squares e... 10766 interval subset sum problem issp generalizatio... 10767 kernel methods powerful flexible approach solv... 10768 paper focuses problem estimating historical tr... 10769 present paper proposes novel method quantifica... 10770 interested dynamics quantum manybody systems c... 10771 finance durations successive transactions usua... 10772 tensile strength small dusty bodies solar syst... 10773 stateoftheart knowledge compilers generate det... 10774 working prime field characteristic two consequ... 10775 train inference network jointly deep generativ... 10776 introduce novel generative formulation deep pr... 10777 information communications technology continue... 10778 secondorder dependence structure purely nondet... 10779 present paper study match test extended regula... 10780 spinspin correlation function response low ele... 10781 consider estimating average treatment effects ... 10782 paper address problem detection classification... 10783 propose efficient method generate whitebox adv... 10784 present analyze two pathways produce commercia... 10785 model instability poor prediction longterm beh... 10786 spectroscopic study rydberg states helium n ma... 10787 work concerned tests structural breaks spot vo... 10788 present direct numerical simulations transport... 10789 recently odrzywolek rafelski arxiv found three... 10790 study effect uniform external magnetization pw... 10791 calculate qdimension kth cartan power fundamen... 10792 workers participating crowdsourcing platform w... 10793 using representation theory elliptic quantum g... 10794 notion formal duality finite abelian groups ap... 10795 eyes presented image brain processes view sing... 10796 almost two decades ago wattenberg published pa... 10797 paper novel method using convolutional neural ... 10798 nonignorable missing data likelihoodbased infe... 10799 lowtextured image stitching remains challengin... 10800 propose new method input variable selection no... 10801 article proposes new way construct computation... 10802 study minibatch diversification scheme stochas... 10803 despite long history meteor science understand... 10804 article study generalisation seibergwitten equ... 10805 hyperkamiokande next generation large water ch... 10806 present milabot deep reinforcement learning ch... 10807 quantification supervised learning task consis... 10808 data noising effective technique regularizing ... 10809 present generative method estimate human motio... 10810 quasiorder binary reflexive transitive relatio... 10811 paper study controllability stabilizability pr... 10812 article prove total variation inequalities max... 10813 study bipartite community detection networks g... 10814 paper demonstrates endtoend neural network arc... 10815 consider task estimating highdimensional direc... 10816 investigate deexcitation th nucleus via excita... 10817 well known memory effect flat spacetime parame... 10818 consider problem estimating mutual information... 10819 wigner functions forming phase space represent... 10820 intracranial carotid artery calcification icac... 10821 field structural bioinformatics seen significa... 10822 auction method developed bertsekas late relaxa... 10823 levitated optomechanics showing potential prec... 10824 purpose present paper show eilenbergtype corre... 10825 context theoretically possible rings formed ar... 10826 scientific legacy code matlaboctave compatible... 10827 customary conceive interactions constituents m... 10828 future sealevel rise drives severe risks many ... 10829 approximation power general feedforward neural... 10830 define standard borel space free arakiwoods fa... 10831 robots autonomous underwater vehicles auvs aut... 10832 paper present spectral graph wavelet approach ... 10833 paper studies robust regression problems assoc... 10834 thin liquid films ubiquitous natural phenomena... 10835 long range movement certain organisms presence... 10836 study trend filtering relatively recent method... 10837 search reliable methodology prediction light a... 10838 adversarial training shown regularize deep neu... 10839 android os become popular mobile operating sys... 10840 process monitoring involves tracking systems b... 10841 article go discuss various proper extensions k... 10842 biss investigated kind fibration called rigid ... 10843 analytic gradient routines desirable feature q... 10844 report analysis tev largescale sidereal anisot... 10845 counting objects digital images process replac... 10846 propose modification standard inverse scatteri... 10847 paper investigates estimation mean vector inva... 10848 define variety abstract termination principles... 10849 problem search satellites exoplanets exomoons ... 10850 consider following kolmogorov type hypoellipti... 10851 constraint answer set programming promising re... 10852 modern radio telescopes square kilometre array... 10853 graphs prevalent tool data science model inher... 10854 power plant complex nonstationary system tradi... 10855 studies affect labeling ie putting feelings wo... 10856 paper positively solves open problem possible ... 10857 lindelfs hypothesis one important open problem... 10858 complex systems wide variety areas biological ... 10859 practical success boolean satisfiability sat s... 10860 additive regression provides extension linear ... 10861 underwater machine vision attracted significan... 10862 recent studies shown sketches diagrams play im... 10863 recently two influential pnas papers shown pre... 10864 machine learning going era celebrated success ... 10865 development positioning technologies resulted ... 10866 consider basic problem interface two fundament... 10867 grasping complex process involving knowledge o... 10868 stateoftheart speaker diarization systems util... 10869 social networks typical attributed networks no... 10870 c nuclear magnetic resonance measurements perf... 10871 herbertsmithite zndoped barlowite two compound... 10872 nonrecurring traffic congestion caused tempora... 10873 derive closed form description convex hull mix... 10874 v nestoridis conjectured omega simply connecte... 10875 granular gases dilute ensembles particles rand... 10876 scuba ambitious sky survey sassy composed shal... 10877 paper propose novel unfitted finite element me... 10878 employ recently developed computational manybo... 10879 study fairness collaborativefiltering recommen... 10880 consider setup nonparametric blind regression ... 10881 general formulation optimization problems vari... 10882 portable computing devices include tablets sma... 10883 spinal cord stimulation enabled humans motor c... 10884 general description online procedure calibrati... 10885 media seems become partisan often providing bi... 10886 currently environment fraction automated vehic... 10887 consider problem streaming kernel regression o... 10888 stochastic differential equations sdes increas... 10889 learning encoding feature vectors terms overco... 10890 propose hmdap hybrid framework largescale data... 10891 novel approach unsupervised domain adaptation ... 10892 present detail convolutional neural network us... 10893 improving quality endoflife care hospitalized ... 10894 convolutional sparse coding csc improves spars... 10895 challenging recognize facial action unit au sp... 10896 propose effective method creating interpretabl... 10897 present simple yet useful result expected valu... 10898 new approach using hyperbolicequation system h... 10899 general easytocode numerical method based radi... 10900 learning approaches recently become popular fi... 10901 general boltzmann machine continuous visible d... 10902 introduce novel regression framework simultane... 10903 representation learning become invaluable appr... 10904 polymer models used describe chromatin folded ... 10905 complex contagion models developed understand ... 10906 network coding discuss effect sequential error... 10907 simultaneous localization mapping slam problem... 10908 characterizing patients progression stages sep... 10909 experimentalists observed phenotypic variabili... 10910 style transfer methods achieved significant su... 10911 paper proposes innovative method segmentation ... 10912 paper explore deep reinforcement learning algo... 10913 key issues pertaining collection epidemic dise... 10914 molecular beam epitaxy technique used deposit ... 10915 investigate endtoend method automatically indu... 10916 multilabel classification practical yet challe... 10917 main goal study extract set brain networks mul... 10918 combinatorial filters subject increasing inter... 10919 collective behavior active semiflexible filame... 10920 compare following two sources poor coverage po... 10921 networked data every training example involves... 10922 spatially extended systems support local trans... 10923 carbon nanotubes modeled point configurations ... 10924 investigate similarities pairs articles cocite... 10925 complementary auxiliary basis sets f explicitl... 10926 comparing traditional learning criteria mean s... 10927 novel predictor traffic flow forecasting namel... 10928 person dependent network called alterego net p... 10929 univalent homotopy type theory hott may seen l... 10930 analyze dynamics periodicallydriven floquet ha... 10931 aqinmathbbq estermann function defined dsaqsum... 10932 gametheoretic risk management framework put fo... 10933 present results multiwavelength study blazar p... 10934 one major hurdles toward automatic semantic un... 10935 paper describe easyinterface opensource toolki... 10936 introduce notion essential tangent bundle para... 10937 machine learning applications often require hy... 10938 finish classification begun two earlier papers... 10939 establishing accurate morphological measuremen... 10940 multistart algorithms common effective tool me... 10941 estimation number endmembers existing scene co... 10942 problem threeuser multipleaccess channel mac n... 10943 last two decades recurrence plots rps introduc... 10944 meta distribution signaltointerference ratio s... 10945 transport characteristics across pulsed laser ... 10946 large redshift surveys galaxies clusters provi... 10947 learning high quality class representations ex... 10948 gradient coding technique straggler mitigation... 10949 mev acceleratordriven subcritical system ads i... 10950 changes capital structure global financial cri... 10951 evanescent field surrounding nanoscale optical... 10952 analysis industrial processes modelled descrip... 10953 increasing proton beam power neutrino producti... 10954 paper presents approach quantitative modeling ... 10955 many protostellar gapped binary discs show mis... 10956 study supersymmetric version gardner equation ... 10957 many augmented reality ar applications operate... 10958 problem twodimensional steady water waves vort... 10959 study neuroinspired model mimics discussion in... 10960 article study problem controlling highway segm... 10961 portable ultrafast ultrasound us imaging syste... 10962 paper extends conventional general framework o... 10963 two modeltheoretic concepts weak saturation we... 10964 paper concerned behavior ergodic constant asso... 10965 collective behavior among coupled dynamical un... 10966 human activity recognition using smart home se... 10967 consider eigenvalue problems elliptic operator... 10968 article develops framework testing general hyp... 10969 quantum computing technologies become hot topi... 10970 recently encoderdecoder neural networks shown ... 10971 approximate dynamic programming algorithms app... 10972 spatiotemporal forecasting various application... 10973 recently machine learning used every possible ... 10974 present wifes atlas galactic globular cluster ... 10975 spread new products networked population often... 10976 develop linear algebraic framework shapefromsh... 10977 present projectively invariant description pla... 10978 modern cities growing ecosystems face new chal... 10979 many vehicles world number vehicles increasing... 10980 describe categorical models circuitbased quant... 10981 works presents formulation visual navigation u... 10982 since population projections cases produced us... 10983 existence elliptic periodic solutions perturbe... 10984 suppression interference narrowband frequency ... 10985 well known euler vortex patch mathbbr remain r... 10986 effective interaction itinerant spin degrees f... 10987 human collaborators coordinate effectively act... 10988 consider phenomenon boseeinstein condensation ... 10989 study stability electroweak vacuum lowscale in... 10990 explore spectral properties capillary dye lase... 10991 electrolyte gating widely used induce large ca... 10992 past years action mathrmpglmathbb fq set irred... 10993 provide novel notion means interpretable looki... 10994 laboratory astrophysical situations plasma wak... 10995 consider undirected mixed membership network n... 10996 paper derive nonsingular greens functions unbo... 10997 report survey molecular gas galaxies xmmxcs j ... 10998 iterative ensemble kalman filter ienkf determi... 10999 statistical algorithm categorizing different t... 11000 braincomputer interfaces bcis provide alternat... 11001 experimentally investigate bursting dynamics c... 11002 discuss low energy ee collider production yet ... 11003 introduce investigate different definitions ef... 11004 study examine collection healthrelated news ar... 11005 seminal work robust replication volatility der... 11006 explore effects asymmetry hopping parameters d... 11007 purpose propose phenotypebased artificial inte... 11008 paper address problem reconstructing timedomai... 11009 braids binfty equipped selfdistributive operat... 11010 exciton relaxation dynamics photoexcited elect... 11011 many deployed learned models black boxes given... 11012 use reinforcement learning rl learn dexterous ... 11013 new index transforms weber type kernels consis... 11014 many conventional statistical procedures extre... 11015 increasing interest use millimeter wave bands ... 11016 recent results alagic russell given evidence e... 11017 examine asymptotics spectral counting function... 11018 marchenko redatuming novel scheme used retriev... 11019 excitons plasmons two fundamental types collec... 11020 investigate evolution flavour composition cosm... 11021 analyse limiting behavior eigenvalue singular ... 11022 active communication robots humans essential e... 11023 present results investigation starforming pote... 11024 introduction deep neural networks history 11025 commercial photoncounting modules based active... 11026 shannon entropy atomic molecular chemical phys... 11027 thanks modern sky surveys twenty stellar strea... 11028 fitness species determines abundance survival ... 11029 first derive general integralturnpike property... 11030 study vortex patch problem dstratified naviers... 11031 onedimensional unsteady nozzle flow modelled i... 11032 short note provide analytical formula conditio... 11033 channelreciprocity based key generation crkg g... 11034 rational projective plane mathbbqp simply conn... 11035 progress probabilistic generative models accel... 11036 vector quantization aims form new vectorsmatri... 11037 effects spatial scale results optimisation tra... 11038 paper consider regression problems onehiddenla... 11039 rising number interconnected devices sensors m... 11040 widespread availability gps information everyd... 11041 information extraction user intention identifi... 11042 cardiovascular diseases cvds prevalent across ... 11043 paper addresses question emotion classificatio... 11044 charge transfer among individual atoms molecul... 11045 study single value shatter function set system... 11046 consider moduli space framed flat u connection... 11047 nongaussianities dynamical origin disentangled... 11048 measure theory integration exposed clear aim h... 11049 propose contextualbandit approach demand side ... 11050 present overview techniques quantizing convolu... 11051 present new experimental approach investigate ... 11052 positive definite kohnsham kinetic energykske ... 11053 paper describe attempt producing stateoftheart... 11054 discerning mutation affects stability protein ... 11055 analyze correlation starspots superflares sola... 11056 monotone systems preserve partial ordering sta... 11057 isotopic ratios comets critical understanding ... 11058 cosine dark matter search experiment started t... 11059 recent years quantum phenomena experimentally ... 11060 efficiency intracellular cargo transport speci... 11061 deep learning models consistently outperformed... 11062 using semiclassical greens function formalism ... 11063 introduce new cosmic emulator matter power spe... 11064 paper compare performance various homomorphic ... 11065 paper consider burgers equation uncertain boun... 11066 delaydifferential equations functional differe... 11067 vse transition metal dichaclogenide chargedens... 11068 procedural textures normally generated mathema... 11069 multiple planet systems provide ideal laborato... 11070 conditional generative adversarial networks cg... 11071 attainability modification apparent magnetic a... 11072 complement argument z garaev several ideas obt... 11073 ybacuoag pressure point contacts direct conduc... 11074 show zamolodchikov dynamics recurrent quiver z... 11075 macroscale robotics systems propulsion control... 11076 longrange macrodimers formed dstate cesium ryd... 11077 galactic winds starforming galaxies play key r... 11078 endtoend training automated speech recognition... 11079 even though sequencetosequence neural machine ... 11080 tutorial introduces new powerful set technique... 11081 investigate minimum cases realtime probabilist... 11082 introduce abstract notion necklical set order ... 11083 application programming interfaces apis often ... 11084 human lifespan impenetrable biological upper l... 11085 object detection provided imagelevel labels in... 11086 coverage probability user mmwave system depend... 11087 study application polar codes deletion channel... 11088 dissertation focus several important problems ... 11089 consider connect set disjoint networks optimiz... 11090 target tracking estimation unknown weaving tar... 11091 give detailed proof facts blowup horizontal cu... 11092 many machine learning applications multiple de... 11093 consider two greedy algorithms minimizing conv... 11094 study phase diagram triangularlattice qstate p... 11095 june turkey held historical election transform... 11096 insertion challenging haptic visual control pr... 11097 lorentz offaxis electron holography technique ... 11098 capturing structural temporal aspects interact... 11099 article develop algorithms data assimilation b... 11100 paper describes new algorithm solar energy for... 11101 determine group strucure rd homotopy group pig... 11102 paper investigate existence nonexistence nontr... 11103 purpose present new method evaluate accuracy e... 11104 feature selection problems arise variety appli... 11105 develop approach realize quantum switch rydber... 11106 pemantle steif provided sharp threshold existe... 11107 digital traces leave behind engaging modern wo... 11108 free presentation r f g leibniz algebra g baer... 11109 work presents new tool verify correctness cryp... 11110 consider layered decorated honeycomb lattices ... 11111 optical vortex coronagraph ovc one promising w... 11112 symbolic computation important approach automa... 11113 present general model allowing quantum simulat... 11114 network analysis techniques remain rarely used... 11115 online social networks osns become one importa... 11116 stochastic variancereduced gradient method svr... 11117 recently studies deep reservoir computing rc h... 11118 partandparcel study multiplicative number theo... 11119 topological dirac weyl semimetals host quasipa... 11120 work considers inclusion detection problem ele... 11121 given hermitian manifold mng gauduchon connect... 11122 growing interest extending traditional vectorb... 11123 investigate finitesize effects diffusion confi... 11124 known boosting interpreted gradient descent te... 11125 investigate resistive switching behaviour math... 11126 paper proposes convolutional neural network cn... 11127 quantum computing moving rapidly point deploym... 11128 consider problem learning onehiddenlayer neura... 11129 direct growth graphene semiconducting insulati... 11130 study nonconservative like sodes admitting exp... 11131 constrained markov decision process cmdp natur... 11132 role scalable highperformance workflows flexib... 11133 standard kernel quadrature method numerical in... 11134 quasirelativistic twocomponent approach effici... 11135 important preprocessing step data analysis pip... 11136 consider system n particles interacting via sh... 11137 study complexity geometric problems spaces low... 11138 present unified framework analyze global conve... 11139 paper propose eigenvalue analysis system dynam... 11140 article present brief narration origin overvie... 11141 prove integer programming three quantifier alt... 11142 dictionary learning component analysis part on... 11143 despite wide use machine learning adversarial ... 11144 communities ubiquitous nature society individu... 11145 let xlambdaldotsxlambdan dependent nonnegative... 11146 termresolution provides elegant mechanism prov... 11147 article concerned quantitative unique continua... 11148 enable electric vehicles evs access internet i... 11149 betweenness centralitymeasuring many shortest ... 11150 understanding nature turbulent fluctuations io... 11151 neural field theory used quantitatively analyz... 11152 address problem cameratolaserscanner calibrati... 11153 use volunteers emerged lowcost alternative gen... 11154 objective coupling neuronal populations magnit... 11155 synchronized measurements large power grid ena... 11156 study poolbased active learning abstention fee... 11157 many chemical systems cannot described quantum... 11158 shape analyses tephra grains result understand... 11159 highperformance computing resources constant i... 11160 visual question answering recently proposed ar... 11161 natural microswimmers interplay swimming activ... 11162 article construct twoblock gibbs sampler using... 11163 understanding excited carrier dynamics semicon... 11164 robots gained relevance society increasingly p... 11165 rapport plays important role communication hel... 11166 main theorems paper least transitive model kel... 11167 present nearinfrared spectra candidate planeta... 11168 efficient bayesian technique estimation proble... 11169 investigated tunneling current suspended graph... 11170 graph convolutional network gcn model variants... 11171 many different relatedness measures based inst... 11172 nowadays many companies available large amount... 11173 investigate butterfly effect charge diffusion ... 11174 although superconducting cuprates display char... 11175 paper use deep feedforward artificial neural n... 11176 purpose work mostly expository aims elucidate ... 11177 simulationbased image quality metrics adapted ... 11178 temporaldifference learning td sutton function... 11179 show first order theory lattice open sets natu... 11180 cloud server spent lot time energy money train... 11181 study smallscale highfrequency turbulent fluct... 11182 hormozgan province located south iran faces se... 11183 biological cellular systems often modeled grap... 11184 study empirical statistical gap distributions ... 11185 mobile payment systems increasingly used simpl... 11186 deep convolutional neural networks cnn stateof... 11187 study spin deformedaklt models square lattice ... 11188 consider statistical estimation superhedging p... 11189 paper proves irreducible subfactor planar alge... 11190 latest techniques neural networks support vect... 11191 weak gravitational lensing alters apparent sep... 11192 solitons important significant many fields non... 11193 explore several problems related ruled polygon... 11194 recent nobelprizewinning detections gravitatio... 11195 selfdoping effect outer inner cuo planes ops i... 11196 player selection one important tasks sport cri... 11197 probabilistic modeling enables combining domai... 11198 supermassive black holes known coevolve host g... 11199 many different approaches neural network based... 11200 providing systems ability relate linguistic vi... 11201 paper study limitations parallelization convex... 11202 applying principle equivalence analogous einst... 11203 demand response programs price incentives migh... 11204 letter introduce distributed nesterov method t... 11205 one important features mobile rescue robots ab... 11206 well known normaized characters integrable hig... 11207 solve spectrum scarcity problem cognitive radi... 11208 growing interest high dimensional functional d... 11209 extended dynamic mode decomposition edmd algor... 11210 r version patched issue random sampling functi... 11211 quasinormal modes qnm ringdown phase gravitati... 11212 investigations higherorder type theories relat... 11213 evaluation fbst fully bayesian significance te... 11214 propose minimal solution pose estimation using... 11215 embedding methods word embedding become pillar... 11216 rnabinding proteins rbps play crucial roles ma... 11217 transition metal oxides tmos complex electroni... 11218 presence background noise interference arrival... 11219 currently diagnosis skin diseases based primar... 11220 bayesian optimization bo become effective appr... 11221 study networks firms leontief production funct... 11222 paper study stochastic gradient descent sgd me... 11223 consistent demand better performance lead inno... 11224 covariate shift relaxes widelyemployed indepen... 11225 across smartgrid smartcity applications proble... 11226 common feature various plasmonic schemes abili... 11227 present method memory footprint reduction fftb... 11228 note prove paynetype conjecture behaviour noda... 11229 aim note give alternative proof theorem koras ... 11230 paper primarily concerned asymptotic behavior ... 11231 paper develops inverse reinforcement learning ... 11232 consider question accurately efficiently compu... 11233 work derive new kind rainbow functions general... 11234 reinterpret kims nonabelian reciprocity maps a... 11235 instance labeldependent label noise iln widely... 11236 study problem community detection hypergraphs ... 11237 give finite presentations saturated cluster mo... 11238 prove characterization tquery quantum algorith... 11239 present parallel forwardbackward pruning pfbp ... 11240 detection gravitational waves gws generated me... 11241 markovchain model developed purpose estimation... 11242 note paper superceded blackbox adversarial att... 11243 family mathcal fsubset nchoose k usq fldots fs... 11244 electrostatic interactions play fundamental ro... 11245 theory receptorligand binding equilibria long ... 11246 spincharge separation known broken many physic... 11247 inconceivable chaotic world would look humans ... 11248 paper adopt categorytheoretic approach concept... 11249 selfconsistent harmonic approximation effectiv... 11250 resolve conflicts among norms various nonmonot... 11251 develop fast spectral algorithms tensor decomp... 11252 study problem testing conductance setting dist... 11253 recently single crystalline carbon nitride mat... 11254 automatic segmentation liver lesions fundament... 11255 work characterize combinatorial metrics admitt... 11256 optical nearinfrared photometry optical spectr... 11257 article give full description topology one dim... 11258 suggest ultrahighenergy uhe cosmic rays crs ma... 11259 study breakdown epidemic depends parameters ex... 11260 consider asymptotics large external magnetic f... 11261 handbuilt verb clusters widely used levin clas... 11262 remoteness sun harsh conditions prevailing sol... 11263 atoms covalent solids rearrange mediumrange le... 11264 models often defined conditional rather joint ... 11265 estimation intensity point process considered ... 11266 consider particular type sqrtliouville quantum... 11267 give new constructions two classes algebraic c... 11268 paper investigates problem fitting protein com... 11269 paper provides link timedomain frequencydomain... 11270 propose intelligent proactive content caching ... 11271 juno orbiter provided improved estimates even ... 11272 generative adversarial networks gans promising... 11273 characteristic feature differentialalgebraic e... 11274 java platform thirdparty libraries provide var... 11275 paper presents light detection ranging lidar d... 11276 propose new blind source separation algorithm ... 11277 upperdivision physics students spend much time... 11278 accurate automated detection anomalous samples... 11279 magnetic properties pyrochlore iridate materia... 11280 report discovery analysis planetary microlensi... 11281 present singlechannel phasesensitive speech en... 11282 monic polynomial dx even degree express sqrt l... 11283 spatially resolving immediate surroundings you... 11284 low rank matrix completion lrmc problem low ra... 11285 glance humans make rich predictions future sta... 11286 context clouds already detected exoplanetary a... 11287 found dirac nodal lines dnls band structures m... 11288 hair cells auditory vestibular systems capable... 11289 external localization essential part indoor op... 11290 natural language elements eg todo comments fre... 11291 information extraction ie text largely focused... 11292 domestic violence dv global social public heal... 11293 provide numerical evidence demonstrating neces... 11294 electron ptychography seen recent surge intere... 11295 modeled laserinduced transient current wavefor... 11296 isolated quantum manybody systems integrable d... 11297 first consider additive brownian motion proces... 11298 paper complete study started pi evolution inve... 11299 mosquitoes major vector malaria causing hundre... 11300 paper presents generic bayesian framework enab... 11301 paper propose supervised learning system count... 11302 woodin shown measurable woodin cardinal approp... 11303 collective effects deformed atomic nuclei pres... 11304 propose efficient scalable method incrementall... 11305 study pumping lemma wordtree languages generat... 11306 order alleviate data sparsity overfitting prob... 11307 cognitive arithmetic studies mental processes ... 11308 arbitrarily many pairwise inequivalent modular... 11309 anomaly detection static networks extensively ... 11310 work explore utility locally differentially pr... 11311 propose method feature selection employs kerne... 11312 demonstrate existence excited state excitonpol... 11313 paper discuss generalized hamming weights clas... 11314 examine systematically inconsistency cosmologi... 11315 theoretically investigate spin injection ferro... 11316 contactassisted protein folding made good prog... 11317 semiorder model preference relations element x... 11318 let rn mathfrak mn n ge infinite sequence regu... 11319 deep neural networks notorious sensitive small... 11320 introduce new model teaching named preferenceb... 11321 study binary spinmixture zerotemperature repul... 11322 ideal test equivalence principle test masses f... 11323 understand emergent magnetic monopole dynamics... 11324 hexatic phase predicted theories twodimensiona... 11325 despite fact observed gradient water content a... 11326 traffic forecasting particularly challenging a... 11327 consider two types averaging complex covarianc... 11328 paper characterizes capacity region gaussian m... 11329 lifestyles valuable model understanding indivi... 11330 availability powerful computers iterative reco... 11331 propose two algorithms find local minima faste... 11332 mean growth rate state vector evaluated genera... 11333 doctors often rely past experience order diagn... 11334 machine learning ml deep learning dl models ac... 11335 define formal affine demazure algebra formal a... 11336 homographs words different meanings surface fo... 11337 show hitchin representation determined spectra... 11338 digital pathology one promising fields diagnos... 11339 present algorithm generate synthetic datasets ... 11340 given widespread popularity spectral clusterin... 11341 stochastic block model widely used detecting c... 11342 ego networks proved valuable tool understandin... 11343 space less one decade search majorana quasipar... 11344 performed comparative study extraction largesc... 11345 propose conjectural explicit formula generatin... 11346 describe method formationchange trajectory pla... 11347 bubbly flows present bubble column reactors si... 11348 paper study problem sampling given probability... 11349 madry lab recently hosted competition designed... 11350 difficult problems described terms interacting... 11351 describe sockeye version opensource sequenceto... 11352 shape information great importance many applic... 11353 present day aes one widely used secure encrypt... 11354 establish natural connection qvirasoro algebra... 11355 paper examines noise handling properties three... 11356 despite ubiquity daily lives ai starting make ... 11357 grigorievg koshevoy recently proved tropical s... 11358 study normal closure big power one several deh... 11359 cyber physical systems cps becoming ubiquitous... 11360 treatment effects estimated observational data... 11361 analytical electron microscopy spectroscopy bi... 11362 consider problem global optimization unknown n... 11363 study proposes fully convolutional network fcn... 11364 recent technological development enabled resea... 11365 modern technology producing extremely bright c... 11366 many realworld applications require robust alg... 11367 recombination charges important process organi... 11368 gaussian mixture models gmm powerful parametri... 11369 study effect constant shifts zeros rational ha... 11370 joint visual attention characterized two indiv... 11371 consider ibvp exterior domains plaplacian para... 11372 using sample galaxies selected sloan digital s... 11373 deep network pruning effective method reduce s... 11374 propose systematic learningbased approach gene... 11375 vision sensors lie heart computer vision many ... 11376 propose methodology adapts graph embedding tec... 11377 electrical conductivity dielectric properties ... 11378 one varieties pores often found natural artifi... 11379 successful programs written maintained one asp... 11380 last decade neural network kernel adaptive fil... 11381 memory great impact evolution every process re... 11382 camassaholm equation twocomponent camassaholm ... 11383 hydrodynamic regime evolution stochastic latti... 11384 maxmixture processes defined z maxax ay x asym... 11385 purpose paper point new connection information... 11386 quantized neural networks qnns use low bitwidt... 11387 frame problem fp puzzle philosophy mind episte... 11388 paper present data visualization method togeth... 11389 early universe dominated nonminimally coupled ... 11390 examine relationship double schubert polynomia... 11391 inflation massive fields contribute power spec... 11392 lecture notes concerned solvability second bou... 11393 text contains three hundred specific open ques... 11394 present senmr measurements singlecrystalline f... 11395 present study proposes litstoryteller interact... 11396 conventional sound shielding structures typica... 11397 traditional dictionary learning methods based ... 11398 introduce stopcode tolerant sct approach train... 11399 introduce dual matroids dimensional simplicial... 11400 linear nonlinear optical properties low dimens... 11401 prove general family congruences bernoulli num... 11402 completely positive completely bounded mutlipl... 11403 paper investigate number integer points lying ... 11404 electronic magnetic properties dna structures ... 11405 paper stochastic model regime switching develo... 11406 employing ab initio calculations discuss chemi... 11407 early accurate identification parkinsonian syn... 11408 structured prediction energy networks spens si... 11409 selfaction features wave packets propagating t... 11410 propose network independent handheld system tr... 11411 paper show controllers created using data driv... 11412 rectangular grid formed liquid filaments parti... 11413 cyberphysical system cps defined unique charac... 11414 chemotaxis ubiquitous biological phenomenon ce... 11415 jupiters banded appearance may appear unchangi... 11416 paper offers methodological contribution inter... 11417 paper axiomatic study consistent approvalbased... 11418 address problem predicting solvation free ener... 11419 paper study sharp generalizations dotfpq multi... 11420 diagnosis disease one major objective predict ... 11421 let x smooth projective manifold dimmathbbc xn... 11422 ordered l feni phase tetrataenite recently con... 11423 orientationpreserving branched covering f near... 11424 article introduces planar shape signatures der... 11425 paper investigates asymptotic behavior overhea... 11426 interplay almost degenerate levels quantum dot... 11427 know global optimization problems cannot solve... 11428 dictionaries collections vectors used represen... 11429 recent years variation autoencoders become one... 11430 complex projective manifold rationally connect... 11431 define koszul sign map encoding koszul sign co... 11432 spaceborne lowto mediumresolution r transmissi... 11433 introduce concept multiplicatively closed subs... 11434 concept hybrid readout time projection chamber... 11435 introduce describe results novel shared task b... 11436 learning reproducing kernel hilbert spaces rkh... 11437 investigate dynamics coupled waveguide system ... 11438 text extraction important problem image proces... 11439 longlead forecasting spatiotemporal systems of... 11440 imaging modalities recording diffraction data ... 11441 consider problem annual mean temperature predi... 11442 issue time reversible microscopic dynamics giv... 11443 motivated relatively delayoptimal scheduling r... 11444 survey recent developments hausdorff dimension... 11445 consider theoretical properties model encompas... 11446 coupled evolution magnetic field flow earths c... 11447 paper present novel approach broadcasting info... 11448 several studies shown stellar activity feature... 11449 distributions species lifetimes species space ... 11450 problem routing graphs using nodedisjoint path... 11451 gaussian random fields popular models spatiall... 11452 show discovery robust scalable numerical solve... 11453 according principle polyrepresentation retriev... 11454 although bayesian inference immensely popular ... 11455 despite outstanding achievements modern cosmol... 11456 paper investigate zeros difference polynomials... 11457 spreadsheets erroneous research found endusers... 11458 investigate modulational instability mi asymme... 11459 discovering automatically semantic structure t... 11460 present new method generating mixture models d... 11461 let omegasubsetmathbb rn lipschitz domain give... 11462 paper address cardinality estimation problem i... 11463 consider nonstationary sequential stochastic o... 11464 report study spin conductance ultrathin films ... 11465 work focus approach noncommutative formal powe... 11466 deep generative networks provide powerful tool... 11467 deep neural networks large number parameters h... 11468 persistent currents bose condensates scalar or... 11469 generality one main advantages heuristic algor... 11470 model predictive control mpc principal control... 11471 majority yes votes constitutional referendum t... 11472 paper discusses efficient bayesian estimation ... 11473 colorado conducted risklimiting tabulation aud... 11474 hubble space telescope fine guidance sensor as... 11475 paradox model social dynamics determined votin... 11476 discrete truncated wigner approximation dtwa s... 11477 paper investigate parametric weight knapsack p... 11478 markov processes well understood case take pla... 11479 present analysis results eclipsing cataclysmic... 11480 calibration individual based models ibms succe... 11481 health insurance companies brazil data claims ... 11482 corteel savelief vuleti generalized concept ov... 11483 data driven research android gained great mome... 11484 humans increasingly stressing ecosystems via h... 11485 recent experiments show natural artificial mic... 11486 analyzing empirical data often find global lin... 11487 technological developments call increasing per... 11488 pulserecloser uses pulse testing technology ve... 11489 network alignment problem asks best correspond... 11490 give nonparametric methodology hypothesis test... 11491 sports channel video portals offer exciting do... 11492 investigate dynamic correlations hardcore boso... 11493 article consider problem estimating parameters... 11494 letter adopts long shortterm memorylstm predic... 11495 great progress recently formally specifying me... 11496 lineage tracing joint segmentation tracking li... 11497 consider generalization kmedian kcenter called... 11498 brain signal data inherently big massive amoun... 11499 every automorphisminvariant right nonsingular ... 11500 present visible spectra aglike df cdlike df io... 11501 introduce gradient flow formulation linear bol... 11502 present constraints masses active sterile neut... 11503 paper present bubbleview alternative methodolo... 11504 present study influence disorder mott metalins... 11505 present methodology detail implementation dark... 11506 synthesizing userintended programs small numbe... 11507 performed simulations solid molecular hydrogen... 11508 method described detection estimation transien... 11509 derive hilbert space formalism quantum mechani... 11510 paper construct global actionangle variables c... 11511 block maxima method extreme value theory consi... 11512 demonstrate active tuning alldielectric metasu... 11513 study problem semisupervised question answerin... 11514 propose approach showing rationality algebraic... 11515 availability large databases recent improvemen... 11516 wte sister alloys attracted tremendous attenti... 11517 learning social media data embedding deep mode... 11518 traditional supervised learning makes closedwo... 11519 applied statisticians use sequential regressio... 11520 interpretability become incredibly important m... 11521 let e closed set riemann sphere widehatmathbbc... 11522 ai applications emerged current world among ai... 11523 monadic programming datatypes presented free a... 11524 give faster algorithms producing sparse approx... 11525 introduce generalized kfl sequence special kin... 11526 crucial importance metrics machine learning al... 11527 kuramotosivashinsky pde line odd periodic boun... 11528 present full results decadelong astrometric mo... 11529 velocity anisotropy parameter beta measure kin... 11530 computational flow pair consisting sequence co... 11531 let n compact connected nonorientable surface ... 11532 electric thermal transport properties nu fract... 11533 report longitudinal epsilonnearzero lenz film ... 11534 trend increasing wind turbine rotor diameters ... 11535 p based vx communication uses stochastic mediu... 11536 prove moment inequalities class functionals ii... 11537 multiarmed bandit mab problem classic example ... 11538 study least squares regression problem beginal... 11539 permutation tests among simplest widely used s... 11540 gaussian belief propagation bp widely used dis... 11541 static dynamic properties vortices twocomponen... 11542 advances remote sensing technologies made poss... 11543 multiresolution analysis matrix factorization ... 11544 let k algebraically closed field polynomial al... 11545 magnesium alloys considered biodegradable biom... 11546 article discuss probabilistic interpretation m... 11547 process control systems nowadays process measu... 11548 popular bfgs quasinewton minimization algorith... 11549 volunteer computing vc distributed computing p... 11550 develop theory quasiparticle interference qpi ... 11551 almost twenty years ago er fernholz introduced... 11552 introduce approach based givens representation... 11553 silicon singlephoton detectors spds key device... 11554 many statistical applications concern mathemat... 11555 investigate identification hydrogenpoor superl... 11556 empirical relation indicates increase living s... 11557 investigate family regression problems semisup... 11558 consider nonlinear schrdinger nls equation sub... 11559 paper interested multifractional stable proces... 11560 report observation unusual kind solar microfla... 11561 study commutative positive varieties languages... 11562 present model contagion unifies generalizes ex... 11563 luminous efficiency meteors poorly known criti... 11564 van der waals vdw density functional implement... 11565 analyze interiors hdb c among coolest super ea... 11566 give complete classification isomorphism lie c... 11567 prove two smooth families connected domains cc... 11568 improve existing lower bounds hyperbolic dimen... 11569 important problem many domains predict system ... 11570 multivariate cogarch volatility process show s... 11571 short essay discuss basic features cognitive a... 11572 trigram love expected followed positive words ... 11573 deep neural networks dnns achieved superior pe... 11574 hylleraasbsplines basis set introduced paper u... 11575 revival south equatorial belt seb organised di... 11576 regularization important endtoend speech model... 11577 maximum coercivity achieved given hard magneti... 11578 formulate n soliton solution wadatikonnoichika... 11579 repairing locality appreciated feature distrib... 11580 kiyota murai wada conjectured largest eigenval... 11581 exist many ways build orthonormal basis mathbb... 11582 design new algorithms combinatorial pure explo... 11583 tungsten oxide associated bronzes compounds tu... 11584 examine problem transforming matching collecti... 11585 critically review recent debate doreen fraser ... 11586 needed ensure integrity systems process sensit... 11587 network support key success factor talented pe... 11588 paper shows perturbed form gradient descent co... 11589 article outlines different stages development ... 11590 reliable uncertainty estimation time series pr... 11591 paper consider vehicular network wireless node... 11592 context information technology consumes worlds... 11593 introduce parseval networks form deep neural n... 11594 high purity zinc selenide znse crystals produc... 11595 algorithms equilibrium computation generally m... 11596 propose probabilistic model aggregate answers ... 11597 debris disk morphology wavelength dependent du... 11598 water pollution major global environmental pro... 11599 high luminosity lhc cms detector need charged ... 11600 one prevalent symptoms among elderly populatio... 11601 nonconvex penalty methods sparse modeling line... 11602 mobile phones identification built components ... 11603 paper demonstrates apply machine learning algo... 11604 article outlines memoriam prof pavel zampas co... 11605 consider problem classifying data manifolds ma... 11606 magnetism ordered disordered lanimno explained... 11607 partially observable markov decision process p... 11608 multitask learning mtl led successes many appl... 11609 largearea simcm films vertical heterostructure... 11610 conjecture formula generating function virtual... 11611 using variational bayes neural networks develo... 11612 theorems techniques form different types trans... 11613 suppose alice bob located distant laboratories... 11614 study bratteli diagram sylow subgroups symmetr... 11615 paper prove proper conditions bootstrap debias... 11616 recently owen proposed use hilberts space fill... 11617 stratum defacto mining communication protocol ... 11618 paper provides comparison kstructure unipotent... 11619 paper introduces new free library python progr... 11620 objectivity often considered ideal scientific ... 11621 work report synthesis structural electronic ma... 11622 consider linear regression problem semisupervi... 11623 five simple soft sensor methodologies two upda... 11624 developed new datadriven paradigm rapid infere... 11625 deep neural networks stateoftheart methods man... 11626 present note consider problem constructing hon... 11627 second companion paper arxiv consider morphism... 11628 consider twophase flow two incompressible visc... 11629 mobas represent huge segment online gaming gro... 11630 study twoplayer inclusion games played wordgen... 11631 migration planets nearly circular noninclined ... 11632 researched motion gas subnanochannel functiona... 11633 implementation optimal power flow opf methods ... 11634 present theoretical calculations interpret opt... 11635 photoelectron spectrum water recorded vicinity... 11636 virtue balmers celebrated theorem classificati... 11637 study underdamped langevin diffusion log targe... 11638 direct numerical simulation performed study co... 11639 development spiking neural network simulation ... 11640 propose algorithm separate simultaneously spea... 11641 quest biologically plausible deep learning dri... 11642 signed networks crucial tool modeling friend f... 11643 recently proposed general ensemblebased featur... 11644 tasb predicted theoretically proposed magnetot... 11645 training generative adversarial networks diffi... 11646 work concerned prime factor decomposition pfd ... 11647 purpose note prove dispersive estimates wave e... 11648 finite volume complete hyperbolic manifold qua... 11649 solids deform fluids flow soft glassy material... 11650 describe technical effort used process volumin... 11651 show recently introduced iterative backflow re... 11652 prove winding number pattern p winding number ... 11653 let afn normalized fourier coefficients gl maa... 11654 present letter editor one series publications ... 11655 paper give explicit expressions differentialdi... 11656 construct new family high genus examples free ... 11657 thesis presents design analysis validation hie... 11658 recent results suggested active galactic nucle... 11659 degree ssortativity tendency nodes high degree... 11660 propose unified framework establishing existen... 11661 aggregate analysis comparing countrywise sales... 11662 paper investigate behavior thermoelectric dc c... 11663 among several quantitative invariants found ev... 11664 present novel method obtaining highquality dom... 11665 bulk sensitive hard xray photoelectron spectro... 11666 consider graph vertices bitstrings length n ex... 11667 trained classifiers must often operate data co... 11668 paper find condition finsler space kropina cha... 11669 grow nearly freestanding singlelayer twte grap... 11670 paper concerned structured machine learning su... 11671 paper investigates identify requirement develo... 11672 investigate galaxy overdensity around protoclu... 11673 dark matter search project means ultra high pu... 11674 recurrent neural networks dominant models many... 11675 physical mechanisms laserinduced periodic surf... 11676 ssds currently replacing magnetic disks many a... 11677 recent paper giardin giberti hofstad prioriell... 11678 keyphrase boundary classification kbc task det... 11679 aim article construction interior motive picar... 11680 present new topic model generates documents sa... 11681 article problems related multiscale modelling ... 11682 revisit problem characterizing eigenvalue dist... 11683 mathcalgi distribution able characterize diffe... 11684 present novel optimization method named combin... 11685 information forms basis human behavior includi... 11686 paper evaluates influence maximum vehicle acce... 11687 let zn finite commutative ring residue classes... 11688 demonstrate existence novel quasiparticle exci... 11689 future grid scenario analysis requires major d... 11690 pumpprobe electron energyloss spectroscopy eel... 11691 consider families symmetric linear programs lp... 11692 chime telescope canadian hydrogen intensity ma... 11693 present article analyse behaviour new family k... 11694 theoretically investigate mechanical stability... 11695 twolayer shallow water type model proposed des... 11696 chondrules primitive materials solar system fo... 11697 edit distance dcj model computed linear time g... 11698 learningbased hashing methods widely used near... 11699 given dimensional scheme mathbbx projective sp... 11700 widespread confusion role projectivity likelih... 11701 work derive relations generating functions dou... 11702 considerable literature developed various fund... 11703 mixedness quantum state usually seen adversary... 11704 paper introduces new concept stochastic depend... 11705 experimentally explore topological maxwell met... 11706 report detailed study transport coefficients b... 11707 realworld scenarios appealing learn model carr... 11708 newage directionsensitive darkmattersearch exp... 11709 lack opensource tools hyperspectral data visua... 11710 study problem searching tracking collection mo... 11711 prove regularity estimates entropy solutions s... 11712 analyze ground state localization properties a... 11713 propose calibrated filtered reduced order mode... 11714 interaction light atomic sample containing lar... 11715 technological advancement wireless sensor netw... 11716 j willard gibbs elementary principles statisti... 11717 work focus multilingual systems based recurren... 11718 spiders spectroscopic identification erosita s... 11719 taskspecific word identification aims choose t... 11720 introduce simple subuniversal quantum computin... 11721 present psimssm model based upsi extension min... 11722 reliable extraction cosmological information c... 11723 given geometric path timeoptimal path tracking... 11724 consider deep classifying neural networks expo... 11725 study statistical inference smallnoiseperturbe... 11726 visualization tabular datafor presentation exp... 11727 strong electron interactions drive metallic sy... 11728 use variant technique laca give sparse lplogl ... 11729 sterile neutrinos natural extensions standard ... 11730 probabilistic mixture models widely used diffe... 11731 paper presents kinematic analysis ppps paralle... 11732 context gravitational lensing time delay metho... 11733 projective plane piq necessarily desarguesian ... 11734 present sketchrnn recurrent neural network rnn... 11735 paper presents privileged multilabel learning ... 11736 refine result last two authors diophantine app... 11737 trace norm regularization widely used approach... 11738 reaction networks mainly used model timeevolut... 11739 paper introduce notions rm fpninjective rm fpn... 11740 given straightline drawing gamma graph gve eve... 11741 light curves show flux variation target star o... 11742 consider problem performing inverse reinforcem... 11743 paper introduce analyse langevin samplers cons... 11744 success automated driving deployment highly de... 11745 americas transportation infrastructure backbon... 11746 crosslaminated timber clt prefabricated solid ... 11747 representing domain knowledge crucial task wid... 11748 investigate constraint results inflation model... 11749 classical mechanics light particle bound stron... 11750 introduce new isomorphisminvariant notion entr... 11751 assistive robotic devices used help people upp... 11752 influence diagrams decisiontheoretic extension... 11753 obtained oh spectra four transitions pi ground... 11754 graphene nanoribbons armchair edges studied ex... 11755 given important role galaxy bispectrum recentl... 11756 article brief introduction rapidly evolving fi... 11757 measure field dependence spin glass free energ... 11758 two channels said equivalent degraded space eq... 11759 paper presents transient numerical simulations... 11760 charge modulations considered leading competit... 11761 paper proposes new approach construct high qua... 11762 paper studies problem detection tracking gener... 11763 demonstrate new approach calibrating spectrals... 11764 field discrete event simulation optimization t... 11765 present deeply supervised object detector dsod... 11766 data enables nongovernmental organisations ngo... 11767 past decade seen increasing body literature de... 11768 necessary sufficient conditions finite semihyp... 11769 paper introduce notion auslander modules inspi... 11770 current formal approaches successfully used fi... 11771 compared conventional accelerators laser plasm... 11772 study problem detecting humanobject interactio... 11773 paper presents model dynamical system particle... 11774 paper scalable whole slide imaging swsi novel ... 11775 motivation understanding functions proteins sp... 11776 investigate prospects micronscale acoustic wav... 11777 paper examines problem adaptive influence maxi... 11778 work presents evaluation study using force fee... 11779 despite popularly referred ultimate solution p... 11780 deep neural networks known difficult train due... 11781 main aim paper extend one main results iwaniec... 11782 logarithmic score information divergence appea... 11783 integer n present explicit formulation compact... 11784 online services emerge areas life voting proce... 11785 paper third series completes description radia... 11786 lowprofile patterned plasmonic surfaces synerg... 11787 hamiltonian dynamics applied study slipstackin... 11788 intense pulsed ion beams locally heat material... 11789 undertake systematic comparison implied volati... 11790 propose novel method directly learn stochastic... 11791 address problems underlying algorithmic questi... 11792 calculate model theoretic ranks painlev equati... 11793 review basic concepts possible pore structures... 11794 causal discovery broadens inference possibilit... 11795 paper combine concepts riemannian optimization... 11796 paper introduce combinatorial formula ekelandh... 11797 paper describe novel approach cocktail party p... 11798 normal conductor placed good contact supercond... 11799 study parameter estimation parabolic linear se... 11800 consider constrained assortment optimization p... 11801 obtained energy spectra cosmic ray b c mg fe n... 11802 advanced optimization algorithms newton method... 11803 propose novel formulation approximating reacha... 11804 prove continuous embedding allows us obtain bo... 11805 new cyber attack pattern advanced persistent t... 11806 autonomous driving getting lot attention last ... 11807 though deep neural networks achieved significa... 11808 issue effect interactions topological states c... 11809 academic engagement accelerate crowd commercia... 11810 present novel affinegradient based local binar... 11811 combine aspects notions finite decomposition c... 11812 consider steady nonlinear free surface flow pa... 11813 laxcaxmno lcmo studied framework density funct... 11814 analyze time evolution statistical distributio... 11815 era vast spectroscopic surveys focusing galact... 11816 using unfolding operators periodic homogenizat... 11817 sachdevyekitaev model argue entanglement entro... 11818 inspired work henn lannes schwartz unstable al... 11819 single star systems like solar system comets d... 11820 study twophoton laser excitation energy level ... 11821 boseeinstein condensate confined ring shaped l... 11822 deep learning networks achieved stateoftheart ... 11823 traditional web search forces developers leave... 11824 paper propose first homomorphic based proxy re... 11825 explore competition coupling vibrational elect... 11826 demonstrate electric fields arbitrary time pro... 11827 computation semantic similarity concepts impor... 11828 associated closed quantum subgroup gsubset un ... 11829 following show strong comparison principle fra... 11830 distribution metals intracluster medium encode... 11831 click rate ctr prediction important native adv... 11832 consider closest lattice point problem distrib... 11833 capacity quantum channel characterizes limits ... 11834 conformally variational riemannian invariants ... 11835 one promising approaches overcome uncertainty ... 11836 data poisoning attack machine learning models ... 11837 macroscopic models systems involving diffusion... 11838 monomolecular drug carriers based calixnarenes... 11839 visual surveillance systems necessary recogniz... 11840 study extension active learning learning algor... 11841 many digital functions studied literature eg s... 11842 psychological measurements two levels distingu... 11843 line bundles rational degree defined using per... 11844 linear structural equation models relate compo... 11845 increasing number twodimensional materials inc... 11846 paper present novel construction nonhomogeneou... 11847 tunka radio extension tunkarex antenna array c... 11848 calculations correlations rabi frequency hdelt... 11849 animal groups exhibit emergent properties cons... 11850 using bmc beamline advanced photon source aps ... 11851 randomized quasimonte carlo rqmc sampling brin... 11852 relational data usually highly incomplete prac... 11853 many parallel machines time lqcd applications ... 11854 describe purelymultiplicative method extending... 11855 daily perceptual experience driven different n... 11856 reduce data collection time deep learning robu... 11857 mechanical behaviors monolayer black phosphore... 11858 ward identities charge heat currents derived p... 11859 short electron pulses demonstrated trigger con... 11860 models simulate environments change response a... 11861 shockleyqueisser limit one fundamental results... 11862 communication present detailed study effect ch... 11863 model selection validation data essential step... 11864 motivation scratch assay standard experimental... 11865 robust analysis coauthorship networks based hi... 11866 introduction identification bloodbased metabol... 11867 article considers minimal nonzero indecomposab... 11868 let adelta weak multiplier hopf algebra pair n... 11869 recent advances bandit tools techniques sequen... 11870 modern reinforcement learning algorithms reach... 11871 antiferromagnetic ising chain transverse longi... 11872 give rigorous analysis statistical behavior gr... 11873 task multistep ahead prediction language model... 11874 common approach designing scalable algorithms ... 11875 paper describe simode separable integral match... 11876 prove following generalization classical lichn... 11877 paper introduce online service delay problem p... 11878 influence superheat treatment microstructure d... 11879 paper presents refinements executioncachememor... 11880 within standard framework quasisteady flight p... 11881 paper interested problem learning overcomplete... 11882 study categories governing infinity wheeled pr... 11883 rakingratio method statistical computational m... 11884 predicting efficacy drug given individual usin... 11885 vagueness something everyone familiar fact peo... 11886 present unique application oxram devices cmos ... 11887 investigate gooshanchen gh shifts reflected tr... 11888 discuss potential advantages calculating effec... 11889 signed network network link associated positiv... 11890 fastica algorithm popular dimension reduction ... 11891 emerging single elemental layered material low... 11892 following wigert great number authors includin... 11893 article extends bimetric formulations massive ... 11894 analyze dynamics online algorithm independent ... 11895 integrated photonics leading platform quantum ... 11896 comparing average citation impact research gro... 11897 generalizations classical theta functions prop... 11898 challenge molecular quantum dynamics qd calcul... 11899 paper consider problem pursuitevasion using mu... 11900 theory secondorder nonlinear elliptic paraboli... 11901 purpose study investigate structure evolution ... 11902 alternative expressions calculating oblate sph... 11903 learning cooperative policies multiagent syste... 11904 ablation solid tin surfaces nanometerwavelengt... 11905 precise local measurements h rely observations... 11906 deep learning thrives large neural networks la... 11907 conventional secret sharing cheaters submit po... 11908 paper presents center mass com based manipulat... 11909 present paper continuum model introduced fluid... 11910 convergence speed stochastic gradient descent ... 11911 paper studies problem inverse visual path plan... 11912 reconsider minimization compliance two dimensi... 11913 help planning intervehicular communication net... 11914 many different volumes could produce xray imag... 11915 consider minimization stochastic functionals c... 11916 performed highresolution powder xray diffracti... 11917 conditional generators learn data distribution... 11918 need develop models predict motion microrobots... 11919 employ hybrid approach determining anomalous d... 11920 study impact thermal inflation formation cosmo... 11921 prove space dominantnonconstant holomorphic ma... 11922 time spent leisure minor research question ack... 11923 paper interested problem image segmentation gi... 11924 anisotropy friction force proved important fac... 11925 combinatorial auctions designer must decide al... 11926 adaptability convolutional neural network cnn ... 11927 ylinked twosex branching process mutations bli... 11928 work propose effective lowenergy theory large ... 11929 selfcontained method obtaining effective theor... 11930 cell shape important biomarker previously exte... 11931 explore use evolution strategies es class blac... 11932 passive radiofrequency identification rfid sys... 11933 present new method numerical hydrodynamics use... 11934 effective approach nonparallel voice conversio... 11935 exchange hole principle constituent density fu... 11936 investigate environmental quenching galaxies e... 11937 determine bpmodule structure mod higher filtra... 11938 consider problem learning functions computing ... 11939 deep reinforcement learning methods attain sup... 11940 school bus planning usually divided routing sc... 11941 work proivied new simpler proof global diffeom... 11942 deep generative models successfully used learn... 11943 present brief review discrete structures finit... 11944 article based series lectures toric varieties ... 11945 feedback control actively dissipates uncertain... 11946 superposition temporal point processes studied... 11947 since invention wordvec skipgram model signifi... 11948 development big data cloud data sharing privac... 11949 level consensus property preferenceprofile int... 11950 sparsely spaced highly permeable fractures gra... 11951 purpose paper investigate asymptotic behavior ... 11952 address problem prescribing optimal decision f... 11953 paper show variant colorful tverbergs theorem ... 11954 propose two classes dynamic versions classical... 11955 dense subgraph discovery key primitive many gr... 11956 convolutional neural networks provide visual f... 11957 microrobots potential impact many areas micros... 11958 research investigates implementation mechanism... 11959 dual crises subprime mortgage crisis global fi... 11960 paper propose novel neural language modelling ... 11961 study sampling optimization space measures foc... 11962 study laser cooling mg atoms dipole optical tr... 11963 problem feature disentanglement explored liter... 11964 consider longterm collisional dynamical evolut... 11965 learning individuallevel causal effects observ... 11966 article gives overview gammaray bursts grbs re... 11967 paper study class discretetime meanfield games... 11968 problem glasner known glasners problem asks wh... 11969 many different methods train deep generative m... 11970 paper study online learning algorithm without ... 11971 swelling media eg gels tumors usually describe... 11972 paper generalize definition search trees st en... 11973 v peg alias hs subdwarf b sdb pulsating star s... 11974 study convergence inexact version classical kr... 11975 ultrasound diagnosis routinely used obstetrics... 11976 study quantum phase transitions nickel pnctide... 11977 consider defocusing nonlinear wave equations n... 11978 fundamental characteristic computer networks t... 11979 present parallel hierarchical solver general s... 11980 present two new largescale datasets aimed eval... 11981 robotic systems moved factory work cells human... 11982 important task developing verification system ... 11983 demonstrate first time efficient photonicbased... 11984 paper analyzes simple game n players fix mean ... 11985 paper tackle accurate consistent structure mot... 11986 volume contains proceedings mars second worksh... 11987 electron density highly crystalline thin films... 11988 deep generative models variational autoencoder... 11989 develop new optimization methodology planning ... 11990 detailed development principal component proxy... 11991 repulsive fermi hubbard model square lattice r... 11992 key phase bridge design process selection stru... 11993 automatic questionanswering classical problem ... 11994 changes network structure substantially affect... 11995 show evolution twocomponent particles governed... 11996 present search optical bursts repeating fast r... 11997 report results de haasvan alphen dhva measurem... 11998 important yet challenging problem understandin... 11999 paper study classic problem fairly allocating ... 12000 independent component analysis ica decomposes ... 12001 new horizons spacecrafts nominal trajectory cr... 12002 maintenance important activity industry perfor... 12003 stochastic gradient methods workhorse algorith... 12004 paper proposes general framework structurepres... 12005 given finitely aligned kgraph lambda let lambd... 12006 phenomenon hardly found accompanied physical p... 12007 arrays integers often compressed search engine... 12008 study kondo physics quantum magnetic impurity ... 12009 present note study waldschmidt constants stanl... 12010 past two decades main focus research firstorde... 12011 paper generalize three identification recursiv... 12012 although number semilinear stochastic wave equ... 12013 consider problem learning lowrank matrix const... 12014 paper establishes first performance guarantees... 12015 paper introduce new combinatorial curvature tr... 12016 connectionist temporal classification ctc wide... 12017 buhrman showed efficient communication protoco... 12018 propose novel diminishing learning rate scheme... 12019 wasserstein metric important measure distance ... 12020 shown unit ball mathbb cn complex manifold uni... 12021 article recent progress mlrandomness respect c... 12022 red supergiants rsgs predicted end lives type ... 12023 symmetry algebra real elliptic liouville equat... 12024 due accuracy generality monte carlo radiative ... 12025 present theoretical study finitetemperature ko... 12026 chiral optical tamm state cots special localiz... 12027 paper aim show mean value inequalities foxwrig... 12028 research objects ros semantically enhanced agg... 12029 work introduces approach flat textureless obje... 12030 pair creation cosmic infrared background subse... 12031 knowledge transfer kt techniques tackle proble... 12032 article attempt generalize riemanns bilinear r... 12033 applied training deep neural networks stochast... 12034 paper studies detection bird calls audio segme... 12035 paper consider bayesian framework making infer... 12036 analyze emission spectrum hot jupiter waspb us... 12037 propose exploration method incorporates lookah... 12038 singleimagebased view generation sivg importan... 12039 applications many disciplines traveling salesm... 12040 concept dynamical compensation recently introd... 12041 mev cw rfq installed commissioned fermilabs te... 12042 softmax standard final layer used neural nets ... 12043 note recall kummers fourier series expansion p... 12044 study extensions polytopes combinatorial optim... 12045 devs popular formalism modelling complex dynam... 12046 several active areas research novel energy sto... 12047 machine recognition crystallization outcomes m... 12048 research investigated potential improving peer... 12049 magnetotransport measurements combination mole... 12050 science education crucial issue longterm impac... 12051 investigated effect outofplane crumpling mecha... 12052 solutions partial differential equations pdes ... 12053 four giant planets solar system feature zonal ... 12054 semantic segmentation like fields computer vis... 12055 photometric stereo methods seek reconstruct sh... 12056 introduce web strongly correlated interacting ... 12057 rainfall ensemble forecasts skillful low preci... 12058 basic problem information theory following let... 12059 computable model theory modal logic initiated ... 12060 deeptingle text prediction classification syst... 12061 ability physical layer relay caching increase ... 12062 theoretical description thermodynamics water c... 12063 present bounds finite sample error sequential ... 12064 butanol received significant research attentio... 12065 mutual information mi useful tool recognition ... 12066 bayesian online changepoint detection bocpd ad... 12067 let mathcalbd unital calgebra generated elemen... 12068 candecompparafac cp decomposition leading meth... 12069 potential flow around circular cylinder common... 12070 bilateral trade fundamental economic scenario ... 12071 report la cu nmr investigation successive char... 12072 field failures failures caused faults escape t... 12073 crowdsourcing successfully applied many domain... 12074 study class onedimensional classical fluids pe... 12075 letter propose algorithm recovery sparse low r... 12076 contributions discusses simulation magnetother... 12077 wide adoption multicommunity setting many popu... 12078 paper introduce investigate novel class analyt... 12079 propose adaptive estimator stationary distribu... 12080 describe highperformance implementation lattic... 12081 multimodal web elements text images associated... 12082 investigate lightcurve properties sample spect... 12083 airbnb online marketplace accommodations exper... 12084 dynamic race detection problem determining obs... 12085 process exploring exploiting oil gas og genera... 12086 study photonic analog chiral magnetic vortical... 12087 effects pressure crystal structure three known... 12088 link theory optimal transportation theory inte... 12089 paper studies intelligent ultimate technique h... 12090 book introduces temporal type theory first kin... 12091 provide direct construction poletsky discs via... 12092 drsubmodular continuous functions important ob... 12093 symmetric matrix robinsonian rows columns simu... 12094 detection gravity plays fundamental role growt... 12095 markov chain monte carlo mcmc methods gibbs sa... 12096 hurricanes cyclones circulating defined center... 12097 stochastic optimal control problem driven abst... 12098 magnetic induction first proposed planetary he... 12099 investigate possible signatures halo assembly ... 12100 present vortex image processing vip library py... 12101 http h new standard web communications already... 12102 let cal cn extremal copositive matrix unit dia... 12103 propose method dualarm manipulation rigid obje... 12104 develop acbiased shift register introduced pre... 12105 emerging era personalized medicine relies medi... 12106 costs human violence attracted great deal atte... 12107 give examples existence solutions geometric pd... 12108 present accurate mass thermodynamic profiles s... 12109 article study linearized anisotropic calderon ... 12110 prove teichmller space surfaces given boundary... 12111 decision making multiagent systems mas great c... 12112 discuss several classes integrable floquet sys... 12113 simple fact subgroup generated subset abelian ... 12114 transmission lines vital components power syst... 12115 eigenstructure discrete fourier transform dft ... 12116 paper introduces new urban point cloud dataset... 12117 various defense schemes determine presence att... 12118 black hole xray transients show variety state ... 12119 define generalization free lie algebra based n... 12120 paper develop generalized likelihood ratio sca... 12121 paper deal acceleration convergence infinite s... 12122 diffusion magnetic resonance imaging dmri curr... 12123 apelinergic system important player regulation... 12124 happens general closed oscillating universes g... 12125 widespread use smartphones gives rise new secu... 12126 algorithms lattice fermions package provides g... 12127 disruptive technology blockchain particularly ... 12128 analytically construct infinite number trapped... 12129 tensor factorization models offer effective ap... 12130 work first examine transverse longitudinal flu... 12131 paper describes qcris machine translation syst... 12132 consider one important problems directional st... 12133 arkin et al initiated systematic study complex... 12134 two banach algebras b tlau product atimest b r... 12135 accurately modeling contact behaviors realworl... 12136 retailer management newsvendor problem widely ... 12137 analyzing temporal behavior nodes timevarying ... 12138 paper present novel cache design based multile... 12139 let x locally compact abelian group character ... 12140 ultrafast perturbations offer unique tool mani... 12141 recent years phenomenon online misinformation ... 12142 conceptual design quantum blockchain proposed ... 12143 recent work encoderdecoder models sequencetose... 12144 capacity neural network absorb information lim... 12145 paper study principal components analysis regi... 12146 metalearning agent extracts knowledge observed... 12147 present optical flow estimation approach opera... 12148 propose rankk variant classical frankwolfe alg... 12149 manuscript present exponential inequalities sp... 12150 consider selfavoiding lattice polygons hypercu... 12151 temporal difference learning residual gradient... 12152 present analytical studies bosonfermion mixtur... 12153 existing works extracting navigation objects w... 12154 present optimized source galaxy selection sche... 12155 main result paper examples stochastic partial ... 12156 optimization highdimensional blackbox function... 12157 core understanding dynamical systems ability m... 12158 propose method semisupervised training structu... 12159 introduce refined sobolev scale vector bundle ... 12160 work propose goaldriven collaborative task con... 12161 paper introduce evaluate propedeutica novel me... 12162 organisms use hairlike cilia beat metachronal ... 12163 multiserver distributed queueing systems acces... 12164 convolutional neural networks cnns stateofthea... 12165 recently repeating fast radio burst frb confir... 12166 vertex edge graph critical deletion reduces ch... 12167 prove transverse weitzenbck identities horizon... 12168 work present adaptive newtontype method solve ... 12169 fedorov discovered convex domain form lattice ... 12170 spectrum l pseudounitary group upq assume pge ... 12171 objective predict patientspecific vitals deeme... 12172 one key challenges visual perception extract a... 12173 discuss channel surfaces context lie sphere ge... 12174 paper presents acceleration framework packing ... 12175 obtain lp regularity bergman projection reinha... 12176 present simple encoding unlabeled noncrossing ... 12177 paper investigate numerical approximation anal... 12178 according result ehresmann torsions integral h... 12179 many signal processing algorithms operate brea... 12180 study hyperplane arrangements associated via m... 12181 report extension keras model called ctcmodel p... 12182 large user base relies software updates provid... 12183 analysis telemetry data common animal ecologic... 12184 motion planning key tool allows robots navigat... 12185 repulsive coulomb interaction electrons differ... 12186 paper improved thermal lattice boltzmann lb mo... 12187 interactions effect aliasing among fundamental... 12188 importanceweighting popular wellresearched tec... 12189 group mobile agents given task explore edgewei... 12190 propose sourcechannel duality exponential regi... 12191 provide new version delta theorem takes accoun... 12192 interior tomography regionofinterest roi imagi... 12193 paper present new algorithm parallel monte car... 12194 extreme nanowires ens represent ultimate class... 12195 advent miniaturized biologging devices provide... 12196 study image classification retrieval performan... 12197 understanding emergence biological structures ... 12198 online experiments fundamental component devel... 12199 present vri spectrophotometry nearearth astero... 12200 paper discuss stochastic comparisons parallel ... 12201 mendelian randomization mr method exploiting g... 12202 study improved approximations distribution lar... 12203 paper devoted investigation following function... 12204 describe dimensions low hochschild cohomology ... 12205 fracton models collection exotic gapped lattic... 12206 topic modeling enables exploration compact rep... 12207 let mathcalvplambda collection functions f def... 12208 loss functions deep neural networks complex ge... 12209 urban areas larger connected populations offer... 12210 investigate homological subsets prime spectrum... 12211 phenomenon selfsynchronization populations osc... 12212 study causal waveform estimation tracking time... 12213 report applied integrated gradients explaining... 12214 fast detection terahertz radiation great impor... 12215 investigate lowdimensional structure determini... 12216 show unified secondorder scheme constructing s... 12217 shown via theory simulation resonant frequency... 12218 paper presents novel transformationproximal bu... 12219 present dual subspace ascent algorithm support... 12220 awake protondriven plasma wakefield accelerati... 12221 lieu abstract first paragraph species remotely... 12222 purpose article study role gdels functional in... 12223 proved rgnier rsler number key comparisons req... 12224 work present method compute kantorovich distan... 12225 elastic dissipation radiation towards substrat... 12226 proceedings application fuzzy support vector m... 12227 cylindrical couette flow subject main focus lo... 12228 understanding spatial extent extreme precipita... 12229 present study connection brightest cluster gal... 12230 propose novel architecture kshot classificatio... 12231 study pairs projections pifchiif qjf leftchij ... 12232 paper concerned following fractional schrdinge... 12233 social media expose millions users every day i... 12234 discrete statistical models supported labelled... 12235 boltzmann machines physics informed generative... 12236 graph signal processing gsp promising framewor... 12237 compare various notions weak subsolutions dege... 12238 efficient assessment convolved hidden markov m... 12239 detailed numerical analyses orbital motion tes... 12240 bottomup topdown well lowlevel highlevel facto... 12241 sharp range lpestimates class hrmandertype osc... 12242 hasimoto map various dynamical systems mapped ... 12243 deduplication finds removes longrange data dup... 12244 deep neural networks take loose inspiration ne... 12245 among milky way satellites discovered past thr... 12246 improve best known upper bound length shortest... 12247 graphs fundamental abstraction modeling relati... 12248 characteristic classes spacetime manifolds dis... 12249 describe high resolution observations goes bcl... 12250 unraveling bacterial strategies spatial explor... 12251 behavioral annotation using signal processing ... 12252 local properties fundamental group pathconnect... 12253 present adaptive strategies antenna selection ... 12254 characterize variation photometric response da... 12255 selfhealing polymers crosslinked solely revers... 12256 paper study syk model syklike tensor model glo... 12257 common assumption thetaori c dominant ionizing... 12258 large majority high energy sources detected fe... 12259 one main computational scientific challenges m... 12260 propagation charged cosmic rays galactic envir... 12261 space khler potentials compact khler manifold ... 12262 echo state networks powerful recurrent neural ... 12263 paper prove gaussian structural equation model... 12264 disruptive power blockchain technologies repre... 12265 investigate limiting behavior solutions nonhom... 12266 paper estimate fidelity stabilizer css codes f... 12267 crossvalidation widely used selecting among fa... 12268 work formulate problem image captioning multim... 12269 mobile gaming emerged promising market billion... 12270 seminal work morgan rubin considers rerandomiz... 12271 present approach agents learn representations ... 12272 store information extremely highdensity datara... 12273 paper morgan type uncertainty principle unique... 12274 early researchers careers difficult assess goo... 12275 paper consider use deep neural networks contex... 12276 paper address problem crossview image geolocal... 12277 recent years deep learning based artificial ne... 12278 demonstrate autoparametric excitation two dist... 12279 present communityled assessment solar system i... 12280 unsupervised dependency parsing aims learn dep... 12281 report results broadband mum nearinfrared spec... 12282 give survey results covering last years concer... 12283 real time evolution classical gauge fields rel... 12284 dermoscopy image detection stays tough task du... 12285 current dominant paradigm imitation learning r... 12286 paper extend complement previous works propaga... 12287 let f nonarchimedan local field g connected re... 12288 accurate rates energydegenerate lchanging coll... 12289 study theoretically usefulness spin bose conde... 12290 magnetic insulator yttrium iron garnet grown e... 12291 characterize multi tier network classical macr... 12292 class nonlinear schrdinger equations involving... 12293 matrix completion models among common formulat... 12294 paper concerned twoperson dynamic zerosum game... 12295 context dissipative systems show quantum chaot... 12296 recent paper introduced fuzzy bayesian learnin... 12297 excitement convergence tweets specific topics ... 12298 monte carlo method broad class computational a... 12299 address problem bootstrapping language acquisi... 12300 article presents parallel implementation coupl... 12301 tiev autonomous driving platform implemented t... 12302 propose novel decoding approach neural machine... 12303 classical halpernluchli theorem states finite ... 12304 conduct depth study performance deep learning ... 12305 identify conditional parity general notion non... 12306 consider caching cellular networks base statio... 12307 paper consider numerical approximations solvin... 12308 machinelearning techniques widely used securit... 12309 sharpinterface limits phasefield model general... 12310 first part notes provides new characterization... 12311 characteristic cycles leading term cycles irre... 12312 propose robust implementation nerlovearrow mod... 12313 statistical relational models recently probabi... 12314 theoretically investigate spinorbit coupled sw... 12315 celebrated auslanderreiten conjecture vanishin... 12316 explore temperature effects superconducting ph... 12317 time series frequently case neuroscience rarel... 12318 study automorphism group halls universal local... 12319 linear multilinear valuation finite abstract s... 12320 evolution structure biology driven accretion c... 12321 let f bandlimited function lmathbbr fix suppos... 12322 distributed word representations widely used m... 12323 present new oblivious walking strategy convex ... 12324 energy statistics proposed szkely inspired new... 12325 finitesupport constraint parameter space used ... 12326 neural circuits retina divide incoming visual ... 12327 develop approach unsupervised learning associa... 12328 paper prove dichotomy conjecture complexity no... 12329 report experimental investigation effect finit... 12330 modelbased approach forecasting chaotic dynami... 12331 heavy metalferromagnetic layers perpendicular ... 12332 recently separated fragment sf firstorder logi... 12333 survey theory poisson traces zeroth poisson ho... 12334 report results nonequilibrium transport measur... 12335 performing time series analysis continuous dat... 12336 frequency responses krbne comagnetometer magne... 12337 coded caching scheme technique reduce load pea... 12338 previously published admissibility conditions ... 12339 grading embedded systems courses typically req... 12340 let p prime number article study restriction m... 12341 group elements alkali metals li na k rb cs exa... 12342 identifying significant subsets genes gene sha... 12343 new modelindependent compact representations i... 12344 geosciences field great societal relevance req... 12345 well known affine matrix rank minimization pro... 12346 entropy power inequality epi brascamplieb ineq... 12347 risk ratio popular tool summarizing relationsh... 12348 technical skill surgeons directly impacts pati... 12349 develop method control discretetime systems co... 12350 aim paper investigate stability prandtl bounda... 12351 paper investigates effects price limit change ... 12352 recent research demonstrated brittleness machi... 12353 uniformity testing general identity testing we... 12354 known connected sums positive torus knots conc... 12355 study flows calgebras rokhlin property show ev... 12356 recently reported enhanced superconductivity r... 12357 introduce new gametheoretic semantics gts moda... 12358 report thermodynamic magnetization muon spin r... 12359 solid arguments sustain digital currencies fut... 12360 describe main scientific developments lead lig... 12361 obtain sufficient necessary condition finite g... 12362 fate exotic spin liquid states fractionalized ... 12363 purpose goal study show advantage collaborativ... 12364 lexical features major source information stat... 12365 tourism industry significant impact worlds eco... 12366 covariate shift classification problems princi... 12367 relational probabilistic models challenge aggr... 12368 entrepreneurial scene suffers sick venture cap... 12369 used surrogate objective maximum likelihood es... 12370 study annealing stability bottompinned perpend... 12371 eigenoptions eos recently introduced promising... 12372 study regularity properties locally stationary... 12373 understanding patterns demand fundamental flee... 12374 realization highperformance smallfootprint onc... 12375 study concentrates advancing mathematical comp... 12376 diving induces large pressures water entry acc... 12377 synthetic data proved increasingly useful trai... 12378 introduce solvable model driven fermions eluci... 12379 research data alliance international organizat... 12380 paper reports new results fe mssbauer measurem... 12381 show zeroth coefficient cables homfly polynomi... 12382 daya bay experiment consists eight identically... 12383 ordinary least square ols estimation linear re... 12384 riemann hypothesis improve error term asymptot... 12385 extragalactic cosmic ray populations important... 12386 widely accepted electric field alone fundament... 12387 report sigma detection faint object flux mjy v... 12388 exhibit equivalence modeltheoretic framework u... 12389 propose new type qdiffusive heat equation nons... 12390 prove strongly pseudoconvex domain dsubsetmath... 12391 define ring r geometric objects g generated fi... 12392 prove representation fundamental group quasipr... 12393 super extension wadati konno ichikawa scheme i... 12394 introduce combinatorial criterion verifying wh... 12395 deep neural networks dnns transform stimuli ac... 12396 even though evolution isolated quantum system ... 12397 tackle issue classifier combinations observati... 12398 consider problem scheduling serverless computi... 12399 degeneracy loci morphisms vector bundles used ... 12400 homology braid groups artin groups related stu... 12401 study presents smoothed particle hydrodynamics... 12402 ionization relativistically intense short lase... 12403 brane construction integrable lattice model pr... 12404 measuring corporate default risk broadly impor... 12405 present results ks xmmnewton observation galax... 12406 paper introduce rational tau invariant rationa... 12407 consider lattice mathcall subsets multidimensi... 12408 paper studies different signaling techniques c... 12409 traveling wave solutions dimensional zoomeron ... 12410 paper continues research started citelw framew... 12411 recently technique called layerwise relevance ... 12412 propose new family coherence monotones named e... 12413 present passivitybased wholebody control appro... 12414 paper present two main results first one conje... 12415 consider problem multiobjective maximization m... 12416 argued many problems ambiguities standard cosm... 12417 study ferromagnetic layer thickness dependence... 12418 tetragonal photonic crystal composed highindex... 12419 pullbased development process become prevalent... 12420 given success gated recurrent unit natural que... 12421 propose new learning rank algorithm named weig... 12422 representing word cooccurrences words context ... 12423 let compact manifold gammapim work thurston cu... 12424 study multifrequency quasiperiodic schrdinger ... 12425 study model spaces sense hairer stochastic par... 12426 watercovered rocky planets inner habitable zon... 12427 context fitness coaching rehabilitation purpos... 12428 temporal resolution visual information process... 12429 find explicit formulas radii locations circles... 12430 cryptographic currency bitcoin transactions re... 12431 paper presents framework controlled emergency ... 12432 early time regime kardarparisizhang kpz equati... 12433 subject article relationship modern cosmology ... 12434 temporal action proposal tap generation import... 12435 real world phenomena sunlight distribution for... 12436 given smooth compact manifold introduce open c... 12437 paper study possibility inferring early warnin... 12438 neuronal activity brain generates synchronous ... 12439 construct point transformation two integrable ... 12440 paper explores improvements prediction accurac... 12441 propose optimization approach determining hard... 12442 goal thesis implement tool given digital audio... 12443 translational motion neurotransmitter receptor... 12444 show reduct zariski structure algebraic curve ... 12445 statisticians made great progress creating met... 12446 wide range learning tasks require human input ... 12447 work present numerical method based sparse gri... 12448 problem textitvisual metamerism defined findin... 12449 sheep pox highly transmissible disease cause s... 12450 describe method generating minimal hard prime ... 12451 language change involves competition alternati... 12452 user modeling plays important role delivering ... 12453 testing regime switching regime switching prob... 12454 let r commutative noetherian ring mathfrak mat... 12455 industrial control systems devices programmabl... 12456 nonnegative matrix factorization nmf dimension... 12457 border crossing delays new york state southern... 12458 scientific knowledge constantly subject variet... 12459 central pattern generators cpgs appear evolved... 12460 investigate extremely luminous dusty galaxies ... 12461 least squares ls estimator best linear unbiase... 12462 performing high level cognitive tasks requires... 12463 facility based nextgeneration highflux dd neut... 12464 airborne lidar point cloud representing forest... 12465 temperature coefficients directions nagoya muo... 12466 present generalpurpose method train markov cha... 12467 binary sidelnikovlempelcohneastman sequences s... 12468 embeddings knowledge graphs received significa... 12469 deep convolutional networks become popular too... 12470 fitting stochastic kinetic models represented ... 12471 imagetoimage translation class vision graphics... 12472 consider challenging problem statistical infer... 12473 visual tasks relationship unrelated instance c... 12474 potential failure energy equality solution u e... 12475 inference spacetime varying signals graphs eme... 12476 sequel earlier papers three authors obtain new... 12477 paper introduces probabilistic framework kshot... 12478 paper describes method nonlinear wavelet thres... 12479 mathbbz topological phase quantum dimer model ... 12480 propose lbfgs optimization algorithm riemannia... 12481 present new markov chain monte carlo algorithm... 12482 present crystal structure magnetic properties ... 12483 construct extended oriented epsilondimensional... 12484 paper presents new generator chaotic bit seque... 12485 hawc gamma ray observatory consists water cher... 12486 optical music recognition omr important techno... 12487 cable model widely used several fields science... 12488 consider conditionalmean hedging fractional bl... 12489 say finite metric space x embedded almost isom... 12490 aim work establish two recently published proj... 12491 popular adjusted rand index ari extended task ... 12492 study size external path length random tries s... 12493 output statistical parametric speech synthesis... 12494 meshfree solution schemes incompressible navie... 12495 propose development analytic hierarchy process... 12496 blooming availability traces social biological... 12497 advances artificial intelligence renewed inter... 12498 keplerian distribution velocities observed rot... 12499 recurrent neural networks like long shortterm ... 12500 trackbeforedetect tbd powerful approach consis... 12501 given holomorphic principal bundle q longright... 12502 propose study equivariance deep neural network... 12503 lowdimensional wide bandgap semiconductors ope... 12504 recent developments autonomous vehicle av tech... 12505 identify peak valley structures exact exchange... 12506 given two independent sets j graph g imagine t... 12507 work studies entitywise topical behavior massi... 12508 exponential scaling wave function fundamental ... 12509 show semisimple synchronizing automaton n stat... 12510 recent developments within memoryaugmented neu... 12511 present analytical numerical studies models su... 12512 study optimal design electricity contracts amo... 12513 consider minimization objective function given... 12514 study problem learning overcomplete hmmsthose ... 12515 atomistic rigid lattice kinetic monte carlo ef... 12516 paper aims finding acyclic graphs given set co... 12517 paper presents robust matrix elastic net based... 12518 visual question answering vqa received lot att... 12519 wheeled planetary rovers mars exploration rove... 12520 explore sequential decision making problem goa... 12521 one goals g wireless systems stated ngmn allia... 12522 consider class evolution equations describe ps... 12523 deep convolutional neural networks cnns becomi... 12524 paper study moments central values hecke lfunc... 12525 graphs commonly used construct representing re... 12526 paper addresses problem decentralized tubebase... 12527 discuss understanding geometry circle ancient ... 12528 paper use refined approximations chebyshevs va... 12529 electrical forces background interactions occu... 12530 bone tissue mechanical properties trabecular m... 12531 temporal pattern mining tpm problem mining pre... 12532 propose poweralert efficient external integrit... 12533 open question whether linear extension complex... 12534 work explored building automatic speech recogn... 12535 fallback authentication used retrieve forgotte... 12536 web archiving services play increasingly impor... 12537 biclustering techniques widely used identify h... 12538 deep learning methods achieve stateoftheart pe... 12539 letter studies joint transmit beamforming ante... 12540 propose local segmentation multiple sequences ... 12541 investigate effect annealing temperature cryst... 12542 article discusses relationship emergence reduc... 12543 paper optimized efficient vlsi architecture pi... 12544 give rather simple answers two longstanding qu... 12545 present general framework coupled compound poi... 12546 global partial synchronization two distinctive... 12547 goals results pinpoint shots pivotal decision ... 12548 report introduces investigates family metrics ... 12549 surface plasmon polariton hyberbolic dispersio... 12550 investigate ramifications legendrian satellite... 12551 releasing full data records one challenging pr... 12552 automatic testing widely adopted technique imp... 12553 autonomous vehicles avs road safely efficientl... 12554 explore feasibility using fastslow asymptotic ... 12555 online sports gambling industry employs teams ... 12556 paper based complete classification evolutiona... 12557 paper show deepsubmicron fpga modified operate... 12558 propose new algorithm finite sum optimization ... 12559 abridged typical giantimpact scenario moon for... 12560 learning regression function using censored in... 12561 degree distribution one fundamental properties... 12562 method proposed generate optimal fit number co... 12563 consider problem optimizing heat transport inc... 12564 consider wave equation boundary condition memo... 12565 present approach lightweight datatypegeneric p... 12566 many scientific engineering challenges ranging... 12567 paper proves every finite volume hyperbolic ma... 12568 cospark matrix cardinality sparsest vector col... 12569 neural networks based vocoders typically waven... 12570 last years contributions general public scient... 12571 bounded smooth domains omegasubsetmathbbrn nin... 12572 paper deals asymptotics multipleset linear can... 12573 rapid development deep learning family machine... 12574 wireless sensor network wsn data manipulation ... 12575 coherent optical response nm nm thick zno epit... 12576 present luminosity function z quasars based hy... 12577 dawn fourth industrial revolution industry cre... 12578 given p independent normal populations conside... 12579 consider problem detecting deformation symmetr... 12580 propose high signaltonoise extended depthrange... 12581 oblivious computation one free direct indirect... 12582 inverse compton scattering ics unique mechanis... 12583 yarkovsky effect thermal process acting upon o... 12584 short note improve best date bound godbersens ... 12585 extend global existence result derivative nls ... 12586 examine possible spectral distortion cosmic mi... 12587 informationally efficient financial markets op... 12588 present new method combines alchemical transfo... 12589 largescale hierarchical classification hc invo... 12590 present enumeration orientablyregular maps aut... 12591 fitting machine learning models lowdata limit ... 12592 plancherel decomposition l pseudoriemannian sy... 12593 construct absolutely normal number whose conti... 12594 enticing users exploring open data remains imp... 12595 reciprocity fundamental principle governing va... 12596 photoacoustic computed tomography pact emergin... 12597 explore extent one may hope preserve geometric... 12598 concentration result quadratic form independen... 12599 flexibility short dna chains investigated via ... 12600 picard code numerical solution galactic cosmic... 12601 propose simple general variant standard repara... 12602 complete set maxwells hydrodynamic equations c... 12603 enhancement detection elongated structures noi... 12604 life viewed localized chemical system sits bas... 12605 functional data analysis nonlinear manifolds d... 12606 characterize fractional dehn twist coefficient... 12607 rascal highlevel transformation language aims ... 12608 regular ordered semigroup called right inverse... 12609 twodimensional signed small ball inequality st... 12610 problem groups prime power order vol berkovich... 12611 diffusion processes driven fractional brownian... 12612 greenbergerhornezeilinger ghz argument provide... 12613 define study global okounkov moment cone proje... 12614 paper perform formal asymptotic analysis kinet... 12615 dynamically crosslinked semiflexible biopolyme... 12616 present novel view nonlinear manifold learning... 12617 malaysian airlines flight mh veered course une... 12618 investigate addition symmetry temporal context... 12619 study deep recurrent neural networks rnns part... 12620 computational topology area revisits topologic... 12621 work formulated realworld problem related sewe... 12622 paper consider abelian varieties function fiel... 12623 modeling longitudinal data often requires diff... 12624 show patterns abelian sandpile stable proof co... 12625 propose new indexing structure parameterized s... 12626 traction force kite used drive cyclic motion e... 12627 prove convergence results expanding curvature ... 12628 finiteprecision arithmetic computations face i... 12629 report synthesis structural characterisation m... 12630 universal properties entangled manybody states... 12631 answer two questions raised bryant francis ste... 12632 degree splitting problem requires coloring edg... 12633 let e arbitrary subset mathbbrn necessarily bo... 12634 availability explainable deep learning model a... 12635 generalization properties gaussian processes d... 12636 propose new approach topological recursion eyn... 12637 exploiting theory state space models derive ex... 12638 advances technology provided ways monitor meas... 12639 geometrical aspects perfect fluid spacetime de... 12640 heart disease one leading causes mortality wor... 12641 show article holomorphic vector bundle nonnega... 12642 graph processing becoming increasingly prevale... 12643 paper prove classification results fourdimensi... 12644 investigated ingap bound states igbs induced s... 12645 true best neural network necessarily one brain... 12646 suggest method calculate hyperfine anomaly man... 12647 investigate elliptic integrable model introduc... 12648 apply moderatehighenergy inelastic neutron sca... 12649 investigate relation quadrics christoffel dual... 12650 greedy algorithms widely used problems machine... 12651 study multiarmed bandit problem multiple plays... 12652 analyze dynamics inflationary models coupling ... 12653 diffusion tensor imaging dti effective tool an... 12654 increasing popularity social networking servic... 12655 manual segmentation left ventricle lv tedious ... 12656 stabilizing defects liquidcrystal systems cruc... 12657 report heterogeneous nucleation catalystfree i... 12658 quantum ising model random couplings random tr... 12659 femtosecond laser writing applied form bragg g... 12660 introduce form new minor release symbolic mani... 12661 clinical electroencephalographic eeg data vari... 12662 paper presents first emphconcurrencyoptimal im... 12663 information transmission human brain fundament... 12664 eventdriven programming frameworks android bas... 12665 stress applied flat face apex prismatic piezoe... 12666 compact substructure expected arise starless c... 12667 comprehensive understanding worlds energy effi... 12668 group law said detectable power subgroups copr... 12669 classifiers deployed real world operate dynami... 12670 due lack enough generalization statespace comm... 12671 show bicrossproduct model csublacktrianglerigh... 12672 many social systems groups individuals find re... 12673 entity resolution er task identifying records ... 12674 tree adjoining grammars tags provide ample too... 12675 discuss maltsev conditions consist one linear ... 12676 social media datasets especially twitter tweet... 12677 due burdensome data requirements learning demo... 12678 paper propose simple variant original stochast... 12679 central problem understanding brain mind neura... 12680 paper investigate whether text community quest... 12681 planetary exploration missions mars rovers com... 12682 address mbestarm identification problem multia... 12683 amachine learning framework developed estimate... 12684 paper propose novel approach manage throughput... 12685 last decades sociologists trying explain human... 12686 across variety scientific disciplines sparse i... 12687 use insights epidemiology namely sir model stu... 12688 initiate study fundamental combinatorial probl... 12689 report large array observations mm mm cm towar... 12690 motion capture widelyused technology robotics ... 12691 varphi psi two continuous realvalued functions... 12692 identity stated kimura proved ruehr kimura oth... 12693 eigendeomposition nearestneighbor nn graph lap... 12694 astronomy light curves sparse gappy heterosced... 12695 brillouin processes couple light sound optomec... 12696 study present swift linked data miner interrup... 12697 paper discuss machine learning could used prod... 12698 important difficult challenge building computa... 12699 optimization algorithms leverage gradient cova... 12700 linear momentum angular momentum virtual photo... 12701 study eigenvalues semiclassical witten laplaci... 12702 delaycoordinate maps widely used recently stud... 12703 developed automated deep learning system detec... 12704 background paper present approaches methods em... 12705 last decades seen unprecedented increase avail... 12706 paper presents new method action recognition s... 12707 given equivalence relation set u two abstract ... 12708 short note explain proof proper surjective fai... 12709 prove banach strong novikov conjecture groups ... 12710 reliable consistently reproducible technique f... 12711 research conducted develop method identify voi... 12712 study finite alphabet channels unit memory pre... 12713 consider quadratic vector field mathbbc invari... 12714 design conduct present results highly personal... 12715 prove along marked point green function meromo... 12716 paper sets framework designing massive multipl... 12717 problem coordinate large fleet trucks given it... 12718 many recent approaches polyphonic piano note o... 12719 family multiscale hybridmixed mhm finite eleme... 12720 associated every quaternionic representation c... 12721 model studied paper stochastic extension socal... 12722 compared basic forkjoin queues job n k forkjoi... 12723 elasticwave turbulence strong turbulence appea... 12724 report magnetic properties zinc ferrite thin f... 12725 paper present lsf parameters unit vector form ... 12726 show newly proposed shannonlike entropic measu... 12727 new secondorder numerical scheme based operato... 12728 explaining reasoning processes underlie observ... 12729 distributed algorithms often beset straggler e... 12730 popular word embedding techniques involve impl... 12731 let compact constant mean curvature surface ei... 12732 paper discuss maximum principle timefractional... 12733 structure nature water confined hydrophobic mo... 12734 although motility flagellated bacteria escheri... 12735 datadriven brain parcellations aim provide acc... 12736 paper dark energy models universe filled wet d... 12737 obtain solutions generic bilinear master equat... 12738 semantic instance segmentation remains challen... 12739 imbalanced data skewed class distribution comm... 12740 paper introduce new variant pmedian facility l... 12741 define multiblock interleaved codes codes allo... 12742 paper proposes new method solving wellknown ra... 12743 paper study probability distribution position ... 12744 magnetoelectric effects surface states ti extr... 12745 recent progress logic programming eg developme... 12746 paper studies improving solvers based past sol... 12747 online social networking sites experimenting f... 12748 bayesian optimization proposed automatic learn... 12749 paper considers general rankconstrained optimi... 12750 study problem variable selection linear models... 12751 network systems control highly important appea... 12752 function space deeplearning machines investiga... 12753 object study present dissertation topics diffe... 12754 literature mentions incidentally subdoppler co... 12755 recent high angular resolution observations pr... 12756 present clustering comparison galaxy formation... 12757 consider supercritical branching random walk r... 12758 aim paper study relations regular reductive pv... 12759 star epic identified light curve acquired k sp... 12760 recent publication proposed new methodology de... 12761 entanglement central understanding manybody qu... 12762 introduce persistencelike pseudodistance tamar... 12763 continue first second authors study qcommutati... 12764 consider piecewise deterministic markov decisi... 12765 multiplex networks offer important tool study ... 12766 establish zeroone laws convergence laws monadi... 12767 introduce concept establishing paritytime symm... 12768 formation membrane necks crucial fission fusio... 12769 information theory mathematical theory learnin... 12770 stochastic constraint programming scp extensio... 12771 kernel adaptive filters class adaptive nonline... 12772 provide selfcontained formulation bphz theorem... 12773 necessary conditions existence normal extremal... 12774 beam imaging detector developed coupling multi... 12775 widely studied nondeterministic polynomial tim... 12776 recently hashing methods widely used largescal... 12777 give sufficient conditions groups generated au... 12778 present article family new combinatorial ident... 12779 chondrules dominant bulk silicate constituent ... 12780 vast volume data produced todays scientific si... 12781 suggest efficient method resolve electronic cu... 12782 characterize information dynamics strongly dis... 12783 study theoretically velocity crosscorrelations... 12784 network filaments embedded clusters surroundin... 12785 constructing rth nonresidue finite field funda... 12786 decreasing temperature srvo undergoes two stru... 12787 matching twosided market often incurs external... 12788 study one dimensional ttj model generic coupli... 12789 paper proposes concurrentaccess obfuscated sto... 12790 automated software verification concurrent pro... 12791 shortterm voltage stability svs problem larges... 12792 macaulays inverse system effective method cons... 12793 many complex networked systems online social n... 12794 show border support rank tensor corresponding ... 12795 given large graph determine similarity nodes f... 12796 polystyrenebased phosphorene nanocomposites pr... 12797 main purpose paper provide summary fundamental... 12798 fixedmobile bigraph g bipartite graph vertices... 12799 design structure matrices dsms useful represen... 12800 transport security protocols essential ensure ... 12801 recent work richardson kuhn ab richardson et a... 12802 phd thesis considers performance evaluation en... 12803 paper consider polytopes given systems n inequ... 12804 dynamic behavior capacitive microelectromechan... 12805 lorentz force law classical electrodynamics st... 12806 consider multivariate mathbblapproximation rep... 12807 show weak comparison principle ultrapower axio... 12808 precise knowledge atomic order monocrystalline... 12809 paper obtain possibilistic variants probabilis... 12810 highlyadaptivelassohaltmle efficient estimator... 12811 elementary proof twosidedness matrixinverse gi... 12812 richclub ordering dyadic effect two phenomena ... 12813 introduce interstellar dust modelling framewor... 12814 modelbased clustering popular approach cluster... 12815 past decade asteroseismology become powerful m... 12816 deep optical photometric data ngc region colle... 12817 construction ambiguity set robust optimization... 12818 massive multiuser mu multipleinput multipleout... 12819 formation dynamics freesurface structures step... 12820 note show voevodskys univalence axiom holds mo... 12821 demand response dr programs emerged potential ... 12822 decisionmaking processes becoming data driven ... 12823 consider halfsoliton stationary state nonlinea... 12824 field algorithmic fairness highlighted ethical... 12825 revisit present status stiffness supranuclear ... 12826 paper use dynamical systems analyze stability ... 12827 adiabatic quantum computing evolved recent yea... 12828 paper analyzes pedestrians behavioral patterns... 12829 define open gromovwitten invariants counting p... 12830 article determines characterizes minimal numbe... 12831 present general framework training deep neural... 12832 multiplayer online battle arena become popular... 12833 novel method robust estimation called graphcut... 12834 multivariate singular spectrum analysis mssa v... 12835 building intelligent transportation systems ta... 12836 lion man move continuously space x aim lion ca... 12837 let h compact subgroup locally compact group g... 12838 past acoustic scene classification systems bas... 12839 propose online convex optimization algorithm r... 12840 paper presents feature encoding method complex... 12841 molecular simulations produce highdimensional ... 12842 large body empirical results show temporallyex... 12843 structural magnetic electricaltransport proper... 12844 consider problem optimal transportation quadra... 12845 let mathcall schrdinger operator form mathcall... 12846 importance microscopic details cooperation lev... 12847 maximum posteriori probability map inference g... 12848 one challenges information retrieval providing... 12849 brain tumour segmentation plays key role compu... 12850 study fermionic matrix product operator algebr... 12851 velocityspace moments often troublesome nonlin... 12852 machine learning ml techniques deep artificial... 12853 electrophysiological recordings spiking activi... 12854 understanding information processing brain req... 12855 one find dimensions multivariate data reliably... 12856 rate change calculations literature involve de... 12857 call learner superteachable teacher trim iid t... 12858 review physics grb production relativistic jet... 12859 elegant accelerator physics particlebeam dynam... 12860 higgs mechanism longrange coulomb interaction ... 12861 revisit masseys method rating ranking sports c... 12862 key objective two phase b amp clinical trials ... 12863 report results pilot program use magellanmfs s... 12864 evolution parametric decay instability pdi cir... 12865 shortened determine transformation matrix maps... 12866 structured populations spatial arrangement coo... 12867 demand side management dsm strategies often as... 12868 paper consider network scenario agents evaluat... 12869 classification clustering algorithms proved su... 12870 paper investigates extent cognitive biases may... 12871 report highpressure study heavily electron dop... 12872 work concerned existence solutions nonlinear s... 12873 complete characterization spatial coherence di... 12874 network alignment consists finding corresponde... 12875 industrial indoor environment harsh wireless c... 12876 paper introduce new feature selection algorith... 12877 paper describes neuralnetwork model performed ... 12878 give strengthened versions herwiglascar hodkin... 12879 homological index holomorphic form complex ana... 12880 myxobacteria social bacteria glide form counte... 12881 prove bilinear fractional integral operators s... 12882 bak sneppen bs model simple model exhibits ric... 12883 classify ribbon structures drinfeld center mat... 12884 due low xray photon utilization efficiency low... 12885 developed general approach calculation powerla... 12886 early layers deep neural net fewest parameters... 12887 present matrixfactorization algorithm scales i... 12888 paper presents design machine learning archite... 12889 discuss blackbody radiation within context cla... 12890 paper study family binomial ideals defining mo... 12891 investigate collective behavior magnetic swimm... 12892 analyse new subdomain scheme timespectral meth... 12893 propose novel adaptive importance sampling alg... 12894 examine collective properties closure operator... 12895 develop hybrid system model describe behavior ... 12896 establish link trace modules rigidity modules ... 12897 zero temperature charge current operator appea... 12898 selforganized networks develop mature degenera... 12899 electron polarimeters based mott scattering ex... 12900 many modern clustering methods scale well larg... 12901 review recent results geometric equations lore... 12902 study recombination process three atoms scatte... 12903 paper second twopart series presents method me... 12904 minimum stellar velocity dispersion often obse... 12905 recommendation systems recognised hugely impor... 12906 measurement problem three vexing experiments q... 12907 describe dynamical symmetry breaking system ma... 12908 real world networks often subject severe uncer... 12909 use game theory design control large scale net... 12910 evolutionary modeling applications best way pr... 12911 wasserstein distance received lot attention re... 12912 provide first information theoretic tight anal... 12913 lowrank tensor regression new model class lear... 12914 canonical polyadic decomposition cpd convenien... 12915 study authors develop structural model combine... 12916 empirical mode decomposition emd provides tool... 12917 study equilibrium properties catalyticallyacti... 12918 convolutional neural networks cnns become meth... 12919 recent observations rippled structures surface... 12920 si li author suggested cases adscft correspond... 12921 paper devoted uniqueness problem power meromor... 12922 measure gate voltage vg dependence superconduc... 12923 work review class deterministic nonlinear mode... 12924 textdependent speaker verification becoming po... 12925 lactate threshold considered essential paramet... 12926 shown equiprobability hypothesis leads scenari... 12927 construct special class lorentz surfaces pseud... 12928 since limited power capacity finite inertia dy... 12929 paper extends fullyconvolutional neural networ... 12930 baconbo presents system whose co ions effectiv... 12931 regular language l nonreturning minimal determ... 12932 paper proposes extension generative adversaria... 12933 working infinite field positive characteristic... 12934 present cfaar program repair assistance techni... 12935 past work relation extraction focused binary r... 12936 users organize communities web platforms commu... 12937 recurrence networks associated statistical mea... 12938 traditional optical imaging faces unavoidable ... 12939 complex performance measures beyond popular me... 12940 paper consider novel machine learning problem ... 12941 phased array feed paf technology next major ad... 12942 let x normal algebraic variety finitely genera... 12943 introduce study problem optimizing arbitrary f... 12944 present results long baseline interferometry v... 12945 paper study several aspects related solutions ... 12946 work analyze excitonic gap generation strongco... 12947 preference elicitation task suggesting highly ... 12948 study ginzburglandau equations riemann surface... 12949 paper new class frequency hopping sequences fh... 12950 scikitmultiflow multioutputmultilabel stream d... 12951 distributed computing platforms provide robust... 12952 prove sectional category universal fibration f... 12953 planetary rings produce distinct shape distort... 12954 introduce unified disentanglement network ufdn... 12955 paper provides unified framework deal challeng... 12956 study class determinant inequalities closely r... 12957 power grids critical infrastructure assets fac... 12958 many recent studies motor system divided two d... 12959 effective field theory dark energy modified gr... 12960 processaware information systems pais system s... 12961 dnnbased crossmodal retrieval become research ... 12962 survey paper give overview recent works study ... 12963 completely determine commutative semigroup var... 12964 availability large scale event data time stamp... 12965 deep neural networks widely used various domai... 12966 detecting strong ties among users social infor... 12967 many machine learning applications important e... 12968 present high energy xray diffraction studies s... 12969 studied structural electronic magnetic propert... 12970 let mathbbb unit ball complex banach space x p... 12971 apache spark framework distributed computation... 12972 paper concerned compositional approach constru... 12973 polynomial ring arbitrary field twelve variabl... 12974 deep generative neural networks proven effecti... 12975 zinc oxide aluminum ferrite prepared chemical ... 12976 introduce notion weakly logcanonical poisson s... 12977 x compact hausdorff space sigma homeomorphism ... 12978 classical quadratic formula lesser known varia... 12979 paper present gated convolutional recurrent ne... 12980 study flat flrw alphaattractor mathrme mathrmt... 12981 let omegasubsetmathbbrn minimal gaussian surfa... 12982 continuum approximation ca efficient parsimoni... 12983 minimal surfaces simons cone catenoids using r... 12984 first review traditional approaches memory sto... 12985 predictive modeling increasingly employed assi... 12986 emotion cause extraction aims identify reasons... 12987 machine learning graphstructured data importan... 12988 metric space x quasisymmetrically cohopfian ev... 12989 investigate tightbinding electronic chain feat... 12990 study revenue optimization learning algorithms... 12991 occurrence drugdruginteractions ddi multiple d... 12992 article study stabilizing primitive pattern be... 12993 investigate extremal problems fourier analysis... 12994 knowledge bases important resources variety na... 12995 gaussian processes gps highly flexible functio... 12996 prediction experts advice setting consider met... 12997 paper new adaptive multibatch experience repla... 12998 muonspin rotation data collected ambient press... 12999 paper describe optical imaging data processing... 13000 estimate average flux density minimallycoupled... 13001 show textod invariant matrix theories containi... 13002 underactuated lightweight tensegrity robotic a... 13003 analog network coding anc throughput increasin... 13004 problem paramount importance pure restricted i... 13005 security threats jamming route manipulation si... 13006 intense spindown flows allow one reach high rm... 13007 multiagent pathfinding mapf problem recently r... 13008 construct matrix algebra lambdaab two given fi... 13009 problem retrosynthetic planning framed one pla... 13010 sparse modeling approach proposed analyzing sc... 13011 polydimethylsiloxane pdms films possess differ... 13012 identifying undocumented potential future inte... 13013 pathological lung segmentation pls important y... 13014 paper investigate convection phenomenon intrac... 13015 present absolute frequency measurement unpertu... 13016 similarity search essential many important app... 13017 let l laplace operator r dgeq laplace beltrami... 13018 bayesian responseadaptive designs unbalance ra... 13019 point processes becoming popular modeling asyn... 13020 seven planets trappist system largest number e... 13021 paper focus developing driverinthe loop fuel e... 13022 present generalization cauchylorentzian gemanm... 13023 let x centered gaussian random variable separa... 13024 report evolution structural magnetic dielectri... 13025 call family sets intersecting two sets family ... 13026 work explores maximum likelihood optimization ... 13027 measured magnetic resonance rubidium atoms pas... 13028 paper aims decrease time complexity multioutpu... 13029 lpmln recent addition probabilistic logic prog... 13030 seminal book inmates running asylum hightech p... 13031 image effective tool conveying emotions many r... 13032 soft set theory rough set theory mathematical ... 13033 date developing good model early intensive car... 13034 let varphiiiinfty sequence orthonormal polynom... 13035 molecular dynamics solid benzene extremely com... 13036 paper propose novel approach obtaining reliabl... 13037 interest finding minimum additive generating s... 13038 document provides detailed overview clubbsilhs... 13039 using arakis relative entropy liebs convexity ... 13040 work provides performance guarantees greedy so... 13041 laboratory measurement alphadecay halflife pt ... 13042 paper develops online inverse reinforcement le... 13043 deep learning potential revolutionize quantum ... 13044 propose generalized magnetic mirrors achieved ... 13045 present performances characterization array ma... 13046 one key technologies future largescale locatio... 13047 background opioid misuse major public health i... 13048 geography fuel prices many various implication... 13049 shape priors widely utilized medical image seg... 13050 report detection water absorption features day... 13051 let kkkldotskr lllldotsls disjoint subsets ldo... 13052 random matrix theory rmt applied analyze weigh... 13053 interface widely exists carbon nanotube cnt as... 13054 discovering exploring underlying structure mul... 13055 consumers often react expressively products fo... 13056 study problem cooperative inference group agen... 13057 optimal subset selection important task numero... 13058 cutelimination one famous problems proof theor... 13059 improved understanding turbulence essential ef... 13060 commonly agreed use relevant invariances good ... 13061 epitaxial engineering solidstate heterointerfa... 13062 estimating multiple sparse gaussian graphical ... 13063 widom line identifies locus phase diagram supe... 13064 annotated bibliography estimation inference re... 13065 virtual learning environments vles spaces desi... 13066 batch normalization commonly used trick improv... 13067 cellular automata ca theory discrete model rep... 13068 recently deep learning approaches various netw... 13069 locomotion swimming bacteria simple newtonian ... 13070 review three principal methods assign meaning ... 13071 paper gives exact solution terms karhunenlove ... 13072 nodes residing different parts graph similar s... 13073 study conditions spontaneously generating exci... 13074 spatialsign covariance matrix sscm important s... 13075 recent work developing novel integral equation... 13076 high temperature hightc superconductors like c... 13077 simplicial complexes popular alternative netwo... 13078 present paper devoted local local derivations ... 13079 rigid motion computation estimation cornerston... 13080 measuring influence determining drives persist... 13081 anomaly detectors often used produce ranked li... 13082 roles unmanned aerial vehicles uav continue di... 13083 maximum rankdistance mrd codes extremal codes ... 13084 boltzmann equation integrodifferential equatio... 13085 backscatter electrons beta spectrometer incomp... 13086 timing attacks continuous threat users privacy... 13087 finding causes observed effects establishing c... 13088 study coupled motion closed elastic string imm... 13089 consider frw cosmological model matter content... 13090 classification one widely used analytical tech... 13091 give sufficient conditions nonnegative inverse... 13092 restricted boltzmann machine rbm important too... 13093 prove logarithmic local energy decay rate wave... 13094 let c smooth irreducible projective curve let ... 13095 controllers robotics often consist expertdesig... 13096 toxicity analysis prediction paramount importa... 13097 paper deals cellular eg lte networks selective... 13098 present new random sampling strategy kbandlimi... 13099 graph g sequence vvdotsvm vertices grundy domi... 13100 provide comments article highdimensional simul... 13101 variable clustering important explanatory anal... 13102 weak field limit scalartensorvector gravity th... 13103 develop several efficient algorithms classical... 13104 protein sequence space natural proteins form c... 13105 control solute fluxes either microscopic phore... 13106 magnetohydrodynamically induced interface inst... 13107 clustering problem many variants numerous appl... 13108 develop procedures based minimization composit... 13109 paper investigate problem grasping novel objec... 13110 study problem singleimage depth estimation ima... 13111 complexity geodesic language connections algeb... 13112 purpose radial kspace trajectory wellestablish... 13113 efficient humanmachine networks require produc... 13114 dynamics reduces orthorhombicity magnetic stri... 13115 ideally enabling multitenancy network virtuali... 13116 bayesian estimation unknown parameters statesp... 13117 multiplicative theory set numbers could natura... 13118 recently lee cha two generalized classes discr... 13119 let g group rational points reductive connecte... 13120 introduce two applications polygraphs categori... 13121 matter bounces refer scenarios wherein univers... 13122 approximate ripple carry adders rcas carry loo... 13123 normality assumption data set restrictive appr... 13124 work proposes novel solution problem internal ... 13125 work concerned alaloxidealoxallayer systems im... 13126 senior project typical essential course comput... 13127 study tensor network theory important field pr... 13128 broad set deep generative models dgms achieved... 13129 paper propose unsupervised face clustering alg... 13130 paper presents new acoustic emission ae source... 13131 andersons paving conjecture known hold due res... 13132 describe amrex suite astrophysics codes applic... 13133 present translation lambek calculus brackets u... 13134 present distributed formation control strategy... 13135 recent years rtbreal time bidding becomes popu... 13136 graphstructured data social networks functiona... 13137 paper describes novel storyboarding scheme use... 13138 aim dissertation investigate habitability extr... 13139 part large investigation hubble space telescop... 13140 paper provide first analysis research question... 13141 many recent deep learning platforms rely third... 13142 significant amount search queries originate re... 13143 prove unpolarized shafarevich conjecture k sur... 13144 computing steadystate distributions infinitest... 13145 paper presents discretetime option pricing mod... 13146 performance single channel source separation a... 13147 examine problem searching sequentially desired... 13148 paper classify isomorphism classes four dimens... 13149 current article unveils analyzes important fac... 13150 partbased representation proven effective vari... 13151 paper present novel approach based random walk... 13152 provide nontrivial measure irrationality class... 13153 consider slowly evolving ie adiabatic operatio... 13154 although shill bidding common auction fraud ho... 13155 investigate evolution decorrelation bandwidth ... 13156 lyngso pedersen proposed conjecture stating ev... 13157 paper study asymptotic properties bayesian mul... 13158 short account recent existence multiplicity th... 13159 convex penalty promoting switching controls pa... 13160 blue waters petascalelevel supercomputer whose... 13161 consider time series measurements state evolvi... 13162 study inflation models many interacting fields... 13163 user engagement online social networking depen... 13164 investigate statistical properties clustering ... 13165 prove realization formula model formula analyt... 13166 self consistent gw approach scgw applied calcu... 13167 intervalcensored data event time known lie tim... 13168 medical field stands see significant benefits ... 13169 paper develops compares two motion planning al... 13170 study galactic wind edgeon spiral galaxy ugc c... 13171 objective establish performance several drive ... 13172 liouville type theorems stationary navierstoke... 13173 let p set nodes wireless network node modeled ... 13174 present alma co j co j co j observations local... 13175 consider problem computing nearest matrix poly... 13176 fixed point iterations play central role desig... 13177 prior work addressed problem optimally control... 13178 let p denote problem existence point plane giv... 13179 proved category mathbbem extended multisets du... 13180 prove nonvanishing twisted central critical va... 13181 consider elastic composite material containing... 13182 propose method implementation oneway quantum c... 13183 let x compact connected strongly pseudoconvex ... 13184 study steiner tree problem set terminal vertic... 13185 luminous stimulus penetrates retina converted ... 13186 present significantly different reflection pro... 13187 examine gradient descent unregularized logisti... 13188 demonstrate existence longlived prethermalized... 13189 develop systematic study jahnteller jt models ... 13190 article present general theory augmented lagra... 13191 introduce study oneparameter generalization qw... 13192 frankl fredi conjectured maximum lagrangian ru... 13193 accelerate research adversarial examples robus... 13194 complex networks analyses many physical biolog... 13195 paper describes method clustering data spread ... 13196 goal paper investigate dynamics eigenvalues st... 13197 paper study algorithmic problems automaton sem... 13198 recent data indicate one moderately nearby sup... 13199 generative adversarial networks gans form gene... 13200 paper analyzes market impacts expanding califo... 13201 peer code review continuous integration often ... 13202 tree inclusion problem given two nodelabeled t... 13203 firm varies price product consumers exhibit re... 13204 inverse reinforcement learning irl task learni... 13205 proper ideal commutative ring unity called zci... 13206 many realworld timeseries analysis problems ch... 13207 two major approaches studying macroevolution d... 13208 second paper series aimed study stellar kinema... 13209 introduce new finite element fe discretization... 13210 quench dynamics active area study encompassing... 13211 fermilab committed upgrade accelerator complex... 13212 deep generative models shown promising results... 13213 apply machine learning techniques attempt pred... 13214 report frequency measurement clock transition ... 13215 identifying different varieties language chall... 13216 whether neural networks learn abstract reasoni... 13217 paper published special issue journal inequali... 13218 xo project aims detecting transiting exoplanet... 13219 standard modelfree deep reinforcement learning... 13220 electrified viscocapillary jet shows different... 13221 receiver perfect channel state information csi... 13222 describe deep learning approach automated brai... 13223 robustness statistics depends upon number assu... 13224 present new proof results kurdyka paunescu rai... 13225 robots typically possess sensors different mod... 13226 framework gaps project conducting observationa... 13227 tackle problem deciding whether two probabilis... 13228 colocalization analysis aims study complex spa... 13229 given vertex interest network g vertex nominat... 13230 passivity imperative concept widely utilized t... 13231 restricted boltzmann machines key tools machin... 13232 discuss connection colorings link diagram goer... 13233 let real analytic riemannian manifold adapted ... 13234 main objective thesis study evolution ricci fl... 13235 show dynamics higgs field inflation affected m... 13236 topology torus remains invariant certain nontr... 13237 proliferation smallscale renewable generators ... 13238 electrical brain stimulation currently investi... 13239 revealing community structure network dataset ... 13240 consider variant online convex optimization in... 13241 investigate nature superconducting state curve... 13242 means firstprinciples calculations investigate... 13243 core technique used popular proxybased circumv... 13244 study special fiber integral models shimura va... 13245 bayesian optimization successful global optimi... 13246 article study problem fair division particular... 13247 magnetic resonant coupling mrc enabled multipl... 13248 work introduces class rejectionfree markov cha... 13249 airwater interfaces lifshitz interaction promo... 13250 study following basic machine learning task gi... 13251 collecting labeled data costly thus critical b... 13252 letter presents revised radiative transfer mod... 13253 paper find sufficient conditions continuity va... 13254 education increasingly framed competence minds... 13255 article represents first step toward understan... 13256 present paper new algorithm urban traffic ligh... 13257 consider problem finding proper confidence int... 13258 investigated reliability applicability socalle... 13259 probabilistic timed automata ptas timed automa... 13260 paper give counting results integer polynomial... 13261 paper obtain class virasoro modules taking ten... 13262 previously shown dyefilled microcavity produce... 13263 background ab initio manybody methods whose nu... 13264 paper existence uniqueness estimates solution ... 13265 propose gradientbased method quadratic program... 13266 let abelian variety defined global function fi... 13267 study swendsenwang dynamics critical qstate po... 13268 question number thermodynamic states present l... 13269 auxetic materials great engineering interest f... 13270 experiments numerical simulations explore beha... 13271 construct cosection localized virtual structur... 13272 column subset selection problem provides natur... 13273 paper introduce algorithm determine equivalenc... 13274 study model introduced perthame vauchelet desc... 13275 solution space many classical optimization pro... 13276 echo chambers ie situations one exposed opinio... 13277 applying many mode floquet formalism magnetica... 13278 ic luminous infrared galaxy lirg classified st... 13279 random key graphs introduced study various pro... 13280 study convergence rates variational posterior ... 13281 eclipsing binaries remain crucial objects unde... 13282 delayedacceptance version metropolishastings a... 13283 calgebra set x give stinespringtype characteri... 13284 paper presents biasvariance tradeoff graph lap... 13285 propose paper novel approach tackle problem mo... 13286 community detection problem graphs asks one pa... 13287 uncertainty quantification critical missing co... 13288 complex statistical machine learning models in... 13289 article motivated soccer positional passing ne... 13290 study problem initiation excitation waves fitz... 13291 aim use statistical analysis large number vari... 13292 regular separability problem asks two given la... 13293 support vector data description svdd machine l... 13294 comparing two distributions often helpful lear... 13295 investigate effect dzyaloshinskii moriya inter... 13296 random forests perform bootstrapaggregation sa... 13297 aims recent observations challenged understand... 13298 recent experiments suggest interplay cells mec... 13299 introduce pvscdtm parallel vectorized stencil ... 13300 extend existing methods using crosscorrelation... 13301 propose novel blockrow partitioning method ord... 13302 many image processing tasks involve imagetoima... 13303 exact lower upper bounds best possible misclas... 13304 big graph database model provides strong model... 13305 present analytic selfsimilar solutions one two... 13306 employ unsupervised machine learning technique... 13307 design energyefficient access networks emerged... 13308 discuss evolution computer architectures focus... 13309 person reidentification reid aims matching ima... 13310 bounded model checking among efficient techniq... 13311 survey compare various generalizations braid g... 13312 let zgh homogeneous space real reductive group... 13313 purpose work introduce general class cgsimulat... 13314 statesponsored bad actors increasingly weaponi... 13315 estimates asteroid masses based gravitational ... 13316 markov regime switching models widely used num... 13317 vipafleet project consists developing models a... 13318 bayesian information criterion bic akaike info... 13319 analyze low rank tensor completion tc using no... 13320 recent years much effort concentrated towards ... 13321 cardiac left ventricle lv quantification among... 13322 paper investigates properties class graphs bas... 13323 many realworld communication networks often hy... 13324 propose novel technique make neural network ro... 13325 computations rational numbers often suffer int... 13326 collaborative filtering often suffers sparsity... 13327 graphbased semisupervised learning one popular... 13328 listwise learning rank methods considered stat... 13329 study whitehead torsions inertial hcobordisms ... 13330 people rely social media primary sources news ... 13331 quantum sensors solid state electron spins att... 13332 advanced motor skills essential robots physica... 13333 querying graph databases recently received muc... 13334 show communication complexity lower bound find... 13335 consider graph turing machines model parallel ... 13336 many online social networks allow directed edg... 13337 six years ago semitoric systems dimensional ma... 13338 consider kuser multipleinputsingleoutput miso ... 13339 simulate complex fluids means onthefly couplin... 13340 motile organisms often use finite spatial perc... 13341 study asymptotic behaviour twisted first momen... 13342 boltzmann sampling commonly used uniformly sam... 13343 classify ergodic invariant random subgroups bl... 13344 sparse subspace clustering ssc popular unsuper... 13345 consider certain type geometric properties ban... 13346 languages shared people differ different regio... 13347 study phase diagram edge states twodimensional... 13348 overview logic bunched implications bi separat... 13349 let xi crown domain associated noncompact irre... 13350 paper consider continuous mathematical model t... 13351 let q finite quiver without loops mathcalqalph... 13352 traditional abstract domain framework imperati... 13353 study integral transform appeared different fo... 13354 quantitative cba postprocessing algorithm asso... 13355 consider quermassintegral preserving flow clos... 13356 article consider cloaking quasilinear elliptic... 13357 consider novel stochastic multiarmed bandit pr... 13358 clinical measurements collected time naturally... 13359 fairly elementary terms paper presents theory ... 13360 describe embedding qwire quantum circuit langu... 13361 study problem learning classifiers fairness co... 13362 study algebraic analytic structure feynman int... 13363 geometric phases well known noiseresilient qua... 13364 segmented aperture telescopes require alignmen... 13365 consider problem active feature acquisition se... 13366 give asymptotic formula number biquadratic ext... 13367 consider optimal execution problem trader look... 13368 give description weighted reedmuller codes pri... 13369 junction omega several semiinfinite cylindrica... 13370 paper studies stochastic optimal control probl... 13371 models observations suggest iceparticle aggreg... 13372 splashback radius rrm sp apocentric radius par... 13373 deep learning models dlms stateoftheart techni... 13374 robotic systems increasingly relying distribut... 13375 consider solution stochastic storage problems ... 13376 general physics level overview article hidden ... 13377 fast byteaddressable nonvolatile memory nvm em... 13378 experience world multimodal see objects hear s... 13379 consider tate twist tau hs mod cohomology moti... 13380 reliable diagnosis depressive disorder essenti... 13381 targeted advertising meant improve efficiency ... 13382 prove gaussbonnet formula xg sumx kx kxdimx xs... 13383 social media transforming global communication... 13384 infectious disease outbreaks recapitulate biol... 13385 multiplayer multiarmed bandits mab extensively... 13386 paper consider estimation generalized linear m... 13387 lightshiningthroughawall experiments represent... 13388 recent increase interest graph invariant calle... 13389 interpreting neural networks crucial challengi... 13390 intersections hazardous places threats arise i... 13391 convolutional sparse representations enjoy num... 13392 mms observations recently confirmed crescentsh... 13393 era big highdimensional data readily available... 13394 present autonovi novel algorithm autonomous ve... 13395 stochastic gradient descent sgd widely used ma... 13396 paper deal composite rational functions zeros ... 13397 introduce geometry interaction model mazzas mu... 13398 present results systematic search lymanalpha e... 13399 paper study geometry syz transform semiflat la... 13400 kpoint crossover operators recombination sets ... 13401 advances robotic technology research humanrobo... 13402 recently millimeterwave mmwave communications ... 13403 quantum entanglement serves valuable resource ... 13404 discuss design optimisation two types junction... 13405 present threedimensional cubic lattice spin mo... 13406 advance state art polyphonic piano music trans... 13407 previous joint work xiao second author modifie... 13408 propose demonstrate method calibrating atomic ... 13409 study laplacian smooth bounded domain varying ... 13410 geometrical topological phases play fundamenta... 13411 study homotopy groups generic leaves logarithm... 13412 exhibit relations van kampenflores conwaygordo... 13413 let lambda lambdak denote sequence complex num... 13414 investigate fine selmer groups elliptic curves... 13415 introduce new feature map barcodes arise persi... 13416 aim paper derive several new integral represen... 13417 reactive transport modeling computational cost... 13418 pseudoedge graph convex polyhedron k connected... 13419 paper focus learning structureaware document r... 13420 italian national institute statistics regularl... 13421 inertialess fluidstructure interactions active... 13422 encouraged recent studies performance tidal tu... 13423 elicitability property mathbbrkvalued function... 13424 system interacting brownian particles subject ... 13425 paper first present birmanmurakamiwenzl type a... 13426 recent era prediction enzyme class unknown pro... 13427 origin populationscale coordination puzzled ph... 13428 paper present proslam lightweight stereo visua... 13429 introduce right generating sets cayley graphs ... 13430 branch flow model bfm used formulate ac power ... 13431 transfer learning aims faciliate learning task... 13432 group discussions way individuals exchange ide... 13433 short note using results bourgain fremlin tala... 13434 article modeled mortality rates peruvian femal... 13435 propose novel approach parameter estimation si... 13436 several prolog implementations include facilit... 13437 introduce notion dynamical topological order p... 13438 article present pictorially foundation differe... 13439 paper study non strictly systems conservation ... 13440 onedimensional symmetric exclusion process sim... 13441 paper classifies equivalence classes irreducib... 13442 short review classical lie theorem finite dime... 13443 intersubband isb polarons result interaction i... 13444 well known markov chain monte carlo mcmc metho... 13445 one major challenges minimally invasive surger... 13446 paper describes task dcase challenge titled ge... 13447 program dependence graph pdg represents data c... 13448 prove smallest nontrivial quotient mapping cla... 13449 paper present new type fractional operator gen... 13450 research employ accurate timedependent density... 13451 note prove borel class representations manifol... 13452 article make case systematic application compl... 13453 estimate maximumorder complexity binary sequen... 13454 recent advances neural networks inspired peopl... 13455 study interactions bright matterwave solitons ... 13456 give geometric characterisations patch lawson ... 13457 four years national aeronautics space administ... 13458 present paper use theory exact completions stu... 13459 many program verification synthesis problems i... 13460 deep neural networks excel function approximat... 13461 many earth science applications require data h... 13462 psychiatric neuroscience increasingly aware ne... 13463 maximum speed liquid wet solid limited need di... 13464 massive spread digital misinformation identifi... 13465 vector field called beltrami vector field btim... 13466 couder fort discovered droplets walking vibrat... 13467 investigate languages recognized wellstructure... 13468 introduce new family integrable stochastic pro... 13469 large number applications querying sensor netw... 13470 context transformation generalized context tra... 13471 recent years numerous advanced malware aka adv... 13472 lowpressure gaseous tpcs well suited detectors... 13473 due exponential complexity resources required ... 13474 reconstructing network connectivity collective... 13475 consider set agents wish estimate vector param... 13476 maintenance software developers deal number so... 13477 upon employing analysis new time domain termed... 13478 nanostructures immense potential supplant trad... 13479 future generation gravitational wave detectors... 13480 present work seeks analyse altmetric performan... 13481 impact information dissemination epidemic cont... 13482 artificial intelligence increasingly affecting... 13483 paper presents sufficient conditions convergen... 13484 present spectroscopic observations c ii lambda... 13485 metasurfaces promising tools towards novel des... 13486 prove open gromovwitten invariants k surfaces ... 13487 paper reviews main estimation prediction resul... 13488 rough grains standard packing conditions disch... 13489 nonstationary domains unforeseen changes happe... 13490 important theorem classical complexity theory ... 13491 present first polynomialtime approximation sch... 13492 emergence smart wifi aps access point equipped... 13493 abella interactive theorem prover proven effec... 13494 arithmetic matroid weakly multiplicative multi... 13495 multilabel submodular markov random fields mrf... 13496 present strategy obtain explicit equations mod... 13497 paper present simple analysis bf fast rates hi... 13498 using numerical analytical methods describe ge... 13499 deep neural networks become complex input data... 13500 using six parameters truncated mittagleffler f... 13501 trending topic newspapers indicator understand... 13502 magneticallydriven disk winds would alter surf... 13503 show proof principle warping method interpret ... 13504 show every tiling convex set euclidean plane m... 13505 recently tewari van willigenburg constructed m... 13506 calculation phase diagrams one fundamental too... 13507 next generation sequencing ngs technology resu... 13508 present contribution offers simple methodology... 13509 provide thermodynamic analog braess roadnetwor... 13510 paper study weighted gevrey class regularity e... 13511 soft random geometric graphs srggs widely appl... 13512 media industry increasingly personalizing offe... 13513 piecewise testable languages form first level ... 13514 present superpivot analysis method lowresource... 13515 study stochastic control approach managed futu... 13516 face recognition made great progress developme... 13517 paper propose restart schedule adaptive simula... 13518 purpose work construct simple efficient accura... 13519 ambientpressuregrown laofbis superconducting t... 13520 let mathcala ldots mathcalak finite sets mathb... 13521 present systematic evaluation jpeg isoiec tran... 13522 deep reinforcement learning drl applied succes... 13523 following breakthrough croot lev pach tao intr... 13524 paper present detailed computational study ele... 13525 given koszul algebra finite global dimension o... 13526 paper produce cellular motivic spectrum motivi... 13527 work introduce idea primary application topolo... 13528 study theoretically edge fracture instability ... 13529 apply symmetry based power tensor technique te... 13530 paper investigates dependence functional portf... 13531 study local optima hamiltonian sherringtonkirk... 13532 regular expressions capture variables also kno... 13533 present new approach learning planning knowled... 13534 usual approaches mechanics classical quantum p... 13535 show characteristic functions domains boundari... 13536 least angle regression lars efron et al novel ... 13537 present measurements velocity power spectrum c... 13538 paper prove lorentz space lqpestimates gradien... 13539 prove sharp density upper bounds optimal lengt... 13540 image diffusion plays fundamental role task im... 13541 study compares various superlearner deep learn... 13542 shown newtons inequalities related maclaurins ... 13543 understanding influence hyperparameters perfor... 13544 paper propose generalized expectation consiste... 13545 paper investigates performance legitimate surv... 13546 big data problems frequently require processin... 13547 developer forums contain opinions information ... 13548 simulations tidal streams show close encounter... 13549 present threespecies multifluid mhd model h ho... 13550 evergrowing amounts textual data large variety... 13551 software key component solutions st century pr... 13552 performed geometric pulsar light curve modelin... 13553 automation computer intelligence support compl... 13554 two heuristics namely diversitybased dbtp hist... 13555 using katorosenblum theorem describe absolutel... 13556 investigate separation properties npoint confi... 13557 introduce algorithm wordlevel text spotting ab... 13558 previous work defined studied sigmamodules cla... 13559 revisit low energy physics one dimensional spi... 13560 several methods checking admissibility rules m... 13561 spark new promising platform scalable datapara... 13562 known every graph g exists smallest helly grap... 13563 paper estimate time resolution jpet scanner bu... 13564 area handwritten signature verification broadl... 13565 fairness critical trait decision making machin... 13566 memorysafety violations prevalent cause reliab... 13567 study problem modeling spatiotemporal trajecto... 13568 rewrite poyntings theorem already used previou... 13569 victory ie underlinevienna underlinecomputatio... 13570 tumor stromal interactions shown driving force... 13571 consider problem testing basis pvariate gaussi... 13572 phylodynamics area population genetics uses ge... 13573 social affective relations may shape empathy o... 13574 paper addresses dynamic difficulty adjustment ... 13575 characterize varieties torus action complexity... 13576 paper study interplay lagrangian cobordisms st... 13577 citation sentiment analysis important task sci... 13578 present hybrid method latent information disco... 13579 let k field paper investigates embedding dimen... 13580 cosmic axion spin precession experiment casper... 13581 energy graph g equal sum absolute values eigen... 13582 linear attention recurrent neural network larn... 13583 paper consider robust adaptive non parametric ... 13584 designing analog subthreshold neuromorphic cir... 13585 origin broad emission line region belr quasars... 13586 propose consistent polynomialtime method unsee... 13587 report time angle resolved spectroscopic measu... 13588 paper consider family jacobitype algorithms si... 13589 goal present paper introduce smaller equivalen... 13590 submission investigates alternative machine le... 13591 growing digital archives improving algorithms ... 13592 paper promote method evaluation surface topogr... 13593 consider flotation deformable nonwetting drops... 13594 work study crystalline nuclei growth glassy sy... 13595 electron cloud lead fast instability intense p... 13596 man island individuals interact influence one ... 13597 let fxfx dots fmx f dots fm linearly independe... 13598 consider several notions genericity appearing ... 13599 cubesats emerging lowcost tools perform astron... 13600 study cyclicity weighted ellpmathbbz spaces p ... 13601 order achieve good level autonomy unmanned hel... 13602 devise approach targeted molecular design prob... 13603 deep neural networks achieved increasingly acc... 13604 give new axiomatization npseudospace studied t... 13605 radiofrequency multipole traps used decades co... 13606 visual data videos often sampled complex manif... 13607 dynamics waves generated scopes gas centrifuge... 13608 paper deal robust stackelberg strategy naviers... 13609 paper five different approaches reducedorder m... 13610 srtio quantum paraelectric becomes metal super... 13611 earliest socalled class phase sunlike lowmass ... 13612 consider cosmological dynamics theory gravity ... 13613 paper present extensions interpolation arithme... 13614 english indian language machine translation po... 13615 quantitative composition metal alloy nanowires... 13616 tackle problem constructive preference elicita... 13617 recently two reports demonstrated amazing poss... 13618 examine relation gasphase oxygen abundance ste... 13619 prove riemann hypothesis generalized riemann h... 13620 develop second order primaldual method optimiz... 13621 electronic medical records contain multiformat... 13622 give new arithmetic algorithm compute generali... 13623 study superconductor coupled superfluid via de... 13624 introduce multicolour partition algebras pnmde... 13625 materials central way life future energy mater... 13626 lumpedelement kinetic inductance detectors lek... 13627 knot floer homology invariant knots discovered... 13628 new detailed mathematical model dynamics immun... 13629 experiments handling rydberg atoms near surfac... 13630 quasars high redshift provide direct informati... 13631 acid solutions exhibit variety complex structu... 13632 generating music notable differences generatin... 13633 study synaptically coupled neuronal networks i... 13634 motion planning autonomous vehicles requires s... 13635 present tool primarily supports ability check ... 13636 work leverages recent advances probabilistic m... 13637 paper introduces youtubem video understanding ... 13638 sepsis condition caused bodys overwhelming lif... 13639 contribution devoted cover technical aspects r... 13640 present visibility based estimator namely tape... 13641 software long established essential aspect sci... 13642 prove new exact formulas generalized sumofdivi... 13643 paper provides explicit formulas related addit... 13644 witnesses medieval literary texts preserved ma... 13645 sustained interest bifacial solar cell technol... 13646 era big data reducing data dimensionality crit... 13647 well known neural networks rectified linear un... 13648 aim paper introduce notion fantastic deductive... 13649 coming years residential consumers face realti... 13650 recent work follow perturbed leader ftpl algor... 13651 ammonium halides present interesting system st... 13652 linear fractional map fz fracaz bcz riemann sp... 13653 differential calculus euclidean spaces many ge... 13654 let p finite pgroup p odd prime let mathcalapp... 13655 recent years deep generative models shown imag... 13656 show standard stochastic gradient decent sgd a... 13657 simulation schemes partial differential equati... 13658 paper present translation quantum programming ... 13659 report experimental realization dirac semimeta... 13660 understanding structure scene vital importance... 13661 motivated applications social biological netwo... 13662 consider problem learning reward policy expert... 13663 natural social humanrobot interaction essentia... 13664 propose novel online alternating minimization ... 13665 sensing complex systems requires largescale in... 13666 study attractors class holomorphic systems irr... 13667 graphene honeycomb lattice carbon atoms ruled ... 13668 retina complex nervous system encodes visual s... 13669 emholm proc roy soc stochastic fluid equations... 13670 paper consider solving class convex optimizati... 13671 use information entropy test isotropy nearby g... 13672 observations diffuse starlight outskirts galax... 13673 let lambda oplus c trivial extension algebra a... 13674 study spread rnyi entropy two halves sachdevye... 13675 explore lattice structures integer binary rela... 13676 undetected overfitting occur significant redun... 13677 suggest inverse dispersion method calculating ... 13678 vehicletoinfrastructure vi communication may p... 13679 manifolds infinite cylindrical ends continuous... 13680 give construction real number normal integer b... 13681 strong interaction known exist edgecolored gra... 13682 quasirandom walks show similar features standa... 13683 endtoend learning treats entire system whole a... 13684 realworld document collections involve various... 13685 recent years witnessed great success convoluti... 13686 study class flat bundles finite rank n arise n... 13687 appealing gibbs formalism classical statistica... 13688 smooth backfitting proven number theoretical p... 13689 locomotion low reynolds numbers topic growing ... 13690 assessment multimedia quality relies heavily s... 13691 suppose inverse image zero vector continuous m... 13692 prove certain coinduced actions inclusion fini... 13693 study diffusion properties inertial brownian m... 13694 prove omegalanguages nondeterministic petri ne... 13695 despite important role supporting assessment p... 13696 zeroshot recognition aims accurately recognize... 13697 study developed automated system evaluates spe... 13698 theoretical analysis detection decoding lowden... 13699 future electricity distribution grids host con... 13700 work report xray photoelectron xps valence ban... 13701 paper consider degenerate pseudoparabolic equa... 13702 use ab initio bethe ansatz dynamics predict di... 13703 human eye appears using low number sensors ima... 13704 study problem matrix estimation matrix complet... 13705 developing position sensitive silicon detector... 13706 revisit question reducing online learning appr... 13707 recently macdonald et al showed many algorithm... 13708 let g finite solvable symmetric group let b bl... 13709 according wellknown principle thermodynamics t... 13710 almost parameterizations turbulence nwp models... 13711 recent advancements complex network analysis e... 13712 several experimental reports nonconvex optimiz... 13713 modern perspective cosmology historical scienc... 13714 give classification semisimple separable algeb... 13715 study equivalence microcanonical canonical ens... 13716 paper considers problem positive semidefinite ... 13717 discuss various characterizations synthetic up... 13718 given pedestrian image query purpose person re... 13719 recently methods proposed perform texture synt... 13720 present work analyses particular scenario cons... 13721 administrators academic organizations across w... 13722 introduce condition garside groups call dehorn... 13723 paper new approach classification target task ... 13724 canonical grandcanonical ensembles two usual m... 13725 partial representation extension problem intro... 13726 main aim paper study lipschitz continuity cert... 13727 propose estimation method conditional mode con... 13728 report results isothermal magnetotransport sus... 13729 error backpropagation highly effective mechani... 13730 mean field variational bayes method becoming i... 13731 era next generation giant telescopes requires ... 13732 mastering dynamics social influence requires s... 13733 great concern produce numerically efficient me... 13734 study gapless quantum spin chains spin fredkin... 13735 new area passive wifi analytics promise delive... 13736 introduce new method finding network motifs in... 13737 traditional bagofwords approach found wide ran... 13738 date limit graviton mass using galaxy clusters... 13739 artificial neural networks anns may worth comp... 13740 channel convex constraint set finite augustin ... 13741 paper presents new algorithm calculating hash ... 13742 generative adversarial networks gan one promin... 13743 propose estimate metamodel sensitivity indices... 13744 neuronal glial cells release diverse proteogly... 13745 present autoperf generalized software performa... 13746 way quantum mechanics qm introduced people use... 13747 study sample complexity learning neural networ... 13748 variational bayes vb also known independent me... 13749 studied two dimensional lattice model coulomb ... 13750 propose dynamic network model two mechanisms c... 13751 stock market considered one highly complex sys... 13752 article notion bimonotonic independence introd... 13753 present observations occulted active region ar... 13754 gender inequality starts birth parents tend pr... 13755 hierarchical models regionally aggregated dise... 13756 accelerometer measurements prime type sensor i... 13757 investigated magnetic structure heavy fermion ... 13758 one compelling features gaussian process gp re... 13759 consider global optimization function continuo... 13760 years many multiprocessor locking protocols de... 13761 topological cyclic homology refinement connest... 13762 local graph partitioning key graph mining tool... 13763 understanding detailed queueing behavior netwo... 13764 although cluttered indoor scenes lot useful hi... 13765 commonly used distributed machine learning sys... 13766 prevalence smart wearable devices increasing e... 13767 qensembles modelfree approach input images fed... 13768 report status cybersecurity assessment tools c... 13769 critical periods phases early development huma... 13770 work present wholebody nonlinear model predict... 13771 unmanned aerial vehicles uavs represent new fr... 13772 recurrent neural networks rnn type statistical... 13773 functionals stochastic process yt model many p... 13774 efficient trafficmanagement platforms public v... 13775 frame question answering qa reinforcement lear... 13776 paper present results dynamic multivariate sca... 13777 design simulation measurement beam steerable s... 13778 internet mobile things encompasses stream data... 13779 space telescope optical reverberation mapping ... 13780 present grasping system design approach behind... 13781 consider semantics prepositions revisiting bro... 13782 random walks heart many existing deep learning... 13783 gated recurrent unit gru recentlydeveloped var... 13784 paper reformulated spell correction problem ma... 13785 twodimensional transition metal dichalcogenide... 13786 work study permutation synchronisation challen... 13787 associated varieties vertex algebras analogue ... 13788 new method developed deal problem complex dece... 13789 paper presents semantic attribute modulation s... 13790 positiveunlabeled pu learning considers two sa... 13791 juno multipurpose neutrino experiment designed... 13792 sigmapisigma neural networks spsnns kind higho... 13793 proceedings adkdd targetad workshop held conju... 13794 due possible lack primaldualtype error bounds ... 13795 expertise programming traditionally assumes bi... 13796 gaining better understanding machine learning ... 13797 advanced operation future electricity distribu... 13798 propose nonlinear discrete duality finite volu... 13799 nbody simulations study dynamics n particles i... 13800 deep learning started revolutionize several di... 13801 monte carlo mc sampling methods widely applied... 13802 paper describe novel local algorithm large sta... 13803 book chapter introduces problem extent search ... 13804 obtaining detailed reliable data local economi... 13805 study implicit regularization optimizing under... 13806 study pareto frontier two competing norms cdot... 13807 deep neural networks increasingly used variety... 13808 cern provides set hadoop clusters featuring pb... 13809 evolution sculpts body plans nervous systems a... 13810 known since ehrhard regniers seminal work tayl... 13811 propose apply two methods estimate pupil plane... 13812 analyse multilevel monte carlo method approxim... 13813 provide fast method computing constraints impa... 13814 present deep radio search reticulum ii dwarf s... 13815 paper investigates problem detecting relevant ... 13816 learning representations disentangle underlyin... 13817 excellent ranking power along well calibrated ... 13818 lowtemperature magnetic phases layered honeyco... 13819 introduce general methodology post hoc inferen... 13820 design jamming resistant receivers enhance rob... 13821 discuss higher dimensional generalizations dim... 13822 realistic implementations kitaev chain require... 13823 halfcentury discovery superconductorinsulator ... 13824 geosocial data attractive source variety probl... 13825 randomeffects normalnormal hierarchical model ... 13826 paper continue previous work dirichlet mixture... 13827 consider problem approximate kmeans clustering... 13828 suggest method represent general directed unif... 13829 introduce uncertainty regions perform inferenc... 13830 interstitial content online content grays othe... 13831 spiking neuronal networks usually simulated th... 13832 press release national institute standards tec... 13833 reinforcement learning powerful paradigm learn... 13834 cegar loop software model checking notoriously... 13835 sturmliouville operator singular potentials la... 13836 describe progress towards new common framework... 13837 work presents algorithm generate depth quantum... 13838 examine bayesconsistency recently proposed nea... 13839 adaptive gradient methods adagrad variants upd... 13840 infinitely smooth convex body mathbb rn called... 13841 motivated wideranging applications video deliv... 13842 paper present novel approach identify generato... 13843 classes depthbounded namebounded processes fra... 13844 secretary problem classic model online decisio... 13845 order understand formation social conventions ... 13846 series papers develop theory class locally com... 13847 prove liebschultzmattis theorem quantum spin h... 13848 present stabilized microwavefrequency transfer... 13849 define study numericalrange analogue notion sp... 13850 fundamental importance find algorithms obtaini... 13851 although deep learning historical roots going ... 13852 social media useful platform share healthrelat... 13853 paper introduces novel deep learning framework... 13854 net asset value nav calculation validation pri... 13855 nonlinear kleingordon nlkg equation manifold n... 13856 review studies superintense laser interaction ... 13857 grasping skill major ability wide number reall... 13858 compute hochschild cohomology ring algebras kl... 13859 provide complete source code frontend gui back... 13860 pioneering work brezismerle lishafrir li barto... 13861 consider scenario broadcasting information net... 13862 paper contributes techniques topoalgebraic rec... 13863 many practical problems learning agent may wan... 13864 paper investigates power control relay selecti... 13865 working scalable interactive visualization sys... 13866 note determine possible dominations different ... 13867 consider space x singular locus zsingx positiv... 13868 based recent highresolution angleresolved phot... 13869 renormalization method based newtonmaclaurin e... 13870 present largescale study gender bias occupatio... 13871 paper addresses deep face recognition fr probl... 13872 consider massless nonlinear dirac nld equation... 13873 twodimensional nonoriented bin packing problem... 13874 constrain models highmass star formation hersc... 13875 efficiency error control numerical solutions p... 13876 paper finds near equilibrium prices electricit... 13877 twosample hypothesis testing problem studied c... 13878 least square monte carlo lsm algorithm propose... 13879 humans ground natural language commands tasks ... 13880 study nonlocal venttsel problem nonconvex boun... 13881 generalize concept spinmomentum locking magnon... 13882 method evaluation outlined previous work utili... 13883 distributed computing environment consider emp... 13884 known inputoutput approaches based scaled smal... 13885 online social media become integral part socia... 13886 theory proposed basic elements reality assumed... 13887 segmentation large scale power grids zones cru... 13888 sb nuclear quadrupole resonance nqr applied fe... 13889 many statistical tests verify null hypothesis ... 13890 paper present new method measuring hubble para... 13891 testing whether probability distribution compa... 13892 peierlsnabarro pn model dislocations hybrid mo... 13893 consider partial torsion fields fields generat... 13894 data aggregation promising approach enable mas... 13895 digital games one major important fields enter... 13896 letter report systematic construction lattice ... 13897 prove identity relating product two opposite s... 13898 dialogue act recognition associate dialogue ac... 13899 questions noise stability play important role ... 13900 modern society generates incredible amount dat... 13901 give new proof strong arnold conjecture period... 13902 diderot parallel domainspecific language analy... 13903 consider problem semisupervised fewshot classi... 13904 introduce study inhomogeneous exponential jump... 13905 evidence accumulation models simple decisionma... 13906 radiative lifetime molecules atoms increased p... 13907 two fundamental processes describing change bi... 13908 system modeling bacteriophage treatments coinf... 13909 spin waves chiral magnetic materials strongly ... 13910 moran wrightfisher processes probably well kno... 13911 preclinical magnetic resonance imaging often r... 13912 scalable calculation matrix determinants bottl... 13913 years data become increasingly higher dimensio... 13914 review paper fits context adequate matching tr... 13915 understanding generative mechanism natural sys... 13916 investigate selforganization strongly interact... 13917 virtual unknotting number virtual knot minimal... 13918 describe algorithm evaluate complex branches l... 13919 rise life expectancy one great achievements tw... 13920 explore hunters rabbits game hypercube process... 13921 quantifying relation gut microbiome body weigh... 13922 paper study wireless packet broadcast system u... 13923 considerations propagation particles universe ... 13924 consider point cloud xn x dots xn uniformly di... 13925 modify definable ultrapower construction kanov... 13926 present novel notion complexity interpolates g... 13927 given graph n vertices integer k feedback vert... 13928 suppose given set n elements clustered k unkno... 13929 kriging based gaussian random fields widely us... 13930 study problem maximizing monotone submodular f... 13931 multiarmed bandits quintessential machine lear... 13932 mantels test mt association conducted testing ... 13933 present algorithm approximating function defin... 13934 time delay general leads instability systems s... 13935 primordial black holes pbh could cold dark mat... 13936 pegs formalized ford several pragmatic operato... 13937 central question neuroscience develop realisti... 13938 present restframe optical spectra fmoscosmos s... 13939 study task estimating number edges graph acces... 13940 explore random scalefree networks populations ... 13941 investigate complexity deep neural networks dn... 13942 study longrange longtime behavior reactivetele... 13943 study abelian varieties k surfaces complex mul... 13944 considering granular fluid inelastic smooth ha... 13945 better understand energy response antineutrino... 13946 present paper generalises results ray buchstab... 13947 paper presents automated approach interpretabl... 13948 study problem learning onehiddenlayer neural n... 13949 absolute positioning essential factor arrival ... 13950 intrinsically nonlinear coupled systems presen... 13951 article consider cayley deformations compact c... 13952 pairwise maximum entropy model also known isin... 13953 study smooth structure convex functions genera... 13954 paper study joint functional calculus commutin... 13955 full ranges hybrid plasmonmode dispersions dam... 13956 well known thanks laxwendroff theorem local co... 13957 environmental changes failures collisions even... 13958 compute free energy planar monomerdimer model ... 13959 paper consider several compression techniques ... 13960 relativistic effects nonresonant twophoton ksh... 13961 article concerned asymptotic behavior certain ... 13962 show dimensional systolic complexes quasiisome... 13963 notion computer capacity proposed quantity est... 13964 construct base expansion absolutely normal rea... 13965 computational ghost imaging robust compact sys... 13966 estimated connectomes means neuroimaging techn... 13967 present photometry spectroscopy nine type iipl... 13968 sharing economy se growing ecosystem focusing ... 13969 hypothesis computational models reliable enoug... 13970 report growth ndfeasof thin films tilt mgo bic... 13971 measure mass function sample young star cluste... 13972 show galois cohomology groups padic representa... 13973 paper continuation ctcmf efficient algorithm c... 13974 investigate time evolution entanglement entrop... 13975 proposed new penalized method paper solve spar... 13976 upcoming skalow radio interferometer sensitive... 13977 neural networks widely used predictive models ... 13978 consider jacobi matrices j whose parameters po... 13979 present work analyze necessary conditions igni... 13980 polls trusted source election predictions deca... 13981 seidel introduced notion fukaya category relat... 13982 thermalization hot carriers phonons gives dire... 13983 given polynomial p cx show set irreducible mat... 13984 significant training required visually interpr... 13985 millions users routinely use google log websit... 13986 evolutionary game dynamics structured populati... 13987 supervised machine learning agent typically tr... 13988 undertaken algorithmic search new integrable s... 13989 nonnegative matrix factorization basic tool de... 13990 paper solves problem optimal portfolio choice ... 13991 statistical inference model selection requires... 13992 study problem sampling bandlimited graph signa... 13993 present dltk toolkit providing baseline implem... 13994 show verdier quotients realized subfactors hom... 13995 prove grothendieck rings category mathcalctq q... 13996 study optimal pricing strategy monopolist sell... 13997 present paper devoted description finitedimens... 13998 derive bounds extremal singular values conditi... 13999 stanene predicted twodimensional topological i... 14000 paper introduces framework speeding bayesian i... 14001 distributions anthropogenic signatures impacts... 14002 consider regret minimization repeated games no... 14003 given network nodes minimizing spread contagio... 14004 paper consider nonlinear inhomogeneous compres... 14005 poisson distribution used modeling noise photo... 14006 emil artin defined zeta function algebraic cur... 14007 forgotten topological index findex graph defin... 14008 show problem deleting minimum number vertices ... 14009 propose using storage ring edm method search a... 14010 time crystals quantum manybody systems due int... 14011 echocardiography essential modern cardiology h... 14012 anomaly detection database management systems ... 14013 paper deal seifert fibre spaces compact manifo... 14014 ufmc modulation among considered solutions rea... 14015 humans easily describe imagine crucially predi... 14016 recently paper klimovskikh et al published pre... 14017 learning representation relative similarity co... 14018 present updated version massmetallicity relati... 14019 instanton partition functions mathcaln super y... 14020 paper presents kinematic analysis ppps paralle... 14021 bigdatalog extension datalog achieves performa... 14022 present longbaseline alma observations strong ... 14023 computation noether numbers groups order less ... 14024 reporting lugiatolefever equation describing f... 14025 models percolation processes networks currentl... 14026 lintersection graphs graphs representation int... 14027 classical problem scheduling unrelated paralle... 14028 determination pairing symmetry monolayer fese ... 14029 paper proposes novel method filter false alarm... 14030 consider question extending propositional logi... 14031 world succinctly compactly described structure... 14032 present concept magnetic gas detection extraor... 14033 article present automatic method charge mass i... 14034 paper proposes model information cascades dire... 14035 present inferences geometry kinematics broadhb... 14036 providing longrange forecasts fundamental chal... 14037 aa tau archetype class stars peculiar periodic... 14038 paper describes verifying methods medical spec... 14039 objects moving fluids experience patterns stre... 14040 given real number beta study associated betash... 14041 derive expressions configurational forces kohn... 14042 realtime safety analysis become hot research t... 14043 show conformal anomaly weyldirac semimetals ge... 14044 speaker recognition performance emotional talk... 14045 uv absorption studies fuse observed h molecula... 14046 radio telescopes become sensitive damaging eff... 14047 consider eternal inflation scenario slowrollch... 14048 present first exact calculations time dependen... 14049 rigorous nonequilibrium actions manybody probl... 14050 first step statistical reliability studies coh... 14051 work introduce online model communication comp... 14052 due recent advances compute data models role l... 14053 order find way measuring degree incompleteness... 14054 horseshoe prior proven noteworthy alternative ... 14055 current machine learning techniques proposed a... 14056 siberian solar radio telescope upgraded upgrad... 14057 present temperature dependent inelastic neutro... 14058 goal study test two different computing platfo... 14059 superresolution fluorescence microscopy resolu... 14060 astonishing fact established lee rubel exists ... 14061 determination energy flux gamma photons imagin... 14062 learn connectome constructed simplified model ... 14063 claw diamondfree edge deletion problem given g... 14064 caching popular contents edge cellular network... 14065 introduce orbital graphs discuss basic propert... 14066 prove existence singular harmonic bf z spinors... 14067 childhood obesity associated increased morbidi... 14068 basic reproduction number r threshold paramete... 14069 demonstrate applied electric field causes piez... 14070 matrix divisors introduced work aweil consider... 14071 pseudogap phase superconductors continues outs... 14072 direct comparison specific heat magnetoresista... 14073 interest determine exit angle vortex supercond... 14074 general methodology proposed differentiate lik... 14075 developed semianalytic framework model largesc... 14076 research hardware imperfections impact securit... 14077 preventable medical errors estimated among lea... 14078 person reidentification reid usually suffers n... 14079 paper illustrates calculate moments cumulants ... 14080 present new large samples galactic cepheids rr... 14081 kristensen mele developed new approach obtain ... 14082 study leinsters notion magnitude compact metri... 14083 paper show edge connectivity distanceregular d... 14084 expertise annotators major role crowdsourcing ... 14085 rigorously derive kirchhoff plate theory via g... 14086 advent microcontrollers enough cpu power analo... 14087 work prove growth artin conductor exponential ... 14088 internet protocol ip addresses frequently used... 14089 short paper generalise theorem due kani rosen ... 14090 construct optimal designs group testing experi... 14091 complex oxides exhibit many intriguing phenome... 14092 article show duality tensor networks undirecte... 14093 generalization emdenfowler equation presented ... 14094 exploiting deep generative models remarkable a... 14095 using atomic force microscopy afm investigated... 14096 article discuss architecture polynomial neural... 14097 analyze lefttail asymptotics deformed tracywid... 14098 background test resources usually limited ther... 14099 make case studying complexity approximately si... 14100 quantum technology increasingly relying specia... 14101 wide adoption dnns given birth unrelenting com... 14102 spectral clustering found extensive use many a... 14103 measurements highvelocity clouds metallicities... 14104 deep generative models trained large amounts u... 14105 present generalization bound feedforward neura... 14106 preceding paper efroimsky derived expression t... 14107 work introduce moldavian romanian dialectal co... 14108 einstein field equations weakfield approximati... 14109 propose novel tree classification system calle... 14110 investigate flow instability created oblique s... 14111 paper gives introduction rate equations nonlin... 14112 many modern applications science engineering d... 14113 study address question whether extent respecti... 14114 declination quantitative method identifying po... 14115 dynamic adaptive streaming http dash recently ... 14116 evolution propagation worlds languages complex... 14117 article dedicated late giorgio israel rsum aim... 14118 categorical point view minimization subrecursi... 14119 devaney krych showed exponential family lambda... 14120 motivated ridesharing platforms efforts reduce... 14121 modern systems increasingly rely energy harves... 14122 evolution smart microgrid demandresponse chara... 14123 premise autonomous vehicles must optimize comm... 14124 paper study problem estimating covariance matr... 14125 planning safe paths major building block robot... 14126 display advertising users online ad experience... 14127 hallmark weyl semimetals existence open consta... 14128 study dynamic response superfluid field moving... 14129 examine spectral operatortheoretic properties ... 14130 mobile robots cyberphysical systems cyberspace... 14131 spite recent success neural machine translatio... 14132 machine learning data analysis finds scientifi... 14133 paper introduce new modules ring ponderation f... 14134 paper studies eigenvalue problem mathbbrd clas... 14135 report targeted groups subject matter experts ... 14136 building interactive tools support data analys... 14137 consider classical risk process arrival claims... 14138 conduct realistic evaluation virtualized netwo... 14139 information systems experience evergrowing vol... 14140 recent studies show interest materials asymmet... 14141 common approach analyzing categorical correlat... 14142 paper study inhomogeneous diophantine approxim... 14143 specific value cosmological constant lambda ac... 14144 synthesis rationally designed nanostructured m... 14145 propose novel framework reduces management int... 14146 present semianalytical models galactic outflow... 14147 learning algorithms learn linear models often ... 14148 kustaanheimostiefel ks transformation depends ... 14149 paper presents new safety specification method... 14150 present simple yet effective approach linking ... 14151 reinforcement learning ai commonly uses reward... 14152 memorybased neural networks model temporal dat... 14153 currently great interest applying neural netwo... 14154 infinite chain drivendissipative condensate sp... 14155 paper projected primaldual gradient flow augme... 14156 although significant literature asymptotic the... 14157 aharoni berger conjectured bipartite multigrap... 14158 paper provides general abstract approach appro... 14159 one interesting features libration domain coor... 14160 deep qnetwork dqn returnbased reinforcement le... 14161 recent studies regarding habitability observab... 14162 exhibit first explicit examples salem sets mat... 14163 consider hardcore model finite triangular latt... 14164 model reduction markov process basic problem m... 14165 carried campaign characterize hot jupiters was... 14166 superconductor subjected strong inplane magnet... 14167 consider regression problem labeled data obser... 14168 although poissonvoronoi diagrams interesting m... 14169 one promising avenue study onedimensional topo... 14170 use kalman filtering well nonlinear extensions... 14171 advances atomic resolution situ environmental ... 14172 paper presents extension recently developed hi... 14173 work sharp compactness theorem yamabe problem ... 14174 brief note connect discrete logarithm problem ... 14175 convolutional neural networks cnns applied gra... 14176 paper studies textitpartial functional partial... 14177 wireless rechargeable sensor networks consisti... 14178 online social media information resources tran... 14179 cooperation cornerstone human evolutionary suc... 14180 show classical equivalence bmo norm l norm lac... 14181 recent literature demonstrated promising resul... 14182 conduct comprehensive set tests performance su... 14183 paper construct equivariant coarse homology th... 14184 paper continuation recent paper devoted refini... 14185 multilayer mos possesses highly anisotropic th... 14186 novel surface interrogation technique proposed... 14187 propose general computational procedures based... 14188 study electroweak scale dark matter dm whose i... 14189 generalised hydrodynamics predicts universal b... 14190 propose employ scale spaces mathematical morph... 14191 paper deals construction separating system rat... 14192 paper present method simultaneously segmenting... 14193 protein pattern formation essential spatial or... 14194 artificial intelligence ai generally machine l... 14195 matrix completion problem arises many dataanal... 14196 many applications infer structure probabilisti... 14197 influence bsite ion substitutions xbinatioxbat... 14198 paper presents exhaustive study arrivals proce... 14199 derive new exact evolution equation scale depe... 14200 shown controlled moran constructions mathbbr i... 14201 predictable feature analysis pfa richthofer wi... 14202 elements composing complex systems usually int... 14203 many studies show acquisition knowledge key bu... 14204 uncertainty propagation large scale discrete s... 14205 location fingerprinting locates devices based ... 14206 prove explicit formula first nonzero entry nth... 14207 characterize topologically conjugate twosided ... 14208 encrypted database systems provide great metho... 14209 main aim survey paper gather together results ... 14210 contactrich manipulation tasks unstructured en... 14211 let omegaleft abright subsetmathbbr min lleft ... 14212 study structure stability vortex lattices twoc... 14213 estimating tail index parameter one primal obj... 14214 metamaterial analogues electromagnetically ind... 14215 paper study special case completion cusp khler... 14216 dgeq study simplicial structure chain complex ... 14217 problems information destination moving object... 14218 investigate extension monadic second order log... 14219 constantstress layer wall turbulence twopoint ... 14220 consider class variational problems densities ... 14221 paper presents comparison six machine learning... 14222 autoencoders deep learning model representatio... 14223 ocean flows routinely inferred lowresolution s... 14224 flexible approach modeling dynamic event count... 14225 core issue blockchain mining requires solving ... 14226 general conjecture stated cone automorphic vec... 14227 work propose compositiondecomposition framewor... 14228 establish every kquasiconformal mapping w unit... 14229 prove averaging operators uniformly bounded l ... 14230 consider problem computing firstpassage time d... 14231 hamamatsu photonics introduced new generation ... 14232 introduce dynamic deep neural networks dnn new... 14233 gaussian random fields grf fundamental stochas... 14234 computability power distributed computing mode... 14235 note corrects conditions proposition theorem i... 14236 demonstrate application futamura projections h... 14237 report enhancing complete synchronization iden... 14238 propose novel method compressed sensing recove... 14239 paper energy harvesting scheme multiuser multi... 14240 investigate spectral properties tensor product... 14241 prove smooth projective algebraic variety dime... 14242 recurrent neural networks rnns becoming increa... 14243 deep learning enabled remarkable progress last... 14244 advancement technology last decades leading wi... 14245 work thin magnetite films deposited srtio via ... 14246 demand response dr costeffective environmental... 14247 goal graph representation learning embed verte... 14248 widespread sentiment possible effectively util... 14249 study means densitymatrix renormalization grou... 14250 application fuzzy support vector machine stock... 14251 review essentials formalism quantum mechanics ... 14252 chemical substitution growth wellestablished m... 14253 relative root mean squared errors rmse nonpara... 14254 goal paper study angle two curves framework me... 14255 ability locally degrade extracellular matrix e... 14256 mathematical physics spacefractional diffusion... 14257 derive positivstellensatz noncommutative ratio... 14258 wake vast population smart device users worldw... 14259 study minus order algebra bounded linear opera... 14260 dynamics fully flexible polymer ejecting capsi... 14261 created cloudbased service allows end users ru... 14262 ballean coarse structure set endowed family su... 14263 article investigate large sample properties mo... 14264 consider problem generating relevant execution... 14265 dynamics along particle trajectories axisymmet... 14266 paper resilient controller designed linear tim... 14267 prove integrability dispersionless hirota type... 14268 note propose new approach towards solving nume... 14269 use maximum qloglikelihood estimation least in... 14270 groups enterprises guarantee form complex guar... 14271 vocal joystick vowel corpus washington univers... 14272 examine salient trends influenza pandemics aus... 14273 henrik bruus professor labchip systems theoret... 14274 analysis tools like abstract interpreters symb... 14275 paper considers problem solving systems quadra... 14276 unwanted variation including hidden confoundin... 14277 purpose short contribution report development ... 14278 bandt pompe introduced permutation entropy tim... 14279 chest radiography extremely powerful imaging m... 14280 paper presents convolutional neural network cn... 14281 let xnninfty sequence torus mathbbt normalized... 14282 conventional generators power grids steadily s... 14283 onesided matching mechanisms fundamental assig... 14284 introduce midivae neural network model based v... 14285 work present gumbel graph network modelfree de... 14286 majorana bound states mbs wellestablished clea... 14287 upgrade atlas experiment high luminosity phase... 14288 recently several endtoend speaker verification... 14289 prove recognition principle motivic infinite p... 14290 correlation functions dimer operators product ... 14291 advent th generation wireless standards increa... 14292 fullerenes attracted interest possible applica... 14293 using existing simplified model framework buil... 14294 paper study methods estimate drivers posture v... 14295 order make proper reaction collected informati... 14296 based properties nsubharmonic functions show c... 14297 propose simple approach given distributed comp... 14298 forgetful functor category generalized effect ... 14299 evaluate integrals certain polynomials spheres... 14300 intermetallic semiconductor fega acquires itin... 14301 show topology protect exponentially localized ... 14302 find boundaries borelserre compactifications l... 14303 public speaking important aspect human communi... 14304 let k algebraically closed field characteristi... 14305 bibliometrics offers particular representation... 14306 traditional automatic evaluation measures natu... 14307 investigate effect explicitly enforcing lipsch... 14308 traditionally classifying large hierarchical l... 14309 experimentally quantified temporal structural ... 14310 automatic compiler phase selectionordering tra... 14311 shot noise important ingredient measurement th... 14312 establish sharp growth rate terms cardinality ... 14313 hypothesis generation becoming crucial timesav... 14314 consider several previously studied online var... 14315 study blackbox attacks machine learning classi... 14316 work addresses problem kinematic trajectory pl... 14317 integrated information theory iit prominent th... 14318 let compact oriented threemanifold whose inter... 14319 paper propose two novel bounds loglikelihood b... 14320 paper design fabricate experimentally characte... 14321 conventional shape sensing techniques using fi... 14322 distributed control potential solution decreas... 14323 allpay auctions common mechanism various human... 14324 examine volume computation generaldimensional ... 14325 diluted meanfield models spin systems whose ge... 14326 analyze clustering problem flexible probabilis... 14327 comparison data arises many important contexts... 14328 generalize chimney model introducing nonlinear... 14329 fast radio bursts new class transient radio ph... 14330 finetuning deep convolutional neural network c... 14331 work investigates fundamental limits communica... 14332 rebut erroneous statements attempt clear misun... 14333 demonstrate weakly disordered metal shortrange... 14334 epidemiological sirv model based study designe... 14335 study model seed dispersal considers inclusion... 14336 propose new integral probability metric ipm di... 14337 paper present number robust methodologies unde... 14338 calculate oneloop electron selfenergy correcti... 14339 paper consider problem finding periodic soluti... 14340 show positive integer k exist rightangled arti... 14341 many real world practical problems formulated ... 14342 various economic environments people observe s... 14343 paper proposes new architecture speaker adapta... 14344 purpose note explain analytical history modula... 14345 paper presents framework automatic synthesis c... 14346 first part paper establish uniqueness result c... 14347 recent versions observed cosmic starformation ... 14348 alfaburst searching fast radio bursts frbs com... 14349 graphitic carbon nitride nanosheets among attr... 14350 paper develop way obtaining greens functions p... 14351 main object article present extension zeroinfl... 14352 recently shown phase retrieval imaging sample ... 14353 vis instrument board euclid mission weaklensin... 14354 set points plane emphcrossing family set line ... 14355 multinational corporations use highly complex ... 14356 magnetised exoplanets expected emit radio freq... 14357 present new algorithm time complexity log n de... 14358 clinicallyrelevant forms acute cell injury inc... 14359 twostep photoionization strategy ultracold rub... 14360 purpose present paper investigate fusion rule ... 14361 paper study moment sequences matrixvalued meas... 14362 paper propose novel explanation module explain... 14363 dynamic models statistical inference diffusion... 14364 pretraining models pruning algorithms plays im... 14365 semantic segmentation constitutes integral par... 14366 main purpose paper study multiparameter singul... 14367 highresolution observations solar chromosphere... 14368 let dilangle xrangle free dialgebra field gene... 14369 discrete event simulators omnet provide fast c... 14370 social messages classification research domain... 14371 rd international workshop overlay architecture... 14372 type diabetes mellitus tdm chronic disease oft... 14373 article study kapustinwitten equations closed ... 14374 fundamental challenge developing semantic pars... 14375 many discriminative learning methods using con... 14376 differential privacy dp received increasing at... 14377 let g finite group property ab powers deltacom... 14378 study unbiased estimator density sum random va... 14379 variational autoencoder frameworks demonstrate... 14380 geochemical studies planetary accretion evolut... 14381 graph convolutional networks gcns shown signif... 14382 integers kgeq ngeq k kneser graph knk graph wh... 14383 introduce class fixed points primitive morphis... 14384 r beheshti showed smooth fano hypersurface x d... 14385 structure certain subgroup automorphism group ... 14386 every constraint programming cp solver exposes... 14387 restricted boltzmann machine network stochasti... 14388 convolutional neural networks dcnn used object... 14389 excluding regions eigenvalue matrix contained ... 14390 variational systems allow effective building m... 14391 consider problem nonparametric regression shap... 14392 using established principles statistics inform... 14393 work develop coupled layer construction fracto... 14394 study local asymptotic normality mestimates co... 14395 polarization exchange effect twistednematic fa... 14396 presentday clusters massive halos containing m... 14397 cascading failures may lead dramatic collapse ... 14398 hamiltonian quantum calogerosutherland model n... 14399 define wirtinger number link invariant closely... 14400 augmenting neural network memory grow without ... 14401 develop liouville perturbation theory weakly d... 14402 solve deep metric learning problems producing ... 14403 consider class onedimensional compass models s... 14404 shown orlikterao algebra graded isomorphic spe... 14405 investigate principle way progressively mine d... 14406 paper address problem learning compact similar... 14407 novel capsule target design improve hotspot pr... 14408 single cell senses chemical gradient chemotaxe... 14409 formal models games help us account predict be... 14410 hybrid normed ideal perturbations ntuples oper... 14411 paper concerned radially symmetric solutions s... 14412 let g simple finite graph without isolated ver... 14413 make basic observations hard takeoff value ali... 14414 dna methylation extensively studied epigenetic... 14415 consider problem planning closed walk mathcal ... 14416 study decay small solutions borninfeld equatio... 14417 exist general positive correlation important l... 14418 investigate defect structures forming around t... 14419 paper establishes almost sure convergence asym... 14420 paper contributes emerging literature models v... 14421 investigate impact spin anisotropic interactio... 14422 wellstudied coloring problem assign colors edg... 14423 present simple result allows us evaluate asymp... 14424 axon guidance crucial process growth central p... 14425 motivated applications game theory optimizatio... 14426 highmass stars form within star clusters dense... 14427 paper deal null controllability population dyn... 14428 work part iclr reproducibility challenge try r... 14429 consider problem estimating joint distribution... 14430 introduce extension demixed principal componen... 14431 paper deals asymptotic behavior solutions dela... 14432 propose endtoend approach natural language obj... 14433 access large datasets deep neural networks dnn... 14434 objective paper develop artificial neural netw... 14435 prove generalised fibonacci group frn infinite... 14436 rotabaxter operator algebraic abstraction inte... 14437 mass function galaxy clusters sensitive tracer... 14438 advent largescale heterogeneous search engines... 14439 obtain rigorous uniform asymptotics particular... 14440 undirected weighted graph gvew n vertices edge... 14441 readout chips hybrid pixel detectors use low p... 14442 paper presents novel analysis transmission pro... 14443 terms acousticelastic metamaterials describe c... 14444 blind source separation common processing tool... 14445 recently chen j garay studied pointwise slant ... 14446 propose dataefficient gaussian processbased ba... 14447 modern knowledge base systems frequently need ... 14448 derive algorithm compute satisfiability bounds... 14449 paper concerned optimal control problems syste... 14450 novel minutiabased fingerprint matching algori... 14451 suppose ffldotsfn system random nvariate polyn... 14452 majority online content written languages engl... 14453 paper study adaptive learnability decision tre... 14454 details image noise may restored removing nois... 14455 contribution deals image restoration optical s... 14456 membrane proteins lipids selfassemble membrane... 14457 show every uniformly recurrent subgroup locall... 14458 monotone submodular function maximization appr... 14459 standard models reaction kinetics condensed ma... 14460 monocular facial shape reconstruction single f... 14461 waveparticle duality fundamental description n... 14462 tensor train tt decomposition provides spaceef... 14463 calculate energy threshold fluctuation delta f... 14464 excitation waves threelayer acoustic wavegide ... 14465 article introduce simple dynamical system call... 14466 filling dehn surface manifold generically imme... 14467 information spreading models consider individu... 14468 show low complexity condition gradient hamilto... 14469 general conditions shown uniform algebra gener... 14470 report easy versatile route synthesis parent p... 14471 paper intended step killing spinor programme s... 14472 one main advantages prolog potential implicit ... 14473 superconductivity recently observed cras helim... 14474 present synthesis detailed investigation struc... 14475 paper focus attention exploitation information... 14476 investigate superconductivity may exist doped ... 14477 relativizing computations turing machines orac... 14478 electrical conductivity high dielectric consta... 14479 teams possible lineups best chances opponents ... 14480 observability complex systemsnetworks focus pa... 14481 continuous appearance shifts changes weather l... 14482 present implementation automated vlbi data red... 14483 investigate time evolution towards asymptotic ... 14484 coded caching scheme effective technique incre... 14485 online learning streaming data distributed col... 14486 report perpendicular magnetic anisotropy pma b... 14487 investigate universal cover topological group ... 14488 synchrotron emitting bubbles arise outflow com... 14489 efimov effect refers quantum states discrete s... 14490 edited version given text gdels unpublished ma... 14491 paper present temperature field dependent neut... 14492 minimax lower bounds pessimistic nature given ... 14493 humans animals ability continually acquire fin... 14494 zdextensions probabilitypreserving dynamical s... 14495 use renewable energy sources major strategy mi... 14496 companies increase efforts retaining customers... 14497 recent observation discrepancies muonic sector... 14498 halfmetallic properties tlcrs tlcrse hypotheti... 14499 study interfacial magnetocrystalline anisotrop... 14500 nature inspired neuromorphic architectures exp... 14501 ade dynkin diagram gives rise family algebraic... 14502 study network utility maximization num decompo... 14503 advent deep learning object detection drifted ... 14504 paper examines cosmic ray c nuclei spectra gev... 14505 symmetric nonnegative matrix factorization sym... 14506 total mass mgcs globular cluster gc system gal... 14507 present database parliamentary debates contain... 14508 paper deals model order reduction parametrical... 14509 ensembles nitrogenvacancy centers diamond high... 14510 topological spin liquids robust quantum states... 14511 semisymbolic controlexplicit datasymbolic mode... 14512 dimer algebras arise particular type quiver ga... 14513 subject traces sobolev spaces mixed lebesgue n... 14514 models many signals highdimensional models oft... 14515 training discrete latent variable models remai... 14516 biological organisms cope stochastic variation... 14517 improve performance intensive care units icus ... 14518 paper proposes two lowcomplexity iterative alg... 14519 paper describe routine photometric calibration... 14520 report electronic transport impact spinfilteri... 14521 shown solvable subgroup g almost simple group ... 14522 gene expression ge data capture valuable condi... 14523 problem faced many instructors designing exams... 14524 recent cnn architectures use average pooling f... 14525 abridged used fourth internal data release gai... 14526 robust stable marriage rsm variant classical s... 14527 know empty space preferred state rest true spe... 14528 intelligent personal agent ipa agent purpose h... 14529 increased use internet governments large compa... 14530 evaluate curious determinant first mentioned g... 14531 entry discusses problem describing communities... 14532 paper introduces deep neural networks dnns add... 14533 apply three data science techniques nonnegativ... 14534 motivated truncated em method introduced mao n... 14535 expository paper concerned properties proper h... 14536 dual spectral computed tomography dsct achieve... 14537 timed pattern matching problem actively studie... 14538 report g r band observations interstellar obje... 14539 propose method variable selection discriminant... 14540 generative adversarial networks gan goodfellow... 14541 basic still largely unanswered question contex... 14542 present recurrent encoderdecoder deep neural n... 14543 personalized search hot research topic many ye... 14544 sobol sequences widely used quasimonte carlo m... 14545 high order wavelet integral collocation method... 14546 weaklycoupled tevscale particles may mediate i... 14547 present generalized versions concepts seniorit... 14548 size complexity software systems increase numb... 14549 propose two coded schemes distributed computin... 14550 study gevrey character natural parameterizatio... 14551 periodic basis publicly traded companies requi... 14552 new pathway nuclear magnetic resonance spectro... 14553 meticulous assessment risk extreme environment... 14554 paper deals homogenization problem onedimensio... 14555 paper rungekuttagegenbauer rkg stability polyn... 14556 develop tensor network technique solve univers... 14557 recent advances ultrafast measurement cold ato... 14558 phonetic segmentation process splitting speech... 14559 implicit models allow generation samples point... 14560 traditional centralized energy systems disadva... 14561 generative adversarial networks gans powerful ... 14562 introduction serious games pedagogical support... 14563 paper investigate complexity onedimensional dy... 14564 recently found bosonic excitations ordered med... 14565 dynamic dipole polarizabilities lowlying state... 14566 fifth generation mobile communications anticip... 14567 investigate structural electronic transport th... 14568 work exact solutions equation describes anomal... 14569 recent research psycholinguistics provided inc... 14570 standard cosmographic approach consists perfor... 14571 discourse parsing long treated standalone prob... 14572 paper study combinatorial multiarmed bandit pr... 14573 deep neural networks achieve unprecedented per... 14574 droplet evaporation turbulent sprays involves ... 14575 let mathbbx mu proper metric measure space let... 14576 show simultaneous backaction evading tracking ... 14577 though theoretically expected charge exchange ... 14578 consider friedlanders wave equation two space ... 14579 paper represents systematic way generation aar... 14580 paper study following multiparameter variant c... 14581 recent years witnessed extensive development t... 14582 todays era big data robust leastsquares regres... 14583 paper prove global result schrdinger map probl... 14584 implicit schemes extensively used building phy... 14585 give complete description congruence lattices ... 14586 let sf x symplectic orbifold groupoid sf sympl... 14587 use logmmodot quiescent starforming galaxies z... 14588 main purpose paper propose new preprocessing s... 14589 paper focused dimensionfree pacbayesian bounds... 14590 paper surveys topological problems relevant mo... 14591 propose novel guessandcheck principle increase... 14592 formation correlated electron pairs oscillatin... 14593 gikn construction introduced gorodetski ilyash... 14594 consider problem sampling posterior distributi... 14595 gibbs sampler particularly popular markov chai... 14596 paper argue integration recommender systems re... 14597 article sets forth results existence priori es... 14598 paper characterize planar central configuratio... 14599 water fountain stars wfs evolved objects water... 14600 subordinate diffusions constructed time changi... 14601 graph embedding effective method represent gra... 14602 introduce novel approach perform firstorder op... 14603 without access large compute clusters building... 14604 semiconductor nanowires provide ideal platform... 14605 setting finite type invariants nullhomologous ... 14606 automatic segmentation mr brain images importa... 14607 present brief review integrability multispecie... 14608 clinical trial registries used monitor product... 14609 adapt wellknown spectral decimation technique ... 14610 develop calculus diagrams knotted objects defi... 14611 schmidts game similar intersection games playe... 14612 kernel kmeans clustering correctly identify ex... 14613 classification time series data challenge comm... 14614 paper mainly inspired conjecture existence bou... 14615 paper proposes distributed algorithms multiage... 14616 product distribution matching pdm proposed gen... 14617 last decade witnesses significant methodologic... 14618 machine learningguided protein engineering new... 14619 inner structure material called microstructure... 14620 utilizing hirsch index h variants exploratory ... 14621 although darwinian models rampant social scien... 14622 collaborations integral part scientific resear... 14623 second order operator compact manifold satisfy... 14624 develop theory based formalism quasiclassical ... 14625 present dataset models articulated objects com... 14626 relate minimax game generative adversarial net... 14627 recently discovered classical novae emit gev g... 14628 size planet observable property directly conne... 14629 prove dimension function h h prec xd countable... 14630 pushdown systems pdss recursive state machines... 14631 discuss averagefield approximation trapped gas... 14632 chemical physical reaction dynamics essential ... 14633 radial drift problem constitutes one fundament... 14634 counterpart classical yamabe problem fractiona... 14635 paper discuss stability properties convolution... 14636 compound distributions allow construction rich... 14637 identifying influential nodes network fundamen... 14638 population systems modeled agestructured hyper... 14639 provide explicit presentation infinite hyperbo... 14640 bayesian hierarchical models increasingly popu... 14641 comparison observed brain activity statistics ... 14642 recent surge interest dualities relating theor... 14643 consider kepler problem dimension two three ti... 14644 slow light propagation structured materials hi... 14645 highresolution imaging delivered new prospects... 14646 recent paper alberucci c jisha n smyth g assan... 14647 place recognition challenging problem mobile r... 14648 paper assess predictive power selfconsistent h... 14649 present smooth distributed nonlinear control l... 14650 milky way bulge shows boxpeanut xshaped bulge ... 14651 paper analyzes impact peer effects electricity... 14652 hitomi xray satellite provided first direct me... 14653 autoencoding generative adversarial networks g... 14654 edwin powel hubble regarded one important astr... 14655 fully convolutional neural networks fcn shown ... 14656 extend results proved scalar equations case sy... 14657 paper introduces new approach costeffective hi... 14658 tensorflow distributions library implements vi... 14659 present oneparameter family mathematical model... 14660 mine tychoit gaia astrometric solution tgas ca... 14661 data point large graph graph statistics densit... 14662 accurately predicting machine failures advance... 14663 collective adaptive systems cas consist large ... 14664 use functional brain imaging research diagnosi... 14665 presentation scineghe conference past achievem... 14666 knaster continua solenoids wellknown examples ... 14667 introduce class theories called metastable inc... 14668 study mutual alignment radio sources within tw... 14669 graph based semisupervised learning gssl intui... 14670 peertopeer pp botnets become one major threats... 14671 galaxyscale outflows nowadays observed many ac... 14672 deep neural networks dnns one prominent techno... 14673 prove computer aided proof existence noise ind... 14674 recent work fairness machine learning proposed... 14675 predicting future location vehicles essential ... 14676 metriplectic formalism couples poisson bracket... 14677 introduce hierarchical architecture video unde... 14678 finding similar user pairs fundamental task so... 14679 square arrays submicrometer columnar defects t... 14680 gathering information forest variables expensi... 14681 recently many studies demonstrated deep neural... 14682 sentiment analysis aims uncover emotions conve... 14683 address statistical optimization impacts class... 14684 report observation magnon thermal conductivity... 14685 extensions generalizations alzers inequality w... 14686 present oncilla robot novel mobile quadruped l... 14687 generating graphs similar real ones open probl... 14688 quadratic regression goes beyond linear model ... 14689 paper addresses problems quantum spectral curv... 14690 let ternary homogeneous simple prove finitely ... 14691 amyloid beta peptides abeta implicated alzheim... 14692 let mathbbk algebraic closure finite field mat... 14693 study continuous phase transitions triggered s... 14694 many stateoftheart reinforcement learning rl a... 14695 understanding cell identity important task man... 14696 shown continuously changing effective number i... 14697 densitymatrixrenormalizationgroup dmrg method ... 14698 interface two distinct materials desirable pro... 14699 deep learning models effective source separati... 14700 let kbellpnbellqn ndimensional pqbohr radius h... 14701 rapid progress significant successes wide spec... 14702 neural architecture search nas proposed automa... 14703 network embeddings become popular learning eff... 14704 two major questions neuroimaging studies attem... 14705 light axionic dark matter motivated string the... 14706 use information present bipartite network dete... 14707 textual information extraction sequence labeli... 14708 paper design analyze new zerothorder online al... 14709 consider stochastic damped navierstokes equati... 14710 compact circlepacking p euclidean plane set ci... 14711 nowadays hot challenge supermarket chains offe... 14712 paper concept multirate partial differential e... 14713 paper considers optimal modification likelihoo... 14714 consider binary classification problem data la... 14715 examine effect carrier localization due random... 14716 information neural networks represented weight... 14717 given connected real lie group contractible ho... 14718 large synoptic survey telescope lsst generate ... 14719 monte carlo method based geant toolkit develop... 14720 general theory presentations dframes yet exist... 14721 automata expressiveness essential feature unde... 14722 nowadays protecting trust social sciences also... 14723 paper continuation second authors previous wor... 14724 modeling buildings heat dynamics complex proce... 14725 present decentralized scalable approach deploy... 14726 propose alternative evaluation quantum entangl... 14727 conjugate gradient cg methods class important ... 14728 kalman filters routinely used many data fusion... 14729 fully reconfigurable metasurfaces would enable... 14730 present approach automatic detection alzheimer... 14731 illustrated recent years superstorm sandy nort... 14732 present new technique learning visualsemantic ... 14733 paper investigate coolingoff effect opposite m... 14734 unveil novel unexpected manifestation anderson... 14735 experiments simulations established dynamics c... 14736 transition mechanism jump processes two differ... 14737 use globular cluster kinematics data primarily... 14738 study dynamics bogoliubov wave packet supercon... 14739 heaviest transuranic elements known superheavy... 14740 speckle reduction longstanding topic synthetic... 14741 define radon transform functor sheaves prove e... 14742 propose foundations synthetic theory inftycate... 14743 highorder parametric models include terms feat... 14744 article discuss relationship mathematics physi... 14745 extend constructive dependent type theory logi... 14746 article give explicit solutions laplace equati... 14747 quantify accuracy various simulators compared ... 14748 let q power prime p let uq sylow psubgroup fin... 14749 deal zerodelay source coding vectorvalued gaus... 14750 develop unified description via boltzmann equa... 14751 paper define notion calibration equivalent app... 14752 present design manufacturing high fidelity uni... 14753 consider dynamics message passing spatially co... 14754 first part paper prove voevodskys nilpotence c... 14755 paper propose first computationally efficient ... 14756 already developed recommendation system sights... 14757 seminal result decentralized control developme... 14758 optical clocks benefit tight atomic confinemen... 14759 special type rotarywing unmanned aerial vehicl... 14760 traffic congestion widespread problem dynamic ... 14761 note expand technical issues raised citeppv au... 14762 nontrivial connectivity allowed training deep ... 14763 significant literature methods incorporating k... 14764 mahlmann schindelhauer defined markov chain ca... 14765 simultaneous localization mapping slam problem... 14766 noting importance latent variables inference l... 14767 present work weighted area integral means mpva... 14768 based firstprinciples calculations effective m... 14769 water plays major role biosystems greatly cont... 14770 let mathfrakg hyperbolic kacmoody algebra rank... 14771 affine policies control widely used solution a... 14772 give sharp conditions boundedness hausdorff op... 14773 paper introduce transformations deep rectifier... 14774 convolutional neural networks cnns successfull... 14775 prove superhedging duality discretetime financ... 14776 take advantage gaiaeso survey idr bulge data s... 14777 proved every symmetric repetition invariant je... 14778 present three new semilagrangian methods based... 14779 integrated nested laplace approximation inla c... 14780 supervisory signals help topic models discover... 14781 study spatial fluctuations casimirpolder force... 14782 nonlinear kernel methods approximated fast lin... 14783 though suicide major public health problem us ... 14784 rna sequence word alphabet four elements acgu ... 14785 motivated recent findings human mobility proxy... 14786 present sufficient condition irreducibility fo... 14787 triplet networks widely used models characteri... 14788 recovering pairwise interactions ie pairs inpu... 14789 boundary algebraic bethe ansatz supersymmetric... 14790 strengthening destroying network important iss... 14791 reparameterization variational autoencoders co... 14792 case classical hill problem numerically invest... 14793 paper addresses task allocation problem larges... 14794 paper construct simultaneous confidence band s... 14795 nanometalsemiconductor junction dependent poro... 14796 paper approaches problem imagetotext attention... 14797 humanoid soccer robots perceive environment ex... 14798 paper considers problem inferring image labels... 14799 fermilab muon campus host muon g experiment wo... 14800 research investigate nonlinear energy transmis... 14801 many modern unsupervised semisupervised machin... 14802 multiagent system transitioning centralized di... 14803 largebatch training approaches enabled researc... 14804 standard deep learning systems require thousan... 14805 propose novel method called robust kernel prin... 14806 analyse families codes classical data transmis... 14807 study training process deep neural networks dn... 14808 paper explore theoretical boundaries planning ... 14809 let fcolon uniformly quasiregular selfmapping ... 14810 method density elimination generalized noncomm... 14811 article use linear algebra improve computation... 14812 concept leaderfollower stackelberg equilibrium... 14813 widely perceived correlation effect may play i... 14814 deep learning remarkably successful perceptual... 14815 bayesian inference models intractable partitio... 14816 impact neutral impurity scattering electrons c... 14817 batyrev constructed family calabiyau hypersurf... 14818 transfer learning tl aims transfer knowledge a... 14819 show every periodic virtual knot realized clos... 14820 computing optimal transport distances earth mo... 14821 women become better represented business acade... 14822 establish monotonicity property mass nonplurip... 14823 creating tetrahedral meshes anatomically accur... 14824 dropout effective way regularizing neural netw... 14825 paper continuation arxiv present certain new a... 14826 illustrate advantages distance weighted discri... 14827 accurate state estimation largescale lithiumio... 14828 goal paper introduce single algorithm method m... 14829 paper presents new multitask learning framewor... 14830 fast iterative soft thresholding algorithm fis... 14831 introduce regression model data nonlinear mani... 14832 convolutional neural network used predict kidn... 14833 briefly review recent results constraining neu... 14834 supersymmetry plays important role superstring... 14835 using tridiagonal representation approach obta... 14836 paper systematically explore questions succinc... 14837 applying measurements dielectric constants rel... 14838 samples two characteristic semiconductor senso... 14839 databases widespread yet extracting relevant d... 14840 dominative plaplace operator introduced operat... 14841 show every free amalgamation class finite stru... 14842 elliptically contoured distributions generaliz... 14843 classification shapes great interest diverse a... 14844 present clustering analysis sample lyalphaemit... 14845 work exploits logical foundation session types... 14846 study radiative neutrino pair emission deexcit... 14847 mdl twopart coding textitindex resolvability p... 14848 current work combines cluster dynamics cd tech... 14849 one dimensional hybrid systems play important ... 14850 pearson correlation mutual information based c... 14851 construct explicit projective bimodule resolut... 14852 modern deep neural networks dnns spend large a... 14853 structured prediction ubiquitous applications ... 14854 mentioned schwartz cokelet failed gain converg... 14855 effects high pressure crystal structure orthor... 14856 aim research design implementation cloud based... 14857 use integratedlight spectroscopic observations... 14858 recent series asp system clingo provides gener... 14859 flexible duplex proposed adapt channel traffic... 14860 paper establish carleman estimates forward bac... 14861 doubts expressed comment eur j phys tenability... 14862 notion delegated causality introduced subtle k... 14863 resonating valence bond rvb theory high tc sup... 14864 paper consider numerical approximations hydrod... 14865 kleinkramers equation governing brownian motio... 14866 learning optimal policy multimodal reward func... 14867 several fourier transformations functions one ... 14868 shunt facts devices static var compensator svc... 14869 established spin splitting monolayer ml transi... 14870 completeness dynamic priority scheduling schem... 14871 paper obtain description grothendieck group co... 14872 colletotrichum represent genus fungal species ... 14873 space based loops slnmathbbc also known affine... 14874 study le potiers strange duality conjecture ra... 14875 graph signals offer generic natural representa... 14876 present evaluation several representative samp... 14877 many policy search algorithms proposed robot l... 14878 ideas forge creatively individuals groups buil... 14879 elucidating interaction magnetic moments itine... 14880 sylvester factor essential part asymptotic for... 14881 study analytically numerically envelope solito... 14882 decision making based behavioral neural observ... 14883 inspired mirror symmetry investigate different... 14884 sputter depth profiling often sample erosion a... 14885 using quantum wave packet simulation including... 14886 propose theoretical framework thinking score n... 14887 work focuses reliable detection segmentation b... 14888 telephone call centers offer convenient commun... 14889 areal level spatial data often large sparse ma... 14890 ecir halfday workshop taskbased aggregated sea... 14891 determining velocity distribution halo stars e... 14892 paper study asymptotic behavior secondorder un... 14893 symbolpair codes introduced cassuto blaum rais... 14894 present baseline approach crossmodal knowledge... 14895 topology order parameter magnon condensate obs... 14896 van der waals vdw heterostructures receiving g... 14897 one longstanding challenges artificial intelli... 14898 prove two sufficient conditions idealised mode... 14899 experimental data availability cornerstone rep... 14900 mra multilingual report annotator web applicat... 14901 consider sis contagion processes networks clas... 14902 propose multilayer approach simulate hyperpycn... 14903 construct conformal mappings help continuous f... 14904 neural networks known vulnerable adversarial e... 14905 let k field denote kt polynomial ring coeffici... 14906 deep neural networks dnns powerful nonlinear a... 14907 societies complex systems tend polarize subgro... 14908 measurements subset boundary common electrical... 14909 paper propose new optimization algorithm spars... 14910 time domain terahertz spectroscopy typically u... 14911 robust optimization traditionally taken pessim... 14912 multidimensional time series sequences real va... 14913 show positive integer k kth nonzero eigenvalue... 14914 paper proposed modified markerandcell mac meth... 14915 propose dynamic programming solution image dej... 14916 consider dynamics overdamped mems devices unde... 14917 paper theoretically address three fundamental ... 14918 puzzling transition discovered simulations ran... 14919 review different constructions supersymmetry s... 14920 present discussion hierarchy toda flows gives ... 14921 well known context general relativity spacetim... 14922 main purpose macrostudy shed light broad impac... 14923 policy said robust maximizes reward considerin... 14924 vector bundle e projective variety x called fi... 14925 aperture synthesis simulator simple interactiv... 14926 expression dimensionless dissipation rate deri... 14927 markov chain monte carlo widely used variety s... 14928 previous research using evolutionary computati... 14929 ensemble averaging experiments may conceal man... 14930 joint analysis data multiple information repos... 14931 algebraic methods long history statistics prom... 14932 explore theoretically magnetoresistance weyl s... 14933 availability data sets large numbers variables... 14934 several growth models proposed literature scal... 14935 selfpaced learning spl new methodology simulat... 14936 emerging evidence indicates pathogenesis parki... 14937 study harmonic soft spheres model thermal stru... 14938 introduce diffusively coupled networks dynamic... 14939 recent advances visual tracking showed deep co... 14940 construct fixed parameter algorithm parameteri... 14941 formalize arithmetic topology ie relationship ... 14942 deep neural networks become invaluable tools s... 14943 introduce notion crystallographic sphere packi... 14944 paper analyzes special cyclic jacobi methods s... 14945 applied researchers often construct network ra... 14946 tremendous increase number smart phones app st... 14947 affine toric variety mathrmspeca give convex g... 14948 machine learning methods general deep neural n... 14949 signed cyclic graph g construct unique virtual... 14950 singleparticle mobility edge spme marks critic... 14951 abridged lowluminosity gasrich blue compact ga... 14952 tuning cellular network performance always occ... 14953 navigation popular area research academia indu... 14954 investigate onset superconductivity magnetic f... 14955 study boundary behavior socalled ring qmapping... 14956 work consider problem combining link content t... 14957 many smart infrastructure applications flexibi... 14958 trying maximize adoption behavior population c... 14959 study superconducting transmission line tl for... 14960 relativistic newtonian dynamics rnd introduced... 14961 paper introduces new sparse spatiotemporal str... 14962 parameterized algorithms way solve hard proble... 14963 discovering community structure complex networ... 14964 paper assume isoparametric submanifolds flat s... 14965 learning rich diverse representations critical... 14966 antiunitary representations lie groups take va... 14967 motivation automatically testing changes code ... 14968 study xxz spin systems general graphs particul... 14969 growing interest estimating analyzing heteroge... 14970 consider problem combinatorial computation fir... 14971 show standard candles provide valuable informa... 14972 understanding exoplanet formation finding pote... 14973 extend standard bayesian multivariate gaussian... 14974 diverse sharing economy platforms fair marketp... 14975 consider estimation accuracy individual streng... 14976 modeling parameter estimation neuronal dynamic... 14977 paper prove uniqueness radial symmetry minimiz... 14978 consider problem differential privacy accounti... 14979 scattertext open source tool visualizing lingu... 14980 consider complements standard seifert surfaces... 14981 compute modular transformation formula charact... 14982 contributions codalemaextasis experiment th in... 14983 clustering samples according effective metric ... 14984 solar filamentsprominences one common features... 14985 stochastic convex optimization algorithms popu... 14986 combine conditions found wh results mpr show q... 14987 direct impact excitation precipitating electro... 14988 current methods optimize vaccine dose purely e... 14989 consider problem efficiently learning mixtures... 14990 prove p equiv pmod prime cube modulo p equatio... 14991 many social networks exhibit underlying commun... 14992 online social systems become important platfor... 14993 presence statistical studies auroral omega ban... 14994 future generation networks internet things iot... 14995 challenge understanding hightemperature superc... 14996 work apply coles nonstandard form fdtd solve t... 14997 magnetic oxyselenides topic research several d... 14998 paper presents novel framework integration vis... 14999 design uniaxial anisotropic metamaterial layer... 15000 first approach study systems coupling finite i... 15001 data processing pipelines represent important ... 15002 stationary stellar systems radially elongated ... 15003 past calculation wakefields generated electron... 15004 minimizing nuclear norm matrix shown efficient... 15005 paper presents novel approach stability transp... 15006 measurement energy eigenvalues spectrum multiq... 15007 fix quadratic order ring integers embedding qu... 15008 neural autoregressive models explicit density ... 15009 stochastic orbital approach resolution identit... 15010 game maps useful human players generalgameplay... 15011 paper focused problem estimating probability p... 15012 conventional text classification models make b... 15013 akari irc allsky survey provided twenty thousa... 15014 demonstrate prior influence posterior distribu... 15015 consider multicomponent widomrowlison metropol... 15016 graph theory provides language studying struct... 15017 metric search concerned efficient evaluation q... 15018 paper study solutions possibly unbounded signc... 15019 paper present new significant theoretical disc... 15020 question selecting best amongst different choi... 15021 imaging assays cellular function especially us... 15022 using language riordan arrays study oneparamet... 15023 observe explain theoretically dramatic evoluti... 15024 portfolio analysis traditional approach replac... 15025 paper studies characteristics applicability cu... 15026 many neural systems display avalanche behavior... 15027 ontology alignment widelyused find corresponde... 15028 consider design modeling metasurfaces couple e... 15029 introduce connection scan algorithm csa effici... 15030 consider two stage estimation nonparametric fi... 15031 paper shows conditional quantile treatment eff... 15032 present principled technique reducing matrix s... 15033 formation deuterated molecules favoured low te... 15034 models involving branched structures employed ... 15035 recent success embeddings natural language pro... 15036 paper study electron wavepacket dynamics elect... 15037 consider corotational wave maps ddimensional m... 15038 roxs mass j young star hosting directly imaged... 15039 study emergence dissipation atomic josephson j... 15040 satellite conjunction analysis assessment coll... 15041 recently proposal advanced detect unconstituti... 15042 affine lambdaterms lambdaterms bound variable ... 15043 chemotherapeutic response cancer cells given c... 15044 propose technique calculating understanding ei... 15045 present paper new classes wavelet functions pr... 15046 soft microrobots based photoresponsive materia... 15047 investigate using density matrix renormalizati... 15048 advances machine learning ml led adoption inte... 15049 wolynes theory electronically nonadiabatic rea... 15050 densityfunctional theory dft revolutionized co... 15051 since seminal observation roomtemperature lase... 15052 spin angleresolved photoemission spectroscopy ... 15053 modern machine learning techniques used constr... 15054 trending topics microblogs twitter valuable re... 15055 various optical methods measuring positions mi... 15056 explore correlations velocity metallicity poss... 15057 new type endtoend system textdependent speaker... 15058 process mining allows analysts exploit logs hi... 15059 let pdots pn qdots qn convex polytopes mathbbr... 15060 consider coloring graph vertex assigned fracti... 15061 several literatures authors give new thinking ... 15062 belief propagation approximation cavity method... 15063 observational learning type learning occurs fu... 15064 packet parsing key step sdnaware devices packe... 15065 address question concerning birational geometr... 15066 present microscopic theory raman response clea... 15067 show distribution symmetry naturally reductive... 15068 fabricate highmobility ptype fewlayer wse fiel... 15069 field reinforcement learning recent progress t... 15070 thesis study two problems based clustering alg... 15071 comparative molecular dynamics simulations hex... 15072 study nonstationary stochastic multiarmed band... 15073 main goal nasas kepler mission establish frequ... 15074 convolutional neural networks cnns shown great... 15075 present position paper advocating notion stoic... 15076 provide expressions nonperturbative matching e... 15077 develop refined strichartz estimates l regular... 15078 present test determining substochastic matrix ... 15079 search engines play important role everyday li... 15080 reverse spacetime rst sinegordon sinhgordon no... 15081 present study impact mn substitution geometric... 15082 given sample bids independent auctions paper e... 15083 contemporary web pages increasingly sophistica... 15084 work conducted survey different registration a... 15085 person reidentification person reid crucial ta... 15086 let sxxdotsxn set distinct positive integers l... 15087 paper investigates two strategies reduce commu... 15088 suppose omega subseteq rrsetminusset two sets ... 15089 modern investigation economics sciences requir... 15090 work characterized changes dynamics twodimensi... 15091 given field f operatornamecharf define unf max... 15092 able recognize emotions human users considered... 15093 sufficient statistics derived population size ... 15094 paper study bernstein polynomial model estimat... 15095 emphlongest common extension emphlce problem p... 15096 materials design development typically takes s... 15097 propose unified framework speed existing stoch... 15098 power prediction demand vital power system del... 15099 growing interest developing accurate models al... 15100 relativistic quantum field theories compact ob... 15101 work make two improvements staggered grid hydr... 15102 vehicle climate control systems aim keep passe... 15103 truncated fourier operator mathscrfmathbbr mat... 15104 prove regular ntimes n square grid points inte... 15105 given list k sourcesink pairs edgeweighted gra... 15106 label shift refers phenomenon marginal probabi... 15107 increasing interest learning dynamics simulato... 15108 first billion years universe pivotal time star... 15109 often multiple labels obtained training exampl... 15110 introduce concept floquet topological magnons ... 15111 inspired recent interests developing machine l... 15112 global recruitment radical islamic movements s... 15113 interpretable machine learning tackles importa... 15114 doctoral work focuses three main problems rela... 15115 many complex systems represented networks prob... 15116 new variation blockchain proof work algorithm ... 15117 extensive precise robust recognition modeling ... 15118 linear parametervarying lpv systems jumps piec... 15119 consider problem identity testing recovering i... 15120 present thorough tightbinding analysis band st... 15121 increasing number sensors mobile internet thin... 15122 recently introduced mixed timeaveraging semicl... 15123 paper establish squarefunction estimates doubl... 15124 aim paper study poset isomorphism two support ... 15125 one main challenges probing reionization epoch... 15126 linearquadraticgaussian lqg control concerned ... 15127 detection tracking pose estimation surgical in... 15128 paper computing constrained approximate nash e... 15129 promising paradigm achieving highly efficient ... 15130 problem nongaussian component analysis ngca fi... 15131 acoustic ranging based indoor positioning solu... 15132 semisupervised learning ssl provides powerful ... 15133 concerned inverse scattering problem recoverin... 15134 introduce workable notion degree nonhomogeneou... 15135 paper develop theory complete mixability joint... 15136 guarantee security uniform random numbers gene... 15137 email cryptography applications often suffer m... 15138 study topological excitations twocomponent nem... 15139 statistical inference exponentialfamily models... 15140 propose mixed integer programming mip model it... 15141 recent announcement neptunesized exomoon candi... 15142 present datadriven framework called generative... 15143 eradicating hunger malnutrition key developmen... 15144 stress urinary incontinence sui urine leakage ... 15145 paper study compressibility random processes f... 15146 spacefilling designs popular choices computer ... 15147 adaptive stochastic gradient descent methods a... 15148 paper studies scenarios cyclic dominance coevo... 15149 deep networks recently shown vulnerable univer... 15150 investigate anomaly detection unsupervised fra... 15151 rapid miniaturization cost reduction computing... 15152 investigate effect bandlimited white gaussian ... 15153 signaltonoiseplusinterference ratio sinr outag... 15154 one important tools development smart grid sim... 15155 revealing adverse drug reactions adr essential... 15156 wellknown problem solve equations virtually fr... 15157 predicting traffic conditions recently explore... 15158 article addresses longstanding open problem ju... 15159 paper comprehensive introduction results grew ... 15160 rise usercontributed open source software oss ... 15161 design sparse spatially stretched tripole arra... 15162 almost sure hausdorff dimension limsup set ran... 15163 power electronics shrinks submicron scale ther... 15164 let vvv triple even dimensional vector spaces ... 15165 strassen shocked world showing two n x n matri... 15166 spiking neural network snn naturally inspires ... 15167 emphvitality arcnode graph respect maximum flo... 15168 paper presents new approach understanding deep... 15169 ability mammalian ear processing high frequenc... 15170 derive general expressions resonant inelastic ... 15171 paper investigate hamiltonian path problem con... 15172 address task ranking objects people blogs vert... 15173 multiple design iterations inevitable nanomete... 15174 consider inverse ising problem ie inference ne... 15175 studied emergence process active region ars an... 15176 let f lipschitz map subset stratified group ba... 15177 sleep plays vital role human health mental phy... 15178 study algebras tilting modules generated cogen... 15179 deep neural network models used medical image ... 15180 gaining detailed understanding water transport... 15181 recently authors de wolff introduced imaginary... 15182 fairnessaware classification receiving increas... 15183 community identification network important pro... 15184 stateoftheart static analysis tools verifying ... 15185 application naitl detectors search galactic da... 15186 finitedifference timedomain fdtd method well e... 15187 work considers stochastic nash game player sol... 15188 algebraic terms insertion npowers words may mo... 15189 origin nature extreme energy cosmic rays eecrs... 15190 propose precise ellipsometric method investiga... 15191 singleuser multipleinput multipleoutput sumimo... 15192 bistability multistationarity properties react... 15193 background silico drugtarget interaction dti p... 15194 penaltybased variable selection methods powerf... 15195 last three decades seen significant increase t... 15196 impact maximally possible batch size better ru... 15197 consider compositecomposite testing problems e... 15198 databased policy iterative control task presen... 15199 paper investigate metric properties quadrics c... 15200 transition metal dichalcogenides tmds exhibit ... 15201 review modify active set algorithm duembgen et... 15202 let ii factor von neumann subalgebra qsubset i... 15203 statistics machine learning approximation intr... 15204 work based essential linear analysis carried c... 15205 classical linear regression considered case re... 15206 paper consider witten laplacian forms give suf... 15207 p let function varphipx x xle varphipx pxp p x... 15208 report smallangle neutron scattering sans meas... 15209 derive asymptotic formulas solution derivative... 15210 develop general theory construction extended t... 15211 social network analysis provides meaningful in... 15212 understanding nature bulges disc galaxies prov... 15213 growth size complexity modern data challenges ... 15214 report measurement kll dielectronic recombinat... 15215 growing interest automatic speaker verificatio... 15216 face deidentification active topic amongst pri... 15217 comment dependency distance new perspective sy... 15218 precision pulsar timing requires optimization ... 15219 article withdrawn uploaded without coauthors k... 15220 traffic speed key indicator efficiency urban t... 15221 construct family vertex algebras associated fa... 15222 approximate model counting bitvector smt formu... 15223 develop family reformulations arbitrary consis... 15224 examine dense selfgravitating stellar systems ... 15225 propose new type hopf semimetals indexed pair ... 15226 present extensive study key problem online lea... 15227 report experimental studies influence symmetri... 15228 paper provides set sensitivity analysis activi... 15229 online writers journalism media increasingly c... 15230 accurate prediction suitable discourse connect... 15231 although reinforcement learning methods achiev... 15232 paper propose novel splitting receiver involve... 15233 paper establishes equality condition immse pro... 15234 gap ability collect interesting data ability a... 15235 paper models vector probabilities whose elemen... 15236 family information dispersal algorithms applie... 15237 group theoretical formulation schrammloewnerev... 15238 although explicit commutativitiy conditions se... 15239 radiative alphacapture alphagamma reactions pl... 15240 recall first gallaisimplicial complex deltagam... 15241 ensuring classifiers nondiscriminatory fair re... 15242 currently extensible access control markup lan... 15243 based results published recently j phys math t... 15244 purpose mri cell tracking used monitor immune ... 15245 present novel algorithm learning spectral dens... 15246 prove equivalence infinitesimal torelli theore... 15247 analyze threedimensional hydrodynamical simula... 15248 paper tackles reduction redundant repeating ge... 15249 consider lasso noiseless experiment one observ... 15250 transformer lifetime assessments plays vital r... 15251 future projection climate typically obtained c... 15252 random impedance networks widely used model de... 15253 purpose compare two methods use xray spectral ... 15254 many environments tiny subset states yield hig... 15255 study dynamics overdamped brownian particles d... 15256 ensemble kalman methodology inverse problems s... 15257 positron emission tomography pet functional im... 15258 electrochemistry underlying mechanism variety ... 15259 build new algebraic structures call genuine eq... 15260 given n vertices convex polygon cyclic order t... 15261 analysis molecular processes estimation timesc... 15262 present microlensing events korea microlensing... 15263 researchers use computational methods study co... 15264 skeletonbased human action recognition attract... 15265 work propose novel method quantifying distance... 15266 cognitive radar adapts transmit waveform respo... 15267 imitation learning algorithms learn viable pol... 15268 shape memory alloys often show complex hierarc... 15269 recent advances representation learning graphs... 15270 deep convolutional neural networks cnns based ... 15271 introduce bayesian approach modeling voigt pro... 15272 consider minimization submodular functions sub... 15273 evolution superconducting litiodelta insulatin... 15274 classes locally compact groups qualitative unc... 15275 additively separable hedonic games fractional ... 15276 present novel method solve image analogy probl... 15277 inverse problem antiplane elasticity determina... 15278 present construction hilbert space sections bu... 15279 article describes final solution team monkeyty... 15280 brain electroencephalography eeg classificatio... 15281 present casestudy demonstrating usefulness bay... 15282 ensemble kalman filter enkf important data ass... 15283 note devoted study homology class compact pois... 15284 paper provides alternative approach theory dyn... 15285 construction anisotropic triangulations desira... 15286 principal component analysis pca singular valu... 15287 twentyseven years ago one biggest societal cha... 15288 present second release valueadded catalogues l... 15289 machine learning impact people legal ethical c... 15290 recently resources tasks proposed go beyond st... 15291 generic model shape optimization problems cons... 15292 manifold admits genus reducible heegaard split... 15293 use programming languages wax wane across deca... 15294 establish link mathematical morphology map asp... 15295 book chapter introduces regression approaches ... 15296 data knowledge representation fundamental conc... 15297 artificial axon recently introduced synthetic ... 15298 paper multiobjective mathematical model used o... 15299 article study treewidth emphdisplay graph auxi... 15300 two meromorphic functions fz gz sharing small ... 15301 rutherford cable production wires plastically ... 15302 interpreting smallscale clustering galaxies ha... 15303 synthesis physical photocatalytic antibacteria... 15304 suppose sending k robots search real line cons... 15305 present implementation relativistic quantumche... 15306 problem efficiently characterizing degree sequ... 15307 convolutional sparse representations form spar... 15308 principal component analysis pca welldocumente... 15309 single molecule magnets smms singleion anisotr... 15310 compressive sensing cs combines data acquisiti... 15311 explore solutions automated labeling content b... 15312 robots coexist humans social world like crucia... 15313 give brief overview arxiv history describe cur... 15314 recent years realistic hydrodynamical simulati... 15315 chargeneutral circ domain walls separate domai... 15316 android apps designed cope stopstart events ev... 15317 strongly disordered spin chains invariant son ... 15318 use optothermal molecular energy storage nanos... 15319 using hybrid exchangecorrelation functional ab... 15320 genomics life science research data volume who... 15321 framework laplacian transport described robin ... 15322 deep generative models wildly successful learn... 15323 obtain optimal bayesian minimax rate unconstra... 15324 solve lifecycle model consumers chronological ... 15325 present complete consistent quantum theory gen... 15326 investigate drag reduction due flowinduced rec... 15327 success deep learning led rising interest gene... 15328 paper original heuristic algorithm empty vehic... 15329 derive direct way exact controllability free s... 15330 strategy sustainable development governance in... 15331 paper addresses problem automatic speech recog... 15332 prove following conjecture leighton moitra let... 15333 study transient behaviour dynamics complex sys... 15334 assuming widelybelieved arithmetic conjectures... 15335 recently proposed model foam impact air sea dr... 15336 paper discusses synthesis characterization com... 15337 use secure connections using https default mea... 15338 paper addresses question whether beneficial op... 15339 generalise notion separating intersection link... 15340 limbimaging ionospheric thermospheric extremeu... 15341 calculating onebody density profiles equilibri... 15342 security exploits include cyber threats comput... 15343 study quantum dynamics bosehubbard model ladde... 15344 inception network shown provide good performan... 15345 analyse kepler lightcurves exoplanet koib tran... 15346 present efficient practical algorithm online p... 15347 previous experiments found mixed results wheth... 15348 deep learning model proposed predicting blockl... 15349 define causal estimands experiments single tim... 15350 paper show sparse signals f representable line... 15351 report results xray spectroscopy raman measure... 15352 forthcoming applications concerning humanoid r... 15353 forwardbackward selection one basic commonlyus... 15354 explore impact dimensionality scattering small... 15355 new type quadrature developed gauss quadrature... 15356 protection number plane tree minimal distance ... 15357 e unit sphere mathbbr let pie orthogonal proje... 15358 classical galois theory deals certain finite a... 15359 recent paper ws rossi p frasca f fagnani avera... 15360 runtime monitoring lightweight dynamic verific... 15361 questions require counting variety objects ima... 15362 choice model class fundamental statistical lea... 15363 study deep linear network expressed form matri... 15364 reynolds parametricity theory captures propert... 15365 program schema defines class programs identica... 15366 polarized topics often spark discussion debate... 15367 study problem cooperative multiagent reinforce... 15368 machine learning increasingly prevalent stock ... 15369 let mathbb qnc complete simplyconnected ndimen... 15370 plasticity zirconium alloys mainly controlled ... 15371 fourier optics principle using fourier transfo... 15372 densitybased clustering relies idea linking gr... 15373 report provides introduction machine learning ... 15374 let us say nsided polygon semiregular circumsc... 15375 class cressieread empirical likelihoods constr... 15376 aim paper prove generalization famous theorem ... 15377 set density functionals coming different rungs... 15378 use direct numerical integration vlasov equati... 15379 efficient simulation isotropic gaussian random... 15380 paper concerned initialboundary value problem ... 15381 examine velocity profile coherent vortices app... 15382 estimating human longevity computing life expe... 15383 deep learning given way new era machine learni... 15384 fracinstitutions introduced extension institut... 15385 postulated good representation one disentangle... 15386 boundary value problem could represent transce... 15387 ddimensional quantum system subjected periodic... 15388 data torrent unleashed current upcoming astron... 15389 ancient phrase roads lead rome applies chemist... 15390 paper study anisotropic variant rudinosherfate... 15391 paper first study partial regularity weak solu... 15392 paper studies optimal control problem string v... 15393 kernelbased methods exhibit welldocumented per... 15394 deep neural networks gained tremendous popular... 15395 paper construct regular sequences arise natura... 15396 perform zeeman spectroscopy rydberg electromag... 15397 propose principled method gradientbased regula... 15398 larger deeper neural network architectures del... 15399 paper describes experience preparing testing s... 15400 drone delivery hot topic industry past years h... 15401 past decade seen significant advances cmwave v... 15402 let x locally compact zerodimensional space le... 15403 show gurarij space mathbbg noncommutative anal... 15404 securitysensitive applications success machine... 15405 conventional cryptography solutions illsuited ... 15406 consider online oneclass collaborative filteri... 15407 controlling nanocircuits single electron spin ... 15408 autonomous ai systems entering human society n... 15409 complexity size software projects increases re... 15410 paper studies auction design problem seller se... 15411 one fundamental tasks understanding genomics p... 15412 compute effects generic shortrange interaction... 15413 refraction index quantized lossy composite rig... 15414 method model averaging become important tool d... 15415 deep neural networks dnns achieve stateofthear... 15416 consider refinement differential privacy per i... 15417 define holomorphic quadratic differentials spa... 15418 paper use python implement two efficient modul... 15419 due freely available tailored software bayesia... 15420 work addresses problem path tracking control s... 15421 study time decay estimates fourthorder schrdin... 15422 problem recovering signal power spectrum calle... 15423 purpose note verify results attained admit ext... 15424 paper develop methods extend minimal hypersurf... 15425 concentration inequalities form essential tool... 15426 consider four structures mathbbz mathrmsqfmath... 15427 kotliar ruckenstein slaveboson representation ... 15428 deep neural networks trained using softmax lay... 15429 consider decidability problems selfsimilar sem... 15430 find negative charges armchair singlewalled ca... 15431 deep neural networks dnns become increasingly ... 15432 attributed graphs model real networks enrichin... 15433 thermochemical models used past constrain deep... 15434 antibodies critical part immune system functio... 15435 kcualoso highly onedimensional spin inequilate... 15436 offer umbrella type result extends weak conver... 15437 parsing expression grammars pegs formalism use... 15438 paper describes pressure ulcers online website... 15439 study brain networks including derived functio... 15440 paper obtain new results related minkowski fra... 15441 major challenges automatic track counting dist... 15442 recently impressive denoising results achieved... 15443 structure based ligand discovery one successfu... 15444 bayesian update viewed variational problem cha... 15445 report finding unidirectional electronic prope... 15446 paper propose mixture model sparsemix clusteri... 15447 image registration fundamental issue multispec... 15448 many privacy mechanisms reveal highlevel infor... 15449 present work consider multifidelity surrogate ... 15450 statistical performance bounds reinforcement l... 15451 proper semantic representation encoding side i... 15452 consider variation problem corruption detectio... 15453 describe analyze algorithm computing homology ... 15454 paper propose distributed iterated hard thresh... 15455 let mathcala subhopf algebra mod steenrod alge... 15456 every rational number pq defines rational base... 15457 many efficient algorithms strong theoretical g... 15458 connections nodes fully connected neural netwo... 15459 use boltzmann transport equation study time ev... 15460 obtain formula turaevviro invariants link comp... 15461 detection frauds credit card transactions majo... 15462 popular approach semisupervised learning proce... 15463 applying machine learning techniques problems ... 15464 consider system differential equations mongeka... 15465 lowcomplexity point orthogonal approximate dct... 15466 classical descartes rule signs limits number p... 15467 multiple sequence alignment msa plays key role... 15468 evergreens science papers display continual ri... 15469 paper propose method model speaker session var... 15470 many applications systemssynthetic biology par... 15471 banachs fixed point theorem contraction maps w... 15472 paper addresses problem coordination fleet mob... 15473 note give socalled representative classificati... 15474 importance able verify quantum computation del... 15475 introduce spreading technique deduce finitenes... 15476 deep learning algorithms connectomics rely upo... 15477 consider problem classifying business process ... 15478 problem analyzing number number field extensio... 15479 introduce new formulation hidden parameter mar... 15480 sampling lattice gaussian distribution plays i... 15481 propose sleaping algorithm acceleration gilles... 15482 goal present study develop polymeric matrix fi... 15483 several independent algorithms computercalcula... 15484 unprecedented high volumes data becoming avail... 15485 paper focuses bestarm identification multiarme... 15486 work introduces novel reinterpretation structu... 15487 stateoftheart automatic speech recognition asr... 15488 consider compound testing problem within gauss... 15489 researchers often datasets measuring features ... 15490 consider framework proposed burgard kjaer deri... 15491 th symposium educational advances artificial i... 15492 arrangements particles forces granular materia... 15493 introduce several new constructions perfect pe... 15494 show nonlinear schwarzian differential equatio... 15495 state estimation heavytailed process measureme... 15496 study squeezed vacuum field generated hot rb v... 15497 paper describe improved algorithms compute jan... 15498 paper consider multistage stochastic optimizat... 15499 constrained model predictive control mpc widel... 15500 traditional recommendation systems rely past u... 15501 recently endtoend models become popular approa... 15502 sheng zuos characteristic forms invariants var... 15503 investigate quantum graphs infinitely many ver... 15504 recently ciufolini et al reported test general... 15505 ngc p ultraluminous xray source harboring accr... 15506 new largescale parallel multiconfigurational s... 15507 start gaia era time come address major challen... 15508 propose multiobjective framework learn seconda... 15509 diarization audio recordings adhoc mobile devi... 15510 model incentive salience function stimulus val... 15511 lecture notes based three lectures given anton... 15512 report detection extended halpha emission tip ... 15513 consider problem estimating large rankone tens... 15514 paper parameter estimation problem multitimesc... 15515 introduce new method qualify goodness fit para... 15516 nongaussian stochastic dynamical systems mean ... 15517 study modal team logic mtl teamsemantical exte... 15518 propose cooperative training cot training gene... 15519 associate iterated function system consisting ... 15520 paper study energy decay thermoelastic bresse ... 15521 study scenario baryon asymmetry universe arise... 15522 noinsulation ni rebco magnets many advantages ... 15523 paper propose implicit gradient descent algori... 15524 compute frobenius number sequences triangular ... 15525 solitary waves propagation baryonic density pe... 15526 recent einsteinpodolskyrosenbohm experiments g... 15527 exist tilings plane pairwise noncongruent tria... 15528 paper study cauchy problem radially symmetric ... 15529 propose general framework called network disse... 15530 paper study systole growth arithmetic locally ... 15531 featured transition system transition system t... 15532 introduce schrdinger model unitary irreducible... 15533 analysing new emerging infectious disease outb... 15534 evolve binary mux trees generations evolving p... 15535 openstreetmap offers valuable source worldwide... 15536 detection planetary ring exoplanets remains on... 15537 scientific discovery via numerical simulations... 15538 dimension reduction often preliminary step ana... 15539 flag domain real g complex semismiple lie grou... 15540 nominal transition systems ntss parrow et al d... 15541 solve problem r nandakumar proving tiling plan... 15542 phase limitations continuoustime discretetime ... 15543 investigate using hydrodynamic simulations fra... 15544 propose simple generic layer formulation exten... 15545 stellar shells low surface brightness arcs ove... 15546 present monitoring approach verifying systems ... 15547 recent years deep learning algorithms become i... 15548 paper adaptive nonuniform compressive sampling... 15549 order automate verification process regulatory... 15550 survey problems results combinatorial geometry... 15551 recently proposed learning algorithm massive n... 15552 consider recovery regression coefficients deno... 15553 way nonequilibrium greens function simulations... 15554 liar paradox widely seen serious problem try e... 15555 chapter highdimensional abc appear forthcoming... 15556 unlike web web page global url reach specific ... 15557 chapter introduce digital holographic microsco... 15558 data compression popular technique improving e... 15559 task translating programming languages differs... 15560 initializing elements array specified value ba... 15561 present simple generative framework learning p... 15562 paper presents probabilistic method capturing ... 15563 mobileedge computing mec emerging paradigm pro... 15564 discuss three spacetime dimensional mathbbcmat... 15565 observed solartype binaries within pc sun prev... 15566 integers n k density halesjewett number cnk de... 15567 paper explores entertainment experience learni... 15568 blind deconvolution ubiquitous problem recover... 15569 illustrate potential applications machine lear... 15570 paper investigate power law pagerank component... 15571 wholesale electricity market designs practice ... 15572 fan et al recently introduced remarkable metho... 15573 goal making highresolution forecasts regional ... 15574 paws tool analyse behaviour weighted automata ... 15575 measurements plasma electric fields essential ... 15576 r popular language programming environment dat... 15577 humans routinely asked evaluate performance in... 15578 path planning important problem robotics one w... 15579 deeplearning inference accelerator synthesized... 15580 problem determining multiplets forces sets for... 15581 last decade researchers engineers developed va... 15582 based independently distributed x sim nptheta ... 15583 interpretation electroencephalogram eeg signal... 15584 feiginstoyanovskys type subspaces affine lie a... 15585 present two related methods deriving connectiv... 15586 present measurement baryon acoustic oscillatio... 15587 examine gammaray optical light curves three br... 15588 ground state diatomic molecules nature inevita... 15589 tk tokaitokamioka longbaseline neutrino experi... 15590 general class contractions variety x base disc... 15591 present first simultaneous photometric spectro... 15592 realize scattering states lossy chaotic twodim... 15593 present simple model nonequilibrium selforgani... 15594 theoretical study currentdriven dynamics magne... 15595 paper prove rigidity result equality case penr... 15596 introduce algebra model study higher order sum... 15597 problems nonparametric hypothesis testing intr... 15598 major goal unsupervised learning discover data... 15599 conformal coating technique nanocarbon develop... 15600 context th release sdss moving object catalog ... 15601 critical behavior random transversefield ising... 15602 paper extend known methodology fitting stable ... 15603 user participation online communities driven i... 15604 detection software vulnerabilities vulnerabili... 15605 investigate problem learning discrete undirect... 15606 consider orthogonal decompositions invariant s... 15607 paper propose novel object proposal generation... 15608 study effects quantum fluctuations dynamical g... 15609 independent component analysis ica cornerstone... 15610 general thus popular model autonomous systems ... 15611 barber candes introduced new variable selectio... 15612 paper sequel gh notion marking isolated hypers... 15613 propose soaalloc dynamic object allocator sing... 15614 radiological characterization contaminated ele... 15615 note derive backward automatic differentiation... 15616 fundamental atomic parameters oscillator stren... 15617 hamiltonian truncation aka truncated spectrum ... 15618 critical challenging problem reinforcement lea... 15619 high penetration renewable energy source makes... 15620 summarize recent findings proposed framework l... 15621 intensive studies three decades elucidated mul... 15622 vector autoregressive moving average varma mod... 15623 investigating information flow general parityt... 15624 popular strategies capture subjective judgment... 15625 world connected internet abundance internet us... 15626 random network models play prominent role mode... 15627 largescale dipolar surface magnetic fields det... 15628 focusing nls equation simplest universal model... 15629 present first discoveries survey zgtrsim quasa... 15630 prove solution timedependent schrdinger equati... 15631 one puzzling features hightemperature cuprate ... 15632 thermal noise expected one noise sources limit... 15633 effort understand meaning intermediate represe... 15634 investigate star formation efficiency signific... 15635 hybrid digitalanalog hda systems resource allo... 15636 present experimental study nonequilibrium tunn... 15637 aid variety research studies propose twirole h... 15638 protection user privacy important concern mach... 15639 studied peculiarities selective reflection rb ... 15640 lambdacalculus peculiar computational model wh... 15641 paper viewed sequel authors long survey zimmer... 15642 paper proposes new algorithm recovery belief n... 15643 mechanical properties cell depend crucially te... 15644 widespread adoption dissemination online news ... 15645 interaction chchptch methylcyclopentadienyltri... 15646 examine hbeta lick index sample sim massive rm... 15647 present collective coordinate approach study c... 15648 class selfdecomposable distributions free prob... 15649 cloud storage systems hot data usually replica... 15650 binomial system electoral system unique world ... 15651 prove highly uniform stability almostnear theo... 15652 pandapower python based bsdlicensed power syst... 15653 consider lightinduced binding motion dielectri... 15654 study rates convergence central limit theorems... 15655 anomaly detection aims detect abnormal events ... 15656 magnetic adatom chain proximity coupled conven... 15657 certain fibered hyperbolic manifolds admit mat... 15658 graph representations offer powerful intuitive... 15659 computational fluid dynamics cfd hugely import... 15660 firstorder optimization methods stochastic gra... 15661 consider stochastic shortest path ssp problem ... 15662 study existence properties onedimensional edge... 15663 turmit turing machine works twodimensional gri... 15664 bitcoin cryptocurrencies surged popularity las... 15665 let mathbbk infinite field prove variety antic... 15666 present properties magnetooptical trap mot caf... 15667 paper construct nonautonomous version hietarin... 15668 performancecritical machine learning models ro... 15669 paper presents realization approach spatial st... 15670 fractional quantum hallsuperconductor heterost... 15671 paper present first results pilot experiment c... 15672 encoderdecoder gans architectures eg bigan ali... 15673 paper concerned existence least energy signcha... 15674 study action monads categories equipped severa... 15675 evacuation one main disaster management soluti... 15676 discovery topological insulators reformed mode... 15677 deep convolutional neural network cnn inferenc... 15678 formation large voids cosmic web initial adiab... 15679 stability sequence replication crucial emergen... 15680 paper obtain variational characterization hard... 15681 recent work demonstrated neural networks vulne... 15682 present first internal delensing cmb maps temp... 15683 introducing programmability automated verifica... 15684 todays cyberenabled smart grids high penetrati... 15685 article provide new algorithm solving constrai... 15686 geodetic vlbi technique capable measuring suns... 15687 unbiased estimator ellipticity object noisy im... 15688 several spectral bounds percolation transition... 15689 paper extend works tancer malgouyres francs sh... 15690 paper present approach solve physicsbased rein... 15691 acquisition labeled training samples affective... 15692 paper sparse markov decision process mdp novel... 15693 dustforming nova v oph unique first nova provi... 15694 article consists two parts part present formul... 15695 data stream mining problem caused widely conce... 15696 investigate lowenergy scaling behavior interac... 15697 positively resp negatively associated point pr... 15698 increasing abundance digital footprints left h... 15699 present finite difference time domain fdtd mod... 15700 paper investigates achievable rates additive w... 15701 consider problem probabilistic projection tota... 15702 persistent homology typically studies evolutio... 15703 using focused electronbeaminduced deposition f... 15704 developing efficient numerical algorithms solu... 15705 study optical forces acting upon semiconductor... 15706 intersubject variability individuals poses cha... 15707 bell inequalities usually derived assuming loc... 15708 paper find explicit formulas higher order deri... 15709 eastrogam enhanced astrogam breakthrough obser... 15710 report magnetic thermodynamic properties mo ma... 15711 paper introduce concept eventness audio event ... 15712 work proposes new online algorithm estimating ... 15713 given orthogonal polygon p n vertices goal wat... 15714 standard theorem nonsmooth analysis states pie... 15715 propose class intrinsic gaussian processes ing... 15716 existing approaches coexisting communicationra... 15717 many settings important model capable providin... 15718 language corpus probability word occurs n time... 15719 many prediction problems arise context robotic... 15720 propose universal experiment measure different... 15721 derive explicit formula scalar curvature twoto... 15722 paper presents multipose face recognition appr... 15723 twisted equivariant ktheory given freed moore ... 15724 report observations magnetoresistance quantum ... 15725 frchet mean variance provide way obtaining mea... 15726 backward simulation stochastic process defined... 15727 present spectral inference networks framework ... 15728 appropriate models spatially autocorrelated da... 15729 investigate learning differential geometric st... 15730 investigate whether training load monitoring d... 15731 spectroscopically investigate hyperfine rotati... 15732 describe hopf ring structure direct sum cohomo... 15733 oneway quantum computation wqc model initial h... 15734 note shall compute categorical entropy autoequ... 15735 development widespread use wireless devices re... 15736 study subdiffusive wavepacket spreading disord... 15737 origin activity solar corona longstanding prob... 15738 online creative communities able develop large... 15739 mutualexclusion property locks stands way scal... 15740 concepts unitary evolution matrices associativ... 15741 gene regulatory networks play crucial role con... 15742 paper discuss recent results generalized metri... 15743 present paper demonstrate results statistical ... 15744 visionlanguage navigation vln task navigating ... 15745 fermilab committed upgrading accelerator compl... 15746 given clustertilted algebra tame type proved d... 15747 article discusses automation tensor algorithms... 15748 conventional methods estimating latent behavio... 15749 propose rescaled lasso premultipying lasso mat... 15750 present results smoothed particle hydrodynamic... 15751 redox flow batteries rfbs potential solutions ... 15752 work analyzed magnetocaloric effect mce tsalli... 15753 framework mssm inflation matter gravitino prod... 15754 blind spots one causes road accidents hilly fl... 15755 paper study rotabaxter modules emphasis role p... 15756 viral videos reach global penetration travelin... 15757 work find equation relates ricci curvature rie... 15758 logic programming prolog widely used supply pe... 15759 paper show transformations modified jacobi ber... 15760 let ngeq kgeq two integers subset dotsk graph ... 15761 electromagnetic properties single crystal terb... 15762 set quantify number density quiescent massive ... 15763 probabilistic load forecasts provide comprehen... 15764 show nonlinear stability instability results s... 15765 article jags software program systematically i... 15766 model based iterative reconstruction mbir algo... 15767 negotiation diagrams model concurrent computat... 15768 theory hitchin systems something like global t... 15769 confidence fundamental concept statistics tend... 15770 investigate symmetry reduction optimal control... 15771 provide new simple characterization multivaria... 15772 accelerated gradient ag methods breakthroughs ... 15773 use energy packet network paradigms investigat... 15774 paper prove refined version theorem tamagawa m... 15775 recent paper lopezsuarez neri l gammaitoni lng... 15776 let sigmadelta quasi derivation ring r mr righ... 15777 aim paper define bivariate exponentiated gener... 15778 despite attractive features congruentmelted li... 15779 taobao largest online retail platform world pr... 15780 consider recursive decoding techniques rm code... 15781 report design performance mixedsignal applicat... 15782 paper provides efficient solutions maximize pr... 15783 study higher gradient integrability distributi... 15784 careful analyses photometric star count data a... 15785 global crisis provoked heightened interest amo... 15786 identifying arbitrary topologies power network... 15787 gaussian belief propagation bp widely used dis... 15788 provided analogue banachalaoglu theorem hilber... 15789 consider problem enabling robust range estimat... 15790 incentivized advertising new ad format gaining... 15791 selfannihilation dark matter particles mass me... 15792 prove orbifold version zvonkines relsv formula... 15793 study connected locally compact metric spaces ... 15794 prove abstract theorem giving langle trangleep... 15795 userbased collaborative filtering cf one popul... 15796 direct imaging exoplanets requires detection f... 15797 rapidly growing number large network analysis ... 15798 paper prove gradient ideal morse polynomial ra... 15799 image instance retrieval problem retrieving im... 15800 study phase transitions two dimensional weakly... 15801 work study thermal conductivity insitu ringope... 15802 investigate forecasting ability commonly used ... 15803 recent years seen increasing need location awa... 15804 massive popularity online social media provide... 15805 investigate characteristics factual emotional ... 15806 paper develop conservative sharpinterface meth... 15807 among several developments field economic comp... 15808 twodimensional materials graphene mos attracti... 15809 perform ultrasound velocity measurements singl... 15810 propose oneclass neural network ocnn model det... 15811 opensource vehicle testbed enable exploration ... 15812 consider minimization nonconvex functions typi... 15813 following advent electromagnetic metamaterials... 15814 community structure describes organization net... 15815 weak attractive interactions spinimbalanced fe... 15816 aim paper study twoweight norm inequalities fr... 15817 say algorithm stable small changes input resul... 15818 turing test long considered measure artificial... 15819 investigate basic thermal mechanical structura... 15820 present magnetohydrodynamic mhd simulations ma... 15821 discovering statistical structure links fundam... 15822 signature closed oriented manifolds wellknown ... 15823 develop new closed form representations sums n... 15824 studied intermediate filaments ifs retina pied... 15825 using purple mountain observatory delingha pmo... 15826 test theory using data common focus correctnes... 15827 paper presents clustering approach allows rigo... 15828 doublestranded dna may contain mismatched base... 15829 setting weighted combinatorial finite infinite... 15830 paper characterize surjective linear variation... 15831 existing visual reasoning datasets visual ques... 15832 article characterize possible cases may occur ... 15833 base station cooperation heterogeneous wireles... 15834 srruo sro films known exhibit insulating behav... 15835 prove local wellposedness regular spaces beale... 15836 study question natural interpretations quantum... 15837 paper propose dynamical systems perspective ex... 15838 paper consider general matrix factorization mo... 15839 error bound conditions ebc properties characte... 15840 runtime performance modern sat solvers random ... 15841 little known different types advertising affec... 15842 te nmr studies carried bismuth telluride topol... 15843 discuss ricciflat model metrics mathbbc cone s... 15844 motivated stationkeeping applications various ... 15845 carried molecular dynamics simulations md usin... 15846 show subcategory mcluster category type tilded... 15847 solid collaboration developed intelligent read... 15848 paper propose novel scheme data hiding fingerp... 15849 consider asymptotic normality linear rank stat... 15850 document contains notes lecture gave journes n... 15851 demonstrate presence chaos stochastic simulati... 15852 questionanswering qa video contents significan... 15853 work proposes study quality service qos cognit... 15854 introduce notion kideals associated kuratowski... 15855 given functional data samples survival process... 15856 determine three invariants arnolds jinvariant ... 15857 motivated problem deducing lpbounds second fun... 15858 biomedical sciences increasingly recognising r... 15859 given classical channel stochastic map inputs ... 15860 model compression significant wide adoption re... 15861 thunderstorms produce strong electric fields r... 15862 cox proportional hazards model measurement err... 15863 paper study efficiency egoistic altruistic str... 15864 learning drive faithfully highly stochastic ur... 15865 anomaly detection ad task corresponds identify... 15866 accurate calculation proton ranges phantoms de... 15867 show level sets automorphisms free groups resp... 15868 machine learning algorithms typically run larg... 15869 work consider detection manoeuvring small obje... 15870 recent rapid progress observations circumstell... 15871 memorytype control charts ewma cusum powerful ... 15872 short note obtain error estimates riemann sums... 15873 observed constraints variability proton electr... 15874 work introduce pose interpreter networks dof o... 15875 regularized risk minimization procedure regres... 15876 one primary objectives human brain mapping div... 15877 deep generative models achieved impressive suc... 15878 face recognition fr methods report significant... 15879 ellenberg gijswijt gave recently new exponenti... 15880 study role environment evolution central satel... 15881 investigate configuration space deltamanipulat... 15882 earlier decade socalled feast algorithm releas... 15883 element monoid h set lengths mathsf l subset m... 15884 increasing interests spinorbit torque sot vari... 15885 static program analysis used summarize propert... 15886 major challenge solar heliospheric physics und... 15887 paper construct explicit smooth solutions stro... 15888 common clustering algorithms require multiple ... 15889 implicit models one often interpolates sampled... 15890 consider optimal control problem subject semil... 15891 paper consider stochastic model incompressible... 15892 describe set tools services strategies latin a... 15893 article investigate duistermaatheckman theorem... 15894 paper examines behavior price anarchy function... 15895 line terms reference icfa neutrino panel devel... 15896 many scientific data sets contain temporal dim... 15897 first step model emotional state person build ... 15898 many situations across computational science e... 15899 present tutorial determination physical condit... 15900 work propose simple effective method interpret... 15901 adversarial learning probabilistic models rece... 15902 inference using deep neural networks often out... 15903 consider factorization problem matrix symbols ... 15904 paper presents study metaphorism pattern relat... 15905 show orthogonal projection operator onto range... 15906 determine joint limiting distribution adjacent... 15907 paper prove fundamental theorems holomorphic c... 15908 use ldau approach search possible ordered grou... 15909 last decades vaste amount evidence existence d... 15910 nuclear starburst discs nsds starforming discs... 15911 despite vast morphological diversity many inve... 15912 wellknown randomcoefficient ar process long me... 15913 hilsumskandalis maps differential geometry stu... 15914 present explicit version berger coburn lebows ... 15915 paper provides results application boundary fe... 15916 polyethylene naphtalate pen mechanically favor... 15917 expanded version third authors lecture stringm... 15918 consider prehomogeneous vector space pairs ter... 15919 tasks like code generation semantic parsing re... 15920 derivation approximate wave functions electron... 15921 oumuamua first bonafide interstellar planetesi... 15922 implementation discontinuous galerkin finite e... 15923 quantity distribution land eligible renewable ... 15924 conduct extensive empirical study shortterm el... 15925 let h subgroup fundamental group pixx extendin... 15926 analyze dataset providing complete information... 15927 present systematical study via scanning tunnel... 15928 paper propose novel generative models creating... 15929 investigate mixed conic quadratic optimization... 15930 atmospheres exoplanets reveal properties beyon... 15931 concurrent systems form synchronisation typica... 15932 gaussian graphical models used determining con... 15933 deep learning models achieved stateoftheart ac... 15934 unit vector field closed immersed euclidean hy... 15935 lyapunov rank proper cone k finite dimensional... 15936 detecting feature interactions imperative accu... 15937 molecular adsorption surfaces plays important ... 15938 theoretically investigate mechanism generate l... 15939 analysis cancer genomic data long suffered cur... 15940 graph fourier transform gft general dense requ... 15941 neural networks capable learning rich nonlinea... 15942 prizecollecting steiner forest pcsf problem gi... 15943 large literature semiparametric estimation ave... 15944 study discretizations polynomial processes usi... 15945 paper propose new method estimation constructi... 15946 present extragalactic survey using observation... 15947 degenerate autonomous kirchhoff equation set m... 15948 doppler tracking data change lunar mission use... 15949 modern tracking technology made collection lar... 15950 propose topic compositional neural language mo... 15951 numerically investigate electronic transport p... 15952 generative modeling high dimensional data like... 15953 paper consider ddimensional parabolicelliptic ... 15954 paper prove explicit formulas willmore surface... 15955 consider problem optimal budget allocation cro... 15956 study unsupervised generative modeling terms o... 15957 paper study gauss map free boundary minimal su... 15958 computational approaches finding nontrivial in... 15959 present variation autoencoder ae explicitly ma... 15960 planning motions two robot arms move object co... 15961 shortbaseline neutrino sbn program shortbaseli... 15962 novel algorithm proposed candecompparafac tens... 15963 testing conditional independence multivariate ... 15964 despite overwhelming capacity overfit deep lea... 15965 jintegral recognized fundamental parameter fra... 15966 revealed preference theory studies possibility... 15967 view universe genomic regions harboring variou... 15968 article discuss verification study operational... 15969 use plasmon rulers follow conformational dynam... 15970 shown total set equations determines dynamics ... 15971 short circuit ratio scr widely applied analyze... 15972 work addressed issue applying stochastic class... 15973 largebatch sgd important scaling training deep... 15974 recent years seen flurry activities designing ... 15975 new numerical solutions socalled selection pro... 15976 report sptclj giant system arcs created cluste... 15977 one interesting features bayesian optimization... 15978 paper prove existence nonnegative ground state... 15979 paper aims apply complex octonion explore infl... 15980 knowledge graphs versatile framework encode ri... 15981 emerging smart grid techniques cyber attackers... 15982 thanks multispacecraft mission recently possib... 15983 field k prove ith homology groups glnk slnk sp... 15984 highsignal noise observations lyalpha forest t... 15985 intermediatevalence compound smb wellknown kon... 15986 dramatic increase data connectivity demand add... 15987 techniques known nonlinear set membership pred... 15988 despite enormous progress object detection cla... 15989 paper considers network sensors without fusion... 15990 recently open geometry fourier modal method ba... 15991 apply liebrobinson bounds multicommutators rec... 15992 cloud users little visibility performance char... 15993 paper new hpadaptive strategy elliptic problem... 15994 recent space missions provided information phy... 15995 titanium dioxide tio wide band gap semiconduct... 15996 generative adversarial nets gans represent imp... 15997 present cloud storage used searchable symmetri... 15998 control electron spin external means key issue... 15999 report observation phase space modulations cor... 16000 unimodular random graph grho consider deformat... 16001 paper presents selfsupervised method detecting... 16002 traquad autonomous tracking quadcopter capable... 16003 persistence diagrams widely recognized compact... 16004 pair recent papers andrews fraenkel sellers pr... 16005 mobile computing one main drivers innovation y... 16006 midinfrared mir spectral range pertaining impo... 16007 networks elastic fibers ubiquitous biological ... 16008 elliptic curve e defined padic field k pisogen... 16009 android apps cooperate message passing via int... 16010 usability small devices smartphones interactiv... 16011 construct complexitybased morphospace study sy... 16012 use coupled cluster method ccm study frustrate... 16013 study polyhedron n vertices fixed volume minim... 16014 develop theory weakly interacting fermionic at... 16015 heterogeneitygap different modalities brings s... 16016 paper analyzes iterationcomplexity generalized... 16017 vehicle bypassing known negatively affect dela... 16018 use secular model describe nonresonant dynamic... 16019 note investigates stability linear nonlinear s... 16020 develop terminology methods working maximally ... 16021 paper introduces new surgical endeffector prob... 16022 assisted availability data high performance co... 16023 deep learning dl guide understanding computati... 16024 quantum functional inequalities eg logarithmic... 16025 paper proposes new family algorithms training ... 16026 propose generalization best arm identification... 16027 paper study new class finsler metrics falphaph... 16028 optimal transport recently gained interest mac... 16029 present novel analysis metalpoor star sample c... 16030 recently intervention calculus dag absent ida ... 16031 note present new proof cyclotomic integers con... 16032 study stochastic homogenization cauchy problem... 16033 article presents survey automatic software rep... 16034 technical details balloon stratospheric missio... 16035 selfdriving technology advancing rapidly albei... 16036 synoptic view longestablished theory light pro... 16037 nucleation growth calcite important research s... 16038 galactic magnetic field gmf plays role many as... 16039 mechanisms organs acquire functional structure... 16040 national toxicology program issuing final repo... 16041 answer following longstanding question kolchin... 16042 investigated outofplane exchange bias system b... 16043 recommendation systems widely used different u... 16044 complex event processing cep emerged unifying ... 16045 electroencephalography eeg source imaging inve... 16046 present multiwavelength compilation new previo... 16047 concept distance covariancecorrelation introdu... 16048 letter presents novel method estimate relative... 16049 show contrast free electron model standard bcs... 16050 decisionmakers faced challenge estimating like... 16051 present new qfunction operator temporal differ... 16052 study entanglement entropy gapped phases matte... 16053 paper concerned two frequencydependent sis epi... 16054 gravitational clustering nonlinear regime rema... 16055 independent component analysis ica problem lea... 16056 round trip time light pulse limits maximum det... 16057 continuity gauge fixing condition ncdotpartial... 16058 asymptotic theory approximate martingale estim... 16059 malignant melanoma one rapidly increasing inci... 16060 consider problem improving kernel approximatio... 16061 various measures used estimate bias unfairness... 16062 entropy quantum system measure randomness appl... 16063 studying tropical cyclones using fplane axisym... 16064 present voice conversion challenge designed fo... 16065 companion paper developed efficient algebraic ... 16066 introduce imaginationaugmented agents ias nove... 16067 study impact quenched disorder random exchange... 16068 remotesensing system determine position hidden... 16069 algorithm create original compelling fashion d... 16070 paper discusses challenges faceted vocabulary ... 16071 reconstruction species phylogeny genomic data ... 16072 new amortized variancereduced gradient avrg al... 16073 paper considers novel framework detect communi... 16074 nanostructures open shell transition metal mol... 16075 inverse problem calculus variations one asked ... 16076 let mathbbk algebraically closed field charact... 16077 conventional textbook treatments electromagnet... 16078 large number sensors control units networked s... 16079 confidence interval procedures used low dimens... 16080 surfacefunctionalized nanomaterials act theran... 16081 nyquist ghost artifacts epi images originated ... 16082 classical binary search path aim detect unknow... 16083 adam optimizer exceedingly popular deep learni... 16084 wholesale electricity markets increasingly int... 16085 recently demonstrated textured closed surfaces... 16086 research automated image enhancement gained mo... 16087 radially outward flow fluid porous medium occu... 16088 even though transitivity central structural fe... 16089 hohenbergkohn theorem plays fundamental role d... 16090 digital sculpting popular means create models ... 16091 since tweet limited characters ambiguous diffi... 16092 paper consider precoder designs multiuser mult... 16093 sampling random graphs essential many applicat... 16094 forecasting fault failure fundamental elusive ... 16095 new upper limit mixing parameter hidden photon... 16096 three gap theorem also known steinhaus conject... 16097 st century astrophysicists confronted herculea... 16098 give elementary proof fact irreducible hyperbo... 16099 predicting unobserved entries partially observ... 16100 browsing finding relevant information banglade... 16101 let p graph vertex v pbackslash v forest let q... 16102 extend theory computation real numbers continu... 16103 capsule networks shown encouraging results tex... 16104 adversarial attack exploitative process minute... 16105 detailed monte carlostudy satisfiability thres... 16106 feast eigenvalue algorithm subspace iteration ... 16107 planar magnetic structures pmss periods solar ... 16108 feature map obtained denoising autoencoder dae... 16109 learning algorithms energy based boltzmann arc... 16110 dark energy plus cold dark matter lambdacdm co... 16111 alternating minimization heuristics seek solve... 16112 paper prove positivity denominator vectors hol... 16113 primordial black holes pbh dark matter singlef... 16114 supervised speech separation uses supervised l... 16115 challenge isogeometric analysis constructing a... 16116 paper provides theoretical justification super... 16117 report first experimental demonstration freque... 16118 study upper bounds weierstrass primary factors... 16119 prove certain conditions multigraded betti num... 16120 recent work learning ontologies hierarchical p... 16121 past decade discovery active pharmaceutical su... 16122 define study probability monad category comple... 16123 design robotic systems safely efficiently oper... 16124 aim paper show analytically numerically existe... 16125 scalable quantum photonic systems require effi... 16126 tasks search recommendation become increas ing... 16127 investigate groundstate properties collective ... 16128 waves used probe image unknown medium passive ... 16129 investigate anderson localization nonhermitian... 16130 using lift nonperturbative volume stabilizatio... 16131 background pairwise network metaanalyses using... 16132 central question statistical learning design a... 16133 machine learning ensemble methods demonstrated... 16134 demonstrate full functionality circuit generat... 16135 paper derive family fast stable algorithms mul... 16136 paper develops variational continual learning ... 16137 multiple testing problem independent tests cla... 16138 paper investigates information theoretic groun... 16139 invariant one central topics science technolog... 16140 windowed orthogonal frequencydivision multiple... 16141 neural networks recently lot success many task... 16142 investigate noknowledge measurementbased feedb... 16143 earthquakes seismogenic plate boundaries respo... 16144 study continuoustime assetallocation problem f... 16145 proliferation fake news social media opened ne... 16146 recently growing interest development statisti... 16147 seek infer parameters ergodic markov process s... 16148 textcnn convolutional neural network text usef... 16149 political polarization united states continues... 16150 present probabilistic approach generate small ... 16151 recent advances generative adversarial network... 16152 feature extraction becomes increasingly import... 16153 sentiment classification sarcasm detection imp... 16154 review paper discusses context used neural mac... 16155 pair typeii dirac cones pdte recently predicte... 16156 propose novel metropolishastings algorithm sam... 16157 present weak lensing analysis sample sdss comp... 16158 complexity knowledge production complex system... 16159 classify certain subcategories quotients exact... 16160 present new approach search first order invari... 16161 statistical analyses urban environments recent... 16162 paper technique suggested integrate linear ini... 16163 manuscript generalize fcalculus apply fractal ... 16164 longstanding goal behaviorbased robotics solve... 16165 paper introduces new member family variational... 16166 results wasan geometry tangents circles still ... 16167 beta family owes privileged status within unit... 16168 investigate mean curvature flows class warped ... 16169 finitedifference methods widely used solving p... 16170 work propose ontology support automated negoti... 16171 present technique efficiently synthesizing ima... 16172 study size complexity computing finite state a... 16173 artificial intelligence federates numerous sci... 16174 elementary net systems ens fundamental class p... 16175 three exceptional lattices e e e attracted muc... 16176 analysis conjugate natural convection surface ... 16177 anosov representations word hyperbolic groups ... 16178 examine role memorization deep learning drawin... 16179 recent advances fully convolutional networks f... 16180 study phase diagram minority game three classe... 16181 complexity philip wolfes method minimum euclid... 16182 work using strong gravitational lensing sgl ob... 16183 hydrogen peroxide ho important signaling molec... 16184 many organisms repartition proteome circadian ... 16185 present investigation intrinsic magnetic prope... 16186 present explicit construction moduli spaces ra... 16187 report development validation datadriven realt... 16188 global registration multiview robot data chall... 16189 paper introduce variable exponent local hardy ... 16190 robust pca problem wherein given input data ma... 16191 study postnikov tower classifying space compac... 16192 using dataset million messages posted twitter ... 16193 muon g experiment plans use fermilab recycler ... 16194 collecting training data physical world usuall... 16195 alternating minimization fienup methods long h... 16196 work develop importance sampling estimator cou... 16197 existence absence nonanalytic cusps loschmidte... 16198 explore ways creating cold kevscale dark matte... 16199 developing algorithms solving highdimensional ... 16200 spatiotemporal data processes prevalent across... 16201 develop optimization model corresponding algor... 16202 superhydrophobic surfaces shss potential achie... 16203 paper considers problem recovering either low ... 16204 speech separation task separating target speec... 16205 reinforcement learning state real world often ... 16206 assess range validity sgoldstinoless inflation... 16207 foveal vision makes less visual field peripher... 16208 previous paper assembled collection mediumreso... 16209 let mathbbfp prime field order p set mathbbfp ... 16210 prove family lattices rm slmathcalof f running... 16211 clustering one universal approaches understand... 16212 discuss parametric oscillatory instability fab... 16213 suppose compact khler manifold x ample line bu... 16214 lobachevski entertained possibility multiple r... 16215 note show given irreducible binary quadratic f... 16216 present analysis microlensing event moablg sho... 16217 misunderstanding driver correction behaviors d... 16218 internet things iot intended ubiquitous connec... 16219 graphs naturally sparse objects used study man... 16220 finite dimensional operator commutes symmetry ... 16221 probabilistic framework proposed optimization ... 16222 upstream steady uniform supersonic flow imping... 16223 one consequences passing mass production mass ... 16224 provide new perspective fracton topological ph... 16225 largescale penetration internet first time hum... 16226 paper propose novel supervised learning method... 16227 paper develop system lowcost indoor localizati... 16228 well known every finite simple group generated... 16229 electronic magneto transport properties reduce... 16230 new types machine learning hardware developmen... 16231 nowadays many methods allowing exploit regular... 16232 introduce persistent homotopy type distance dh... 16233 paper determine optimal convergence rates stro... 16234 superconductivity angstrom singlewalled carbon... 16235 behavior simplex algorithm widely studied subj... 16236 paper present regression framework involving s... 16237 recently along emergence food scandals food su... 16238 study topological structure omegalimit sets sk... 16239 discovery topological states matter profoundly... 16240 propose dynamical system tumor cells prolifera... 16241 explaining unexpected presence dunelike patter... 16242 challenge sharing communicating information cr... 16243 use sparse precision inverse covariance matric... 16244 let geq fixed positive integer adotsas mathbbz... 16245 one possible approach tackle class imbalance c... 16246 paper propose new robustness notion applicable... 16247 fusing satellite observations station measurem... 16248 goal paper examine experimental progress laser... 16249 person identification technology recognizes in... 16250 present paper motivated one fundamental challe... 16251 characterize approximate monomial complexity s... 16252 present nonperturbative numerical technique ca... 16253 present paper introduce new families elliptic ... 16254 knowledge graphs enable wide variety applicati... 16255 several geophysical applications full waveform... 16256 directed acyclic graph g v e pseudotransitive ... 16257 networkbased approach presented investigate ce... 16258 study devoted polynomial representation matrix... 16259 today digital forensics images normally provid... 16260 topological metrics graphs provide natural way... 16261 reservoir characterization involves estimation... 16262 deep learning applies hierarchical layers hidd... 16263 study multiarmed bandit mab problem agent rece... 16264 weyl points monopole charge pm extensively stu... 16265 theoretical investigation extremely high field... 16266 act experience programming heart fundamentally... 16267 partiallyobserved boolean dynamical systems po... 16268 political polarization public space seriously ... 16269 program termination undecidable yet important ... 16270 investigate effect disorder potential exciton ... 16271 let rfrakm ddimensional cohenmacaulay local ri... 16272 free electron lasers fel commonly regarded pot... 16273 family exponential maps faz eza fundamental im... 16274 part fornax deep survey eso vlt survey telesco... 16275 wellknown demilloliptonschwartzzippel lemma sa... 16276 backpressure algorithm widely used distributed... 16277 kondo lattice systems mixed valence ybal inter... 16278 study transitivity directed acyclic graphs use... 16279 method transmitting information interstellar s... 16280 application domains healthcare want accurate p... 16281 automated detection voice disorders computatio... 16282 perform direct numerical simulations dns passi... 16283 one fundamental questions one ask pair random ... 16284 ordered chains chains amino acids ubiquitous b... 16285 based ab initio evolutionary crystal structure... 16286 past decade optical wdm networks wavelength di... 16287 consider linearly transformed spiked model obs... 16288 deep learning revolutionized vision via convol... 16289 diverse fault types fast reclosures complicate... 16290 tensor given tensor space said hidentifiable a... 16291 let g connected reductive group previous paper... 16292 apply generalized kepler map theory describe q... 16293 famous theorem weyl states compact submanifold... 16294 online interval coloring variants important co... 16295 paper devoted factorization multivariate polyn... 16296 study geometry singularities principal directi... 16297 immense amount daily generated communicated da... 16298 rna secondary structure designable rna sequenc... 16299 consider f h homeomorphims generating faithful... 16300 fault localization popular research topic many... 16301 basins convergence associated roots attractors... 16302 irreducible representations full support ratio... 16303 models postulate lognormal dynamics interest r... 16304 paper concerned simultaneous estimation k popu... 16305 paper review recent progress indefinite string... 16306 paper introduces simple efficient density esti... 16307 planning early medieval landscape project peml... 16308 population recovery problem basic problem nois... 16309 multibugs https url new version generalpurpose... 16310 present overview recently developed datadriven... 16311 largescale study human mobility significantly ... 16312 study problem assigning nonoverlapping geometr... 16313 let f continuous real function defined subset ... 16314 paper present formulas valuation debt equity f... 16315 consider schrdinger operator combinatorial gra... 16316 anions molecules zno atomic zn constitute mass... 16317 describe category integrable sln modules posit... 16318 selflocalize large teams underwater nodes usin... 16319 developed system combining backilluminated com... 16320 paper propose new coding scheme establish new ... 16321 aim comment show anisotropic effects image fie... 16322 paper proposed novel twostage optimization met... 16323 investigate possible pathways formation low de... 16324 spectral shape descriptors used extensively br... 16325 consider inverse dynamical problem dynamical s... 16326 jacobsthals function recently generalised case... 16327 due iterative nature nonnegative matrix factor... 16328 open access nature wireless communications wir... 16329 study threedimensional gauge theories based or... 16330 consider classical gaussian unitary ensemble s... 16331 derive equations motion reduced density matrix... 16332 weyl semimetallic compound euiro along hole do... 16333 winds predicted ubiquitous lowmass actively st... 16334 present compact current sensor based supercond... 16335 understand evolution extinction curve calculat... 16336 simple reading report professor weiping zhangs... 16337 recent work using plasmonic nanosensors clinic... 16338 consider twodimensional ginzburglandau problem... 16339 twopart paper details theory solvability power... 16340 introduced evolutionary game dynamics onedimen... 16341 quantum moves citizen science game investigate... 16342 seismic monitoring one usually interested resp... 16343 two procedures checking bayesian models compar... 16344 let k field characteristic zero mathcal kalgeb... 16345 following roos say local ring r good finitely ... 16346 population protocols well established model co... 16347 purpose note point simplicial methods wellknow... 16348 efficiently answer queries datalog systems oft... 16349 let mg complete noncompact riemannian manifold... 16350 bizarrely shaped voting districts frequently l... 16351 disordered manyparticle hyperuniform systems e... 16352 modern industrial automatic machines robotic c... 16353 approaches machine learning electronic health ... 16354 present new viscosity measurements synthetic s... 16355 problem estimating highdimensional sparse vect... 16356 implemented various dftu schemes including acb... 16357 tests bl symmetry breaking models important pr... 16358 gradient boosted decision trees popular machin... 16359 paper problem road friction prediction fleet c... 16360 collective animal behaviors paradigmatic examp... 16361 shown increasing model depth improves quality ... 16362 speech recognition systems achieved high recog... 16363 adhoc social networks become popular support n... 16364 paper presents posteriori error analysis coupl... 16365 security critical vital task wireless sensor n... 16366 geologic activity enceladuss south pole remain... 16367 recent surge interest studying permutationbase... 16368 system development often involves decisions hi... 16369 cyber defence exercises intensive handson lear... 16370 develop continuous kleene omegaalgebra realtim... 16371 recently researchers proposed various lowpreci... 16372 paper examine convergence mirror descent class... 16373 multipath communications internet scale myth l... 16374 present paper reports effort characterize vort... 16375 paper extend state art model predictive contro... 16376 study relationship geometry capacity measures ... 16377 developed control visualization programs yui h... 16378 identify four countable topological spaces sd ... 16379 cryoelectron microscopy provides projection im... 16380 paper prove lqestimates gradients solutions si... 16381 various applications relations dependent indep... 16382 based median median absolute deviation estimat... 16383 paper consider cluster estimation problem stoc... 16384 representing data hyperbolic space effectively... 16385 investigate nightly mean emission height width... 16386 spinelperovskite heterointerface gammaalosrtio... 16387 give finite axiomatization variety generated r... 16388 show every ell counterexample ellmodular secre... 16389 zeta functions linear codes defined iwan duurs... 16390 classical spectral analysis based discrete fou... 16391 modern corporations physically separate sensit... 16392 study koszul property standard graded kalgebra... 16393 deep neural networks currently among commonly ... 16394 yes 16395 endtoend training scratch current deep archite... 16396 optical ir spectra acquired using detectors fi... 16397 recent successful methods accurate object dete... 16398 study mth gauss map sense flzak projective var... 16399 mathcalg group composition diffeomorphisms f b... 16400 previous secondary eclipse observations hot ju... 16401 using combination analytic numerical methods s... 16402 largescale instance dramatic collective behavi... 16403 classical linear blackscholes model pricing de... 16404 heart bitcoin blockchain protocol protocol ach... 16405 regret bound optimization algorithms one basic... 16406 set points x xb cup xr subseteq mathbbrd linea... 16407 magnetic fields ubiquitous universe extragalac... 16408 multiple colliding laser pulse concept formula... 16409 work jointly address problem text detection re... 16410 water hydroxyl thought found primitive airless... 16411 propose general framework studying jumpdiffusi... 16412 recently suggested dust growth cold gas phase ... 16413 paradigm shift shallow classifiers handcrafted... 16414 paper present novel approach initializing deep... 16415 practical significance define notion measure q... 16416 task clustering data given ordinal scale condi... 16417 alice large ion collider experiment heavyion d... 16418 paper proposes approach domain transfer based ... 16419 report results dfvst atlas cold spot galaxy re... 16420 construct toy model demonstrates large field s... 16421 develop metalearning approach learning hierarc... 16422 present procedure build validate brightstar ma... 16423 generative adversarial networks gans family ge... 16424 discuss memory models based tensor decompositi... 16425 published reporters without borders every year... 16426 advanced satellitebased frequency transfers tw... 16427 paper investigate problem detecting dynamicall... 16428 paper propose encoderdecoder convolutional neu... 16429 consider finitedimensional quantum system coup... 16430 modelbased control building heating systems en... 16431 propose formal approach relating abstract sepa... 16432 owing capability summarising interactions elem... 16433 atacama millimetersubmillimeter array alma pha... 16434 simulate rotating bec study melting vortex lat... 16435 coronary ct angiography series ct images taken... 16436 let mathcala finitedimensional subspace cmathc... 16437 world wide web www fundamentally changed ways ... 16438 shanchen model numerical scheme simulate multi... 16439 thesis study deformation problem coisotropic s... 16440 complexity learning task increased transformat... 16441 general greedy approach construct coverings co... 16442 formalism reduced density matrix pursued lengt... 16443 report muon spin relaxation musr measurements ... 16444 advances unsupervised learning enable reconstr... 16445 open bisimilarity original notion bisimilarity... 16446 cities across united states undergoing great t... 16447 bayesian statistical models allow us formalise... 16448 flowbased generative models dinh et al concept... 16449 virtue suitable approximation argument prove p... 16450 expository survey recent sumproduct results fi... 16451 using method eliashogancamp combinatorics tori... 16452 rgeq mathbfn mathbbzgeqr setminus mathbf const... 16453 colloidal migration temperature gradient refer... 16454 paper proposes ultrawideband uwb aided localiz... 16455 sensor fusion fundamental process robotic syst... 16456 growth electronic magnetic properties gammafen... 16457 nand flash memory ubiquitous everyday life tod... 16458 common practice deep convolutional neural arch... 16459 recent advances weakly supervised classificati... 16460 halting probability turing machinealso known c... 16461 faced challenging image classification tasks o... 16462 deep learning refers set machine learning tech... 16463 multilevel converters found many applications ... 16464 english translation old paper definicin estudi... 16465 present work develop delayed logistic growth m... 16466 investigate hybrid quantumclassical solution m... 16467 modern deep transfer learning approaches mainl... 16468 paper introduces novel method perform transfer... 16469 perceptual aliasing one main causes failure si... 16470 among important hallmarks human intelligence a... 16471 modified gramschmidt mgs orthogonalization one... 16472 firstly derive dimension one new covariance in... 16473 present algorithms real complex dot product ma... 16474 unsupervised representation learning tweets im... 16475 brny kalai meshulam recently obtained topologi... 16476 paper theoretical numerical studies perfectnea... 16477 infrastructure touches daytoday life fellow ci... 16478 surveying scenes common task robotics systems ... 16479 distribution abundance ratios calculated detai... 16480 paper presents recently published cerema awp a... 16481 estimating distributions node characteristics ... 16482 traditional recurrent neural networks assume v... 16483 multivariate probit model mvp popular classic ... 16484 leclerc zelevinsky motivated study quasicommut... 16485 ngeq show generic closed riemannian nmanifolds... 16486 propose novel design parallel manipulator stew... 16487 introduce novel loss maxpooling concept handli... 16488 work study nonlinear traveling waves density s... 16489 internal gravity waves play primary role geoph... 16490 siliconvacancy color centers nanodiamonds prom... 16491 online reviews provided consumers valuable ass... 16492 compare results semiclassical sc quantummechan... 16493 introduce algebraic fourier transform quantum ... 16494 semisupervised learning deals problem possible... 16495 measurements rootzone soil moisture across spa... 16496 study discrete time linear constrained switchi... 16497 challenge taking many variables account optimi... 16498 fundamental component game theoretic approach ... 16499 idea combining different twodimensional crysta... 16500 construct examples cohomogeneity one special l... 16501 regression analysis multivariate data tacitly ... 16502 paper study matrix scaling balancing fundament... 16503 present data profile evaluation plan second or... 16504 illustristng project new suite cosmological ma... 16505 paper present fast implementation singular val... 16506 gallium arsenide gaas widest used second gener... 16507 paper use detailed monte carlo simulations dem... 16508 social networks contain implicit knowledge use... 16509 consolidation synaptic changes response neural... 16510 paper investigates gradient recovery schemes d... 16511 let complement plane quartic curve defined num... 16512 collective motion intriguing phenomenon especi... 16513 present first cmb power spectra numerical simu... 16514 community detection networks actual important ... 16515 paper new index coding problems studied receiv... 16516 report result campaign monitor hatsouth candid... 16517 ultrafaint dwarf galaxies ufds faintest known ... 16518 enterprise resource planning erp systems cover... 16519 general approach selective inference considere... 16520 future mmwave mobile communication systems use... 16521 approaches convergence concept filter taken pr... 16522 neural machine translation nmt achieved notabl... 16523 internet things iot enables numerous business ... 16524 use positive sequivariant symplectic homology ... 16525 global modelspriors example using wavelet fram... 16526 prove new upper lower bounds vcdimension deep ... 16527 compare performances wellknown numerical times... 16528 due wide field view conebeam computed tomograp... 16529 internet things iot promises improve areas ene... 16530 weakly compact reflection principle textreflte... 16531 techniques ensembling distillation promise mod... 16532 finding easytobuild coils set critical issue s... 16533 propose new cellular network model captures de... 16534 aims paper focus occurrence glycolaldehyde hco... 16535 consider generation comprehension natural lang... 16536 human brain one complex living structures know... 16537 feature aided tracking often yield improved tr... 16538 heavyweight stellar initial mass function imf ... 16539 deep learning enabled traditional reinforcemen... 16540 abridged formation largescale hundreds thousan... 16541 computational quantum technologies entering ne... 16542 paper mixedeffect modeling scheme proposed con... 16543 distributed singlesource shortest paths proble... 16544 formation vortices usually considered main mec... 16545 securityconstrained unit commitment scuc one s... 16546 construct constant mean curvature surfaces euc... 16547 consider hyperkhler reduction describe via fra... 16548 introduce novel approach maximum posteriori in... 16549 prove inverse theorem gowers unorm maps gtomat... 16550 extensively explore networks weakly unbalanced... 16551 human movement used indicator human activity m... 16552 realtime instrument tracking crucial requireme... 16553 blockchain systems designed produce blocks con... 16554 theoretically study onedimensional mutually in... 16555 paper consider privacy preserving encoding fra... 16556 consider problem recovering ddimensional manif... 16557 rgbd camera maintains limited range working ha... 16558 letter provides conditions determining rank no... 16559 random geometric graphs consist randomly distr... 16560 motivation wordbased alignmentfree methods phy... 16561 show geodesics jacobi vector fields flag curva... 16562 finite mixture models apart underlying mixing ... 16563 article explains phase noise jitter slower phe... 16564 order pursue vision robocup humanoid league be... 16565 novel low cost near equiatomic alloy comprisin... 16566 project tritium endpoint neutrino mass experim... 16567 report two general concepts proper efficiency ... 16568 paper provides outline algorithms submitted ws... 16569 derive general statistical model interactions ... 16570 sparse stochastic block model sbm two communit... 16571 given constant data density rho velocity ubf e... 16572 xray observations two metaldeficient luminous ... 16573 corotb one rare longperiod p days transiting g... 16574 paper derives analyses semidiscrete dispersion... 16575 deep learning models aka deep neural networks ... 16576 topological data analysis tda novel statistica... 16577 build autoencoding sequential monte carlo aesm... 16578 show uniformly accelerated reference systems p... 16579 propose deep learningbased approach problem pr... 16580 assuming conjecture distinct zeros dirichlet l... 16581 well known parameters strongly correlated pred... 16582 sumproduct networks recently emerged attractiv... 16583 propose novel numerical approach optimal desig... 16584 autonomous driving presents one largest proble... 16585 present novel time phaseresolved backgroundfre... 16586 optimized spatial partitioning algorithms corn... 16587 paper addresses problem handling spatial misal... 16588 basic goal complexity theory understand commun... 16589 effective gauge fields allowed emulation matte... 16590 investigate interplay modality controlling beh... 16591 modularity maximization using greedy algorithm... 16592 generalise surface cluster algebras case infin... 16593 investigate impact choosing regressors molecul... 16594 let hqp p vq degree freedom mechanical hamilto... 16595 comprehensive theoretical analysis photoinduce... 16596 paper propose novel framework called semisuper... 16597 consider kernel partial least squares algorith... 16598 define homology theory virtual links built dir... 16599 purpose paper investigate asymptotic behavior ... 16600 formulate study general family continuoustime ... 16601 kinetic inductance detectors kids similar appl... 16602 smoothing one technique overcome data sparsity... 16603 structural discrimination appears persistent p... 16604 robots control systems rely upon precise timin... 16605 magnetic domain wall dw motion induced localiz... 16606 paper presents algorithm enhances undesirably ... 16607 paper introduce flashtext algorithm replacing ... 16608 logistics network expected opened facilities w... 16609 carried dimensional resistive mhd simulations ... 16610 standard probabilistic linear discriminant ana... 16611 deep learning graph structures shown exciting ... 16612 kinetic equations play major rule modeling lar... 16613 meteoric rise deep learning models computer vi... 16614 purpose develop generic optimization strategie... 16615 paper investigate contribution color names sal... 16616 recent theoretical predictions unprecedented p... 16617 unsteady characteristics flow thick flatback a... 16618 research implemented use arduino uno r microco... 16619 extremal graph theory aims determine bounds gr... 16620 develop algorithm forecasts cascading events e... 16621 dz cha weaklined tauri star wtts surrounded br... 16622 bayesian filtering algorithm developed class s... 16623 propose generic algorithmic building block acc... 16624 past years shown remarkable growth usecases mi... 16625 construct exact solutions representing friedma... 16626 paper investigate robustness external disturba... 16627 singular value matrix decomposition plays ubiq... 16628 complex network reconstruction hot topic many ... 16629 study twodimensional stochastic nonlinear wave... 16630 twisted electromagnetic waves helical phase fr... 16631 effective file transfer vehicles fundamental m... 16632 bayesian context prior specification inference... 16633 consider problem automated assignment papers r... 16634 regularization methods commonly used xray ct i... 16635 unsupervised clustering one fundamental challe... 16636 pepper robot become widely recognised face per... 16637 ensemble kalman filter enkf monte carlo based ... 16638 fullduplex fd technology likely adopted variou... 16639 unmanned aerial vehicles uavs recently shown g... 16640 paper give infinite family strings length lemp... 16641 tactile sensing enable robot infer properties ... 16642 safe interaction human drivers one primary cha... 16643 paper consider final state problem nonlinear s... 16644 performing localization mapping working level ... 16645 prove generic lefschetz pencil plane curves de... 16646 many state art methods thermodynamic kinetic c... 16647 construct finite commutative ring r family rep... 16648 lz dark matter detector like many rareevent se... 16649 present models singleparticle dispersion verti... 16650 microcolonies aggregates dozen thousand cells ... 16651 estimators computed adaptively collected data ... 16652 alignment curve data integral part statistical... 16653 introduce new class sequential monte carlo met... 16654 classical cuntz semigroup important role study... 16655 earths population resides urban areas steadily... 16656 direct comparison areal profile roughness meas... 16657 present vlacosmos ghz large project based hour... 16658 point source detection low signaltonoise chall... 16659 codesign conditions design jumpingrule sampled... 16660 study ground state onedimensional trapped bose... 16661 rust represents major advancement production p... 16662 game theory gt used significant success formul... 16663 general theoretical description influence osci... 16664 robots performing manipulation tasks must oper... 16665 mexico per cent urban population lives informa... 16666 based work schoenyau derive estimate first eig... 16667 present easeml declarative machine learning se... 16668 encrypting data sending cloud protects hackers... 16669 let icd c qin c irightarrowinfty function give... 16670 demonstrate close connection observed fieldind... 16671 report realization transversely loaded twodime... 16672 present experimental measurements steadystate ... 16673 summary infectious disease outbreaks plants th... 16674 investigated way predict gender name using cha... 16675 information technology used widely many aspect... 16676 paper consider online recommendation setting p... 16677 paper present expand upon procedures obtaining... 16678 consider optimal designs general multinomial l... 16679 learning optimize idea learn data algorithms o... 16680 well known logistic map parameter interest wei... 16681 advanced brain imaging techniques make possibl... 16682 present deep neural network modelfree predicti... 16683 introduce arbitragefree framework robust valua... 16684 apply method nonlinear steepest descent comput... 16685 paper consider coding short data frames bits i... 16686 report three main ingredients calculate three ... 16687 present harp novel method learning low dimensi... 16688 signal recorded enclosed room typically gets a... 16689 current generation radio millimeter telescopes... 16690 first paper estimates price determinants bitco... 16691 kenmotsus formula describes surfaces euclidean... 16692 paper structural controllability systems fz st... 16693 strongly coupled quantum fluids found differen... 16694 paper study problem hyperball hypersphere pack... 16695 critical infrastructure physiology human brain... 16696 l systems generalise contextfree grammars inco... 16697 one key aspects united states democracy free f... 16698 work study kmeans cost function euclidean kmea... 16699 internet things iot revolutionizing management... 16700 new form variational autoencoder vae proposed ... 16701 matrix product vectors form appropriate framew... 16702 deep learning recently become hugely popular m... 16703 alastair graham walker cameron astrophysicist ... 16704 demonstrate nonconvex time crystal lagrangians... 16705 paper introduce novel method gradient normaliz... 16706 dynamic pushdown networks dpns natural model m... 16707 new approach solving illconditioned inverse pr... 16708 deep reinforcement learning algorithms data in... 16709 demonstrate technique obtaining density atomic... 16710 prove first rigidity classification theorems c... 16711 inhomogeneous interacting electronic systems t... 16712 paper analyzes use convolutional neural networ... 16713 kernel embedding algorithm important component... 16714 paper first attempt systematically study prope... 16715 consider compact lie group g closed subgroup h... 16716 algorithm constructing control function transf... 16717 last years growing interest using financial tr... 16718 computers increasingly used make decisions sig... 16719 opioid addiction severe public health threat u... 16720 examine perturbation method selftrapping gmode... 16721 discuss computability computational complexity... 16722 estimating pose known objects important robots... 16723 steiner forest problem among fundamental netwo... 16724 analyze origins luminescence germaniasilica fi... 16725 define new class languages omegawords strictly... 16726 maximum regularized likelihood estimators mrle... 16727 enhancement spinspace symmetry usual mathrmsu ... 16728 morita theoretic viewpoint computing morita in... 16729 limited annotated data available recognition f... 16730 generating molecules desired chemical properti... 16731 survey short version chapter written first two... 16732 optimization fidelity control operations criti... 16733 layered neural networks greatly improved perfo... 16734 chapter guide generalpurpose abc software appe... 16735 feature selection facilitate learning mixtures... 16736 robots potential assist people bed healthcare ... 16737 hierarchical attention networks recently achie... 16738 let positive real number graph called ttough r... 16739 vitro vivo spiking activity clearly differ whe... 16740 propose simple objective evaluation measure ex... 16741 present many new results related reliable inte... 16742 work investigate novel training procedure lear... 16743 pairwise comparison data arises many domains i... 16744 decoupling multivariate polynomials useful obt... 16745 voicecontrolled smarthome controller must resp... 16746 paper introduces evolutionary approach enhance... 16747 plasmonics currently faces problem seemingly i... 16748 consider problem minimizing smooth convex func... 16749 economic evaluations individuallevel data impo... 16750 past years calorimeters become important detec... 16751 recent experiments revealed diffusivity exothe... 16752 paper introduces new approach automatically qu... 16753 propose datadriven filtered reduced order mode... 16754 linear feast algorithm method solving linear e... 16755 recent heuristic argument based basic concepts... 16756 establish upper bounds bit complexity computin... 16757 recalculate leading relativistic corrections g... 16758 establish interior lipschitz estimates macrosc... 16759 people simultaneously belong several distinct ... 16760 present proof concept solving complexvalued de... 16761 range anxiety persistent worry enough battery ... 16762 nystrm method popular technique computing fixe... 16763 present quantitative analysis response dilute ... 16764 future multiprocessor chips integrate many dif... 16765 give explicit description weight three generat... 16766 prove moore myhill property strongly irreducib... 16767 objective learning health system lhs requires ... 16768 simplified molecular input line entry system s... 16769 approach tomographic problem terms linear syst... 16770 give elementary combinatorial proof following ... 16771 composite materials comprised ferroelectric na... 16772 study kernel evaluated burau representation br... 16773 paper study possibilities interpolation symbol... 16774 constructed database stars local group using e... 16775 general relativistic effects long predicted su... 16776 role phase separation emergence superconductiv... 16777 primordial black holes pbhs long suggested can... 16778 consider highdimensional inference problem sig... 16779 gaussian processes gps offer flexible class pr... 16780 paper explores various special functions gener... 16781 common model inductive datatypes least fixed p... 16782 let mathcaldnm algebra quantum integrals defor... 16783 study suggests classification technologies bas... 16784 triangulation planar polygon n sides one assoc... 16785 present kband multiobject spectrograph kmos ob... 16786 gas near solid planar wall propose scaling for... 16787 donohos jcgs press paper spirited call action ... 16788 demographics dwarf galaxy populations long ten... 16789 risk prediction central clinical medicine publ... 16790 address problem activity detection continuous ... 16791 regularization one crucial ingredients deep le... 16792 paper examine statistical soundness comparativ... 16793 n hindman leader strauss proved consistent fin... 16794 even confronted data agents often disagree mod... 16795 addition hardware walltime restrictions common... 16796 recently showed several local group lg galaxie... 16797 present method scalable fully magnetic field s... 16798 consider network binaryvalued sensors fusion c... 16799 largescale gaussian process inference long fac... 16800 diffusion mri measurements using hyperpolarize... 16801 understanding nature twolevel tunneling defect... 16802 propose algorithm adaptation learning rate sto... 16803 generalizations hermite polynomials many varia... 16804 interactions people basis structure society ar... 16805 dynamic topic models dtms model evolution prev... 16806 setting picalculus binary sessions aim relaxin... 16807 modularity military vehicle designs enables on... 16808 certain general conditions explicit formula co... 16809 work study problem dispersion mobile robots dy... 16810 early prognosis alzheimers dementia hard mild ... 16811 automatic music transcription amt one oldest w... 16812 prove gaschtz lemma holds metrisable compact g... 16813 present simplified description spindependent e... 16814 interconnected nature graphs often results dif... 16815 compact version variation evolving method vem ... 16816 convolutional neural networks cnns become stat... 16817 design differentially private algorithms probl... 16818 acoustic neutrino detection promising approach... 16819 deep reinforcement learning rl methods general... 16820 present deep illumination novel machine learni... 16821 recurrent neural networks rnns important class... 16822 behrensfisher problem wellknown hypothesis tes... 16823 understanding mechanisms underlying formation ... 16824 active learning aims train classifier fast pos... 16825 compute polarization function doped threedimen... 16826 unsupervised machine learning via restricted b... 16827 study thermodynamics ideal bose gas well trans... 16828 using highfrequency expansion periodically dri... 16829 paper deals two related problems namely distan... 16830 past work social network link fraud detection ... 16831 show whenever delta eta real constants lambdai... 16832 compositional game theory new recently introdu... 16833 let x ldots xn iid sample mathbbrp zero mean c... 16834 variational autoencoders vaes well generative ... 16835 space probability measures positive density fu... 16836 article study automorphisms toeplitz subshifts... 16837 recent results alagic russell given evidence e... 16838 present work use information theory understand... 16839 collaborative filtering broad powerful framewo... 16840 define lattice model rock absorbers gas makes ... 16841 consider extension contextual bandit setting m... 16842 using theory cohomology support locus give nec... 16843 analyzing temperature dependent photoemission ... 16844 although proportional hazard rate model popula... 16845 propose las vegas transformation markov chain ... 16846 show noncollapsed cdkn space x nge curvature b... 16847 data warehouse performance usually achieved ph... 16848 bayesian optimization bo methods useful optimi... 16849 aim work study intrinsic geometric point view ... 16850 cosmic ray electrons measured voyager mev beyo... 16851 following present example illustrative experim... 16852 monomial special multiserial algebras general ... 16853 context considering importance software testin... 16854 article provides short review structural resul... 16855 study data model data matrix expressed l c l l... 16856 power sum n n cdots xn interest mathematicians... 16857 indexing massive data sets extremely expensive... 16858 develop new theoretical framework analyze gene... 16859 closedloop field development clfd optimization... 16860 regular tbalanced cayley map rbcmt short group... 16861 transition metal oxides promising candidates t... 16862 analyze motion rod floating weightless environ... 16863 prove basic results dimension theory algebraic... 16864 ideal polynomial ring kx field moved change co... 16865 shown mccoy right ideal polynomial ring severa... 16866 propose new generic type stochastic neurons ca... 16867 randomly generated programs popular testing co... 16868 preexposure prophylaxis prep consists use anti... 16869 based observation correlation observed traffic... 16870 accommodating electric vehicles evs battle fos... 16871 let g reductive algebraic group field positive... 16872 despite increasing use social media platforms ... 16873 paper contains nontrivial generalization haris... 16874 magnetic particle imaging mpi shown provide re... 16875 community detection key data analysis problem ... 16876 let k infinite perfect field provide general c... 16877 momentum simple widely used trick allows gradi... 16878 investigate equilibrium behavior decentralized... 16879 paper linear model diffusion processes unknown... 16880 among proposals joint disease mapping shared c... 16881 show decaying hydromagnetic turbulence initial... 16882 prove two finite volume hyperbolic manifolds a... 16883 provide first quantum exact protocol dining ph... 16884 fog computing seen promising approach perform ... 16885 present computerassisted proof heteroclinic co... 16886 present millimetre dust emission measurements ... 16887 experiments reported performance pitching heav... 16888 paper consider problem attackresilient state e... 16889 recent explosion applications dialogue interac... 16890 aims purpose paper detect investigate nature l... 16891 introduce perfect half space games goal player... 16892 research challenge current wireless sensor net... 16893 address computation groundstate properties che... 16894 inverse uncertainty quantification uq bayesian... 16895 mendelian randomization mr popular instrumenta... 16896 trace alignment algorithms used process mining... 16897 topological insulator surfaces proximity super... 16898 let g finite simple connected graph arithmetic... 16899 study neuronal interactions currently center s... 16900 present analysis main systematic effects could... 16901 peridynamics pd represents new approach modell... 16902 continuous attractor neural networks generate ... 16903 paper develop framework innovative perceptive ... 16904 show smallest nonabelian quotient mathrmautfn ... 16905 paper explores informationtheoretic limitation... 16906 paper show category module spectra cbmathcalgm... 16907 present family python modules numerical integr... 16908 diffusionbased classifiers relying personalize... 16909 active learning al methods proven costsaving p... 16910 introduce torchbearer model fitting library py... 16911 lineintensity mapping surveys probe largescale... 16912 classifiers trained datadependent constraints ... 16913 several studies shown network traffic generate... 16914 paper explores characteristics datacite determ... 16915 obtain strong consistency asymptotic normality... 16916 article proposed new elearning information tec... 16917 eulerpoissonalignment epa system appears mathe... 16918 new bispectral orthogonal polynomials obtained... 16919 unsupervised node embedding methods eg deepwal... 16920 twodimensional spin affleckkennedyliebtasaki a... 16921 efficient management low blood pressure bp pre... 16922 power press shape informational landscape popu... 16923 selecting representative vector set vectors co... 16924 esa gaia mission producing accurate source cat... 16925 present amelioration current known algorithms ... 16926 seven nine known mars trojan asteroids belong ... 16927 abundance metals galaxies key parameter permit... 16928 show quantum communication means collapse wave... 16929 terramechanics plays critical role areas groun... 16930 provide novel characterizations multivariate n... 16931 consider multitask regression models observati... 16932 since social interactions shown lead symmetric... 16933 cohomological ktheoretic stable bases originat... 16934 amount information available mathematics teach... 16935 paper presents convergence analysis kernelbase... 16936 combine bondaluehara method producing exceptio... 16937 due proliferation online social networks osns ... 16938 deep learning advances algorithms music compos... 16939 suppose yn obtained observing uniform bernoull... 16940 supervised deep learning often suffers lack su... 16941 clustering problems wellstudied variety fields... 16942 order preserving pattern matching oppm problem... 16943 present simple categorical framework treatment... 16944 let k standard hlder continuous caldernzygmund... 16945 effects including hubbard onsite coulombic cor... 16946 present construction multiscale gaussian beam ... 16947 functional risk curve gives probability undesi... 16948 paper provides global optimization algorithms ... 16949 visuomotor tasks robots must compensate tempor... 16950 article present cut finite element method twop... 16951 explore problem learning selective labels cont... 16952 present model evolution supermassive protostar... 16953 prospection important part humans come new tas... 16954 classical weisfeilerlehman method wl uses edge... 16955 explore properties bytelevel recurrent languag... 16956 combining material informatics highthroughput ... 16957 study nonlocal variant diffuse interface model... 16958 although gradient descent gd almost always esc... 16959 let l nth order linear differential operator l... 16960 traditional humanism twentieth century inspire... 16961 loss functions large number saddle points one ... 16962 paper addresses automatic generation typograph... 16963 article deals connection second postulate eucl... 16964 modern mobile embedded platforms see large num... 16965 show iterated identity satisfied finite groups... 16966 goal tutorial introduce key models algorithms ... 16967 partial least squares pls methods heavily expl... 16968 study asymptotic behaviour solutions fifth pai... 16969 internetwide scans common active measurement a... 16970 present method metric optimization large defor... 16971 suggested algorithm searching recursion operat... 16972 best knowledge paper presents first largescale... 16973 many complex systems biology physics engineeri... 16974 second derivativebased moment method proposed ... 16975 sequence calgebra called completely sidon span... 16976 conflictfree kcoloring graph assigns one k dif... 16977 study problem utility maximization terminal we... 16978 globular clusters gcs amongst oldest objects g... 16979 given infinitycategory c one naturally constru... 16980 training object detectors autonomous driving l... 16981 study changes opinions vaccination together ev... 16982 casp extension asp allows numerical constraint... 16983 study production primordial black holes pbhs e... 16984 typical reinforcement learning rl agents learn... 16985 deep generative models recently shown great pr... 16986 paper discuss possible usage compressive sampl... 16987 paper presents scenecut novel approach jointly... 16988 paper show different body parts play equally i... 16989 objective work take advantage deep neural netw... 16990 years ago semitoric systems classified pelayo ... 16991 paper study emphthreefolds isogenous product m... 16992 observe standard transfer learning improve pre... 16993 fast carrier cooling important high power grap... 16994 pattern matching powerful tool part many funct... 16995 beams ilc produce electron positron pairs due ... 16996 hamming graph hdn cartesian product complete g... 16997 android mobile app framework enforces singlegu... 16998 among many anticipated roles robots future hum... 16999 certain quasisplit reductive groups g general ... 17000 earlier work helen wong author discovered cert... 17001 note short summary workshop energy time measur... 17002 current stateoftheart approaches spatiotempora... 17003 percolation based graph matching algorithms re... 17004 establish rate region extended graywyner syste... 17005 introduce problem simultaneously learning powe... 17006 many problems configurations euclidean geometr... 17007 use deep neural networks crucial provide appro... 17008 tumor cells acquire different genetic alterati... 17009 predicting properties nodes graph important pr... 17010 paper studies daily connectivity time series w... 17011 happens new social convention replaces old one... 17012 article propose new class priors bayesian infe... 17013 uniform boundary condition normed chain comple... 17014 recent years widespread concern scientific com... 17015 present reinforcement learning framework calle... 17016 plasmas varying collisionalities occur many ap... 17017 study vcdimension short formulas presburger ar... 17018 traffic accident data usually noisy contain mi... 17019 thirdparty library reuse become common practic... 17020 bacteria easily characterizable model organism... 17021 data augmentation essential part training proc... 17022 knowledge bases employed variety applications ... 17023 machine scheduling problems longtime key domai... 17024 conditional mutual information ixyz measures a... 17025 interesting attempt solving infrared divergenc... 17026 consider spectral structure indefinite second ... 17027 paper study integral curvatures finsler manifo... 17028 convex cocompact subgroups slz consider congru... 17029 massive parallel approach neuromorphic circuit... 17030 first study discrete schrdinger equations anal... 17031 greedy optimization methods matching pursuit m... 17032 analyze relation emission radii twin kilohertz... 17033 article offers personal perspective current st... 17034 e elliptic curve mathbbq follows work serre ho... 17035 unified fluidstructure interaction fsi formula... 17036 transverse momentum pt spectra heavyion collis... 17037 toxicity prediction chemical compounds grand c... 17038 introduce general scheme permits generate succ... 17039 multinomial choice models fundamental empirica... 17040 study limit shape successive coronas tiling mo... 17041 properties galaxies like absolute magnitude st... 17042 stochastic gradient langevin dynamics sgld pop... 17043 million people suffered heart failure worldwid... 17044 combination strong correlation emergent lattic... 17045 practical biologically motivated case protein ... 17046 multivariate generalized pareto distributions ... 17047 alvarezmacovski method line integrals xray bas... 17048 let g adjoint quasisimple group defined split ... 17049 bboundary mathematical tool used attach topolo... 17050 lattice quantum chromodynamics lattice qcd qua... 17051 new mhd solver based nektar spectralhp element... 17052 describe results qualitative study journalists... 17053 problem low rank matrix completion considered ... 17054 report magnetic calorimetric measurements mk c... 17055 consider following control problem fair alloca... 17056 use cnns build system classifies images faces ... 17057 paper presents method generate high quality tr... 17058 engine likelihoodfree inference elfi python so... 17059 deep neural networks vulnerable adversarial ex... 17060 critical time information spread aftermath ser... 17061 paper discusses potential applying deep learni... 17062 general video game ai gvgai competition associ... 17063 paper consider pure infiniteness generalized c... 17064 convex sparsitypromoting regularizations ubiqu... 17065 exoplanets smaller neptune numerous nature pla... 17066 surge political information discourse interact... 17067 open set recognition osr almost existing metho... 17068 projection factor p key quantity used baadewes... 17069 united states spends b year initiatives americ... 17070 propose stochastic nonparametric activation fu... 17071 analyze proprietary dataset trades single asse... 17072 list questions raised joint work arxiv sequels 17073 zrse band semiconductor studied long time ago ... 17074 study map largescale structure citation networ... 17075 large class modified theories gravity used mod... 17076 notion entropyregularized optimal transport al... 17077 paper present methodology estimate parameters ... 17078 introduce problem variablelength source resolv... 17079 dpolarized light imaging dpli reconstructs ner... 17080 pair density wave pdw superconducting state pr... 17081 neuroscience carried domain big data high perf... 17082 developed recently proposed josephson travelin... 17083 background unstructured textual data increasin... 17084 present study continuum polarization nm range ... 17085 study deals contentbased musical playlists gen... 17086 res considered promising candidate novel elect... 17087 paper deal problem extending zadehs operators ... 17088 paper present algorithm coupling magnetotherma... 17089 contrast wellknown methods matching asymptotic... 17090 bioinspired paradigms proving useful analyzing... 17091 viral zoonoses emerged key drivers recent pand... 17092 operationalizing machine learning based securi... 17093 objective research design ghz rf soi switch um... 17094 given positive linear combination five respect... 17095 paper studies landscape empirical risk deep ne... 17096 aim understanding effect environment star form... 17097 recommender systems play crucial role mitigati... 17098 work addresses instability asynchronous data p... 17099 work presents algorithm changing latitudinal l... 17100 given ideal mathcali omega show sequence topol... 17101 gravitons possess berry curvature due helicity... 17102 allgoals updating exploits offpolicy nature ql... 17103 key structured prediction exploiting problem s... 17104 nanocommunications understood communications n... 17105 winogradbased convolution quickly gained tract... 17106 paper investigate properties function spaces u... 17107 propose new method learning structure convolut... 17108 maximum gap gf polynomial f maximum difference... 17109 paper analyzed stability cylindrically symmetr... 17110 present elladic trace formula saturated admiss... 17111 present results extensive spectroscopic survey... 17112 superconducting bulk rebacuox materials rerare... 17113 exhibit exact simulation algorithm supremum st... 17114 consider nonparametric bayesian approach estim... 17115 topological superconductor tsc hosting majoran... 17116 consider henselian rank one valued field k equ... 17117 report first observation magnonpolariton bista... 17118 italy adopted performancebased system funding ... 17119 study performed initial investigation evaluati... 17120 numerical analysis perspective assessing robus... 17121 paper defines homology homotopy type theory pr... 17122 investigate timedependent spatial vectorhost e... 17123 recently principal component pursuit received ... 17124 axionlike particles alps might constitute tota... 17125 stochastic knapsack problem stochastic variant... 17126 study problem using iid samples unknown multiv... 17127 introduce new setting population agents modell... 17128 present work analyzes distribution function fi... 17129 propose new partial decoding algorithm onepoin... 17130 article generalize wellknown result ideals noe... 17131 consider relationship two sufficient condition... 17132 show selfcomplementary graph n vertices contai... 17133 study asymptotic behavior estimators twovalued... 17134 paper discusses magnetic state zeta phase iron... 17135 determining wavelengthdependent exoplanet radi... 17136 major system mnemonic system used memorize seq... 17137 present experimental results controlled deexci... 17138 extend theoretical analysis recently proposed ... 17139 endtoend neural network based approaches audio... 17140 fully programmable valve array fpva emerged ne... 17141 define extremal length elements fundamental gr... 17142 investigate properties ground state light quar... 17143 gyrokinetic reduction based specific ordering ... 17144 paper study properties carmichael numbers fals... 17145 general phase reduction method network coupled... 17146 knowledge graphs large useful incomplete knowl... 17147 many relevant tasks require agent reach certai... 17148 recently gave arguments two unique topological... 17149 paper tutorial formal concept analysis fca app... 17150 present results multiwavelength investigation ... 17151 recently educational initiative teded publishe... 17152 consider tuning parameter selection rules nucl... 17153 todays internet traffic mostly dominated multi... 17154 paper consider weak convergence eulermaruyama ... 17155 nowadays problem historical beadworks conserva... 17156 work higsonroe fundamental role signature homo... 17157 tensor decomposition methods popular tools lea... 17158 consider discrete quadratic phase hilbert tran... 17159 tree augmentation problem tap fundamental netw... 17160 generative source separation methods nonnegati... 17161 consider problem finding confidence intervals ... 17162 report magnetoresistance nonlinear hall effect... 17163 volume contains proceedings fide third interna... 17164 animals especially humans amazing ability lear... 17165 paper present new approach visual servoing rob... 17166 epidemiological models spread pathogens popula... 17167 study help computer program polish algorithm f... 17168 introduce new class mean regression estimators... 17169 large eddy simulation les become defacto compu... 17170 surface stress surface energy fundamental quan... 17171 biaxial magneticfield setup angular magnetic m... 17172 investigate dynamics dilute suspension hydrody... 17173 formalism partial information decomposition pr... 17174 study asymptotic behavior sequence positive so... 17175 paper present two new results classical floque... 17176 ultrathin twodimensional nanosheets raise rapi... 17177 resonant xray scattering dy ni l absorption ed... 17178 answer question durham hagen sisto proving tei... 17179 deep learning requires data useful approach ob... 17180 anomalously large radii strongly irradiated ex... 17181 bands vectorvalued functions ftmapstomathbbrd ... 17182 general underestimation risk something avoided... 17183 atomic swap protocol allows exchange cryptocur... 17184 design analyse implement arbitrary order schem... 17185 known one construct nonparametric functions as... 17186 extend classic convergence rate theory subgrad... 17187 introduce practical calculation scheme descrip... 17188 prove h topological group closed subgroups h s... 17189 differentiable systems paper means systems equ... 17190 simulation pedestrian crowd reflects reality m... 17191 structural description intriguing link fast vi... 17192 purpose paper focuses automated analysis surgi... 17193 strong mode probability measure normed space x... 17194 motivated theory quasideterminants study nonco... 17195 introduce multimodal neural machine translatio... 17196 phase retrieval algorithms become important co... 17197 cobaltgermanium coge fascinating complex alloy... 17198 many imagetoimage translation problems ambiguo... 17199 paper addresses optimal control problem known ... 17200 deep neural networks dnns transformed several ... 17201 let mn denote maximum size family subsets cont... 17202 test mass charging caused cosmic rays signific... 17203 propose memorymodelaware static program analys... 17204 present evaluation update simply update algori... 17205 analyse extreme event statistics experimentall... 17206 selfconsistent nonlinear interaction monoenerg... 17207 present first adaptive strategy active learnin... 17208 synthesizing images eye fundus challenging tas... 17209 investigate growth graphene buffer layer invol... 17210 vaccine hesitancy recognized major global heal... 17211 personal electronic devices including smartpho... 17212 study least squares regression function estima... 17213 thermal stability electronic photoelectronic d... 17214 paper study emergent irreducible information p... 17215 paper concerns low mach number limit weak solu... 17216 paper formulas exponential sums finite field r... 17217 preserving privacy individuals protecting sens... 17218 interplay superconductivity charge density wav... 17219 background quality software product depends qu... 17220 although gaia catalogue powerful tool combinat... 17221 use quarters textitkepler mission data analyze... 17222 reconstruction water wave elevation bottom pre... 17223 schatten quasinorm introduced bridge gap trace... 17224 consider truncated circular unitary matrix pn ... 17225 paper taskrelated fmri problem treated matrix ... 17226 motivated task clustering either variables poi... 17227 present widefield deg weak lensing mass maps h... 17228 finite difference methods traditionally used m... 17229 kinetic energy density functionals kedfs centr... 17230 mutilayer information bottleneck ib problem in... 17231 propose new mathematical model nkdimensional n... 17232 central problem algebraic topology understand ... 17233 optimization becoming crucial element industri... 17234 paper study convergence properties gradient ex... 17235 direct detection gravitational wave laser inte... 17236 approximations program analysis necessary evil... 17237 development efficient algorithms data structur... 17238 nonlinear wave interactions affect evolution s... 17239 singleparticle spectral function measures dens... 17240 purpose article determine explicitly complete ... 17241 work introduce new type linear classifier impl... 17242 multilabel image classification fundamental ch... 17243 atmospheres one quarter one half observed sing... 17244 present quantization isomorphism mirkovi vybor... 17245 paper concerned multiasset meanvariance portfo... 17246 deep learning enabled major advances fields co... 17247 undesired unintentional doping doping limits s... 17248 recent years many research works propose embed... 17249 applications exploiting valley pseudospin degr... 17250 predicting highrisk vascular diseases signific... 17251 understanding evolution human society complex ... 17252 autonomic nervous system ans activity altered ... 17253 unsupervised learning lowdimensional semantic ... 17254 bestkarm problem given n stochastic bandit arm... 17255 study equilibrium measures kenmki measures sup... 17256 present thermal emission spectrum bloated hot ... 17257 deep learning yields great results across many... 17258 neural networks used prominently several machi... 17259 precise knowledge static density response func... 17260 magnetocrystalline anisotropy exhibited prpdge... 17261 paper experimentally demonstrate realtime soft... 17262 continuous dynamical system approach deep lear... 17263 popularity linked open data lod associated ris... 17264 wave motion two threedimensional periodic latt... 17265 paper formulate analogue warings problem algeb... 17266 many realworld multilayer systems critical inf... 17267 reconstruction sparse signals requires solutio... 17268 paper propose fault detection isolation based ... 17269 study numerically constantinlaxmajdade gregori... 17270 consider fitting heavy tailed data distributio... 17271 paper introduces deep incremental boosting new... 17272 consider linear structural equation models ass... 17273 show solutions large class partial differentia... 17274 reinhardt conjectured shape centrally symmetri... 17275 study heating mechanisms lyalpha escape fracti... 17276 chapter explain briefly fundamentals interacti... 17277 electronic structure thrusi studied angleresol... 17278 factorable surfaces ie graphs associated produ... 17279 paper presents two results first shown discret... 17280 sequential changepoint detection distribution ... 17281 give algorithms construct nron desingularizati... 17282 recent years deep learning made tremendous pro... 17283 consider problem training generative models de... 17284 ontologybased query answering obqa asks whethe... 17285 despite popularity practical performance async... 17286 paper study new learning paradigm neural machi... 17287 determine amalgamated products surface groups ... 17288 understanding shading effects images critical ... 17289 let power series ring polynomial ring field k ... 17290 generative adversarial networks gans innovativ... 17291 causal mediation analysis aims estimate natura... 17292 work novel subspacebased method blind identifi... 17293 extend previously introduced semianalytical re... 17294 article study existence strong consistency gee... 17295 report selective fabrication highquality sriro... 17296 note prove lfracnenergy gap result yangmills c... 17297 pomsets model concurrent computations introduc... 17298 ecological invasion problem weaker exotic spec... 17299 nonlocality key feature many physical systems ... 17300 introduce deephits rotation invariant convolut... 17301 various approaches learning notably domain ada... 17302 principle common cause asserts positive correl... 17303 three species compete cyclically wellmixed sto... 17304 study multiclass online learning problem forec... 17305 deep learning techniques hugely successful tra... 17306 paper study infinitesimal symmetries newtonoid... 17307 studying anomalous diffusion pulsed field grad... 17308 report nontrivial transition core structure vo... 17309 multiarmed bandit mab class online learning pr... 17310 investigate initialboundary value problem gene... 17311 demonstrate deep neural network significantly ... 17312 development needlefree injection systems utili... 17313 paper initiate rigorous theoretical study clus... 17314 classical reversemode automatic differentiatio... 17315 manydegreescale gammaray halos expected surrou... 17316 work investigate onedimensional paritytime pts... 17317 present generative adversarial capsule network... 17318 zoonotic diseases major cause morbidity produc... 17319 exploitation excellent intrinsic electronic pr... 17320 investigate steady planar flow ideal fluid bou... 17321 article demonstrates convolutional operation c... 17322 due success deep learning solving variety chal... 17323 let r commutative ring identity let zr set zer... 17324 following paper analyse idprice german intrada... 17325 characterization uncertainty robotic manipulat... 17326 patchbased denoising algorithms like bmd achie... 17327 studied disordering effects coefficients ginzb... 17328 simulationbased inference plays major role mod... 17329 knearest neighbours knn popular classification... 17330 paper extend work ryuzo sato devoted developme... 17331 report results search light weakly interacting... 17332 orionis group discovered almost decade ago des... 17333 paper proposes xmldefined network policies xdn... 17334 paper discusses roadmap investigate domain obj... 17335 discuss effect dissipation heating occurs peri... 17336 goal compressed sensing estimate vector underd... 17337 several researchers described twopart models p... 17338 along deraining performance improvement deep n... 17339 statistical inference based lossy incomplete s... 17340 nearest neighbor imputation popular handling i... 17341 demonstrate semiconductor laser perturbed dist... 17342 paper propose new deep feature selection metho... 17343 detect segment salient objects accurately exis... 17344 provide complete picture asymptotically minima... 17345 paper studies secrecy rate maximization proble... 17346 stochastic integration textitwrt gaussian proc... 17347 naturally associate measurable space paths cou... 17348 paper focuses automated synthesis divideandcon... 17349 present work prove nikolski inequality trigono... 17350 inferring model parameters experimental data g... 17351 paper establishes upper bound kolmogorov dista... 17352 considering limiting case kroneckertype identi... 17353 paper consider temporal pattern traffic flow t... 17354 propose paper new approach kaluzaklein idea fi... 17355 prove conjecture medvedev scanlon case regular... 17356 asymptotic behaviour commonly used bootstrap p... 17357 compute physical properties across phase diagr... 17358 introduce minimalrnn new recurrent neural netw... 17359 let bqpn boolean quadric polytope lopm linear ... 17360 analyzing arraybased computations determine da... 17361 independent component analysis ica one basic t... 17362 study weighted hinfty spaces analytic function... 17363 cauchy exponential transforms characterized co... 17364 report extensive theoretical calculations rota... 17365 consider multiview data completion problem ie ... 17366 consider problem gridforming control power con... 17367 characterize nearinfrared nir dust attenuation... 17368 using tape optical devices scaleout storage on... 17369 noisy pn learning problem binary classificatio... 17370 present neural model representing snippets cod... 17371 robust data association necessary virtually ev... 17372 study effect dynamical tides associated excita... 17373 consider boseeinstein condensate bec attractiv... 17374 execution sequential programs allows represent... 17375 specify randomized algorithm given large graph... 17376 paper prove modularity results taylor coeffici... 17377 future networks ie fifth generation g wireless... 17378 many existing methods learning joint embedding... 17379 keplerb currently best example earthsize plane... 17380 report propagation square wave signal quasiper... 17381 present sequential attend infer repeat sqair i... 17382 present new local descriptor shapes directly a... 17383 present theoretical guarantees alternating min... 17384 recent years increasing concerns geomagnetic d... 17385 paper propose utilize convolutional neural net... 17386 paper consider derivation kadomtsevpetviashvil... 17387 paper introduces variational implicit processe... 17388 transformation optics methods gradient index e... 17389 lanthanum family hightemperature cuprate super... 17390 capable reaching similar magnitudes large mega... 17391 general nsolitons three recentlyproposed nonlo... 17392 revisit mathematical models wireless network j... 17393 symbolic data analysis sda emerging area stati... 17394 many realworld data mining applications need v... 17395 cherenkov telescope array cta next generation ... 17396 restricted isometry property rip universal too... 17397 nonparametric kernel density estimation natura... 17398 applied machine learning predict whether gene ... 17399 paper investigates algorithmic dimension spect... 17400 inference loglinear models scales linearly siz... 17401 ordered spin system given dimensionality under... 17402 report bright solitons generalized grosspitaev... 17403 recent experimental advances could provide way... 17404 stronger selection implies faster evolutiontha... 17405 lj savage hoped show superficially incompatibl... 17406 stochastic gradient descent sgd central workho... 17407 kontsevich integral powerful link invariant ta... 17408 note prove selection commutativity theorems va... 17409 short message service sms spam serious problem... 17410 measuring analyzing performance software reach... 17411 present method calculating complex green funct... 17412 literature modeling simulation complex adaptiv... 17413 paper study new type spatial sparse recovery p... 17414 game theory literature appears little research... 17415 superior performance ease implementation foste... 17416 wavelet frame systems known effective capturin... 17417 recently proposed exact algorithm maximum inde... 17418 privatizing data useful strategy increasing pa... 17419 cellular electron cryotomography cect powerful... 17420 largescale deep convolutional neural networks ... 17421 report evidence enstrophy cascade largescale p... 17422 study contextual multiarmed bandit problems li... 17423 variational inference latent variable models p... 17424 understand selfsustenance subcritical turbulen... 17425 learning would convincing method achieve coord... 17426 paper addresses trajectory tracking control pr... 17427 though significant amount work investigating e... 17428 paper gives new results synchronization string... 17429 apply distancebased jin matteson kernelbased p... 17430 study local geometry testing mean vector withi... 17431 two fundamental prototypes greedy optimization... 17432 study problem subsampling differential privacy... 17433 assigning satisfactory truly concurrent semant... 17434 propose technique multitask learning demonstra... 17435 present probabilistic language model timestamp... 17436 multiple scattering ultra relativistic electro... 17437 give necessary sufficient conditions manifold ... 17438 photoelectric effect established einstein well... 17439 apply sequencetosequence model mitigate impact... 17440 investigate use ghz ho masers characterization... 17441 free energy principle proposed unifying theory... 17442 paper study setting features added change inte... 17443 contextual bandit algorithms sensitive estimat... 17444 smart solar inverters used store monitor manag... 17445 despite recent advances face recognition using... 17446 citizen science projects recruit members publi... 17447 study category representations mathfrakslmn po... 17448 complex networks found provide good representa... 17449 analyze short cadence k light curve trappist s... 17450 robots become increasingly prevalent almost ar... 17451 let consistent ominimal theory extending theor... 17452 standard bayesian analyses difficult perform f... 17453 large area xray proportional counter laxpc one... 17454 give counterexample vector generalization cost... 17455 work ask two questions predict type community ... 17456 hilberts th problem studies finite generation ... 17457 design stochastic algorithm train smooth neura... 17458 find evidence strong thermal inversion dayside... 17459 magneticfieldtemperature phase diagram solid o... 17460 extended kalman filter ekf guarantee consisten... 17461 establish new approximation results sense lusi... 17462 paper multiagent coordination problem steadyst... 17463 first time intermodulation distortion microele... 17464 ingaasbased gateallaround gaa fets moderate hi... 17465 paper study integral type deltaagammarhobx gam... 17466 paper define notion pullback lifting lifting c... 17467 simplex algorithm linear programming based fac... 17468 diffusionbased communication molecular systems... 17469 modified hamiltonian monte carlo mhmc methods ... 17470 whitepaper proposes design adoption new genera... 17471 paper introduce dicod convolutional sparse cod... 17472 study uniqueness dirichlet problems second ord... 17473 interfaces oxide materials lattice electronic ... 17474 mathematical model emerging contaminants sorpt... 17475 deep generative models based generative advers... 17476 approximate vanishing ideal new concept comput... 17477 xray free electron lasers xfels proven generat... 17478 avenues majorana bound states mbss become one ... 17479 research tertiary priority ehr priorities pati... 17480 show whereas spin onedimensional u quantumlink... 17481 paper two portfolio choice models studied pure... 17482 study basic properties class universal operato... 17483 realize test advanced accelerator concepts har... 17484 investigated magnetic behavior metal hydrides ... 17485 cloud computing helps reduce costs increase bu... 17486 password security longer provide enough securi... 17487 paper presents practical approach towards impl... 17488 recent advances deep learning especially deep ... 17489 mechanical failure amorphous media ubiquitous ... 17490 validity strong law large numbers multiple sum... 17491 letter study mean sizes halpha clumps turbulen... 17492 motivated host empirical evidences revealing b... 17493 consider spectral dirichlet problem laplace op... 17494 examine meaning complexity probabilistic logic... 17495 recently thas et al introduced new statistical... 17496 present strongest constraints date anisotropie... 17497 paper introduce system unsupervised object dis... 17498 one significant challenges involved efforts un... 17499 paper examines speaker identification potentia... 17500 paper using idea linearizing maximal operators... 17501 look interval exchange transformations defined... 17502 consider parabolic equation measure data begin... 17503 number contributors online peerproduction syst... 17504 brief note highlights basic concepts required ... 17505 present novel experimental results pattern for... 17506 purpose paper study yamabe solitons threedimen... 17507 investigate exceedances process sufficiently h... 17508 problem classification local field potentials ... 17509 give explicit examples answer open minded ques... 17510 consider inference history sample dna sequence... 17511 paper ellipsoid method linear programming deri... 17512 experimentally demonstrate ring geometry allfi... 17513 explore possibility discovering extreme voting... 17514 recently integrability conditions ics mutistat... 17515 consider estimation multiperiod optimal portfo... 17516 tests gravity galaxy scale infancy first step ... 17517 mapping advanced elements contemporary social ... 17518 prove generating functions colored homflypt po... 17519 study n supersymmetric solutions supergravity ... 17520 paper show recent integration statistical mode... 17521 paper proposes segmentationfree automatic effi... 17522 determined new relations ubv colors masstoligh... 17523 study numerically bloch electron wavepacket dy... 17524 sequential monte carlo become standard tool ba... 17525 decades psychological research aimed modeling ... 17526 present collection conjectural trace identitie... 17527 targeted attacks network infrastructure notori... 17528 reinforcement learning symbolic planning used ... 17529 pristine material surfaces exposed air highly ... 17530 develop theory hydrodynamic charge heat transp... 17531 predicting proposed cancer treatment affect gi... 17532 rechargeable redox flow batteries serpentine f... 17533 present list open questions mathematical physi... 17534 online advertising product recommendation impo... 17535 goal population spectral synthesis pss deciphe... 17536 citechenfgi proposed differential operator eva... 17537 paper new restarting method krylov subspace ma... 17538 paper nil extensions special type ordered semi... 17539 examine class embeddings based structured rand... 17540 probabilistic modeling fundamental statistical... 17541 considerable research automated index tuning d... 17542 despite remarkable successes deep reinforcemen... 17543 demonstrate diffusive superconductorferromagne... 17544 although majority theoretical literature highd... 17545 paper use iterative algorithm solving fredholm... 17546 kernel quadratures kernelbased approximation m... 17547 work introduce conditional accelerated lazy st... 17548 generative moment matching network gmmn deep g... 17549 study multipartite entanglement quantum manybo... 17550 thermal properties graphene monolayers studied... 17551 summary presented paper highlights results obt... 17552 stochastic model excitatory inhibitory interac... 17553 present new monte carlo methodology accurate e... 17554 study unitary representations noncompact real ... 17555 paper describe problem painter classification ... 17556 paper establish elliptic local liyau gradient ... 17557 due one representative contributions energy di... 17558 environmental pollutants colors textile indust... 17559 paper provides generating series embedding tre... 17560 report results simultaneous xray reflectivity ... 17561 observation micron size spin relaxation makes ... 17562 advanced gravitationalwave detectors laser int... 17563 design spacecraft trajectories missions visiti... 17564 prove every bushnellkutzko type satisfies cert... 17565 let k mathbbfqt rational function field finite... 17566 present result number decoupled molecules syst... 17567 learning remember long sequences remains chall... 17568 increasingly internet things iot domains senso... 17569 recently shown yield amorphous solids oscillat... 17570 present review data types statistical methods ... 17571 provide sufficient conditions guarantee transl... 17572 paper new contribution aims explore impacts bi... 17573 classification performances supervised machine... 17574 propose autoencoding sequencebased transceiver... 17575 prove effective nullstellensatz elimination th... 17576 let q prime power prime p n positive integer m... 17577 zebrafish pretectal neurons exhibit specificit... 17578 able predict whether song hit impor tant appli... 17579 train multitask autoencoders linguistic tasks ... 17580 time series forecasting crucial component many... 17581 investigate ground state properties ultracold ... 17582 recent determination hubble constant via cephe... 17583 automatic generation caption describe content ... 17584 swirlswitching lowfrequency oscillatory phenom... 17585 key advance learning generative models use amo... 17586 paper propose novel learning method image clas... 17587 sensitivity molecular dynamics changes potenti... 17588 work study multiagent coordination problem age... 17589 pattern lock widely used authentication protec... 17590 many analysis machine learning tasks require a... 17591 last decades increasing interest improving acc... 17592 conjecture universal probability distribution ... 17593 carry study statistical distribution rainfall ... 17594 bin packing problems widely studied broad appl... 17595 human populations exhibit complex behaviorscha... 17596 although timely sepsis diagnosis prompt interv... 17597 paper prove hlder regularity bounded uniformly... 17598 exists critical speed propagation line soliton... 17599 paper describes submission clac conll shared t... 17600 local existence uniqueness theorem odes specia... 17601 mapper produces compact summary high dimension... 17602 paper presents three dimensional collision avo... 17603 paper consider problems covering multiple inte... 17604 examine institutional context affects relation... 17605 great variety text tasks topic spam identifica... 17606 endovascular sealing new technique repair abdo... 17607 mapreduce framework de facto standard hadoop c... 17608 consider topic multivariate regression manifol... 17609 study problem finding small subset items empha... 17610 sketchbased modeling strives bring ease immedi... 17611 study problem ranking set items nonactively ch... 17612 saga fast incremental gradient method finite s... 17613 effects nitridation density traps siosic inter... 17614 derive finite temperature keldysh response the... 17615 work introduces tensorbased method perform sup... 17616 given set baseline assumptions breakdown front... 17617 study detection methods multivariable signals ... 17618 singular limits ftheory compactifications ofte... 17619 crystal structures bloch theorem play fundamen... 17620 consider multiway massive multipleinput multip... 17621 paper introduce study motives rational homotop... 17622 work extends elsner wandelt iterative method e... 17623 selfconsistent treatment cosmological structur... 17624 let kf finite extension number fields degree n... 17625 consider class rudinshapirolike polynomials wh... 17626 highlight rulebased integration rubi enhanced ... 17627 paper analyze performance timeslotted multiant... 17628 show polarization states electromagnetic waves... 17629 empirical work economics common report standar... 17630 prove two results concerning ulamtype stabilit... 17631 communication describe novel technique event m... 17632 despite significant advances artificial intell... 17633 paper generalises moris famous theorem project... 17634 investigate dynamics water confined soft ionic... 17635 main objective paper study global strong solut... 17636 planetary cores consist liquid metals low pran... 17637 followership generally defined strategy evolve... 17638 present improved mars odyssey neutron spectrom... 17639 let varphimathbbrrightarrow mathbbr continuous... 17640 navigation problem classically approached two ... 17641 paper presents thorough evaluation several wid... 17642 present deeppicar lowcost deep neural network ... 17643 considering structure functions streamwise vel... 17644 compact modeling interdevice radiationinduced ... 17645 note shown class multipliers dparameter hardy ... 17646 consider using battery storage system simultan... 17647 nervous system encodes continuous information ... 17648 present investigation clumpy galaxies hubble u... 17649 propose use incomplete dot products idp dynami... 17650 let commutative noetherian ring containing fie... 17651 last part series three papers entitled fourdim... 17652 cost per click cpc pricing model advertiser pa... 17653 important task many scientific domains efficie... 17654 planar linear restricted fourbody problem used... 17655 investigate mechanical properties amorphous po... 17656 skin cancer major public health problem common... 17657 article introduces notion arbitrage situation ... 17658 define class surfaces surface pairs correspond... 17659 efficient descriptor model fast screening pote... 17660 prove combinatorially product schubert polynom... 17661 topological nodal line dnl semimetals formed c... 17662 variational inference popular technique approx... 17663 monolayers transition metal dichalcogenides tm... 17664 exact solutions laminar stratified flows newto... 17665 large class machine learning techniques requir... 17666 covariant canonical formalism covariant extens... 17667 study cascading failures system comprising int... 17668 geodesic current associated quasimetric space ... 17669 trivial events ubiquitous human human conversa... 17670 paper investigate casacore table data system c... 17671 report experimental observation filamentation ... 17672 absence lens form image incoherent partially c... 17673 multiview video supports observing scene diffe... 17674 objective present work construct sound mathema... 17675 propose simple technique encouraging generativ... 17676 loosely speaking shannon entropy rate used gau... 17677 aspects preparation process performance degrad... 17678 mixed manna contains goods everyone likes bads... 17679 explain predictions blackbox model paper use i... 17680 study analytically numerically optical analogu... 17681 progress science advanced development human so... 17682 family mathcalm means natural partial order po... 17683 propose fully distributed actorcritic algorith... 17684 describe structure hausdorff locally compact s... 17685 electrons confined single landau level two dim... 17686 last decades numerous security privacy issues ... 17687 review discuss channel simulation used simplif... 17688 nonparametric method ranking stock indices acc... 17689 plastic deformation metallic glasses performed... 17690 work closely related theories set estimation m... 17691 detection cell nuclei microscopic images chall... 17692 given heegaard splitting threemanifold conside... 17693 modeling network traffic gaining importance or... 17694 quantum coherence phenomena driven electronicv... 17695 recently wide range smart devices deployed var... 17696 element e ordered semigroup scdotleq called or... 17697 let pi heckemaass cusp form slmathbbz chichich... 17698 known implied volatility skew fx options demon... 17699 calculate amplitudetophase amtopm noise conver... 17700 direct frequencycomb spectroscopy used probe a... 17701 variety energy resources identified flexible e... 17702 inferring walls configuration indoor environme... 17703 experience replay key technique behind many re... 17704 investigate problem dynamic portfolio optimiza... 17705 report sample highmass starless clump hmsc can... 17706 artificial neural networks learn perform princ... 17707 problem object localization recognition autono... 17708 propose fast simple robust algorithm computing... 17709 recently deep learning community given growing... 17710 heisenberg spin chain compound srcuo doped dif... 17711 joint introduction asterisque volume give shor... 17712 many realworld systems characterized stochasti... 17713 field biomedical imaging undergone rapid growt... 17714 new initiative international swaps derivatives... 17715 hierarchical models utilized wide variety prob... 17716 atomistic simulations carried analyze interact... 17717 hyperspectralmultispectral imaging hsimsi cont... 17718 among large number promising twodimensional at... 17719 starting langevin formulation thermally pertur... 17720 present feature functional theory binding pred... 17721 one serious issues communication people hiding... 17722 weighted automata wa important formalism descr... 17723 let g finite group let pdotspn distinct primes... 17724 generalize kobayashis example noether inequali... 17725 study continuity space translations nonparamet... 17726 study propose shrinkage methods based generali... 17727 formulate bayesian updates markov processes me... 17728 scanning tunnelling microscopy low energy elec... 17729 real hypersurface complex quadric qmsomsomso s... 17730 quest towards expansion max design space accel... 17731 deep learning proven powerful tool computer vi... 17732 determine value search games goal find hidden ... 17733 report discovery four short period extrasolar ... 17734 formulate general criterion exact preservation... 17735 use cva cover credit risk widely spread limita... 17736 ensemble pruning selecting subset individual l... 17737 paper devoted relationship psychophysics physi... 17738 study shimura curves pel type mathsfag generic... 17739 datadriven anomaly detection methods suffer dr... 17740 selfsimilarity recently introduced measure int... 17741 highly principled data science insists methodo... 17742 study class focusing nonlinear schroedingertyp... 17743 following previous studies restarting automata... 17744 work nonparametric statistical inference provi... 17745 symbol used describe springer correspondence c... 17746 harms allocation increasingly studied part sub... 17747 xray spectra neutron stars located centers sup... 17748 prove various inequalities number partitions b... 17749 overabundances highly siderophile elements hse... 17750 consider bayesian model inversion observed amp... 17751 promising route realization majorana fermions ... 17752 paper introduce raduls fastest parallel sorter... 17753 deterministic neural nets shown learn effectiv... 17754 work relates famous experiments performed wern... 17755 shortest paths problem spp longer unresolved l... 17756 paper present short elementary proof error sim... 17757 cosmology near future promises measurement sum... 17758 liquidphaseexfoliation technique capable produ... 17759 designing exoskeleton reduce risk lowback inju... 17760 todays researchers field pulmonary embolism pe... 17761 point classical thermodynamics results paper k... 17762 hightransmissivity alldielectric metasurfaces ... 17763 proposed probabilistic approach joint modeling... 17764 quantum key distribution qkd offers way establ... 17765 deep neural networks family computational mode... 17766 economy asymmetric information smart contract ... 17767 ordering theorems characterizing partial order... 17768 foundation driverless vehicle intelligent robo... 17769 existing markov chain monte carlo mcmc methods... 17770 embed flipped rm su times rm u gut model nosca... 17771 interactive computation paradigm reviewed part... 17772 iin recent years growing interest applying dat... 17773 propose analyze efficient spectralgalerkin app... 17774 mendelian randomization uses genetic variants ... 17775 direct acousticstoword aw models endtoend para... 17776 convolutional dictionary learning cdl sparsify... 17777 present latetime optical rband imaging data pa... 17778 article consider markov chain monte carlomcmc ... 17779 generalise multiple string pattern matching al... 17780 correspondence definable connected groupoids t... 17781 family qbetabeta geq markov chains said exhibi... 17782 present scheme deterministically prepare noncl... 17783 bayesian optimization sampleefficient method f... 17784 recent years attack leverages register informa... 17785 report discovery system two superearths orbiti... 17786 new electron beamoptical procedure proposed qu... 17787 due excellent shockcapturing capability high r... 17788 paper presents educational code written using ... 17789 document outlines approach supporting crossnod... 17790 smallscale topological structure airline netwo... 17791 principle glitch states device makes discrete ... 17792 article perform asymptotic analysis bayesian p... 17793 recent interest topological semimetals lead pr... 17794 recent research shown usefulness using collect... 17795 random geometric graphs hyperbolic spaces expl... 17796 study efficient learnability geometric concept... 17797 editorial board members considered gatekeepers... 17798 paper examines standard model strongelectrowea... 17799 introduce flexible robust functional regressio... 17800 paper concerned deterministic wave generation ... 17801 dual energy ct dect enhances tissue characteri... 17802 wind farms wake interaction leads losses power... 17803 show ensemble qfunctions leveraged effective e... 17804 two modestsized symbolic corpora posttonal pos... 17805 existing urban boundaries usually defined gove... 17806 peer review foundation scientific publication ... 17807 generating random variates highdimensional dis... 17808 show mild topological assumptions small oscill... 17809 present systematic method designing distribute... 17810 terrorism become one tedious problems deal pro... 17811 present first results ongoing pilot project te... 17812 wellknown gans difficult train several differe... 17813 acute respiratory infections epidemic pandemic... 17814 model uncertainty empirical bayes eb procedure... 17815 paper introduce finite field analogue appell s... 17816 article consider twoway twotape alternating au... 17817 circ video requires human viewers actively con... 17818 zeroshot learning zsl challenging task aiming ... 17819 speaker change detection scd important task di... 17820 paper develop bivariate discrete generalized e... 17821 new people united states diagnosed colorectal ... 17822 users online social networks osns interact eve... 17823 present approach path following using socalled... 17824 theoretically study scattering process superco... 17825 model selection mixed models based conditional... 17826 study ground state energy neumann magnetic lap... 17827 develop implement automated methods optimizing... 17828 testing simplifying assumption highdimensional... 17829 paper study natural special case traveling sal... 17830 shown using similarity transformations set thr... 17831 recent studies shown reinforcement learning rl... 17832 artificial neural network ann useful tool solv... 17833 determinantal point processes dpps wideranging... 17834 double machine learning provides sqrtnconsiste... 17835 perform direct numerical simulations shockwave... 17836 latent factor models recommender systems repre... 17837 establish large sample approximations arbitray... 17838 wordvec mikolov et al proven successful natura... 17839 study extremal algorithmic questions subset ca... 17840 selection west java governor one event seizes ... 17841 next generation ai applications continuously i... 17842 temporary work employment situation useful sui... 17843 transition metal dichalcogenides represent ide... 17844 demonstrate identification position material o... 17845 prove set symplectic lattices siegel space mat... 17846 viterbilike decoding algorithm proposed paper ... 17847 multiferroic bifeo cycloidal antiferromagnetic... 17848 project proposes reuse dafne accelerator compl... 17849 understanding planetary interiors directly lin... 17850 occurrence new events system typically driven ... 17851 work conduction ionwater solution two discrete... 17852 extreme values modeling attracting attention r... 17853 systems subject uncertain inputs produce uncer... 17854 combination large open data sources machine le... 17855 discrete cosine transform dct key step many im... 17856 well known initialization weights deep neural ... 17857 boundary value problem complete second order e... 17858 change point analysis statistical tool identif... 17859 realtime monitoring functional tissue paramete... 17860 interaction occurs light solid object horizont... 17861 compared relational database rdb graph databas... 17862 paper present algorithm sparse signal recovery... 17863 twodimensional materials among promising candi... 17864 article provides first survey computational mo... 17865 tensor network methods taking central role mod... 17866 present four logic puzzles solutions joseph ye... 17867 exploration bonus derived novelty states envir... 17868 much success single agent deep reinforcement l... 17869 synthetic aperture imaging systems achieve con... 17870 designing software applications much effort pl... 17871 principal component analysis important pattern... 17872 recent years several convex programming relaxa... 17873 building recent work bhargavaelkiesschnidman k... 17874 drug repositioning dr refers identification no... 17875 work investigate dynamics nonlinear dde delayd... 17876 aim characterize lipschitz functions variable ... 17877 consider thin normal metal sandwiched two ferr... 17878 consider privacy implications public release d... 17879 nash equilibrium paradigm rational choice theo... 17880 predictions parameteric property models uncert... 17881 split manufacturing promising technique defend... 17882 autonomous sorting crucial task industrial rob... 17883 whittle likelihood widely used bayesian nonpar... 17884 geophysical model domains typically contain ir... 17885 map merging component crucial proper functiona... 17886 paper introduces family local feature aggregat... 17887 paper demonstrate subharmonic injection lockin... 17888 studied longitudinal spin seebeck effect polar... 17889 complete picture available literature showing ... 17890 approximate bayesian computation abc method ba... 17891 regression problems pervasive realworld applic... 17892 define new method estimate centroid text class... 17893 calculation nearneighbor interactions among hi... 17894 evolution present status gaseous photon detect... 17895 propose hybrid quantum system lc resonator ind... 17896 video games playing thereof fixture american c... 17897 learning latent representation data unsupervis... 17898 sensor selection refers problem intelligently ... 17899 introduce discrete distribution wiener process... 17900 coherent control resonant response spatially e... 17901 recently demonstrated presence spinorbit toque... 17902 study relationship ultraproduct crossed produc... 17903 fundamental issue statistical classification m... 17904 problem machine learning missing values common... 17905 paper provides entry point problem interpretin... 17906 digital era one thing still holds convention p... 17907 paper proposes gamma process modelling damage ... 17908 suppose one data one completed vaccine efficac... 17909 let b autx doldlashof classifying space orient... 17910 sophisticated gated recurrent neural network a... 17911 study manybody localization properties disorde... 17912 deep neural networks show great potential solu... 17913 paper two robust model predictive control mpc ... 17914 hidden markov models hmms ubiquitous tool mode... 17915 network growth processes understood generative... 17916 advances data analytics bring civil rights imp... 17917 present paper dedicated global wellposedness i... 17918 present largefield times deg mapping observati... 17919 unseen data conditions inflict serious perform... 17920 study generation matterantimatter asymmetry bo... 17921 paper introduces acoustic scene classification... 17922 propose class particleincell pic methods vlaso... 17923 methodological research rarely generates broad... 17924 deep learning established framework learning h... 17925 demographic studies suggest changes retinal va... 17926 review study rigorously notion mixed states de... 17927 background chromatin remodelers swisnf family ... 17928 consider two questions heart machine learning ... 17929 provide full analysis ghost free higher deriva... 17930 introduce novel approach predicting progressio... 17931 many baryons galaxy probably lie outside well ... 17932 supercontinuum generation using chipintegrated... 17933 series examples illustrate important drawbacks... 17934 give rigorous characterization means programmi... 17935 present new class service location based socia... 17936 characterize completeness framebasis property ... 17937 deep learning models often successfully traine... 17938 computer based recognition detection abnormali... 17939 let expanding dtimes matrix integer entries ma... 17940 paper consider dvali gmez assumption end state... 17941 consider problem convergence saddle point conc... 17942 investigate extent mobile use patterns predict... 17943 previous study algebraic formulation first fun... 17944 micro aerial vehicles mavs limited operation o... 17945 describe algorithms compute elliptic functions... 17946 magnetic skyrmions localized nanometric spin t... 17947 generative models long dominant approach speec... 17948 hidden markov models one popular estimates hid... 17949 paper considers insertion deletion channels ad... 17950 periodic supercell models electric double laye... 17951 paper present crowdtone system designed help p... 17952 restricted boltzmann machines rbms energybased... 17953 compound random measures corms flexible tracta... 17954 test gravitational force antimatter field matt... 17955 attentionbased sequencetosequence models autom... 17956 propose new approach train generative adversar... 17957 seminal work gatys et al demonstrated power co... 17958 aim characterizing largescale distribution ho ... 17959 consider certain quotient polynomial ring cate... 17960 blog becoming increasingly popular media infor... 17961 meaningful laws nature must independent units ... 17962 characterization primary events involved cistr... 17963 consider implementations highorder finite diff... 17964 lattice monte carlo simulations parallelizatio... 17965 prove upper lower bounds effective content log... 17966 morphable models dmms powerful statistical mod... 17967 medicine visualizing chromosomes important med... 17968 based agile transformation cases years article... 17969 symboliccomputational algorithm fully implemen... 17970 hess j unidentified hard spectrum source disco... 17971 investigate nextgeneration laser pulses pw pw ... 17972 social dilemmas mutual cooperation lead high p... 17973 casimir free energy dielectric films freestand... 17974 pharmacoepidemiology pe study uses effects dru... 17975 new form variational autoencoder vae developed... 17976 prove exist hypersurfaces contain given closed... 17977 inverse problems broad sense task learn noisy ... 17978 work presents model reduction approach problem... 17979 stochastic gradient descent sgd popular stocha... 17980 precise trajectory control near ground difficu... 17981 communication presents longitudinal modelfree ... 17982 new book cosmologists geraint f lewis luke bar... 17983 novel sparsitybased algorithm audio inpainting... 17984 identifying palindromes sequences interesting ... 17985 remanufacturing significant factor securing su... 17986 temperature tdependent coarsegrained cg hamilt... 17987 paper present libdirectional matlab library di... 17988 novel idea proposed natural solution dark ener... 17989 selfpaced learning hard example mining reweigh... 17990 investigate electronic structure weyl semimeta... 17991 purpose study analyze cyber security security ... 17992 develop theory weak fraisse categories crucial... 17993 music recommendation services collectively spi... 17994 paper studies large time behavior solution cla... 17995 paper studies mathematical properties reaction... 17996 chemical reaction networks generalized massact... 17997 paper study missing sample recovery problem us... 17998 one kind skin cancer melanoma dangerous dermos... 17999 extend rubio de francias extrapolation theorem... 18000 layered transition metal dichalcogenides ltmdc... 18001 consider problem zero distribution first kind ... 18002 discovered two novel types planar defects appe... 18003 manuscript investigates selfconsistent solutio... 18004 examine article pricing target volatility opti... 18005 revisit blind deconvolution problem focus unde... 18006 present unified perspective symmetry protected... 18007 volume contains proceedings eighth internation... 18008 analyze effect quenched disorder spin quantum ... 18009 knowledge graphs structured representations re... 18010 consider multi armed bandit problem nonstation... 18011 propose new randomized coordinate descent meth... 18012 investigate performance standard greedy algori... 18013 paper algebroid bundle associated affine metri... 18014 control complex networks significant challenge... 18015 despite fundamental role determining material ... 18016 surface observations indicate speed solar meri... 18017 many studies environmental change past centuri... 18018 illposed analytic continuation problem greens ... 18019 program slicing provides explanations illustra... 18020 synthetic dimensions alter one fundamental pro... 18021 managedmetabolism hypothesis suggests cooperat... 18022 silicon drift detectors sdds revolutionized sp... 18023 online learning rank core problem information ... 18024 extend technique called compiling control tech... 18025 largescale vortices protoplanetary disks thoug... 18026 paper introduces new nonlinear dictionary lear... 18027 smillie proved interesting result stability no... 18028 geospatial semantics broad field involves vari... 18029 paper continue study citemiaotxdnlsstab use pe... 18030 technical note describes new baseline natural ... 18031 even advance frontiers physics knowledge under... 18032 study energy functional set lagrangian tori ma... 18033 viewing trajectory patient dynamical system re... 18034 consider schrdinger equation half space dimens... 18035 background nuclear structure cluster bands ne ... 18036 investigate terminalpairibility problem case b... 18037 meta learning optimal classifier error rates a... 18038 event detection critical feature datadriven sy... 18039 paper locally classifies finitedimensional lie... 18040 work sets compute discuss effects spin velocit... 18041 paper provide axiomatic characterization idemp... 18042 investigate constraints sum neutrino masses si... 18043 show number unique function mappings neural ne... 18044 blackbox explanation problem explaining machin... 18045 derive finitevolume correction binding energy ... 18046 additive models produced gradient boosting ful... 18047 formulate quasiclassical theory omegactau less... 18048 context rosetta orbiter spectrometer ion neutr... 18049 walking quadruped robots face challenges posit... 18050 field neuroimaging grows difficult scientists ... 18051 number trees random forest rf algorithm superv... 18052 study investigates shortcrested wave breaking ... 18053 transition metal dichalcogenides tmdcs twodime... 18054 theoretically study bilayer superconducting to... 18055 paper consider threenode cooperative wireless ... 18056 let f nonarchimedean locally compact field stu... 18057 game semantics rich successful class denotatio... 18058 present proposal applying nanoscale magnetomet... 18059 preprocessing tools automated text analysis be... 18060 propose new method embedding graphs preserving... 18061 develop feedback control method networked epid... 18062 prove number iterations taken weisfeilerleman ... 18063 prove analogue hardylittlewood conjecture asym... 18064 besides enabling enhanced mobile broadband nex... 18065 work prove existence local convex solution deg... 18066 prove following superexponential distribution ... 18067 since beginning new millennium stock markets w... 18068 superconducting energy gap rm dynibc investiga... 18069 paper study problem finding small safe set gra... 18070 although ample work literature dealing skewnes... 18071 using age information freshness metric examine... 18072 applied predefined kernels also known filters ... 18073 paper proposes neural network architecture tra... 18074 let mathcalk subseteq universal class lsmathca... 18075 superneptune exoplanet waspb exciting target a... 18076 logical models successfully used describe regu... 18077 work present scalable balancing domain decompo... 18078 fluxsplitting method proposed hyperbolicequati... 18079 address unsupervised optical flow estimation e... 18080 autonomous driving requires perception vehicle... 18081 present search cii emission cosmological scale... 18082 complete proof generalized smale conjecture ap... 18083 reinforcement learning rl algorithms involve d... 18084 multiscale analysis stochastic bistable reacti... 18085 interpretability emerged crucial aspect machin... 18086 propose new technique singular vector canonica... 18087 paper establishes general equivalence discrete... 18088 prove hardy inequality ultraspherical expansio... 18089 bayesian neural networks bnns recently receive... 18090 several realistic situations interactive learn... 18091 paper compares results applying recently devel... 18092 acoustical radiation force arf induced single ... 18093 construct two infinite series moufang loops ex... 18094 paper formality conjecture kontsevich designed... 18095 many similaritybased clustering methods work t... 18096 paper apply shrinkage strategies estimate regr... 18097 let transitive model set theory canonical inte... 18098 propose paralleldatafree voiceconversion vc me... 18099 leastsquares models linear regression linear d... 18100 present new map interstellar reddening coverin... 18101 seasonal patterns associated stress modulation... 18102 paper consider existence nonexistence solution... 18103 present study andreev quantum dots qdots fabri... 18104 introduce helsinki neural machine translation ... 18105 phase transformations ruled nonsimultaneous nu... 18106 work considers resilient cooperative state est... 18107 critical challenge observation redshifted cm l... 18108 autonomous robots dynamic environments mixed h... 18109 analyze invariant measures two coupled piecewi... 18110 virtually free group h containing nontrivial f... 18111 letter presents performance comparison two pop... 18112 paper consider stochastic dual coordinate sdca... 18113 regularized inversion methods image reconstruc... 18114 three dimensional galaxy clustering measuremen... 18115 let lubeginbmatrix u endbmatrix rvbeginbmatrix... 18116 work presents methodology modeling predicting ... 18117 study problem designing models machine learnin... 18118 paper consider markov chain choice model singl... 18119 sas introduced type iii methods address diffic... 18120 parents teachers often express concern extensi... 18121 existing logical models fairly represent epist... 18122 study critical behavior ncolor ashkinteller mo... 18123 study conductance junction normal superconduct... 18124 training neural machine translation nmt models... 18125 chromosome conformation capture hic technologi... 18126 wellknown verification partial correctness pro... 18127 study growth entanglement entropy density matr... 18128 work show saturating output activation functio... 18129 defined notion quantum torus ttheta masanori i... 18130 release two artificial datasets simulated flyi... 18131 introduce new probabilistic approach quantify ... 18132 tropical cyclone windintensity prediction chal... 18133 given pairwise distinct vertices alphai betaik... 18134 cirquent calculus proof system manipulating ci... 18135 dualfunctional nanoparticles property aggregat... 18136 photometric observations planetary transits ma... 18137 exist number mathematical approaches modeling ... 18138 recorded enclosed room sound signal certainly ... 18139 sizes entire systems globular clusters gcs dep... 18140 field enhancement factor emitter tip variation... 18141 demand drives systems generalize various domai... 18142 paper market values football players forward p... 18143 huanghilbert transform applied seismic electri... 18144 prove exceptional group e hurwitz group course... 18145 rapid development artificial intelligence brou... 18146 let smooth manifold let om poset open subsets ... 18147 wellknown fact adding noise input data often i... 18148 deal hypersurfaces framework ndimensional rela... 18149 present fully edible pneumatic actuator based ... 18150 stateoftheart methods proteinprotein interacti... 18151 decision making process extremely prone differ... 18152 recent reports claiming tentative association ... 18153 simplistic estimation neural connectivity meeg... 18154 paper provide update concerning operations nas... 18155 reason inference require process well memory s... 18156 pharmaceutical industry witnessed exponential ... 18157 let k simply connected compact lie group tastk... 18158 performed magnetic field frequency tunable ele... 18159 paper new smartphone sensor based algorithm pr... 18160 depthsensing important navigation scene unders... 18161 work answerset programs specify repairs databa... 18162 develop variant multiclass logistic regression... 18163 approximate bayesian computation abc synthetic... 18164 paper introduce notions iterated planar lefsch... 18165 paper considers scenario multiple data owners ... 18166 peer code review locates common coding rule vi... 18167 considering sphericallysymmetric nonstatic cos... 18168 paper reproduces text part authors dphil thesi... 18169 private information retrieval pir protocols ma... 18170 iterative algorithms like gradient descent com... 18171 commented translation paper universelle bedeut... 18172 electronic charge carriers ionic materials sel... 18173 paper metric reduction generalized geometry in... 18174 consider forecast aggregation problem repeated... 18175 paper cyber attack detection isolation studied... 18176 paper study nonself dual extended harpers mode... 18177 lieb lattice exhibits intriguing properties ge... 18178 analyzed effects bulk shear viscosities pertur... 18179 realistic models quantum chaotic systems hamil... 18180 paper combines fast zeromomentpoint zmp approa... 18181 work investigates influence geometric variatio... 18182 several recent works empirically observed conv... 18183 major challenge designing neural network nn sy... 18184 paper study smoothness regularization method v... 18185 painleveiv equation three families rational so... 18186 numerically study behavior selfpropelled liqui... 18187 rdma increasingly adopted cloud computing plat... 18188 recently introduced method approximate functio... 18189 answer question k mulmuley efremenkolandsbergs... 18190 develop onedimensional notion affine processes... 18191 listed among one hundred famous unsolved probl... 18192 paper develop distributed intermittent communi... 18193 paper conducts secondorder variational analysi... 18194 interpreting performance deep learning models ... 18195 apply acyclicity theorem hess kerdziorek riehl... 18196 study aims analyze methodologies used estimate... 18197 expedient design precision components aerospac... 18198 article presents use answer set programming as... 18199 paper define ainftykoszul duals directed ainft... 18200 paper introduces class backward stochastic dif... 18201 paper present thorough analysis nature news di... 18202 superconductorinsulator transition sit conside... 18203 introduce novel formulation motion planning co... 18204 injective polynomial modules general linear gr... 18205 goal present manuscript introduce reader nonst... 18206 least absolute shrinkage selection operator la... 18207 wireless sensor networks deployed many monitor... 18208 whitebox test generator tools rely code test s... 18209 study b rings complex optical depth structure ... 18210 determined shockdarkening pressure range ordin... 18211 paper study global fluctuations block gaussian... 18212 paper analyzes publication efficiency terms hi... 18213 eventbased cameras shown great promise variety... 18214 deep learning yielded stateoftheart performanc... 18215 many methods exist bipedal robot keep balance ... 18216 inspired tremendous success deep convolutional... 18217 federated learning recent advance privacy prot... 18218 okapi new causally consistent georeplicated ke... 18219 epithelial cell monolayers exhibit traveling m... 18220 context complexanalytic structure within unit ... 18221 initialization parameters deep neural networks... 18222 consider multitask estimation problem nodes ne... 18223 report mm continuum chcn cs line observations ... 18224 highfrequency measurements images acquired var... 18225 kpartition problem kpp one given edgeweighted ... 18226 present study reports interesting findings reg... 18227 show definition city boundaries dramatic influ... 18228 radio intensity polarization footprint cosmicr... 18229 investigate formation optical localized nonlin... 18230 intriguing properties emergent materials typic... 18231 nature threedimensional reconnection twisted f... 18232 observe finitedimensional central simple grade... 18233 crosslingual text classificationcltc task clas... 18234 map interacting helical liquid system coupled ... 18235 consider nonnegative solutions delta ufu halfp... 18236 rapidly growing product lines services require... 18237 entanglement entropy ee quantum systems often ... 18238 argue preferred classical variables emerge pur... 18239 momentum conservation law applied analyse dyna... 18240 whereas maintenance recognized important effec... 18241 hopf gave examples nonround convex spheres euc... 18242 revisit linear programming approach determinis... 18243 lightmatter interaction processes significantl... 18244 bechgaard salts tmtsfx tmtsf tetramethyl tetra... 18245 introduce inhomogeneous bosonic mixture compos... 18246 introduce new natural generalizations classica... 18247 paper presents klout topics lightweight ontolo... 18248 studying effects groups single nucleotide poly... 18249 theme paper threephase distribution system mod... 18250 develop general framework cvectors calabiyau c... 18251 thesis study lateral electrostatic interaction... 18252 paper study sectional curvature bounds riemann... 18253 paper proposes novel method automatically enfo... 18254 paper devoted contribution probability theory ... 18255 paper studies dynamic complexity definable cha... 18256 report documents implementation several relate... 18257 show stateoftheart services creating trusted t... 18258 paper contribution classical cops robber probl... 18259 wikipedia communitycreated online encyclopedia... 18260 people change physical contacts preventive res... 18261 study problem nonparametric estimation blploss... 18262 direct imaging suggests jovian exoplanet aroun... 18263 paper propose quantum variation combinatorial ... 18264 gegenbauer weight function wlambdattlambda lam... 18265 produce precise estimates kogbetliantz kernel ... 18266 identify strong equivalence neural network bas... 18267 use empirical normalized smoothed periodogram ... 18268 ultracold atomic fermi gases twodimensions inc... 18269 paper instead usual gaussian noise assumption ... 18270 complex spatiotemporal patterns called chimera... 18271 estimation unknown values parameters hidden va... 18272 address boundary value problem ellipsoidal bgk... 18273 octahedral tilting common distortion process o... 18274 elastic weight consolidation ewc kirkpatrick e... 18275 following decision reduce l beamcal moved clos... 18276 transition metal oxide memristors resistive ra... 18277 paper deep neural network dnn utilized improve... 18278 program comprehension vast research area neces... 18279 socalled binary perfect phylogeny persistent c... 18280 develop uniform asymptotic expansion empirical... 18281 understanding visual scene goes beyond recogni... 18282 investigate apparent powerlaw scaling pseudo p... 18283 aim paper present results relating properties ... 18284 study dynamical properties one twodimensional ... 18285 propose direct estimation method rnyi fdiverge... 18286 mixtures mallows models popular generative mod... 18287 optimal scheduling hydrogen production dynamic... 18288 modified ac method based microfabricated heate... 18289 project explores public opinion supplemental n... 18290 let pn set posets n elements nipn set nonisomo... 18291 advancement technology generated abundant high... 18292 neural models particular dvector xvector archi... 18293 methods detecting structural changes change po... 18294 statecharts frequently used modeling formalism... 18295 recently dynamics signed networks ties among a... 18296 stagnation grain growth often attributed impur... 18297 present three natural combinatorial properties... 18298 study cauchy problem effectively hyperbolic op... 18299 uniform electron gas finite temperature high c... 18300 study connection mapping spaces bimodules infi... 18301 area law violations entanglement entropy form ... 18302 guarantee integrity security data transmitted ... 18303 present new largescale square degrees simultan... 18304 matrixvalued covariance functions crucial geos... 18305 propose new dynamic stochastic blockmodel focu... 18306 context visual aesthetics increasingly seen es... 18307 largescale multiobject tracker based generalis... 18308 coefficient determination known r commonly use... 18309 gpsdenied uav agent b localised ins alignment ... 18310 inner surface superconducting cavities plays c... 18311 recent paper lasseux valdsparada porter jfluid... 18312 highly distributed training deep neural networ... 18313 present haloindependent determination unmodula... 18314 deep reinforcement learning achieved many rece... 18315 seminal paper chua presented fundamental physi... 18316 differential event rate weakly interacting mas... 18317 past years datacenter dc energy consumption be... 18318 numerical analysis diffraction features render... 18319 show dcolored set points general position math... 18320 purpose modeling specifying reasoning integrat... 18321 consider higher order parabolic operator parti... 18322 fashion industry establishing presence number ... 18323 fluidstructure interactions ubiquitous nature ... 18324 early universe could feature multiple reheatin... 18325 propose intuitive method called timedependent ... 18326 predicting epidemic dynamics great value under... 18327 limitations processing capabilities memory tod... 18328 problem synchronization coupled hamiltonian sy... 18329 semantic segmentation remains computationally ... 18330 motivated applications mixed longitudinal stud... 18331 recent nobelprizewinning detections gravitatio... 18332 outline construction local floer homology cois... 18333 paper presents contributions nonlinear trackin... 18334 consider problem estimating rate defects mean ... 18335 different questions related analysis extreme v... 18336 inductive kindependent graphs generalize chord... 18337 prove word problem undecidable functionally re... 18338 current processes building machine learning sy... 18339 show totally geodesic submanifold teichmuller ... 18340 show klocally smash product string bordism spe... 18341 paper explore various forms osmotic transport ... 18342 small pvalues often required accurately estima... 18343 researchers previously shown coincidental corr... 18344 observe effects three different events cause s... 18345 paper consider use structure learning methods ... 18346 show quantale v mathsfsetmonad mathbbt laxly e... 18347 compute leading postnewtonian pn contributions... 18348 tangent categories provide axiomatic approach ... 18349 objective bayesian approach estimate number de... 18350 navigation unknown chaotic environments contin... 18351 artificial intelligence ai effective science e... 18352 headline generation special type text summariz... 18353 observed galactic mixedmorphology supernova re... 18354 software systems static undergo frequent chang... 18355 explore efficient neural architecture search m... 18356 purpose uncertainty quantification uq reynolds... 18357 present new model algorithm performs efficient... 18358 paper studies sobolev regularity estimates wea... 18359 despite recent advances large scale visual art... 18360 work proposes process efficiently searching co... 18361 multilabel classification framework observatio... 18362 work establish tightest lower bound uptodate m... 18363 web archives large longitudinal collections st... 18364 begin summarizing relevance importance inducti... 18365 expanding upon earlier results arxiv present c... 18366 paper present awesome airborne wind energy sta... 18367 propose onedimensional model collecting lympha... 18368 prove existence oneparameter family nondisplac... 18369 haptic feedback essential acquire immersive ex... 18370 although recent progress deep neural network l... 18371 recently continuous cache models proposed exte... 18372 dyson demonstrated equivalence infiniterange c... 18373 establish lower bounds volume surface area geo... 18374 previously unreported pbbased perovskite pbmoo... 18375 long memory forecasting studies assume memory ... 18376 source code plagiarism detection problem addre... 18377 early attempts apply asteroseismology study ga... 18378 semantic labeling numerical values task assign... 18379 statistical model assuming preferential attach... 18380 descent theory linear categories developed giv... 18381 give topological game theoretic definitions th... 18382 theory influence thermal fluctuations electric... 18383 demonstrate optomechanical interference multim... 18384 propose algorithms online principal component ... 18385 crossterm spatiotemporal encoding xspen recent... 18386 derive formulas performance capital assets con... 18387 apart solving complicated problems require cer... 18388 article considers algorithmic statistical aspe... 18389 privacy become serious concern modern informat... 18390 give brief description birchswinnertondyer con... 18391 unmanned aerial vehicles uavs gained lot popul... 18392 present denotational account dynamic allocatio... 18393 deep networks thrive trained large scale data ... 18394 restricted threebody problem consecutive colli... 18395 paper presents notion andor reduction reduces ... 18396 present work shows application transfer learni... 18397 paper study simple splines riemannian manifold... 18398 hand one complex important parts human body de... 18399 study popular centrality measure known effecti... 18400 detail dynamic evolution localised reconnectio... 18401 risk analysis models systematically underestim... 18402 curve theta ito e metric space e equipped dist... 18403 consider learning fundamental properties commu... 18404 artificial intelligence methods solve continuo... 18405 workhorse atomic physics quantum electrodynami... 18406 feedback control theory extensively implemente... 18407 users suffering mental health conditions often... 18408 famous pentagon identity quantum dilogarithms ... 18409 traditional linear genetic programming lgp alg... 18410 given link lsubset representation pisltorm slm... 18411 wellknown every nonnegative univariate real po... 18412 discuss existence injectively universal calgeb... 18413 numerous embedding models recently explored in... 18414 present paper propose study estimators wide cl... 18415 complex kohn variational method electronpolyat... 18416 develop geometric approach quantum mechanics b... 18417 given relatively projective birational morphis... 18418 current theories hold brain function highly re... 18419 computer scientists working bioinformaticscomp... 18420 convolution critical component modern deep neu... 18421 paper present results studying famous young pa... 18422 apply firstorder reversal curve forc method bo... 18423 datadriven economy led significant shortage da... 18424 motivated safetycritical applications testtime... 18425 paper proposed nonuniform power delivery netwo... 18426 competition bind micrornas induces effective p... 18427 long range frequency chirping bernsteingreenek... 18428 type inference application domain natural fit ... 18429 introduce multifactor stochastic volatility mo... 18430 singlephoton avalanche diodes spad affordable ... 18431 give complete picture tensor product induced m... 18432 establish firstorder methods avoid saddle poin... 18433 connectivity related concepts fundamental inte... 18434 generative adversarial networks gans exciting ... 18435 study fingering instabilities pattern formatio... 18436 informationtheoretic bayesian optimisation tec... 18437 h ubiquitous important astronomical species wh... 18438 generalized linear model glm plays key role re... 18439 test case prioritization tcp techniques aim pr... 18440 birhythmicity occurs many natural artificial s... 18441 el nino probably influential climate phenomeno... 18442 recent results grepstad lev used show weighted... 18443 investigate ordinal invariants height length w... 18444 xml becoming standard business information rep... 18445 deal kernel theorems modulation spaces complet... 18446 artificial neural networks anns received incre... 18447 potential lack fairness outputs machine learni... 18448 vertices four dimensional cell form noncrystal... 18449 study singlecrystal raman spectra series cryst... 18450 realworld setting visual recognition systems b... 18451 repulsive hubbard model spinasymmetric hopping... 18452 optical properties color centers diamond subje... 18453 julian besag outstanding statistical scientist... 18454 dielectric lined waveguides extensive study ac... 18455 rotational hyperfine spectrum xsigma rightarro... 18456 domain name system translates human friendly w... 18457 article study plasmonic resonance infinite pho... 18458 investigate numerically experimentally effect ... 18459 show onedimensional circle case closed smooth ... 18460 field software engineering many new archetypes... 18461 feature descriptor provide information corresp... 18462 propose throughly investigate temporalized ver... 18463 paper introduce provide short overview nonnega... 18464 paper presents randomized algorithm computing ... 18465 obtaining reliable numerical simulations turbu... 18466 using among things fourier analysis techniques... 18467 study focusfocus singularities also known noda... 18468 using implicit loci geogebra eulers rgeq r ine... 18469 study physical dynamical properties ionized ga... 18470 recovery multispecies oral biofilms investigat... 18471 multicommodity flowcut gap fundamental paramet... 18472 poststarbursts psbs candidate rapidly transiti... 18473 point two milnes fourthorder integrators wells... 18474 conventional theory hydrodynamics describes ev... 18475 consider problems compressed sensing optimal d... 18476 problem nonparametric estimation signal gaussi... 18477 show gradient descent fullwidth linear convolu... 18478 work study degradation clofibric acid cfa aque... 18479 stability quench one main issue pursued superc... 18480 paper presents new methods estimate cardinalit... 18481 turlab facility laboratory equipped diameter d... 18482 electrical machines employing superconductors ... 18483 deterministic recursive algorithms computation... 18484 provide method solve optimization problem obje... 18485 shown ising distribution treated latent variab... 18486 multiagent systems mas able characterize behav... 18487 streaming instability powerful mechanism conce... 18488 microlocal gevrey regularity class sums square... 18489 give new formulation proof theorem halmos wall... 18490 construct linear basis free gdn superalgebra f... 18491 article investigate inexact iterative regulari... 18492 mixture models combine multiple components sin... 18493 existing medicine recommendation systems mainl... 18494 deep neural networks dnns achieved great succe... 18495 magnetic resonance imaging mri widely applied ... 18496 speech enhancement model used map noisy speech... 18497 double edge swaps transform one graph another ... 18498 background played important role xray missions... 18499 widespread interest emerging area predictive a... 18500 using dimensional bosonvortex duality nonlinea... 18501 new coding technique based textitfixed blockle... 18502 transport excitations along proteins formulate... 18503 solubility dyes amphiphilic association struct... 18504 many modelbased visual odometry vo algorithms ... 18505 prediction popularity profound impact social m... 18506 smart grid smart meters numerous control monit... 18507 consider homogeneous equation mathcal u mathca... 18508 crowded environments modify diffusion macromol... 18509 study effect coupling spin bath environment sy... 18510 quest large low frequency band gaps one princi... 18511 search instability nucleons bound xe nuclei re... 18512 massive stars like company provide brief overv... 18513 analyze behavior eigenvalues following non loc... 18514 using formalism based twobody smatrix study tw... 18515 srruo best candidate spintriplet superconducti... 18516 concerned regularity solutions lighthill probl... 18517 european space agency esa defines earth observ... 18518 minimum error correction mec approach used met... 18519 present opinion recommendation novel task join... 18520 formulate optimization problem maximizing data... 18521 propose boundary conditions diffusion equation... 18522 consider stable coxingersollross process drive... 18523 paper presents millimeter wave mmwave penetrat... 18524 electron spectrometer spede developed employed... 18525 control design approach developed general clas... 18526 introduce pipeline including multifractal detr... 18527 goal osirisrex mission return sample asteroid ... 18528 modify standard relativistic dispersion relati... 18529 present algorithm construction step wavelets l... 18530 fragmentation filaments dense cores thought im... 18531 transpires recent research temperatures radiat... 18532 paper studies problems locally stopping distri... 18533 present characteristics performance new ccd ca... 18534 consider class nested optimization problems in... 18535 designing new drug lengthy expensive process s... 18536 paper deals feature selection procedures spati... 18537 origins rapid dynamical slow glass forming liq... 18538 technological civilizations may rely upon larg... 18539 paper addressed issue estimating damage caused... 18540 nonavailability reliable sustainable electric ... 18541 express coefficients hirzebruch lpolynomials t... 18542 let xi function relating riemann zeta function... 18543 background many researchers studied relationsh... 18544 achieve explicit construction lowest landau le... 18545 linked data principles provide decentral appro... 18546 apply recently developed formalism generalized... 18547 study multiparametric family quadratic algebra... 18548 notes introductory lectures graduate school to... 18549 firms keep capital offer sufficient protection... 18550 angleresolved photoemission arpes experiments ... 18551 prove theorem completeness root functions schr... 18552 define web categories describing intertwiners ... 18553 one version concept structural controllability... 18554 study structure martingale transports finite d... 18555 branched covering surfaceknot surfaceknot form... 18556 wellknown question classical differential geom... 18557 attach langle vee ranglesemilattice graph bold... 18558 quasigray code dimension n length ell alphabet... 18559 recent theoretical work shown premainsequence ... 18560 present quantummechanical model surfaceassiste... 18561 explore existence global weak solutions hookea... 18562 resolve number longstanding open problems onli... 18563 performed empirical comparison ica pca algorit... 18564 band structure si inverse diamond structure wh... 18565 last decade digital footprints used cluster po... 18566 argue timesensitive networking tsn become de f... 18567 sparse subspace clustering ssc stateoftheart m... 18568 measurements ac losses htstape placed two bulk... 18569 examine performance efficient aipw estimators ... 18570 propose new ccg parsing model probability tree... 18571 developed polynomialtime algorithms generate t... 18572 assumption action perception investigated inde... 18573 article develop cliquebased method social netw... 18574 extend formalism matrix product states mps des... 18575 roller coaster ride turbulence tracer particle... 18576 study static game played finite number agents ... 18577 study bivariate stochastic recurrence equation... 18578 present unified classical treatment partially ... 18579 main goal modeling human conversation create a... 18580 principal component analysis pca successful di... 18581 work design proposed active permanent magnet b... 18582 learn object detector invariant occlusions def... 18583 linear arrays trapped laser cooled atomic ions... 18584 work revisit problem uniformity testing discre... 18585 refraction deflects photons pass atmospheres a... 18586 describe multiphased wizardofoz approach colle... 18587 argument component detection acd important sub... 18588 present vunet novel viewvu synthesis method mo... 18589 introduce new class priors bayesian hypothesis... 18590 paper novel multitaper modified group delay fu... 18591 paper studies deterministic consensus networks... 18592 investigate possible links largescale smallsca... 18593 consider searching trail maze composite hypoth... 18594 main aim article give necessary sufficient con... 18595 consider relative error low rank approximation... 18596 boolean matrix factorisation aims decompose bi... 18597 using negative gradient flow approach generali... 18598 show every countable group h solvable word pro... 18599 topological defects unavoidably form symmetry ... 18600 formulate present numerical method solving inv... 18601 introduce coherent state mapping ringpolymer m... 18602 stochastic gradient descent continuous time sg... 18603 consider family commuting local homeomorphisms... 18604 paper proposes new approach novel value networ... 18605 study problem recovering structured signal mat... 18606 describe new cognitive ability ie functional c... 18607 let compact connected smooth riemannian nmanif... 18608 present formal measure argument strength combi... 18609 property proposition paper remarks davies uniq... 18610 rasch model widely used item response analysis... 18611 one directly observable features transiting mu... 18612 investigate atmospheric dynamics terrestrial p... 18613 focus applied research topological insulators ... 18614 prove ple qinfty qpgeq p pqgeq q fracpfracpfra... 18615 low frequency array lofar radio telescope inte... 18616 growing interest learning data representations... 18617 consider nonunitary quantum dynamics neutral m... 18618 propose slightly revised millerhagberg mh algo... 18619 understanding topological insulators based und... 18620 reinforcement learning algorithms inefficient ... 18621 quantum technologies presented public without ... 18622 question continuousversusdiscrete information ... 18623 backgroundforeground classification fundamenta... 18624 investigate problem computing nested expectati... 18625 based version dudleys wiener process mass shel... 18626 path planning autonomous vehicles arbitrary en... 18627 training deep networks expensive timeconsuming... 18628 electroencephalogram eeg provides noninvasive ... 18629 derive new variance formulas inference general... 18630 paper propose method solve kadomtsevpetviashvi... 18631 key idea current deep learning methods dense p... 18632 halide perovskite hap semiconductors revolutio... 18633 data cube materialization classical database o... 18634 success deep convolutional architectures often... 18635 paper aim completion problem high order tensor... 18636 paper introduce family delignelusztig type var... 18637 embedded fano manifold x introduce new invaria... 18638 fog radio access network fran cellular wireles... 18639 intel software guard extensions sgx aims provi... 18640 volume transmission important neural communica... 18641 mixture factor analyzers model first introduce... 18642 semiexpository update rewrite ams ams memoir d... 18643 performing xrays measurements cosmic silence u... 18644 investigate corecollapse supernova ccsn nucleo... 18645 many technologies developed help improve spati... 18646 interactive session videoondemand vod streamin... 18647 paper show polynomial walks used establish twi... 18648 prove global existence unique mild solution ca... 18649 study concerned active use wikipedia teaching ... 18650 deep learning dl newgeneration artificial neur... 18651 ccnssim project open source implementation ccn... 18652 paper new approach proposed automated software... 18653 every time person encounters object given degr... 18654 paper prove analogue katorosenblum theorem sem... 18655 peculiar infrared ringlike structure discovere... 18656 question suitability transfer matrix descripti... 18657 paper studies bayesian ranking selection rs pr... 18658 paper propose perturbation framework measure r... 18659 paper claims new field empirical software engi... 18660 propose automatic diabetic retinopathy dr anal... 18661 present dryvr framework verifying hybrid contr... 18662 novice programmers often struggle formal synta... 18663 article construct additional perturbative quan... 18664 partial differential equations central describ... 18665 manifold calculus form functor calculus analyz... 18666 paper quick efficient method presented graspin... 18667 infants experts playing amazing ability genera... 18668 computational method based ellminimization pro... 18669 current flow closeness centrality cfcc better ... 18670 work paper presents animation extension chrvis... 18671 networks capture pairwise interactions entitie... 18672 present emphnustar observations neutron star n... 18673 motivated comparative genomics chen et al intr... 18674 study algebraic structures virtual singular br... 18675 games friendship links behaviors propose kplay... 18676 proxies regulatory reforms based categorical v... 18677 apply theory ground states classical finite he... 18678 show relative property abelianization nilpoten... 18679 study distributional properties linear discrim... 18680 despite impressive advances simultaneous local... 18681 overview recent work defining studying normal ... 18682 paper robust nonparametric estimators instead ... 18683 numerical simulations einsteins field equation... 18684 paper develops method construct uniform confid... 18685 investigate superconductinggap anisotropy one ... 18686 class lqregularized least squares lqls conside... 18687 paper firstly exploit interuser interference i... 18688 inspired recent work carleo troyer apply machi... 18689 central claim modern network science realworld... 18690 extend deep important results lichnerowicz con... 18691 propose simple mathematical model unemployment... 18692 success deep neural networks dnns wellestablis... 18693 sachdevyekitaev quantum mechanical model n maj... 18694 higher category theory exceedingly active area... 18695 supercdms experiment designed directly detect ... 18696 standard general relativity universe cannot st... 18697 recurrent neural networks rnns achieve stateof... 18698 study classes borel subsets real line mathbbr ... 18699 recently prakash et al discovered bulk superco... 18700 present paper provide description complete cal... 18701 many graphical gaussian selection methods baye... 18702 angiogenesis growth new blood vessels preexist... 18703 present article work henri bnard french physic... 18704 homomorphism graph g graph h vertex mapping f ... 18705 normalized subband adaptive filter nsaf widely... 18706 paper introduce novel framework distributional... 18707 propose graphbased process calculus modeling r... 18708 paper prove weyls law asymptotic formula diric... 18709 prove zagiers conjecture regarding adic valuat... 18710 develop approximate formula evaluating crossva... 18711 objective paper introduce artificial intellige... 18712 conventional chemisorption model dband center ... 18713 extracting significant places places interest ... 18714 generalizing several previous results literatu... 18715 hllhc federates efforts rd large international... 18716 various approaches proposed learn visuomotor p... 18717 derivation generating function gaudin hamilton... 18718 witnessing increasing availability event strea... 18719 paper consider network agents monitoring spati... 18720 analyze generic sequences geometrically linear... 18721 machine learning qualifies computers assimilat... 18722 network classification variety applications de... 18723 paper show mathrmrtmathsfwkl piconservative ex... 18724 paper considers joint design user power alloca... 18725 armed conflict led unprecedented number intern... 18726 deconstruct reasoned way reconstruct concept e... 18727 study problem generating adversarial examples ... 18728 introduce dynamic model default waterfall deri... 18729 paper propose novel receptiontransmission sche... 18730 correlation giantplanet mass atmospheric heavy... 18731 cooperative geolocation attracted significant ... 18732 define family intuitionistic nonnormal modal l... 18733 paper investigates impact link formation pair ... 18734 consider problem given data pair mathbfx mathb... 18735 treat utility maximization terminal wealth age... 18736 learningbased binary hashing become powerful p... 18737 idea incompetence learning adaptation function... 18738 analyze informationtheoretic limits recovery n... 18739 axiomatize molecularbiology reasoning style ve... 18740 briefly recall history nijenhuis torsion tenso... 18741 recently hydrodynamic description local equili... 18742 plane poiseuille flow pressure driven flow par... 18743 exponentially growing number scientific papers... 18744 many phase ii trials solid tumours patients as... 18745 provide explicit formulas evans kernels evanss... 18746 current stateoftheart image restoration enhanc... 18747 let mu ge dotsc ge mun mu dotsm mun let x dots... 18748 making right decision traffic challenging task... 18749 present sequential neural likelihood snl new m... 18750 generating diverse questions given images impo... 18751 demonstrated sympathetic cooling single ion bu... 18752 determine stability instability sufficiently s... 18753 agent modelling involves considering agents be... 18754 let q power prime let v vector space finite di... 18755 bayesian networks widely used last decades man... 18756 paper demonstrate manhattan structure exploite... 18757 analyzed performance biologically inspired alg... 18758 application humanoid robots common field healt... 18759 goal note show also bounded domain omega subse... 18760 rapid advancement highthroughput techniques fu... 18761 review instrumentation nuclear magnetic resona... 18762 shown ch implies existence compact hausdorff s... 18763 information intrinsic dimension crucial perfor... 18764 optimal dimensionality reduction methods propo... 18765 oseledets multiplicative ergodic theorem basic... 18766 electronic health records ehr data provide cos... 18767 framework generation bridgespecific fragility ... 18768 ubiquity systems using artificial intelligence... 18769 subsampling acquire directly passband within b... 18770 give moment map interpretation relatively bala... 18771 examine impact adversarial actions vehicles tr... 18772 paper presents two novel control methodologies... 18773 variational bayes vb common strategy approxima... 18774 weighted tree augmentation problem wtap fundam... 18775 social media tweets emerging platforms contrib... 18776 deal problem maintaining shortestpath tree roo... 18777 coupling human movement dynamics function desi... 18778 various models recently proposed reflect predi... 18779 paper consider problem sequentially optimizing... 18780 present observations taufunction fourth painle... 18781 representational similarity analysis rsa aims ... 18782 article explore algorithm diffeomorphic random... 18783 paper give characterization nikolskiuibesov ty... 18784 topological optical states exhibit unique immu... 18785 paper propose explore knearest neighbour ucb a... 18786 proportional mean residual life model studied ... 18787 paper consider extension results shape differe... 18788 state art integral evaluation analytical solut... 18789 aims determine flux densities photometric accu... 18790 synapses real neural circuits take discrete va... 18791 increasing interest applying methodology diffe... 18792 penetration distributed renewable energy dre g... 18793 paper consider x multiuser multipleinputsingle... 18794 autonomous driving electric vehicles nowadays ... 18795 identifying community structure complex networ... 18796 show solutions obtained paper exact solution a... 18797 researchers national institute standards techn... 18798 aim process discovery originating area process... 18799 obtain alternative explicit specht filtrations... 18800 network embeddings learn lowdimensional repres... 18801 axionlike particles promising candidates make ... 18802 obtain restrictions persistence barcodes lapla... 18803 carbon materials range properties high electri... 18804 paper use new approach prove largest eigenvalu... 18805 life complex biological phenomenon represented... 18806 study truncated point schemes connected graded... 18807 handcrafted features extracted dynamic contras... 18808 paper present new dataset distracted driver po... 18809 purpose document create data model serializati... 18810 use markov state models msms analyze dynamics ... 18811 current induced magnetization manipulation key... 18812 orientation effects resistivity copper grain b... 18813 applying classic telescoping summation formula... 18814 paper explore connection convergence distribut... 18815 longstanding debate concerning absence thresho... 18816 complete family solutions onedimensional react... 18817 paper develop numerical method solve nonlinear... 18818 pursuit realtime motion planning commonly adop... 18819 consider estimation parameters gaussian stocha... 18820 nine transiting earthsized planets recently di... 18821 study front propagation phenomena large class ... 18822 study problem designing distributed functional... 18823 contribution extend methodology proposed abry ... 18824 many researches demonstrated dna methylation o... 18825 toymodel publications citations processes prop... 18826 laserinduced adiabatic alignment mixedfield or... 18827 developed used collection statistical methods ... 18828 distributed algorithms solving additive consen... 18829 network analysis needs tools infer distributio... 18830 consider stationary autoregressive processes c... 18831 current results coverage control using mobile ... 18832 selfadjoint first order system hermitian piper... 18833 informally information inconsistency property ... 18834 material mixing induced rayleightaylor instabi... 18835 construct nonlinear oblique projections along ... 18836 becomes increasingly popular perform mediation... 18837 article dnnbased system detection three common... 18838 key challenge multirobot multiagent systems ge... 18839 work study extent structural connectomes topol... 18840 robust markov decision process rmdp sequential... 18841 fisher information matrix fim fundamental quan... 18842 paper study extension problem sublaplacian hty... 18843 univariate isotonic regression ir used nonpara... 18844 measuring domain relevance data identifying se... 18845 cyber attacks growing frequency severity past ... 18846 paper sequels give unified treatment higherdeg... 18847 present results optical spectroscopic monitori... 18848 algorithm solving smooth nonconvex optimizatio... 18849 consider inverse boundary value problem maxwel... 18850 discuss process building semantic maps interac... 18851 multimodal sensory data resembles form informa... 18852 blind gain phase calibration bgpc bilinear inv... 18853 empirical observations show ecological communi... 18854 discovered extremely red lowgravity l dwarf ma... 18855 determine abundances neutroncapture elements s... 18856 identification stuxnet worm provided highly pu... 18857 objective assessment prestige academic institu... 18858 ab initio description spectral interior absorp... 18859 analyze rank gradient finitely generated group... 18860 fuel cells batteries thermochemical energy con... 18861 comments play important role within online cre... 18862 develop new numerical schemes vlasovpoisson eq... 18863 markov chain monte carlo based bayesian data a... 18864 use nonabelian poincar duality recover stable ... 18865 report automated bartender system developed ma... 18866 spaces constant linear quadratic splines maxim... 18867 known primary source dietary vitamin c fruit v... 18868 propose new tabletop experimental configuratio... 18869 micropanel data collected analysed many resear... 18870 ab initio lowenergy effective hamiltonians two... 18871 clinical practice biomedical research measurem... 18872 present new model optical nebular emission hii... 18873 column closed pattern subgroups u finite upper... 18874 multicomponent nanoparticles synthesized eithe... 18875 unsupervised neural nets restricted boltzmann ... 18876 nathan fine gave beautiful product number bino... 18877 noisy environments achieve robust performance ... 18878 paper consider zerosum repeated games maximize... 18879 random codetrees necks introduced recently gen... 18880 let r commutative ring unity module r let gset... 18881 give first polynomialtime algorithms graphs bo... 18882 previous studies found significant number bug ... 18883 cell nuclei detection challenging research top... 18884 recently vertical shear instability vsi become... 18885 paper study optimal convergence rate distribut... 18886 braincomputer interface bci uses brain signals... 18887 provide uniform framework study exceptional ho... 18888 following paper present simple intensity estim... 18889 oxygen functional groups one important subject... 18890 study asymptotic properties conditional least ... 18891 paper concerned minimization fourthorder linea... 18892 let g simplyconnected semisimple algebraic gro... 18893 machine learning models widely used security a... 18894 main aim paper give new generalization hurwitz... 18895 stochastic user equilibrium important issue tr... 18896 investigate quantifier alternation hierarchies... 18897 let mathcali analytic pideal respectively summ... 18898 unprecedented demand large amount data catalyz... 18899 hardness learning errors lwe problem one fruit... 18900 nature bipolar gammaray fermi bubbles fb still... 18901 paper revisit primaldual dynamics convex optim... 18902 distribution sum rth power standard normal ran... 18903 propose dynamic boosted ensemble learning meth... 18904 paper novel framework proposed optimizing oper... 18905 consider problem training generative models ge... 18906 sound event detection sed typically posed supe... 18907 study optimally doped bisrcaycuodelta bi using... 18908 ordering dynamics selfpropelled particles inho... 18909 discuss amplification loop corrections quantum... 18910 reinforcement learning rl often powerful suffe... 18911 motivation epigenetic heterogeneity within tum... 18912 grangercausality frequency domain emerging too... 18913 asymmetric segregation key proteins cell divis... 18914 consider exchange wishes set suitable maketake... 18915 spontaneous symmetry breaking ssb important ph... 18916 evolutionary algorithms recently used create w... 18917 paper prove sharp limit community detection pr... 18918 nonlocal neural networks proposed shown effect... 18919 main aim present paper represent exact simple ... 18920 nature aerosols hot exoplanet atmospheres one ... 18921 introduce family mathematical objects called m... 18922 considerable amount machine learning algorithm... 18923 identify organization human social group commu... 18924 show solvable lie group real type homogeneous ... 18925 recently become feasible generate largescale m... 18926 zap qlearning algorithm introduced paper impro... 18927 recent years rapidly increasing amounts data c... 18928 work address problem disentanglement factors g... 18929 paper optimal control vlasovpoisson plasma ext... 18930 observe certain kind algebraic proof covers es... 18931 recent years great deal interest focused condu... 18932 discussions choice tree hash mode operation st... 18933 paper present neurally plausible model robot r... 18934 advances artificial intelligence ai transform ... 18935 recurrent neural networks rnns key technology ... 18936 mathematical modelling shown activity geminid ... 18937 lederer van de geer introduced new orlicz norm... 18938 justification logics modallike logics addition... 18939 number forehead nof multiparty communication m... 18940 key challenge online learning classical algori... 18941 let phi spherical heckemaass cusp form noncomp... 18942 newtons mechanical revolution unifies motion p... 18943 datadriven predictive analytics use today acro... 18944 give new proof wellknown competitive exclusion... 18945 random differential equations provide natural ... 18946 given set attributed subgraphs known different... 18947 present new technique probe central dark matte... 18948 propose ambiguity problem foreground object se... 18949 generalized polyhedral convex sets generalized... 18950 proteins commonly used biochemical industry nu... 18951 order handle intense time pressure survive dyn... 18952 recently link lorentzian finslerian geometries... 18953 recently grynkiewicz et al israel j math bf us... 18954 order robots perform missioncritical tasks ess... 18955 based convex leastsquares estimator propose tw... 18956 often significant tradeoff formulation strengt... 18957 paper addresses problem selecting choice possi... 18958 derive estimators density event times current ... 18959 propose new approach mirror symmetry conjectur... 18960 empirical researchers often trim observations ... 18961 paper realtime channel data acquisition platfo... 18962 substitution isovalent nonmagnetic defects zn ... 18963 higherorder logic programming interesting exte... 18964 describe approach based direct numerical solut... 18965 organisms earth descend common ancestor consen... 18966 introduce two models taxation latent natural t... 18967 provide novel approach model spacetime random ... 18968 study stability coupled impedance passive regu... 18969 paper consider estimation mean vector multivar... 18970 paper consider dense vehicular communication n... 18971 relate old new cohomology monoids arbitrary mo... 18972 stateoftheart methods convex nonconvex optimiz... 18973 report effects ce substitution structural elec... 18974 propose gaussian processes signals graphs gpg ... 18975 derive recommendations analyze longitudinal da... 18976 consider alternate formulations recently propo... 18977 flyby osiris camera onboard rosetta acquired h... 18978 show given compact discrete quantum group g cl... 18979 identification dynamical systems prediction er... 18980 learning graphical models data important probl... 18981 consider restless multiarmed bandit rmab finit... 18982 use gaugegravity duality write effective low e... 18983 develop analyze new protocols verify correctne... 18984 focus autonomously generating robot motion day... 18985 planar equilateral restricted fourbody problem... 18986 secular approximation hierarchical three body ... 18987 calgebras b generalize notion quasihomomorphis... 18988 study pattern formation reactiondiffusion rd s... 18989 modern biomedical research ubiquitous multiple... 18990 improving distant speech recognition crucial s... 18991 paper describes preliminary study producing di... 18992 combination highcontrast imaging highdispersio... 18993 lowrank structures play important role recent ... 18994 many scenarios require robot able explore envi... 18995 jpmorgan accumulated usd billion loss credit d... 18996 develop topology data analysisbased method det... 18997 one defining features manybody localization pr... 18998 study action dihedral group equivariant cohomo... 18999 living information communications system genom... 19000 present new class decentralized firstorder met... 19001 right assortment shipping boxes fulfillment wa... 19002 present flipper natural language interface des... 19003 article presents rigorous analysis efficient s... 19004 report methodology measuring krkr isotopic abu... 19005 address problem executing toolusing manipulati... 19006 motivated understanding majorana zero modes to... 19007 investigated band structure bulk crystal surfa... 19008 great need stock materials production storing ... 19009 autoencoder effective unsupervised learning mo... 19010 article interested nonlocal regional schrdinge... 19011 common practice decay learning rate show one u... 19012 qcd axions form large fraction total mass dark... 19013 bestk identification problem bestkarm given n ... 19014 recent paper baker bowler introduced matroids ... 19015 consider binary branching process structured s... 19016 computer science would without personal comput... 19017 recently ecommerce sites launch new interactio... 19018 calibration advanced ligo detectors quantifica... 19019 probability large deviations smallest schmidt ... 19020 largescale systems arrays solid state disks ss... 19021 provide justifications two questions special m... 19022 competitive alternative least squares regressi... 19023 understanding epidemics networks greatly benef... 19024 hybrid graphene photoconductorphototransistor ... 19025 paper proposes realtime embedded fall detectio... 19026 paper consider problem solving linear algebrai... 19027 present results investigation magnetic propert... 19028 stochastic block model sbm probabilistic model... 19029 well known extreme order statistic central ord... 19030 material recognition enables robots incorporat... 19031 paper presents method optimization multicompon... 19032 thermal effects already important currently op... 19033 show rigidity properties divergencefree vector... 19034 first goal note study almansi property mdimens... 19035 consider quantum complexity computing schatten... 19036 define mixed states associated submanifolds pr... 19037 precision measurement ams antiprotontoproton f... 19038 derive analogues classical rayleigh fjortoft a... 19039 propose superconducting spintriplet valve cons... 19040 learning propelled cutting edge performance ro... 19041 prove sharp upper lower bounds generalized cal... 19042 transition metal dichalcogenides tmds interest... 19043 give formula computing characteristic polynomi... 19044 process certify highly automated vehicles yet ... 19045 phase shifts influence two strong pulsed laser... 19046 present novel mechanism resolving mechanical r... 19047 present new kind structural markov property pr... 19048 introduce fisher consistency sense unbiasednes... 19049 notion disentangled autoencoders proposed exte... 19050 global hypothesis tests useful tool context eg... 19051 prove ordinary leastsquares ols estimator atta... 19052 motivated applications protein function predic... 19053 study properties quantim wires spinorbit coupl... 19054 paper presents new state estimation algorithm ... 19055 group affect emotion image people inferred ext... 19056 beamforming promising approach interference co... 19057 study sharp detection thresholds degree correc... 19058 driven visions internet things g communication... 19059 neural networks offer highaccuracy solutions r... 19060 multirate digital signal processing model redu... 19061 recent work shown stateoftheart classifiers qu... 19062 nanotechnology semiconductor device scaled dra... 19063 locationbased social network data offers promi... 19064 representing largescale motions topological ch... 19065 strong certification process required insure s... 19066 evolutionary game dynamics structured populati... 19067 paper study robust consensus problem set discr... 19068 analyze higher rank gauge theories capture phe... 19069 let k local field whose residue field characte... 19070 galactic orbits constructed long time interval... 19071 motion planning underwater vehicles must consi... 19072 hot dustobscured galaxies hot dogs rare dusty ... 19073 surface scattering key limiting factor thermal... 19074 systems engineering se set processes documenta... 19075 reduce exponent error term prime geodesic theo... 19076 paper introduces primal general privacypreserv... 19077 online problem computing top eigenvector funda... 19078 using maple implement sat solver based princip... 19079 consider submanifolds riemannian manifold meta... 19080 superconducting electronic devices reemerged c... 19081 notes correspond minicourse given poisson conf... 19082 investigating friedel oscillations ultracold g... 19083 variational methods among powerful tools solvi... 19084 metric learning aims learning distance consist... 19085 paper introduces fast algorithm simultaneous i... 19086 abridged investigate signatures left cosmic ne... 19087 data analytics association rule mining decisio... 19088 using firstprinciples monte carlo methods syst... 19089 note present fast algorithm finds r number nr ... 19090 investigate role transition metal atoms group ... 19091 introduce algorithm generate solve spinglass i... 19092 processes led formation planetary bodies solar... 19093 galaxy clusters thought grow accreting mass la... 19094 metamaterial made stacked holearray layers kno... 19095 develop novel policy synthesis algorithm rmpfl... 19096 reduced motor control one frequent features as... 19097 recent work md johnston et al produced suffici... 19098 persons weight status profound implications li... 19099 paper proposes new method builds simplex based... 19100 study correlators irregular vertex operators t... 19101 introduce new variant game cops robbers played... 19102 prove new pinching estimate inverse curvature ... 19103 present easytouse pythonbased framework allows... 19104 experiment conducted framework euhit project d... 19105 let fn denote nth fibonacci number relative in... 19106 based formation mechanisms dirac points threed... 19107 consider class fractional stochastic volatilit... 19108 finitedimensional algebra algebraically closed... 19109 paper studies nonparametric modal regression p... 19110 ability use map navigate complex environment q... 19111 average radio pulse profile pulsar b double pu... 19112 coreperiphery networks structures present set ... 19113 last decade seen surge interest adaptive learn... 19114 regarding analysis web communication social co... 19115 recent work redressed warped frames introduced... 19116 multiterminal secret key agreement problem pri... 19117 constructing smart wheelchair commercially ava... 19118 kernel methods produced stateoftheart results ... 19119 see person crowd occluded persons miss visual ... 19120 article presents john opensource software desi... 19121 real energy spectrum ptsymmetric hamiltonian h... 19122 virtually realworld networks dynamical entitie... 19123 b cells develop high affinity receptors course... 19124 merging mobile edge computing mec emerging par... 19125 realm delone sets locally compact second count... 19126 paper study biconservative surfaces parallel n... 19127 effort increase versatility finite element cod... 19128 investigate asymptotic behavior solutions hami... 19129 point set n elements ddimensional unit cube cl... 19130 performed angleresolved photoemission spectros... 19131 hierarchical formation model galaxy clusters g... 19132 using novel rewriting problem show several nat... 19133 construct two examples invariant manifolds des... 19134 determine barycentric coordinates triangle cen... 19135 active learning effective stopping method allo... 19136 paper random clique network model mimic large ... 19137 paucity videos current action classification d... 19138 introduce study game selfish cops active robbe... 19139 snook prize awarded diego tapias alessandro br... 19140 provide new computationallyefficient class est... 19141 biology several questions translate combinator... 19142 multipartite viruses replicate puzzling evolut... 19143 collective cell migration highly regulated pro... 19144 consider problem learning function classes com... 19145 steganography involves hiding secret message i... 19146 euler navierstokes variant systems dynamical i... 19147 define holographic dual donaldsonwitten topolo... 19148 systematically analyzed magnetodielectric reso... 19149 develop commuting vector field method general ... 19150 conducted search exotic spin velocitydependent... 19151 deep learning models lately shown great perfor... 19152 although block compressive sensing bcs makes t... 19153 consistent treatment coupling surface energy e... 19154 prove recent breaking zahl frac barrier wolffs... 19155 establish existence stein kernels probability ... 19156 synchronizations processing elements pes massi... 19157 future application automated vehicles public t... 19158 swift test originally proposed formability tes... 19159 strong gravitational lensing galaxy clusters f... 19160 e opdam introduced tool spectral transfer morp... 19161 propose batchexpansion training bet framework ... 19162 coordinate descent methods usually minimize co... 19163 set dimensional packing problems builds import... 19164 review replica symmetric solution classical qu... 19165 solve deep neural network dnns huge training d... 19166 hierarchy efficient way group organize often g... 19167 bioinformatics tools developed interpret gene ... 19168 given nonconvex function average n smooth func... 19169 present bounded model checking technique highe... 19170 paper study cubic fractional nonlinear schrodi... 19171 cryptovirological augmentations present immedi... 19172 various alexandrovfenchel type inequalities ap... 19173 paper consider role nonmodal instabilities dyn... 19174 face modeling paid much attention field visual... 19175 paper consider timeinhomogeneous branching pro... 19176 compact connected metric graphs boundary consi... 19177 mongekantorovich problem infinite wasserstein ... 19178 use nonperturbative renormalization group appr... 19179 given tournament positive integer k cpakcingt ... 19180 prove szegwidom asymptotics chebyshev polynomi... 19181 timings human activities marked circadian cloc... 19182 computational geometric problems involving rot... 19183 near infrared spectroscopy nirs imagingbased d... 19184 generalization performance classifiers deep le... 19185 measurements element abundances galaxies astro... 19186 aim getting closer performance animal musclesk... 19187 machine learning models benefit large diverse ... 19188 starting integral representation threedimensio... 19189 introduce concept requilateral mgons prove exi... 19190 according kearnes oman ordered set p emphjnsso... 19191 drawing recent results provide formalism neces... 19192 current article primary objects study compact ... 19193 thirdorder threedimensional symmetric traceles... 19194 strang splitting well established tool numeric... 19195 paper introduce new class nonsmooth convex fun... 19196 derive cramrrao lower bound variance floquet m... 19197 lack moderation online communities enables par... 19198 develop numerical tools diagrammatic montecarl... 19199 increasing interest accelerating neural networ... 19200 zeroshot learning zsl endows computer vision s... 19201 grid cells medial entorhinal cortex mec respon... 19202 online social network osn discussion groups ex... 19203 image stitching challenging consumerlevel phot... 19204 probabilistic modeling provides capability rep... 19205 semantic segmentation point clouds challenging... 19206 motivated posted price auctions buyers grouped... 19207 analyse certain haar systems associated groupo... 19208 numerical experimental data analysis often req... 19209 propose new active learning strategy designed ... 19210 nowadays security information event management... 19211 adaptive methods adam rmsprop widely used deep... 19212 films cukinse coevaporated varied kkcu composi... 19213 course last decade nice model dramatically cha... 19214 using natural action sinfty show countable her... 19215 cost attending college steadily rising years e... 19216 users virtual reality vr systems often experie... 19217 paper present comprehensive view prominent cau... 19218 examine sensitivity love quasirayleigh waves m... 19219 let varphimathbbfqtomathbbfq rational map fixe... 19220 form realanalytic eisenstein series twisted ma... 19221 study closed ndimensional manifolds metrics cr... 19222 using quantum representations mapping class gr... 19223 work propose infinite restricted boltzmann mac... 19224 present discovery four lowmass modot eclipsing... 19225 perovskite solar cells record power conversion... 19226 giant radio galaxies grgs one largest astrophy... 19227 propose general yet simple theorem describing ... 19228 study extreme scenario multilabel learning tra... 19229 explore largescale population indoor interacti... 19230 highly robust efficient estimators generalized... 19231 present lifestate rulesan approach abstracting... 19232 restricted boltzmann machines rbms class gener... 19233 becoming increasingly clear complex interactio... 19234 principal component regression linear regressi... 19235 propose efficient metaalgorithm bayesian estim... 19236 consider boundary rigidity problem asymptotica... 19237 consider spontaneous breaking translational sy... 19238 method brackets efficient method evaluation la... 19239 r package optimparallel provides parallel vers... 19240 key results obtained joint research projects a... 19241 show rashba spinorbit coupling interface super... 19242 fraud severely detrimental impacts business so... 19243 systems spontaneously reveal periodic evolutio... 19244 analysis demographic transition past century h... 19245 cyberphysical systems cps revolutionize variou... 19246 paper gives selfcontained grouptheoretic proof... 19247 measurable function mu unit disk mathbbd compl... 19248 give detailed account socalled universal const... 19249 asymmetric resonant cavity used form path much... 19250 micron characteristics agb variables lmc ic di... 19251 effective teams crucial organisations especial... 19252 given semigroup zero leftcancellative sense st... 19253 generalization classical determinant inequalit... 19254 propose new reinforcement learning algorithm p... 19255 introduce notion stpairs triangulated subcateg... 19256 introduce features massive data streams stream... 19257 study problem learning rank multiple sources t... 19258 order robot generalist perform wide range jobs... 19259 give explicit formula second variation logarit... 19260 idea black hole spin instrumental generation p... 19261 distance covariance two random vectors measure... 19262 investigate nonparametric regression methods b... 19263 number optimal decision problems uncertainty f... 19264 iterated posterior linearization filter iplf a... 19265 consider system randomly generated updates tra... 19266 analyses randomised trials incomplete outcomes... 19267 let r family n axisparallel rectangles packing... 19268 present new method derive oxygen carbon abunda... 19269 study extent infer users geographical location... 19270 abalone photosensor technology us patent capab... 19271 large scale coverage operations marine explora... 19272 study fairness collaborativefiltering recommen... 19273 graph inference methods recently attracted gre... 19274 paper presents provably correct method robot n... 19275 resolvent krylov subspace method builds approx... 19276 best known manifestation fermidirac statistics... 19277 paper proves approximate intermediate value th... 19278 ultraviolet uv light host star influences plan... 19279 construct doublewell potential schrdinger equa... 19280 social ties strongly related wellbeing charact... 19281 analyze spectral properties two mutually relat... 19282 given positive function uin wn define johnnire... 19283 recent literature deep learning offers new too... 19284 recent advances show twodimensional linear dis... 19285 distinct striation patterns observed spectrogr... 19286 paper presents motion planner systems subject ... 19287 learn binary classifier positive data without ... 19288 wellknown kernel regression estimators produce... 19289 harness complexity highdimensional bodies sens... 19290 prove tildethetak varepsilon samples necessary... 19291 present heuristic based algorithm induce texti... 19292 manipulation deformable objects ropes cloth im... 19293 derive upper lower bounds policy regret tround... 19294 dynamical characteristics electromagnetic fiel... 19295 paper give three functors mathfrakp cdotk math... 19296 define notion hierarchically cocompact classif... 19297 explosion highthroughput dna sequencing past d... 19298 quantum effects prevalent microscopic scale ge... 19299 paper presents deep learning framework capable... 19300 significant halogenation effects essential pro... 19301 propose informationtheoretic framework quantif... 19302 present theoretical assessment expected tempor... 19303 normalized maximum likelihood nml one importan... 19304 existing memory management mechanisms used com... 19305 regular icosahedron connected many exceptional... 19306 paper demonstrates feasibility implementing re... 19307 develop gametheoretic semantics gts fragment a... 19308 wide usage machine learning ml lead research a... 19309 analyse linear regression problem nonconvex re... 19310 topological data analysis method concurrence t... 19311 known elementary excitation manyparticle syste... 19312 previous paper arxiv described techniques succ... 19313 work introduce malware detection raw byte sequ... 19314 paper investigate model checking mc problem ha... 19315 prove moduli space complete riemannian metrics... 19316 consider problem optimal dynamic information a... 19317 celebrated theorem robertson seymour states fa... 19318 paper consider problem distributed nash equili... 19319 magnetic thermodynamic dielectric properties g... 19320 classification algorithm called linear central... 19321 paper address problem spatiotemporal person re... 19322 formation interaction multiple cavities induce... 19323 machinelearning potentials mlps atomistic simu... 19324 paper consider network processors aiming coope... 19325 lowfrequency vibrational lowtemperature therma... 19326 paper deals initial value problem multiterm fr... 19327 cev model subsumes previous option pricing mod... 19328 classical results chentsov campbell state cons... 19329 smartphones become pervasive devices peoples l... 19330 blockchain technology distributedly managing l... 19331 propose multinomial logistic regression model ... 19332 traditionally kernel learning methods requires... 19333 dense suspensions nonnewtonian fluids exhibit ... 19334 one open challenges designing robots operate s... 19335 study rewriting equational theories context sy... 19336 work addressed issue applying stochastic class... 19337 wilcoxon rankbased tests distributionfree alte... 19338 propose method simultaneously detecting shared... 19339 paper analyze behavior multivariate symmetric ... 19340 describe approximation continuous dynamical sy... 19341 wasserstein distance two probability measures ... 19342 several recent works proposed implemented cryp... 19343 proof concept high speed nearfield imaging sub... 19344 introduce notion stationary actions context ca... 19345 supervised machine learning author name disamb... 19346 recent successes word embedding document embed... 19347 present online social media platform afflicted... 19348 designing adaptive classifiers evolving data s... 19349 paper aims establish theoretical foundations g... 19350 variety complex systems exhibit different type... 19351 controlling chaos could big factor getting gre... 19352 investigate relaxation recently discovered fra... 19353 saliency guided hierarchical visual tracking s... 19354 present study shows performance cnn significan... 19355 article develops novel operational semantics p... 19356 provide compact unified treatment power spectr... 19357 magnetic anisotropy moaucofeaumgo nmaucofeau h... 19358 ionic solutions often regarded fully dissociat... 19359 network embedding methodologies learn distribu... 19360 paper continue study pairwise ksemistratifiabl... 19361 internship assignment complicated process univ... 19362 quantum mechanical calculations previously app... 19363 paper addresses question neural dialog systems... 19364 paper tackle problem visually predicting surfa... 19365 present new nonarchimedean model evolutionary ... 19366 present new approach design doptimal experimen... 19367 propose statistical model weighted temporal ne... 19368 report dynamical cluster approximation dca inv... 19369 paper formalises problem online algorithm sele... 19370 construct periodic solutions nonlinear wave eq... 19371 attributebased recognition models due impressi... 19372 paper scale mixture normal distributions model... 19373 study systematic numerical approximation class... 19374 fundamental challenge vast disciplines link pr... 19375 paper consider nonlinear equations involving f... 19376 recent works constructed axisymmetric solution... 19377 implement coupled cluster method high orders a... 19378 clouds strong impact climate planetary atmosph... 19379 magnetic resonance imaging mri proposed compli... 19380 crowdfunding platforms people turn prototype i... 19381 learning infer bayesian posterior fewshot data... 19382 discuss distributed matching scheme accelerato... 19383 complement characterization graph products cyc... 19384 multitask learning mtl enhance classifiers gen... 19385 note discuss cobordism maps periodic floer hom... 19386 give necessary sufficient conditions zhangliu ... 19387 proceedings icml workshop human interpretabili... 19388 study quantum phase transition paramagnetic fe... 19389 dimensional riemannian manifold equipped circu... 19390 modern software systems provide many configura... 19391 review andr luiz barbosas paper p np proof cla... 19392 consider minimax setup twoarmed bandit problem... 19393 traditional intelligent fault diagnosis rollin... 19394 one perspective main theme research revolves a... 19395 paper introduce easily verifiable sufficient c... 19396 study problems clustering locally asymptotical... 19397 osirisrex visible infrared spectrometer ovirs ... 19398 prove boundedness results integral operators f... 19399 consider large portfolio limit asset prices ev... 19400 introduce spectrum monotone coarse invariants ... 19401 coexistence newtype antiferromagnetic afm stat... 19402 grigni hungcitegh conjectured hminorfree graph... 19403 mexico city tracks groundlevel ozone levels as... 19404 elastic scattering cross sections slow electro... 19405 predicting finegrained interests users tempora... 19406 quantitative extraction highdimensional mineab... 19407 recently two new indicators equalized meanbase... 19408 show willwachers cyclic formality theorem exte... 19409 process control systems pcss operating core cr... 19410 quantum kinetic system modelling boseeinstein ... 19411 past years futures market successfully develop... 19412 deep neural networks playing important role st... 19413 public transports provide ideal means enable c... 19414 let mathcalpr denote almostprime r prime facto... 19415 use recent results bainbridgechengendrongrushe... 19416 interference arises individuals potential outc... 19417 present unifying framework solve several compu... 19418 machine learning models notoriously difficult ... 19419 inferring interactions processes promises deep... 19420 alvarezmacovski method alvarez r e macovski en... 19421 using results lorentzian kacmoody algebras ari... 19422 study elementary characteristics turbulence qu... 19423 extensive empirical literature documents gener... 19424 motivated expansion cayley graphs show exist i... 19425 introduce class normal complex spaces mild sin... 19426 rapid increase compound databases available me... 19427 study sample covariance matrix realvalued data... 19428 lung nodule classification class imbalanced pr... 19429 introduce examine collection unusual electroma... 19430 skorobogatov constructed bielliptic surface co... 19431 define locally nameless permutation types fuse... 19432 study dimensionfree lp inequalities rvariation... 19433 oneparticle density matrix onedimensional tonk... 19434 propose generalization mband case dualtree dec... 19435 introduce nonlinear cauchyriemann equations bc... 19436 deep neural networks shown succeed range natur... 19437 participants enrolled randomized controlled tr... 19438 effects subgridscale gravity waves gws diurnal... 19439 cricket game played two teams consists eleven ... 19440 study basic geometric properties group analogu... 19441 isogeometric analysis iga used simulate perman... 19442 paper study behavior bidders experimental laun... 19443 internet become central medium networked publi... 19444 representation learning heart makes deep learn... 19445 topological data analysis tda recent fast grow... 19446 resemblance methods used quantummany body phys... 19447 study effectively leverage expert feedback lea... 19448 investigate effects social interactions task a... 19449 powerful data transformation method named guid... 19450 cascading failures critical vulnerability comp... 19451 despite extremely weak intrinsic spinorbit cou... 19452 present blind multiframe imagedeconvolution me... 19453 consider framework aggregative games cost func... 19454 condensed matter systems simultaneously exhibi... 19455 paper presents application variational autoenc... 19456 paper propose new algorithm learning general l... 19457 answer yes indeed find interacting dark energy... 19458 dual fabryperot cavity based optical refractom... 19459 introduce selfannotated reddit corpus sarc lar... 19460 use model aerosol microphysics investigate imp... 19461 opinion formation population attracted extensi... 19462 given data variables xxm consider problem find... 19463 study evolution eccentricity inclination proto... 19464 discuss various forms definitions mathematics ... 19465 fix field k characteristic p kkp finite discus... 19466 consider minimax estimation problem discrete d... 19467 effect coulomb repulsion holes cooper instabil... 19468 multiplayer online battle arena moba games rec... 19469 tendondriven hand orthoses advantages exoskele... 19470 years security machine learning research promi... 19471 software reusability become much interesting i... 19472 consider classical merton problem terminal wea... 19473 lack efficiency urban diffusion debated issue ... 19474 derive new bayesian information criterion bic ... 19475 combinatorial interaction testing important so... 19476 consider habitability earthanalogs around star... 19477 unsupervised learning capturing dependencies v... 19478 convolutional neural networks cnns shown promi... 19479 paper address rigid body pose stabilization pr... 19480 paper propose definitions examples categorical... 19481 study relationship performance practice analyz... 19482 beyond traditional security methods unmanned a... 19483 paper extend two classical results density sub... 19484 paper use replica analysis determine investmen... 19485 discuss local properties weak solutions equati... 19486 real vector space nonoriented graphs known car... 19487 order address need affordable reduced gravity ... 19488 texture classification problem various applica... 19489 contingent convertible bonds cocos debt instru... 19490 egeneralization computes common generalization... 19491 study quartic double fivefolds perspective fan... 19492 thermal atmospheric tides torque telluric plan... 19493 obtaining enough labeled data robustly train c... 19494 provide integral formula maslov index pair ef ... 19495 modern precision cosmological measurements con... 19496 morava etheory e einftyring action morava stab... 19497 consider numerical schemes root finding noisy ... 19498 inspired recent evolution deep neural networks... 19499 hyperbolic pascal triangle cal hptq qge new ma... 19500 report empirical study main strategies conditi... 19501 much effort devoted device materials engineeri... 19502 motivation proteinprotein interactions ppis us... 19503 componentbased development software engineerin... 19504 sales forecast essential task ecommerce crucia... 19505 study provide mathematical practicedriven just... 19506 let f padic fied e quadratic extension f fdivi... 19507 simple doubledecker molecule magnetic anisotro... 19508 consider nonlinear transport equations nonloca... 19509 sampling large networks represents fundamental... 19510 recent works shown social media platforms able... 19511 make famous rap singer like eminem sing whatev... 19512 present robust deep learning based degreesoffr... 19513 study generalization crossdiffusion problem de... 19514 distributed storage systems locally repairable... 19515 syntaxguided synthesis aims find program satis... 19516 paper concerned existence periodic solutions s... 19517 analyse spectral properties class compact pert... 19518 tradeoffs current sharing among distributed re... 19519 prove new offdiagonal asymptotic bergman kerne... 19520 networks powerful instruments study complex ph... 19521 present davis challenge video object segmentat... 19522 context success stack overflow communitybased ... 19523 massive multipleinput multipleoutput mimo syst... 19524 surface parameterizations widely applied compu... 19525 paper consider distributed stochastic optimiza... 19526 wide variety applications including personaliz... 19527 let delta simplicial complex matroid paper exp... 19528 propose maxpooling based loss function trainin... 19529 packet scheduling adversarial jamming packets ... 19530 despite progress high performance computing co... 19531 paper propose deep learning based approach fac... 19532 surface icy dust grains dense regions interste... 19533 revisit fundamental problem liquidliquid dewet... 19534 demonstrate control resonance characteristics ... 19535 surrogate model approximates computationally e... 19536 dataefficient algorithms reinforcement learnin... 19537 work explores tradeoff number samples required... 19538 stability instability synchronization importan... 19539 vortices turbulence unsteady nonlaminar flows ... 19540 direct numerical simulation liquidgassolid flo... 19541 paper focuses temporal localization actions un... 19542 present numerical modelling granular flows mui... 19543 like attempts evaluate monitor quality academi... 19544 widespread usage complex interconnected social... 19545 recent developments established vulnerability ... 19546 study loss functions measure accuracy predicti... 19547 performing diagnostics systems increasingly co... 19548 prove generalization davenportheilbronn theore... 19549 neural networks known vulnerable adversarial e... 19550 present novel method learning weights multinom... 19551 found analytically first order quantum phase t... 19552 combining bayesian nonparametrics forward mode... 19553 achieving superhuman playing level alphago cor... 19554 consider estimating de facto effectiveness est... 19555 recent studies social media spam automation pr... 19556 explore power spatial context selfsupervisory ... 19557 present statistical analysis variability broad... 19558 line spectral estimation problem consists reco... 19559 monte carlo methods approximate integrals samp... 19560 let f mathbbrd tomathbbr lipschitz function b ... 19561 despite success deep learning representing ima... 19562 study frequencydependent damping model hyperdi... 19563 geometric variations objects modify object cla... 19564 discuss context energy flow highdimensional sy... 19565 floer theory originally devised estimate numbe... 19566 bayesian inference stochastic volatility model... 19567 study simple root flows liouville currents hit... 19568 paper review evolutionary history deep learnin... 19569 imitation widely observed populations decision... 19570 complex finsler vector bundles studied mainly ... 19571 development growth complex tumultuous processe... 19572 generating structured input files test program... 19573 using setup deformation categories talpo visto... 19574 developed simple physical selfconsistent cloud... 19575 fermi large area telescope data reveal excess ... 19576 european xray free electron laser xfeleu provi... 19577 paper first time study label propagation heter... 19578 appearing stage quite recently low power wide ... 19579 impacts climate change felt critical systems i... 19580 among asteroids exist ambiguities rotation per... 19581 learning preferences implicit choices humans m... 19582 use laplacian eigenfunctions ubiquitous wide r... 19583 significant parts cultural heritage produced w... 19584 study system consisting luttinger liquid coupl... 19585 jittered sampling refinement classical monte c... 19586 analysis quantification brain structural chang... 19587 work proposes visual odometry method combines ... 19588 autoignition delay experiments isomers butanol... 19589 paper prove every integer k geq kabelian compl... 19590 investigate inverse problem timefrequency loca... 19591 paper present system associates faces voices v... 19592 paper kelvin wave knot dynamics studied three ... 19593 develop noncommutative polynomial version inva... 19594 introduce integrated meshing finite element me... 19595 note show class finite epistemic programs turi... 19596 motivated problem domain formation chromosomes... 19597 paper investigate reconstruction timecorrelate... 19598 robotics enables variety unconventional actuat... 19599 present numerical study aims shedding light me... 19600 positive parameter beta betabounded distance p... 19601 pipelines used huge range industrial processes... 19602 quadratic unconstrained binary optimization qu... 19603 order address economical dispatch problem isla... 19604 develop importance sampling type estimator bay... 19605 hundred spacecraft launched date electric prop... 19606 exists various proposals detect cosmic strings... 19607 recent works planetary migration show orbital ... 19608 general ai challenge initiative encourage wide... 19609 key enabler optimizing business processes accu... 19610 lorenzens algebraische und logistische untersu... 19611 online interactive recommender systems strive ... 19612 lowrank matrix completion mc achieved great su... 19613 obtain results mixing large class necessarily ... 19614 many cognitive sensory motor processes correla... 19615 paper sharpen earlier work first author luca m... 19616 bilevel optimization defined mathematical prog... 19617 paper proposes speaker recognition sre task tr... 19618 governing equations twodimensional inviscid fr... 19619 prove global limiting absorption principle ent... 19620 paper explore role duality principles within p... 19621 looming question must solved robotic plant phe... 19622 autoignition experiments stoichiometric mixtur... 19623 crowdsourced gps probe data become major sourc... 19624 generating detection coherent highfrequency he... 19625 classical manybody systems recent study reveal... 19626 consider generalized dirac operator compact st... 19627 discovery influential entities kinds networks ... 19628 consider learning submodular functions data fu... 19629 irreducible weight module affine kacmoody alge... 19630 study behavior real pdimensional wishart rando... 19631 paper propose online learning algorithm based ... 19632 device new method calculate large number melli... 19633 escape mechanism orbits star cluster rotating ... 19634 present atacama large millimeter submillimeter... 19635 modelled evolution cometary hii regions produc... 19636 paper uses classical approach feature selectio... 19637 match analytic results numerical calculations ... 19638 tackle problem template estimation data random... 19639 bayesian inverse modeling important better und... 19640 oneclass classification occ prime concern rese... 19641 introduction papers deals partial differential... 19642 machine learning models shown vulnerable adver... 19643 cellular massive machinetype communications mt... 19644 report first detection sodium absorption atmos... 19645 choreographies widely used specification concu... 19646 reproducibility crisis highly visible source s... 19647 scisports dutch startup company specializing f... 19648 consider problem segmenting large population c... 19649 report shown cr doped bulk cr deposited surfac... 19650 present technique automatically transforming k... 19651 hierarchical neural architectures often used c... 19652 research analysis microblogging platforms expe... 19653 logicbased paradigms nowadays widely used many... 19654 mixture models around years intuitively simple... 19655 work study pointwise ergodic iterationcomplexi... 19656 latent features learned deep learning approach... 19657 near future cosmology enter wide deep galaxy s... 19658 crowdsourcing consists externalisation tasks c... 19659 study positive solutions heat equation graphs ... 19660 paper considers alternative method fitting car... 19661 virtual network services span multiple data ce... 19662 using semiclassical wkb approximation hamilton... 19663 natural language symbols intimately correlated... 19664 feature extraction dimension reduction network... 19665 let q prime power estimate number tuples degre... 19666 present paper using replica analysis examine p... 19667 researchers often summarize work form scientif... 19668 liquid metal lm current core interest wide var... 19669 local model differential privacy emerging refe... 19670 lowcost robust simple mechanism measure hemogl... 19671 paper study following classical question extre... 19672 newly emerging field wave front shaping comple... 19673 largescale agile projects product owners under... 19674 analyse simple extension sm additional scalar ... 19675 consider gaussian vector mathbfzmathbfxmathbfy... 19676 present method synthesizing frontal neutralexp... 19677 scaling clustering algorithms massive data set... 19678 paper consider existence multiple nodal soluti... 19679 study estimators generalized lasso penalties w... 19680 according data united nations people died day ... 19681 currentvoltage iv conversion characterizes phy... 19682 characterize neutron output deuteriumdeuterium... 19683 describe turbulence distributes tracers away l... 19684 paper give correspondence berezintoeplitz comp... 19685 paper reviews checkered history predictive dis... 19686 algorithms working linear algebraic groups oft... 19687 article studies monotonicity logconvexity modi... 19688 epilepsy neurological disorder arising anomali... 19689 paper study classical construction lattices nu... 19690 parity timereversal violating electric dipole ... 19691 increasing amount information absence effectiv... 19692 neutron diffraction muon spin relaxation musr ... 19693 unified viewpoint van vleck hermankluk propaga... 19694 paper presents alternate form dynamic modellin... 19695 present las vegas algorithm dynamically mainta... 19696 rising popularity intelligent mobile devices d... 19697 fine particulate matter pm one criteria air po... 19698 profile describes set properties eg set skills... 19699 present sample sim emission line galaxies z si... 19700 tensor factorization hard andor soft constrain... 19701 paper propose replay attack spoofing detection... 19702 linear inverse problem gaussian random noise s... 19703 light carries momentum induces atoms recoil ph... 19704 contraction csemigroup separable hilbert space... 19705 traceroute main tools explore internet path pr... 19706 studied thermodynamic behaviors noninteracting... 19707 many deep models recently proposed anomaly det... 19708 consider terminal users arrive continuously fi... 19709 paper extend theory two weight ap bump conditi... 19710 show link open book realized strongly quasipos... 19711 deltaconvolution real probability measures int... 19712 classifying point clouds large amount time dev... 19713 boundedness properties function spaces conside... 19714 paper propose novel approach combine emphcompa... 19715 topic lifecycle analysis twitter branch study ... 19716 previous research unstable footwear suggested ... 19717 paper introduce modified version gaussian stan... 19718 structured peer learning spl form peerbased su... 19719 monograph represents analysis possibility time... 19720 recently researchers discovered stateoftheart ... 19721 last decades internet mobile technology consol... 19722 unexpected clustering orbital elements minor b... 19723 introduce two tactics attack agents trained de... 19724 one big challenges machine learning applicatio... 19725 paper propose tensor train neighborhood preser... 19726 three dimensional topology optimization proble... 19727 let irreducible riemannian symmetric space ind... 19728 microscopy imaging plays vital role understand... 19729 paper study geometric properties basins attrac... 19730 generation anisotropic shapes occurs morphogen... 19731 extend notion localic completion generalised m... 19732 according magnetohydrodynamics mhd encounter t... 19733 paper propose squeezed convolutional variation... 19734 stateoftheart graph kernels take local graph p... 19735 quantitative nuclear magnetic resonance imagin... 19736 present updated halodependent haloindependent ... 19737 current upcoming radio interferometric experim... 19738 magnetic skyrmions particlelike objects topolo... 19739 paper introduce metallic maps metallic riemann... 19740 hashing learning binary embeddings data freque... 19741 new exact solution einsteins field equations b... 19742 implicit discourse relation classification gre... 19743 idea posing command following tracking control... 19744 wireless communication plays vital role promis... 19745 paper studies synchronization finite number ku... 19746 derive representation theorems exchangeable di... 19747 replicator equation one fundamental tools stud... 19748 go gaming struggle territory control rival bla... 19749 laser writing ultrashort pulses provides poten... 19750 ensemble weather predictions require statistic... 19751 recent work pomerance shparlinski obtained res... 19752 note prove conjecture li qu li fu permutation ... 19753 recently speaker recognition performance degra... 19754 employers actively look talents specific hard ... 19755 study class anomalies associated timereversal ... 19756 present new model redshiftspace power spectrum... 19757 proven infinite finitely generated group canno... 19758 spin peltier effect spe heatcurrent generation... 19759 discuss numbertheoretic properties distributio... 19760 paper describe phenomenon named superconvergen... 19761 paper perform analysis leads space initial con... 19762 work reports electronic microstructural study ... 19763 fabricated nifetextrmotextrmx thin films mgalo... 19764 paper proposes new samplingbased nonlinear mod... 19765 study primary entanglement effect decoherence ... 19766 breast density classification essential part b... 19767 motivated recent progress analog computing sci... 19768 crucial challenge imagebased modeling biomedic... 19769 study optimal control problem arising generali... 19770 paper describes experience training team devel... 19771 purpose article analyze connection eynardorant... 19772 covalently linked acene dimers interest candid... 19773 discuss investigation student difficulties deg... 19774 paper first design time optimal control proble... 19775 knowledge graph structure web important unders... 19776 show convex differentiable loss function deep ... 19777 research automated vehicles experienced explos... 19778 paper deals nonhomogeneous scalar parabolic eq... 19779 phase changing materials pcm widely used optic... 19780 sortition ie random appointment public duty em... 19781 provide particle picture representation nonsym... 19782 generating adversarial examples critical step ... 19783 consider problem designing efficient regulariz... 19784 present model takes account coupling evolution... 19785 quality neural machine translation system depe... 19786 closecontact melting refers process heat sourc... 19787 complex networks graphs ubiquitous sciences en... 19788 accurate demand forecasts help online retail o... 19789 covariate shift learning scenario training tes... 19790 onedimensional systems obtained lowenergy limi... 19791 convolution inner product founding basis convo... 19792 paper presents robotic pickandplace system cap... 19793 develop various aspects classical enumerative ... 19794 spread online reviews ratings opinions growing... 19795 dual control problem presented optimal stochas... 19796 propose graph priority sampling gps new paradi... 19797 paper studies optimal investment problem rando... 19798 emergence nature amplitude mediated chimera st... 19799 photons distant astronomical sources used clas... 19800 major challenge computational chemistry genera... 19801 measurements cosmic microwave background spect... 19802 decade scientists nasas jet propulsion laborat... 19803 proteins moderately stable long debated whethe... 19804 provide proposal motivated separation variable... 19805 monotone drawing graph g straightline drawing ... 19806 graph data models widely used many areas examp... 19807 remark sparse carleson coefficients equivalent... 19808 discovering business rules business process mo... 19809 combine features extracted pretrained convolut... 19810 context planet formation pebbles proposed solv... 19811 show nsop theories exactly theories kimindepen... 19812 heterogeneity studied one common explanations ... 19813 magnetorotational instability mri thought powe... 19814 individual subjected exposure developed outcom... 19815 well known milgroms mond modified newtonian dy... 19816 present framework testing independence two ran... 19817 survey article based authors lectures ams summ... 19818 surface metal glass plastic objects often char... 19819 oscillatory behavior solutions differential eq... 19820 recent years variational autoencoders vaes sho... 19821 boltzmann exploration classic strategy sequent... 19822 sophisticated reinforcement learning rl system... 19823 present quantum algorithm compute entanglement... 19824 jiangmen underground neutrino observatory juno... 19825 recent work explored problem autonomous naviga... 19826 state space models system state finite setcall... 19827 study number graph exploration problems follow... 19828 fourierwalsh expansion boolean function f colo... 19829 oxygendeficient tio rutile structure well tio ... 19830 auxetic materials novel class mechanical metam... 19831 exploiting powerful tool strong gravitational ... 19832 autonomous agents must often detect affordance... 19833 revisit question whether steady states arising... 19834 trapping molecular ions sympathetically cooled... 19835 precise nature complex structural relaxation w... 19836 regularized optimization problem large unstruc... 19837 analyze effect intersiteinteraction terms stab... 19838 consider tackling singleagent rl problem distr... 19839 dissipation smallscale perturbations early uni... 19840 multisubject fmri data analysis interesting ch... 19841 knowledge transfer tasks improve performance l... 19842 grand unification theory gauge theories strong... 19843 richclub ordering refers tendency nodes high d... 19844 work propose integrate prediction algorithms s... 19845 inverse electromagnetic design emerged way eff... 19846 paper describes general scalable endtoend fram... 19847 show maximal sfree convex sets polyhedra set i... 19848 nearby ultraluminous infrared galaxy ulirg arp... 19849 motivated recent experimental observations alp... 19850 behavior interior test particle secular body p... 19851 katrin experiment aims determine neutrino mass... 19852 stabilization lasers absolute frequency refere... 19853 paper new type bin packing problem bpp propose... 19854 goal article clarify meaning computational thi... 19855 problem estimation relevance set histograms ge... 19856 paper present strategy synthesis acoustic sour... 19857 paper presents method reconstruction primary s... 19858 consider problem performing spoken language un... 19859 present method derive density scaling relation... 19860 advertisements unavoidable modern society time... 19861 study deep linear network endowed structure ta... 19862 apply theory partial flag spaces developed pre... 19863 robustness dynamical properties neuronal netwo... 19864 maximizing area receiver operating characteris... 19865 motivated problems data clustering establish g... 19866 describe rigid algebras irreducible components... 19867 paper compute discrete fundamental groups warp... 19868 investigate theoretical foundations simulated ... 19869 live world performing activities interacting o... 19870 advances astronomy intimately linked advances ... 19871 eliminating duplicate data primary storage clo... 19872 freeplay significant source nonlinearity aeroe... 19873 understanding user preference essential optimi... 19874 lowdimensional embeddings nodes large graphs p... 19875 assume fmathbbcn mathbbc analytic function ger... 19876 study convergence properties gibbs sampler con... 19877 point unique mechanism produce relic abundance... 19878 paper propose method using three dimensional c... 19879 setting global variational geometry grassmann ... 19880 paper revisit classic board games like pachisi... 19881 recent years citizen science grown popularity ... 19882 srv architecture segment routing based ipv dat... 19883 apply largescale computational technique known... 19884 pretrained word embeddings improve performance... 19885 start overview class submodular functions call... 19886 consider inverse problems determining potentia... 19887 tragedy commons toc occurs individuals acting ... 19888 linear growth operators local quantum systems ... 19889 multiplicative exponential linear logic mell p... 19890 multi robot systems potential utilized variety... 19891 riemannian covering mto complete riemannian ma... 19892 extend theory ground states classical heisenbe... 19893 present framework visionbased model predictive... 19894 give ktheoretic criterion quasiprojective vari... 19895 modern surveys provided astronomical community... 19896 propose novel approach towards adversarial att... 19897 show answer spatial multipleset intersection q... 19898 present framework calculate cascade size evolu... 19899 mongekantorovich distances otherwise known was... 19900 construct analog intrinsic normal cone behrend... 19901 old globular clusters gcs galaxy observed inte... 19902 domain adaptation actively researched recent y... 19903 report discovery minor planet sy exceptionally... 19904 using lindblad dynamics study quantum spin sys... 19905 study spatially homogeneous time dependent sol... 19906 consider minimization composite objective func... 19907 generative adversarial networks gans powerful ... 19908 propose statistical model natural language beg... 19909 low energy optical conductivity conventional s... 19910 work demonstrates nanoscale magnetic imaging u... 19911 superconducting detectors wellestablished tool... 19912 prove hilbert scheme points smooth threefold i... 19913 propose novel type tunable yagiuda nanoantenna... 19914 modified structures sapo prepared using polyet... 19915 support vector machines svms various kernels p... 19916 voltage deviations occur frequently power syst... 19917 convolutional neural networks cnns popular dee... 19918 traditional neural network approaches traffic ... 19919 tolman paradox well known base demonstrating c... 19920 analysing text algorithms computing superstrin... 19921 spinrelaxation conventionally discussed using ... 19922 information overloaded web personalized recomm... 19923 scholarly communication scope transcend limita... 19924 machine learning algorithms applied sensitive ... 19925 recently fabrication cdse nanoplatelets became... 19926 advances gnc particularly miniaturized control... 19927 unsupervised learning growing interest unlocks... 19928 define monodromy maps tropical dolbeault cohom... 19929 paper study problems discrete fourier transfor... 19930 word embeddings generated neural network metho... 19931 say abelian group gamma order n memphzerosumpa... 19932 cosmologies including strongly coupled sc dark... 19933 proof schemata variant lkproofs able simulate ... 19934 paper examines task detecting intensity emotio... 19935 using simulations wholeatmosphere chemistrycli... 19936 fundamental question biology organisms integra... 19937 conventional seismic techniques detecting subs... 19938 present novel approach achieve adaptable band ... 19939 medicines materials small organic molecules in... 19940 let hatl projective completion ample line bund... 19941 ensure robot able accomplish extensive range t... 19942 last decade tremendous strides achieved unders... 19943 develop polynomialtime heuristic methods solve... 19944 well known f test severly affected heteroskeda... 19945 feature representations pretrained deep neural... 19946 let p prime k field characteristic p investiga... 19947 recently general expression eckartframe hamilt... 19948 paper studies optimal trading problem incorpor... 19949 explore relationship features planck temperatu... 19950 estimating individualized treatment rules cent... 19951 finetuning physics cosmology often used eviden... 19952 experiments using nuclei probe new physics bey... 19953 machine learning ml models applied variety tas... 19954 introduce fraud deanonymization problem goes b... 19955 types instability interacting binary stars rev... 19956 interaction blockade phenomenon isolates motio... 19957 spider balloonborne instrument designed map po... 19958 wind shear measured doppler tracking huygens p... 19959 relativistic protocols proposed overcome impos... 19960 prove eigenstates manybody localized symmetry ... 19961 study formation massive black holes first star... 19962 study optimizationbased approach con struct me... 19963 show thirdparty web trackers deanonymize users... 19964 virtualization technologies evolved along deve... 19965 give integral formula total qprimecurvature th... 19966 internet things iot continuously growing conne... 19967 modelling information cascades online social n... 19968 living cells exhibit multimode transport switc... 19969 define various height functions motives number... 19970 paper studies dimension effect linear discrimi... 19971 fundamental questions nature matter energy fou... 19972 main aim paper prove rtriviality simple simply... 19973 present nearinfrared interferometry carbonrich... 19974 long shortterm memory lstm achieved stateofthe... 19975 welcome contribution falessi et al hereafter r... 19976 recent advances computer visionin form deep ne... 19977 recent research implies training inference dee... 19978 probability simplex set probability distributi... 19979 present novel condition term net work nullspac... 19980 every linear system partial differential equat... 19981 convolutional neural networks cnns successfull... 19982 dominant approaches action detection provide s... 19983 work introduces novel estimation method called... 19984 consider cauchy problem rn types damped wave e... 19985 unconventional dwave superconductors pairbreak... 19986 neuromorphic computing come refer variety brai... 19987 study junctions wilson lines refined sun chern... 19988 stochastic gradient algorithms studied since d... 19989 location terrestrial magnetopause mp subsolar ... 19990 using membranedriven diamond anvil cell ac mag... 19991 everyday robotics challenged deal autonomous p... 19992 malware constantly adapting order avoid detect... 19993 construct examples finite covers punctured sur... 19994 training convolutional networks cnns fit singl... 19995 identifying transport pathways fractured rock ... 19996 analyse archival cgrobatse xray flux spin freq... 19997 investigate basic applications fractional calc... 19998 present resolution images co associated contin... 19999 investigate equilibrium properties including s... 20000 influence dzyaloshinskiimoriya interaction spi... 20001 analyze osaka factory worker households early ... 20002 march noaa active region ar produced x flare s... 20003 prove every connected affine scheme positive c... 20004 deep neural network models proven successful i... 20005 arabic word segmentation essential variety nlp... 20006 paper studies electricity market consisting in... 20007 investigate existence sterile neutrino propose... 20008 protein crystal production major bottleneck st... 20009 present kepler object interest koi catalog tra... 20010 dark sector may contain dark photon kineticall... 20011 network epidemics model based classical polya ... 20012 describe general framework compressive statist... 20013 bandit structured prediction describes stochas... 20014 ability learn small number examples difficult ... 20015 faster rcnn one representative successful meth... 20016 datatarget pairing important step towards mult... 20017 present calipso interactive method editing ima... 20018 resolutions maximal sets compatible resolution... 20019 spectrum first order sentence set alpha gn nal... 20020 within past decades witnessed digital revoluti... 20021 introduce refinement classical liouville funct... 20022 presence certain class functions show exists s... 20023 conditional specification distributions develo... 20024 let mathcalb denote set bicolorings n bicolori... 20025 part considered problem convergence saddle poi... 20026 javascript systems becoming increasingly compl... 20027 phononic bandgaps parylenec microfibrous thin ... 20028 though deep learning pushing machine learning ... 20029 present semiparametric spectral modeling compl... 20030 present term rewrite system formally models me... 20031 complex networks static evolve along time give... 20032 potential critical risks cascading failures po... 20033 present comprehensive account proton radiation... 20034 consider onedimensional model spin glass indep... 20035 paper deform thermodynamics btz black hole rai... 20036 paper study rotationally symmetric solutions c... 20037 rank hierarchically hyperbolic space maximal n... 20038 recurrent neural networks showing much promise... 20039 statistical analysis sa complex process deduce... 20040 firstly suggest new cache policy applying duty... 20041 shapeconstrained density estimation important ... 20042 aim paper analyze array synthesis g massive mi... 20043 study gravitational octree code originally opt... 20044 instanton bundles mathbbp core research algebr... 20045 learning weights spiking neural network hidden... 20046 work propose train deep neural network distrib... 20047 analytical expression received effective inter... 20048 online social networks osn increasingly used p... 20049 characterize operatortheoretic properties boun... 20050 present results first observations hubble spac... 20051 derive gaugeon formalism kalbramond field theo... 20052 work authors give new method phase determinati... 20053 complex distribution networks pervasive biolog... 20054 deep learning methods employ multiple processi... 20055 increasing impact robotics industry society un... 20056 remote attestation ra allows trusted entity ve... 20057 social robots also known service assistant rob... 20058 paper solve inverse problem class mean field m... 20059 building complete inertial navigation system u... 20060 demonstrate photonic phononic crystals consist... 20061 experimental efforts detect redshifted cm sign... 20062 unify feeding feedback supermassive black hole... 20063 inherent noise observed eg scanned binary docu... 20064 online advertisers analytics services trackers... 20065 consider toda system fracdelta qneqnqneqnqntex... 20066 prove meromorphic mapping sends peace real ana... 20067 cameras widely exploited sensor robotics compu... 20068 time evolution energy transport triggered stro... 20069 chapter forthcoming handbook graphical models ... 20070 paper presents survey new applications algebra... 20071 hd excellent target investigate signs planetdi... 20072 mechanism ion bombardment induced magnetic pat... 20073 implement two algorithms mathematica classifyi... 20074 show model compression improve population risk... 20075 paper presents procedure retrieve subsets rele... 20076 space photometric missions steadily accumulati... 20077 present explicitly correlated formalism second... 20078 study algebrogeometric consequences quantised ... 20079 companies academic researchers may collect pro... 20080 fundamental problem neuroscience characterize ... 20081 deep reinforcement learning enables algorithms... 20082 article deals first detection gravitational wa... 20083 remarkably strong chemical adsorption behavior... 20084 work propose approaches effectively transfer k... 20085 derive priori estimates incompressible freebou... 20086 let liouville manifold smooth fiber lefschetz ... 20087 construct iterated function system consisting ... 20088 recent years seen tremendous growth many onlin... 20089 model development turbulent shear flows create... 20090 paper gives thorough overview solar car optimi... 20091 present study investigates way design dykes fi... 20092 fraction earlytype dwarf galaxies virgo cluste... 20093 paper reports first results direct dark matter... 20094 address problem epipolar geometry using motion... 20095 paper describes new modelling language effecti... 20096 new wave successful generative models machine ... 20097 consider ransac algorithm context subspace rec... 20098 though growing body literature fairness superv... 20099 research impact gestures using lecturer one ch... 20100 define infinite measurepreserving transformati... 20101 exciting branch machine learning research focu... 20102 consider system nonlinear partial differential... 20103 report development indium oxide ino transistor... 20104 paper changepoint problems long memory stochas... 20105 gravity assist manoeuvres one succesful techni... 20106 last years model checking interval temporal lo... 20107 next investigations program transition atom co... 20108 important emerging component planetary explora... 20109 consider motion incompressible viscous fluids ... 20110 study fundamental group complement singular lo... 20111 spectral clustering sc widely used data cluste... 20112 hyperbolic space shown capable modeling comple... 20113 present parameterized approach produce persona... 20114 recent studies revealed vulnerability deep neu... 20115 detection intermediate mass black holes imbhs ... 20116 examine possibility dark matter dm contributio... 20117 modeling inverse dynamics crucial accurate fee... 20118 new ternary mgnimn intermetallics successfully... 20119 recent advances field network embedding shown ... 20120 paper describes applications incremental imple... 20121 question paper whether rd efforts affect educa... 20122 global dynamics event cascades often governed ... 20123 revisit classical scenario communication theor... 20124 motivated contemporary rich applications anoma... 20125 main limitation constrains fast comprehensive ... 20126 consider cauchy problem repulsive vlasovpoisso... 20127 growing pressure cloud application scalability... 20128 level polytopes naturally appear several areas... 20129 learning learn emerged important direction ach... 20130 paper aims oneshot learning deep neural nets h... 20131 inverse problem determining unknown potential ... 20132 many engineering processes exist industry text... 20133 introduce framework using generative adversari... 20134 propose demonstrate novel laser cooling mechan... 20135 report close stellar companions detected highr... 20136 exploit recently derived inversion scheme arbi... 20137 effectiveness statistical machine translation ... 20138 short note prove f weak upper semicontinuous a... 20139 monte carlo tree search mcts extended many imp... 20140 propose search galactic axions mass microev us... 20141 datasets significant proportions noisy incorre... 20142 adversarial examples shown exist variety deep ... 20143 investigate two arithmetic functions naturally... 20144 lurking variables represent hidden information... 20145 fourier ptychographic microscopy fpm recently ... 20146 primary goal paper recast semantics modal logi... 20147 robotic assistants home environment expected p... 20148 let n k natural numbers k n study restriction ... 20149 present neural architecture takes input shape ... 20150 classify band degeneracies crystals screw symm... 20151 deep neural networks dnns popular days subject... 20152 propose new approach based local hilbert trans... 20153 paper second chapter three authors undergradua... 20154 wellknown axlerzheng theorem characterizes com... 20155 paper presents simple approach increase normal... 20156 introduce new method statistical analysis char... 20157 derive closed formula determinant hankel matri... 20158 technical report consider approach combines pp... 20159 maximal density measurable subset rn avoiding ... 20160 mass segmentation provides effective morpholog... 20161 transitive model zfc called ground universe v ... 20162 wildland fire fighting hazardous job key task ... 20163 high signaltonoise highresolution light scatte... 20164 sachdevyekitaev syk model concrete solvable mo... 20165 ward identities associated spontaneously broke... 20166 report growth epitaxial srruo films using hybr... 20167 antiprotontoproton ratio cosmicray spectrum se... 20168 precise localization repeating fast radio burs... 20169 thicket density new measure complexity set sys... 20170 gammangonal pair pair sf closed riemann surfac... 20171 online advertising progressively moving toward... 20172 quantum nature lightmatter interactions circul... 20173 critical properties singlecrystalline semicond... 20174 implement scalefree version pivot algorithm us... 20175 mconvex functions generalization valuated matr... 20176 bayesian matrix factorization bmf powerful too... 20177 successful deployment safe trustworthy connect... 20178 xenont experiment recent stage xenon dark matt... 20179 argue standard graph laplacian preferable spec... 20180 public space utilization crucial urban develop... 20181 two families symplectic methods specially desi... 20182 recent breakthroughs deep reinforcement learni... 20183 dirac nodal line semimetal bulk conduction val... 20184 let n positive multiple establish asymptotic f... 20185 process designing neural architectures require... 20186 traditionally complex intelligence architectur... 20187 central challenge modern condensed matter phys... 20188 consider path planning problem link robot amid... 20189 heterogeneous information networks hins ubiqui... 20190 dynamical phase transitions crucial features f... 20191 due capability reduce turbulent transport magn... 20192 predict geometric quantum phase shift moving e... 20193 wellgenerated complex reflection groups chapuy... 20194 magnetic properties bafeas surface studied usi... 20195 obtain explicit error expansion solution backw... 20196 combine spitzer groundbased kmtnet microlensin... 20197 paper presents class new algorithms distribute... 20198 atacama large millimetersubmilimeter array alm... 20199 endowing robots capability assessing risk maki... 20200 good parameter settings crucial achieve high p... 20201 study critical behavior general contagion mode... 20202 appearancebased robot selflocalization problem... 20203 currently witness emergence interesting new ne... 20204 propose method infer domainspecific models cla... 20205 genomewide chromosome conformation capture tec... 20206 proposed substantiated extraterrestrial object... 20207 show reverse language extended blocks local va... 20208 hubble space telescope photometry acswfc wfpc ... 20209 phylogenetic networks generalization evolution... 20210 gdeformability maps projective space character... 20211 atmospheric modeling lowgravity vlg young brow... 20212 ongoing innovations recurrent neural network a... 20213 separating audio mixtures individual instrumen... 20214 let positive integer x real number let ad x dt... 20215 triggered star formation around hii regions co... 20216 methodology softwaredefined robotics hierarchi... 20217 consider curved sitnikov problem infinitesimal... 20218 define hardy spaces hpomegapm halfstrip domain... 20219 recent years numerous vision learning tasks re... 20220 control task tracking reference pointing direc... 20221 computer programs always work expected fact om... 20222 vector composition vector mathbfell matrix mat... 20223 paper shows simple baseline based bagofwords b... 20224 deep learning profound impact many fields espe... 20225 use publicly available data millennium simulat... 20226 support vector machines svm kernel techniques ... 20227 paper considers problem approximating density ... 20228 study follow grossmann lohse phys rev lett der... 20229 renormalization method based taylor expansion ... 20230 numerical approximation elasticity problems co... 20231 paper consider problem estimating leadlag para... 20232 polymer model given terms beads interacting ho... 20233 distributed learning effective way analyze big... 20234 kriging gaussian process regression applied ma... 20235 past three years become evident fake news dang... 20236 deep learning stateoftheart fields visual obje... 20237 alzheimers disease prediction longitudinal evo... 20238 acquisition magnetic resonance imaging mri inh... 20239 present stateoftheart endtoend automatic speec... 20240 study focuses social structure interpersonal d... 20241 wellknown harishchandra transform fmapstomathc... 20242 consider estimation signal knowledge noisy lin... 20243 memristors recently received significant atten... 20244 introduce directed weighted random graph model... 20245 letter investigate performance multipleinput m... 20246 migration main process shaping patterns human ... 20247 establish grbnershirshov bases theory differen... 20248 conversion optimization means designing web in... 20249 paper investigates phenomenon emergence spatia... 20250 many biological agricultural military activity... 20251 consider minimization problems calculus variat... 20252 paper extend hermitehadamard type dotiscan ine... 20253 paper provides several statistical estimators ... 20254 paper compute epolynomials pglmathbbccharacter... 20255 modern computer architectures share physical r... 20256 show various supercongruences truncated series... 20257 layer normalization recently introduced techni... 20258 translating formulas linear temporal logic ltl... 20259 short note describes benefit one obtains speci... 20260 paper introduce new concept stability crossval... 20261 convolution properties discussed complexvalued... 20262 network densification heterogenisation deploym... 20263 investigate integration planning mechanism enc... 20264 paper propose novel recurrent neural network a... 20265 start point piecewise smooth vector field defi... 20266 difficult refold previously folded sheet paper... 20267 discuss general procedure construct integrable... 20268 hawkes process class point processes whose fut... 20269 rapid deployment operation key requirements ti... 20270 present analytical treatment threedimensional ... 20271 document describes submission localization tra... 20272 number component classifiers chosen ensemble g... 20273 lowrank modeling many important applications c... 20274 inspired importance diversity biological syste... 20275 community detection commonly used technique id... 20276 electronic friction ensuing nonadiabatic energ... 20277 explore notion quantum auxiliary linear proble... 20278 recurrent neural networks various types hidden... 20279 hydrogen bonding nucleobases produces diverse ... 20280 paper derives upper limit density rhoscriptsty... 20281 mobile edge caching enables content delivery d... 20282 develop online learning method prediction impo... 20283 study mass imbalanced fermifermi mixture withi... 20284 establish concrete criteria fully supported ab... 20285 standard photoacoustic imaging propagation sou... 20286 deep convolutional neural network cnn based sa... 20287 paper investigate fundamental limitations feed... 20288 identify graphene layer disordered substrate p... 20289 many approaches testing configurable software ... 20290 propose reinforcement learning rl based closed... 20291 consider parabolic allencahn equation mathbbrn... 20292 longtail phenomenon tells us many items tail h... 20293 realworld dataset provided pulpandpaper manufa... 20294 experimental setup consecutive measurement ion... 20295 recent book merchants doubt new yorkbloomsbury... 20296 paper deal wellknown nonlinear lorenz system d... 20297 preprint consider compare different definition... 20298 paper investigates computational complexity sp... 20299 hard problem consciousness dismissed illusion ... 20300 study interplay steinberg algebras partial ske... 20301 dirac equation relativistic electron waves par... 20302 though convolutional neural networks cnns surp... 20303 study crossover sudden quench limit adiabatic ... 20304 report strong interfacial exchange coupling bi... 20305 softwaredriven cloud networking new paradigm o... 20306 pid control architectures widely used industri... 20307 minhashing approach sketching become important... 20308 among macroeconomic indicators monthly release... 20309 understanding origin unintentional doping gao ... 20310 optic flow two dimensional special qualities a... 20311 neurons process information transforming barra... 20312 cyclic data structures cyclic lists functional... 20313 highorder harmonic generation hhg aligned acet... 20314 report set programs developed zmbh bioimaging ... 20315 many computationallyefficient methods bayesian... 20316 optical properties multilayer system dielectri... 20317 quadratic systems equations appear several app... 20318 illiquid markets obvious proxy market price as... 20319 propose novel method object pose estimation rg... 20320 human microbiome studies sequencing reads data... 20321 transition points mark qualitative changes mac... 20322 provide hybrid method captures polynomial spee... 20323 primarily motivated drug development process s... 20324 paper present cosimulation pid class power con... 20325 paper considered sub family exponential family... 20326 paper revisits problem optimal control law des... 20327 schumann resonance transients propagate around... 20328 learn navigate unmanned aerial vehicle uav avo... 20329 exploratory analysis network data often limite... 20330 algorithms increasingly inform influence decis... 20331 abridged paper revisit problem inferring inner... 20332 paper discuss general properties viscoelastic ... 20333 quasiparticle excitations fese studied means s... 20334 paper presents model based deep learning algor... 20335 janus type watersplitting catalysts attracted ... 20336 prevailing challenge biomedical social science... 20337 paper argues class riemannian metrics called w... 20338 work develops techniques sequential detection ... 20339 propose klucb algorithm regret minimization st... 20340 ordinary differential operators periodic coeff... 20341 set possible configurations ehrenfest windtree... 20342 study cooperative optical coupling regularly s... 20343 measures neuroelectric activity automatically ... 20344 present accurate electrical resistivity measur... 20345 one goals scaling sequential machine learning ... 20346 triple array rectangular array containing lett... 20347 learning algorithms natural language processin... 20348 axisymmetric fusion reactors equilibrium magne... 20349 introduce new sublinear space sketchthe weight... 20350 weiyi zhang noticed recently gap proof main th... 20351 article discuss mass transference principle du... 20352 twocolor photoassociation ca four weakly bound... 20353 provide criteria cyclotomic quiver hecke algeb... 20354 compare electronic structures single fese laye... 20355 regularization techniques widely employed opti... 20356 network models applied numerous domains data r... 20357 extrapolation methods use last iterates optimi... 20358 motion massive particle rindler space studied ... 20359 approximate markov chain monte carlo mcmc offe... 20360 search engines online marketplaces humancomput... 20361 real world many complex systems interact syste... 20362 previously controllability problem linear time... 20363 relate counting honeycomb dimer configurations... 20364 programming demonstration recently gained much... 20365 aiming financial applications study problem le... 20366 supervised learning based methods source local... 20367 revolution galaxy cluster science years away s... 20368 previous studies shown intermediate surface te... 20369 generative adversarial networks gans highly ef... 20370 present implement nondestructive detection sch... 20371 open case vizings conjecture every planar grap... 20372 present study lowfrequency radio properties st... 20373 known initialboundary value problem certain in... 20374 wheeled ground robots limited exploring extrem... 20375 studying flockingswarming behaviors animals on... 20376 developing system humanrobot communication ena... 20377 recent turn towards quantitative textasdata ap... 20378 introduce lattice gas implementation based coa... 20379 present paper investigate influence retarded a... 20380 unconventional superconductivity superfluidity... 20381 problem controlling mean variance species inte... 20382 big finegrained enterprise registration data i... 20383 paper presents novel technique allows computat... 20384 recurrent neural networks rnns drawing much at... 20385 propose visionbased method localizes ground ve... 20386 consider geometrical optimization problems rel... 20387 time delay neural networks tdnns effective aco... 20388 paper proposes new model extracting interpreta... 20389 view neural network distributed system neurons... 20390 consider twonode tandem queueing network upstr... 20391 letter present new robotic harvester harvey au... 20392 ami observations towards ciza j comparison obs... 20393 orthognathic surgery dental splints important ... 20394 energytransport equations transport fermions o... 20395 report ab initio density functional calculatio... 20396 making sense wasserstein distances discrete me... 20397 xray emission associated accretion onto compac... 20398 develop riemannian stein variational gradient ... 20399 springantispring systems investigated possible... 20400 study extensions polytopes combinatorial optim... 20401 given finite honest time derive representation... 20402 paper study implications conference program co... 20403 realworld networks difficult characterize vari... 20404 topological superfluid exotic state quantum ma... 20405 process liquidity provision financial markets ... 20406 paper describes design implementation audio in... 20407 variational autoencoder vae popular probabilis... 20408 consider sequence real data points xldots xn u... 20409 concept stochastic configuration networks scns... 20410 many database columns contain string numerical... 20411 address problem multiclass classification case... 20412 travel time route varies substantially time da... 20413 study planted problemsfinding hidden structure... 20414 polynomial chaos expansions pce seen widesprea... 20415 currently harness technologies could shed new ... 20416 prove gromovwitten theory gwt projective bundl... 20417 introduce concept numerical gaussian processes... 20418 quality experience qoe known subjective contex... 20419 deep learning still common tool speaker verifi... 20420 consider stochastic process controlled across ... 20421 discrminative trackers employ classification a... 20422 javascript code deployed wild minified process... 20423 theory navierstokes equations viscous fluid in... 20424 paper make important step towards blackbox mac... 20425 large neural network generalize well complex t... 20426 would like learn latent representations lowdim... 20427 deep convolutional neural networks cnns applie... 20428 mechanical oscillators heart many sensor appli... 20429 ip networks became dominant type information n... 20430 dynamical systems found nature rarely isolated... 20431 uncertainty quantification critical missing co... 20432 emphorbit problem consists determining given l... 20433 largeaperture experiment detect dark age leda ... 20434 making sense dataset automatic unsupervised fa... 20435 widespread use machine learning ml techniques ... 20436 balance held brownian motion temporal regulari... 20437 working context muabstract elementary classes ... 20438 yangtze river subject heavy flooding throughou... 20439 classical causal inference assumes treatment m... 20440 reliable accurate affordable positioning servi... 20441 present several upper bounds height global res... 20442 shale gas plays important role reducing pollut... 20443 paper develops novel methodology using symboli... 20444 tracking divergence two initially close trajec... 20445 one important semiconductors silicon si used f... 20446 humans ultimate ecosystem engineers profoundly... 20447 paper describes simple yet novel system genera... 20448 paper give closetosharp answer basic questions... 20449 study interplay spin charge coherence singlele... 20450 paper introduction membrane potential equation... 20451 present compilation lego technic parts provide... 20452 conjecture formulated affine structure linked ... 20453 recent experiments show statistical impact sea... 20454 let g reductive algebraic group padic field nu... 20455 give general method extending unital completel... 20456 convolution greens function differential opera... 20457 manybody phenomena always integral part physic... 20458 performing bayesian data analysis using genera... 20459 increasing electric vehicle ev adoption recent... 20460 vulnerabilities password managers unremitting ... 20461 text survey crossvalidation define classical c... 20462 objective using traditional approaches brainco... 20463 index coding problem generalized recently acco... 20464 concerned inverse scattering problem extractin... 20465 thermoelectric energy conversion exploitation ... 20466 work study excitatory ampa nmda inhibitory gab... 20467 use coarse version fundamental group first int... 20468 study growth degrees many autonomous nonautono... 20469 laser heterodyne polarimeter lhp designed meas... 20470 availability big data recorded massively multi... 20471 aim paper give explicit formula nonsymmetric h... 20472 algorithm irreducible decomposition representa... 20473 note commentary modeltheoretic interpretation ... 20474 work ask following question visual analogies l... 20475 classical secretary problem one attempts find ... 20476 paper addresses challenges flexibly modeling m... 20477 analyzing spinspin correlation functions relat... 20478 cuore experiment tonscale cryogenic bolometer ... 20479 recently cauchycarlitz number defined counterp... 20480 networks provide informative yet nonredundant ... 20481 present synkhronos extension theano multigpu c... 20482 cell division site positioning precisely regul... 20483 consider system polynomials fldots frin mathbb... 20484 let g gln algebraically closed field odd chara... 20485 work focuses problem predicting transfer pedia... 20486 propose minority route choice game investigate... 20487 massive content users social personal professi... 20488 networked system often relies distributed algo... 20489 catalytic swimmers attracted much attention al... 20490 consider bogolubovde gennes equations giving e... 20491 penalized likelihood methods widely used highd... 20492 machine learning field computer science builds... 20493 use deep learning model trained patients blood... 20494 investigate possibility extending nonfunctiona... 20495 propose new variational bayes estimator highdi... 20496 scene modeling crucial robots need perceive re... 20497 order perform complex actions human environmen... 20498 study numerically entanglement entropy spatial... 20499 strongly interacting manybody systems consisti... 20500 casimir forces material surfaces close proximi... 20501 driven interest reasoning probabilistic progra... 20502 paper consider development numerical schemes m... 20503 localizationbased imaging revolutionized fluor... 20504 within standard model manybody localization ie... 20505 spectroscopic properties useful plasma diagnos... 20506 paper presents submissions university zurich s... 20507 consider generalizations sylvester matrix equa... 20508 viscoelasticity described since time maxwell i... 20509 adaptive optic ao systems delivering high leve... 20510 progress made understanding spontaneous toroid... 20511 wireless engineers business planners commonly ... 20512 scripting language described document first pl... 20513 consider abstract evolution equations onoff ti... 20514 spectral properties turbulent cascade fluid ki... 20515 blind source separation model multivariate tim... 20516 introduce notion z r gmixed cage z r gmixed ca... 20517 technique levitate measure threedimensional po... 20518 monero privacycentric cryptocurrency allows us... 20519 face image quality defined measure utility fac... 20520 networks represent agents interactions arise m... 20521 pairing symmetry newly proposed cobalt high te... 20522 search flatband solidstate realizations crucia... 20523 deep neural network hierarchical nonlinear mod... 20524 identify describe main dynamic regimes occurri... 20525 survey different classification results surfac... 20526 since introduction knyazev toward optimal prec... 20527 compare large suite theoretical cosmological m... 20528 work devoted variety dimensional algebras alge... 20529 present bayesian object observation model comp... 20530 investigate generation optical frequency combs... 20531 physical media like surveillance cameras socia... 20532 physical model threedimensional flow viscous b... 20533 localization anatomical structures prerequisit... 20534 let xdmu doubling metric measure space endowed... 20535 last decade remarkable neutrino physics partic... 20536 study several variants qgarnier system corresp... 20537 investigate luttinger model fixed box potentia... 20538 cosmological relaxation electroweak scale prop... 20539 solving hard computational problems semidefini... 20540 magnetically tunable feshbach resonances ultra... 20541 compressed sensing realvalued sparse vector re... 20542 momentum methods polyaks heavy ball hb method ... 20543 recovery approximately sparse compressible coe... 20544 despite recent advances memoryaugmented deep n... 20545 crystallographic stacking order multilayer gra... 20546 study variational ginzburglandau type model de... 20547 present multimodal nonlinear optical nlo laser... 20548 discovery new type uniform radiation located r... 20549 leibniz algebras certain generalization lie al... 20550 reconstruction skilled humans sensation contro... 20551 let x tx compact connected orientable cr manif... 20552 present work explore resistive circuits indivi... 20553 developed computational code dynaphopy allow u... 20554 change detection problem determine markov netw... 20555 context poor usability cryptographic apis seve... 20556 building dialog agents converse naturally huma... 20557 propose alternative framework existing setups ... 20558 paper presents statistical method singlechanne... 20559 understanding global optimality deep learning ... 20560 concepts tools network theory socalled lagrang... 20561 paper maximum principle cutoff function invest... 20562 paper extend improved pointwise iterationcompl... 20563 paper presents novel deep learningbased method... 20564 study following nonlocal diffusion equation he... 20565 fast efficient motion planning algorithms cruc... 20566 ever increasing size web relevant information ... 20567 paper fills gap aspectbased sentiment analysis... 20568 let x mathscrl lambda mathscrm mu finite measu... 20569 partial differential equations random inputs b... 20570 music relies heavily repetition build structur... 20571 massive multipleinput multipleoutput mmimo tec... 20572 split feasibility formulation inverse problem ... 20573 paper study superalgebra introduced authors pr... 20574 investigate preference profiles set mathcalv v... 20575 review based lectures given th saasfee advance... 20576 using representation theory cherednik algebras... 20577 show khovanov complex rational tangle simple r... 20578 study shocks forwardlooking expectations inves... 20579 work presents novel framework based feedforwar... 20580 slimness graph measures local deviation metric... 20581 despite immense popularity deep learningbased ... 20582 present olog kcompetitive randomized algorithm... 20583 present general framework studying regularized... 20584 sharing statistical strength phrase often empl... 20585 paper uses model symmetries instrumental varia... 20586 paper use classical electrodynamics show loren... 20587 assume observe sample size n composed pdimensi... 20588 pulsedlaser dry printing noblemetal microrings... 20589 increasing amounts data varied sources particu... 20590 paper proposes distributed consensus algorithm... 20591 secure private framework interagent communicat... 20592 covariate shift training source data testing t... 20593 enormous progress made variational autoencoder... 20594 demonsrtate electrical spin injection detectio... 20595 present algorithm rapidly learning controllers... 20596 scada protocols industrial control systems ics... 20597 despite significant functional roles betaband ... 20598 propose natural relaxation differential privac... 20599 paper propose quality enhancement network vers... 20600 main result paper discrete lawson corresponden... 20601 networks fundamental models data used practica... 20602 combining analytic geometric viewpoints concen... 20603 realization short bunch beam manipulating long... 20604 create fermionic dipolar nali molecules triple... 20605 let sigma arclength measure ssubset mathbb r t... 20606 consider diffusion new products discrete basss... 20607 substantial progress factoid questionanswering... 20608 quantum computer qc solve many computational p... 20609 recurrence networks powerful tools used effect... 20610 ocean general circulation models ogcms move pe... 20611 accelerators gpus limited memory deep neural n... 20612 understanding relationship structure lightharv... 20613 study stochastic multiarmed bandits many playe... 20614 highresolution noninvasive study intact spine ... 20615 number articles deal bohrs phenomenon whereas ... 20616 present class simple algorithms allows find re... 20617 increasingly polarized world demagogues reduce... 20618 study semidiscrete directed polymer model intr... 20619 paper introduce use personalized gaussian proc... 20620 paper provides results nonstandard hyperbolic ... 20621 unsupervised learning techniques computer visi... 20622 work explore problems detecting number narrowb... 20623 latent feature relational model lfrm generativ... 20624 ancient mindbody problem continues one deepest... 20625 investigate dependence transmission losses cho... 20626 standard interpolation techniques implicitly b... 20627 elementary introduction infinitedimensional pr... 20628 repair mechanisms important within resilient s... 20629 every real computable martinloef random real w... 20630 paper proposes use subspace tracking algorithm... 20631 consider particle dressed boundary gravitons t... 20632 study behavior exponential random graphs spars... 20633 proofcarryingcode proposed solution ensure tru... 20634 little known properties small cells poisson hy... 20635 investigate problem guessing discrete random v... 20636 paper methods forming travel company customer ... 20637 paper consider two rainfallrunoff computer mod... 20638 classification imbalanced datasets challenging... 20639 consider problems liveness verification livene... 20640 inference tails performed applying results ext... 20641 soil moisture active passive smap mission deli... 20642 discovered previously topological order parame... 20643 propose new model unsupervised document embedd... 20644 purpose work construct model functional archit... 20645 consider inverse problem parameter estimation ... 20646 hyperuniform disordered photonic materials hdp... 20647 scientific explanation often requires inferrin... 20648 crosslingual representations words enable us r... 20649 lattice integer span linearly independent vect... 20650 research design ghz class e power amplifier pa... 20651 study densesubhypergraph problem initiated chl... 20652 literature survey ontologies concerning securi... 20653 logicbased event recognition systems infer occ... 20654 graph isomorphism important computer science p... 20655 effect modification occurs effect treatment ou... 20656 growing body research focuses computationally ... 20657 recent work shown stateoftheart models highly ... 20658 exploiting wealth imaging nonimaging informati... 20659 independence system respect unknotting number ... 20660 consider theoretically ultracold interacting b... 20661 overview research laserplasma based accelerati... 20662 paper consider estimators additive functional ... 20663 van der waals heterostructures allotropes phos... 20664 provide surprising answer question raised ahma... 20665 scattering obliquely incident electromagnetic ... 20666 paper describes two supervised baseline system... 20667 paper concerned linear quadratic lq short opti... 20668 let xxiiinmathbbz dotsxixixidots sampling set ... 20669 mean objective cost uncertainty mocu quantifie... 20670 artificial neural networks popular effective m... 20671 curating labeled training data become primary ... 20672 many applications classifier learning training... 20673 today deal many data big data need make decisi... 20674 consider repeated newsvendor problem inventory... 20675 social networking sites twitter provided great... 20676 study class rings r property xin r least one e... 20677 effective riverine flood forecasting scale hin... 20678 consider frequency domain form proper orthogon... 20679 stochastic dominance fleqstg hold improve agre... 20680 electron lens serve effective mechanism suppre... 20681 search sterile neutrinos holographic dark ener... 20682 work present parallel fullydistributed finite ... 20683 improve system performance modern operating sy... 20684 interaction proteins dna key driving force sig... 20685 paper presents keypointnet endtoend geometric ... 20686 general theoretical framework derived recently... 20687 paper presents systematic approach computing l... 20688 atomically thin ptse films attracted extensive... 20689 present navrenrl approach navigate unmanned ae... 20690 digital image correlation dic widely used opti... 20691 classical idea evolutionarily stable strategy ... 20692 measurements highfrequency complex resistivity... 20693 paper presents empirical study applying convol... 20694 letter present measurement phasespace density ... 20695 e root lattice constructed modular curve x inv... 20696 present convergence rate analysis approximate ... 20697 give description complex geodesics study struc... 20698 recent advances bioinformatics made highthroug... 20699 article illustrates measure heterogeneity spat... 20700 planetesimals may form gravitational collapse ... 20701 covering system integers finite collection mod... 20702 asymptotic safety based nongaussian fixed poin... 20703 future predictions sequence data eg videos aud... 20704 paper presents modular inpipeline climbing rob... 20705 paper presents learningbased approach imprompt... 20706 work decay estimates derived solutions linear ... 20707 simple selfconsistent approach proposed simula... 20708 superconducting linacs capable producing inten... 20709 paper introduces concept sizeaware sharding im... 20710 explain unusual richness compactness abell pro... 20711 current work done see artery chance cardiovasc... 20712 last decade witnessed increase interest spatia... 20713 order understand physical hysteresis loops cle... 20714 finding reduceddimensional structure critical ... 20715 twosample summarydata mendelian randomization ... 20716 paper contains two parts description real elec... 20717 recently riemannian gaussian distributions def... 20718 power flow low voltage direct current grid lvd... 20719 prove adjoint bilinear restriction estimates g... 20720 note presents algebraic theory instruction seq... 20721 find patterns anomalies tensor multidimensiona... 20722 planning problems partially observable environ... 20723 message passing algorithm derived recovering c... 20724 explore borel complexity basic families subset... 20725 capable significantly reducing cell size enhan... 20726 information carrier modern technologies electr... 20727 typical framework boolean games bg player chan... 20728 let x connected open riemann surface let oka d... 20729 unidirectional control optically induced spin ... 20730 paper proposes novel deep reinforcement learni... 20731 generalized linear bandits glbs natural extens... 20732 pressure dependence structural magnetic superc... 20733 paper describes luminosos participation semeva... 20734 determine symmetrized topological complexity c... 20735 introduce intertwining operators among twisted... 20736 everincreasing architectural complexity contem... 20737 cooperative behavior real social dilemmas ofte... 20738 binary random compacts different proportions s... 20739 many realworld networks known attributed netwo... 20740 compute maximal halfspace depth class permutat... 20741 letter principal weakness published article li... 20742 many current scientific advances life sciences... 20743 capabilities detecting temporal relations two ... 20744 study central problem data privacy share data ... 20745 point simple variant syk model call csyk slr i... 20746 derive integrable equations starting autonomou... 20747 molecular dynamics based solving newtons equat... 20748 contamination covariates measurement error cla... 20749 consider process widehatlambdanlambdan lambdan... 20750 paper studies approximate null controllability... 20751 work study two families codes availability nam... 20752 present co mosaic map spiral galaxy ngc combin... 20753 obtained lowresolution optical micron nearinfr... 20754 blackbird unmanned aerial vehicle uav dataset ... 20755 motivation cellular electron cryotomography ce... 20756 article focuses quasilinear wave equation plap... 20757 given discrete group gammagldotsgm number kinm... 20758 consider task collaborative preference complet... 20759 emerging internet things iot one critical prob... 20760 study multiarmed bandit problem rewards realiz... 20761 physical properties intermetallic compound cer... 20762 based results second author define equivariant... 20763 spectral clustering singular value decompositi... 20764 solving linear programs using entropic penaliz... 20765 network latencies become increasingly importan... 20766 accurate diagnosis psychiatric disorders plays... 20767 accurate model patientspecific kidney graft su... 20768 introduce framework modeling sequential data c... 20769 develop efficient algorithms estimating lowdeg... 20770 present data streaming algorithms kmedian prob... 20771 consider capillary condensation transitions oc... 20772 melan equation suspension bridges derived assu... 20773 optimal path planning problems rigid deformabl... 20774 give sufficient condition verdier quotient ctc... 20775 sum n summands independently chosen two choice... 20776 detecting activities untrimmed videos importan... 20777 principal component analysis continues powerfu... 20778 nonlinear systems whose outputs directly propo... 20779 work present novel strategy correcting imperfe... 20780 paper studies effective separability subgroups... 20781 existing image denoising methods learn image p... 20782 mac address randomization privacy technique wh... 20783 paper proposed procedure construct completion ... 20784 note investigate representation type cambrian ... 20785 fitting linear regression models computational... 20786 consider linear groups contain unipotent eleme... 20787 discrete laplace operator ubiquitous spectral ... 20788 paper develop class decentralized algorithms s... 20789 today digital sources supply unprecedented com... 20790 gaussian processes gps important models superv... 20791 stateoftheart text detection methods specific ... 20792 aim paper introduce study large class mathfrak... 20793 robot awareness human actions essential resear... 20794 obtain necessary sufficient conditions bounded... 20795 many methods automated software test generatio... 20796 expected progress toward true artificial intel... 20797 recently claimed inflationary models inflectio... 20798 regularization matrix factorization mf approxi... 20799 temporal graph data structure consisting nodes... 20800 orbifold equivalence notion symmetry rely grou... 20801 standard contentbased attention mechanism typi... 20802 local multiplicities maxwell sets spaces versa... 20803 growing field largescale time domain astronomy... 20804 motivations shortread accuracy important downs... 20805 patient pain detected highly reliably facial e... 20806 tracking humans interacting subjects environme... 20807 introduce affine generalization counter automa... 20808 paper characterize several lower separation ax... 20809 consider row sequences vector valued padfaber ... 20810 work present novel background subtraction syst... 20811 paper establish second main theorem holomorphi... 20812 prove partially hyperbolic diffeomorphism one ... 20813 speech enhancement se aims reduce noise speech... 20814 reexamine interactions dark sectors cosmology ... 20815 existing zeroshot learning zsl models typicall... 20816 methodologically address problem qvalue overes... 20817 analysis noiseinduced synchronization opinion ... 20818 establish matterwave interference nearresonant... 20819 recent works shown synthetic parallel data aut... 20820 propose automatic method infer high dynamic ra... 20821 prove negative infinitesimal generator l semig... 20822 present three player bayesian game epsilon equ... 20823 recent work interpretability complex machine l... 20824 deep learning dl creates impactful advances fo... 20825 derive macroscopic dynamics selfpropelled part... 20826 spin hall effect found strong heavy transition... 20827 considering nests given space explore orderthe... 20828 introduce differential characters drinfeld mod... 20829 strong submeasure compact metric space x subli... 20830 professional baseball players increasingly gua... 20831 deriving master equation multipartite weaklyin... 20832 work presents method contact state estimation ... 20833 recent literature robotics community focused l... 20834 evaluation complexity convexly constrained opt... 20835 paper prove one level density results lowlying... 20836 existing approaches online convex optimization... 20837 causal discovery empirical data fundamental pr... 20838 investigate fredholm alternative plaplacian ex... 20839 precipitation hardening relies high density in... 20840 multiband phase variations principle allow us ... 20841 introduce new algorithm called cder supervised... 20842 integrable optics innovation particle accelera... 20843 propose empirical estimator preferential attac... 20844 learned boundary maps known outperform hand cr... 20845 magic major atmospheric gamma imaging cherenko... 20846 predicate encryption new paradigm public key e... 20847 galaxy clustering small scales significantly u... 20848 consider hypothesis dark matter dark energy co... 20849 demand mobile electronics continue shrink size... 20850 simplify construction projection complexes due... 20851 designing software systems geometric computing... 20852 planted partition problem n vertices random gr... 20853 business architecture ba plays significant rol... 20854 lack interpretability remains key barrier adop... 20855 probability modelling dna sequence evolution w... 20856 consider problem robust inference important ge... 20857 convolutional neural networks cnn locally conn... 20858 paper presents new results prediction linear p... 20859 population control policies proposed places em... 20860 neutralized drift compression experimentii ndc... 20861 many structured prediction problems particular... 20862 quantitative methods familiar geophysicists di... 20863 define right cartaneilenberg structure categor... 20864 quantum computing machine learning attracts in... 20865 paper provides new similarity detection algori... 20866 reminiscences interactions julian schwinger be... 20867 demonstrate siteresolved imaging strongly corr... 20868 develop unified continuum modeling framework v... 20869 fast timing capability xray observation astrop... 20870 article use lambdasequences derive common fixe... 20871 nested weighted automata nwa present robust co... 20872 study regularity solutions second order bounda... 20873 fourierchebyshev spectral method proposed pape... 20874 many biological cognitive systems operate deep... 20875 present paper companion paper villone rampf ti... 20876 propose dynamic edge exchangeable network mode... 20877 motivated advantages currentmode design brief ... 20878 obtain new bound incomplete gauss sums modulo ... 20879 functional magnetic resonance imaging noninvas... 20880 layered cuprate bicuo investigated using magne... 20881 paper study landau damping weakly collisional ... 20882 deep learning revolutionised many fields still... 20883 prove generating function overpartition mrank ... 20884 study decentralized machine learning scenario ... 20885 prove existence uniqueness strong solutions cl... 20886 propose evaluate new techniques compressing sp... 20887 sparse subspace clustering ssc one current sta... 20888 health related social media mining valuable ap... 20889 recently efforts made improve ptychography pha... 20890 fundamental question language learning concern... 20891 present form schwarzs lemma holomorphic maps c... 20892 paper focus comtype negative binomial distribu... 20893 contextual bandit algorithms minimize regret b... 20894 search engine tightly coupled social networks ... 20895 consider task semantic robotic grasping robot ... 20896 group g set cellular automaton ca transformati... 20897 present simplified treatment stability filtrat... 20898 existing shape estimation methods deformable o... 20899 recent years reinforcement learning rl methods... 20900 paper demonstrate genetic algorithms used reve... 20901 derive lower bound location global extrema eig... 20902 paper presents inscript corpus narrative texts... 20903 alphabedtttfi prominent example charge orderin... 20904 photometric stereo method estimating normal ve... 20905 present micro aerial vehicle mav system built ... 20906 high efficiency charge generation within organ... 20907 construct oneparameter family laplacians sierp... 20908 learning model parameters multiobject dynamica... 20909 given elliptic curve e finite field mathbbfq s... 20910 missing data recovery important yet challengin... 20911 microscopic artificial swimmers recently becom... 20912 show bounded lipschitz pseudoconvex domains ad... 20913 purpose provide fast computational method base... 20914 work details development threedimensional elec... 20915 paper studies optimal communication coordinati... 20916 study quadruple interrelated subexponential su... 20917 nowadays modern earth observation programs pro... 20918 define address problem unsupervised learning d... 20919 light recently proposed scenario asymmetryindu... 20920 part autonomous car driving systems semantic s... 20921 provide pair dual results stating coincidence ... 20922 prove existence solution semirelativistic hart... 20923 unification generalization operations two term... 20924 paper addresses question previously available ... 20925 risk diversification one dominant concerns por... 20926 todays telecommunication networks become sourc... 20927 management longlived radionuclides spent fuel ... 20928 two natural simplicial complexes associated no... 20929 due simplicity excellent performance parallel ... 20930 consider inverse problem recovering unknown fu... 20931 ability model shapes strengths iron lines sola... 20932 background several studies used phylogenetics ... 20933 aim paper generalize notion conformal blocks s... 20934 paper shows statistical analysis khz omega bro... 20935 work investigates macroscopic thermomechanical... 20936 analyze definitions generalized quantifiers im... 20937 paper consider problem predicting demographics... 20938 textual data compressed intelligently without ... 20939 detection proteinprotein interactions ppis pla... 20940 coupon collectors problem one mathematical pro... 20941 study accretion driven turbulence different in... 20942 outlier detection plays essential role many da... 20943 citys critical infrastructure gas water power ... 20944 years twitter become one largest communication... 20945 finitely presented ended group g semistable fu... 20946 paper addresses problem output voltage regulat... 20947 paper study quantum query complexity following... 20948 overset methods commonly employed enable effec... 20949 paper survey various implementations new data ... 20950 playing parrondos game qutrit subject paper sh... 20951 analyse multimodal timeseries data correspondi... 20952 key idea variational autoencoders vaes resembl... 20953 jackson martin proved strong ideal ramp scheme... 20954 performance deep learning natural language pro... 20955 article presents novel breakthrough general pu... 20956 ambiguities definition stored energy within di... 20957 construct hall algebra elliptic curve mathbbf ... 20958 queueing networks systems theoretical interest... 20959 using largescale deep learning approach applie... 20960 paper propose new algorithm based radial symme... 20961 present numerical evidence twodimensional surf... 20962 features applications quasispherical settling ... 20963 inference amortization methods share informati... 20964 study us operations researchindustrialsystems ... 20965 aggregate data metaanalysis statistical method... 20966 large interdatacenter transfers crucial cloud ... 20967 machine learning finding increasingly broad ap... 20968 polycrystalline diamond coatings grown cemente... 20969 present new approach identifying situations be... 20970 sum lognormal variates encountered many challe... 20971 recently optional stopping subject debate baye... Name: ABSTRACT, dtype: object
Following function contains the all three tasks for the sake of simplicity we dividied it in three parts.¶
# Clean the 'tweet' column
data['ABSTRACT'] = data['ABSTRACT'].apply(clean_text)
Step 3.6: Data After Processing¶
print("\n\nMulti-Label Abstract Classification System Data After Preprocessing:")
print("=================================================\n")
pd.set_option("display.max_rows", None, "display.max_columns", None)
print(data.head())
print(data.tail())
Multi-Label Abstract Classification System Data After Preprocessing:
=================================================
ID TITLE \
0 1 Reconstructing SubjectSpecific Effect Maps
1 2 Rotation Invariance Neural Network
2 3 Spherical polyharmonics and Poisson kernels fo...
3 4 A finite element approximation for the stochas...
4 5 Comparative study of Discrete Wavelet Transfor...
ABSTRACT Computer Science \
0 predictive models allow subjectspecific infere... 1
1 rotation invariance translation invariance gre... 1
2 introduce develop notion spherical polyharmoni... 0
3 stochastic landaulifshitzgilbert llg equation ... 0
4 fouriertransform infrared ftir spectra samples... 1
Physics Mathematics Statistics Quantitative Biology \
0 0 0 0 0
1 0 0 0 0
2 0 1 0 0
3 0 1 0 0
4 0 0 1 0
Quantitative Finance
0 0
1 0
2 0
3 0
4 0
ID TITLE \
20967 20968 Contemporary machine learning a guide for prac...
20968 20969 Uniform diamond coatings on WCCo hard alloy cu...
20969 20970 Analysing Soccer Games with Clustering and Con...
20970 20971 On the Efficient Simulation of the LeftTail of...
20971 20972 Why optional stopping is a problem for Bayesians
ABSTRACT Computer Science \
20967 machine learning finding increasingly broad ap... 1
20968 polycrystalline diamond coatings grown cemente... 0
20969 present new approach identifying situations be... 1
20970 sum lognormal variates encountered many challe... 0
20971 recently optional stopping subject debate baye... 0
Physics Mathematics Statistics Quantitative Biology \
20967 1 0 0 0
20968 1 0 0 0
20969 0 0 0 0
20970 0 1 1 0
20971 0 1 1 0
Quantitative Finance
20967 0
20968 0
20969 0
20970 0
20971 0
data.columns
Index(['ID', 'Tweet', 'anger', 'anticipation', 'disgust', 'fear', 'joy',
'love', 'optimism', 'pessimism', 'sadness', 'surprise', 'trust'],
dtype='object')
Step 3.7: Saving Cleaned Data as Seperate CSV File¶
data.to_csv("cleaned_abstract-data.csv", index=False)
data.columns
Index(['ID', 'TITLE', 'ABSTRACT', 'Computer Science', 'Physics', 'Mathematics',
'Statistics', 'Quantitative Biology', 'Quantitative Finance'],
dtype='object')
Step 4: Splitting Sample Data into Training Data and Testing Data¶
Train-Test Split¶
Purpose of Train-Test Split¶
Splitting the dataset into training and testing sets is a crucial step in the machine learning pipeline. It allows us to train our model on one subset of the data and evaluate its performance on another, unseen subset. This helps in assessing the model's ability to generalize to new data.
Why Split the Data First?¶
Before we can train a machine learning model, we need to split the data into training and testing sets. This ensures that we can evaluate the model's performance on data it hasn't seen during training. Additionally, we need to train the vectorizer (such as TF-IDF) on the training data to convert text to numerical features. Training the vectorizer on the training data ensures that it learns the vocabulary and importance of terms from the training set only, preventing any data leakage from the test set.
TF-IDF Vectorization¶
Definition of TF-IDF¶
TF-IDF stands for Term Frequency-Inverse Document Frequency. It is a statistical measure used to evaluate the importance of a word in a document relative to a collection of documents (corpus). The TF-IDF score increases proportionally to the number of times a word appears in a document but is offset by the frequency of the word in the corpus.
Term Frequency (TF): Measures how frequently a term occurs in a document.
- TF(t) = (Number of times term t appears in a document) / (Total number of terms in the document)
Inverse Document Frequency (IDF): Measures how important a term is.
- IDF(t) = log_e(Total number of documents / Number of documents with term t in it)
TF-IDF: The product of TF and IDF.
- TF-IDF(t) = TF(t) * IDF(t)
Reason for Selecting TF-IDF¶
TF-IDF is selected for vectorizing the text data because it not only considers the frequency of words within a document (like Term Frequency) but also adjusts for the fact that some words are generally more common than others (Inverse Document Frequency). This helps in highlighting the more meaningful words in a document and downplaying the less informative ones.
Using TF-IDF allows us to convert text data into numerical features that can be used to train machine learning models. This vectorization is essential for applying algorithms that require numerical input.
For more details on TF-IDF, you can refer to the scikit-learn documentation.
Splitting Data into Features and Labels¶
In this step, we separate our data into features (X) and labels (y). The features (X) are the input data that the model will learn from, while the labels (y) are the target values that we want to predict.
data = pd.read_csv('cleaned_abstract-data.csv')
# Separate features and labels
X = data['ABSTRACT']
y = data.drop(columns=['ID', 'TITLE', 'ABSTRACT'])
# Split the data into training and testing sets
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42)
# Feature extraction using TF-IDF vectorization
vectorizer = TfidfVectorizer(max_features=5000)
X_train_tfidf = vectorizer.fit_transform(X_train)
X_test_tfidf = vectorizer.transform(X_test)
# Check the shapes to ensure correct splits and transformations
print("X_train shape:", X_train_tfidf.shape)
print("X_test shape:", X_test_tfidf.shape)
print("y_train shape:", y_train.shape)
print("y_test shape:", y_test.shape)
X_train shape: (16777, 5000) X_test shape: (4195, 5000) y_train shape: (16777, 6) y_test shape: (4195, 6)
Explanation of Parameters¶
train_test_splitis a function from thesklearn.model_selectionmodule that splits the data into training and testing sets.X_trainandy_trainare the features and labels for the training set.X_testandy_testare the features and labels for the testing set.
Parameters:¶
X and y:
X: The features or input data, which in this case is the 'tweet' column containing the text data.y: The labels or target values, which in this case is the 'sentiment_type' column indicating the sentiment of each tweet.
test_size:
test_size=0.2specifies that 20% of the data should be used as the testing set, and the remaining 80% will be used as the training set.- The
test_sizeparameter determines the proportion of the dataset to include in the test split. In this example, 0.2 means that 20% of the data will be allocated to the test set, and 80% will be allocated to the training set. - Example: If the dataset contains 1000 samples,
test_size=0.2means 800 samples will be used for training, and 200 samples will be used for testing.
random_state:
random_state=42ensures that the split is reproducible. Using the samerandom_statevalue will always result in the same split.- The
random_stateparameter controls the shuffling applied to the data before applying the split. Providing a fixed value (e.g., 42) ensures that you get the same train-test split every time you run the code. This is useful for reproducibility and debugging. - Example: If you set
random_state=42, the data will be shuffled in the same way each time you run the code, resulting in the same training and testing sets.
By performing this split, we ensure that we have separate datasets for training and evaluating our model, which is crucial for assessing the model's ability to generalize to new data.
print(len(X_train))
print(len(X_test))
16777 4195
X_train
16466 investigate hybrid quantumclassical solution m... 4021 paper first prove diophantine system fzfxfyfuf... 17248 recent years many research works propose embed... 17239 singleparticle spectral function measures dens... 2966 investigate focusing coupled ptsymmetric nonlo... 16842 using theory cohomology support locus give nec... 10146 string theory notion deformed hermitian yangmi... 19054 paper presents new state estimation algorithm ... 19742 implicit discourse relation classification gre... 1303 report design sensitivity new torsion pendulum... 19907 generative adversarial networks gans powerful ... 15242 currently extensible access control markup lan... 6534 passage time indulgence information technology... 17075 large class modified theories gravity used mod... 1373 stream timestamped edges form dynamic network ... 17960 blog becoming increasingly popular media infor... 12539 letter studies joint transmit beamforming ante... 7913 study uniqueness complete biconservative surfa... 1135 proliferation mobile devices internet things d... 19486 real vector space nonoriented graphs known car... 426 single winner election several candidates rank... 5687 multiple generalized additive models gams type... 8692 present randomizationbased inferential framewo... 17572 paper new contribution aims explore impacts bi... 339 dependently typed languages coq used specify v... 19358 ionic solutions often regarded fully dissociat... 14691 amyloid beta peptides abeta implicated alzheim... 12534 work explored building automatic speech recogn... 7779 bayesian inference requires approximation meth... 3314 study quantum tunnelling dantes inferno model ... 20622 work explore problems detecting number narrowb... 12596 photoacoustic computed tomography pact emergin... 6954 work propose model estimating volatility finan... 7671 discuss correspondence knizhnikzamolodchikov e... 8364 work give first algorithms tolerant testing no... 3649 provide excess risk guarantees statistical lea... 10719 higgs resonance modes condensed matter systems... 2973 report discovery analysis metalpoor damped lym... 5407 due rapid growth world wide web resource disco... 2959 follow dual approach coxeter systems show weyl... 19608 general ai challenge initiative encourage wide... 129 dynamic languages often employ reflection prim... 13776 paper present results dynamic multivariate sca... 401 present efficient secondorder algorithm tildeo... 20148 let n k natural numbers k n study restriction ... 11420 diagnosis disease one major objective predict ... 4337 polymer solar cells considered promising candi... 15852 questionanswering qa video contents significan... 4605 turbulence leading candidate angular momentum ... 10957 many augmented reality ar applications operate... 20645 consider inverse problem parameter estimation ... 15334 assuming widelybelieved arithmetic conjectures... 18098 propose paralleldatafree voiceconversion vc me... 14875 graph signals offer generic natural representa... 13505 recently tewari van willigenburg constructed m... 12319 linear multilinear valuation finite abstract s... 15556 unlike web web page global url reach specific ... 19956 interaction blockade phenomenon isolates motio... 3269 understanding discovering knowledge gps global... 9320 graph models relevant many fields distributed ... 7985 highresolution imaging reveals large morpholog... 19723 introduce two tactics attack agents trained de... 17020 bacteria easily characterizable model organism... 19347 present online social media platform afflicted... 4525 paper consider backward time problem ginzburgl... 7285 singlephoton detectors space must retain usefu... 15348 deep learning model proposed predicting blockl... 18486 multiagent systems mas able characterize behav... 12477 paper introduces probabilistic framework kshot... 608 high signal noise ratio snr consistency model ... 20272 number component classifiers chosen ensemble g... 19 assigning homogeneous boundary conditions acou... 12434 temporal action proposal tap generation import... 14398 hamiltonian quantum calogerosutherland model n... 5915 starshades leading technology enable direct de... 5090 paper proposes method based signal injection o... 2487 study tries explain connection communication m... 16889 recent explosion applications dialogue interac... 7139 article studies confluence pair regular singul... 14652 hitomi xray satellite provided first direct me... 6239 onedimensional electron systems presence coulo... 15214 report measurement kll dielectronic recombinat... 4755 recent years supervised representation learnin... 16613 meteoric rise deep learning models computer vi... 10883 spinal cord stimulation enabled humans motor c... 18909 discuss amplification loop corrections quantum... 14217 problems information destination moving object... 16110 dark energy plus cold dark matter lambdacdm co... 7588 study problem edit similarity joins given set ... 13347 study phase diagram edge states twodimensional... 20801 standard contentbased attention mechanism typi... 3800 describe road led construction exploitation el... 11043 paper addresses question emotion classificatio... 18622 question continuousversusdiscrete information ... 14474 present synthesis detailed investigation struc... 11628 consider twophase flow two incompressible visc... 19254 propose new reinforcement learning algorithm p... 14055 current machine learning techniques proposed a... 1983 article consider hook removal operators odd pa... 7346 bag words bow represents corpus matrix whose e... 14930 joint analysis data multiple information repos... 19407 recently two new indicators equalized meanbase... 16577 build autoencoding sequential monte carlo aesm... 9418 study performance least squares estimator lse ... 17369 noisy pn learning problem binary classificatio... 657 best summary long video differs among differen... 15141 recent announcement neptunesized exomoon candi... 751 calculation caloric properties heat capacity j... 2081 hashing widely used largescale approximate nea... 13464 massive spread digital misinformation identifi... 16382 based median median absolute deviation estimat... 14368 let dilangle xrangle free dialgebra field gene... 13352 traditional abstract domain framework imperati... 4391 work offer framework reasoning wide class exis... 8537 contours may viewed outline image object type ... 13762 local graph partitioning key graph mining tool... 3410 brief introduction radar principles doppler ef... 16118 study upper bounds weierstrass primary factors... 19218 examine sensitivity love quasirayleigh waves m... 20087 construct iterated function system consisting ... 3652 key challenge modern bayesian statistics perfo... 13388 recent increase interest graph invariant calle... 4653 research presents model complex dynamic object... 17751 promising route realization majorana fermions ... 16844 although proportional hazard rate model popula... 47 nonclassical states quantized light described ... 20023 conditional specification distributions develo... 9264 time crystals phase showing spontaneous breaki... 9448 introduce signature payoffs family pathdepende... 20654 graph isomorphism important computer science p... 20334 paper presents model based deep learning algor... 5377 critical behavior random field model driven un... 17974 pharmacoepidemiology pe study uses effects dru... 15718 language corpus probability word occurs n time... 1944 consider following asynchronous opportunistic ... 17566 present result number decoupled molecules syst... 19084 metric learning aims learning distance consist... 8398 many samples sufficient guarantee eigenvectors... 11751 assistive robotic devices used help people upp... 8117 morpheo transparent secure machine learning pl... 12350 aim paper investigate stability prandtl bounda... 10156 accurate path integral monte carlo molecular d... 8149 misra project started mission providing worldl... 5165 knowing people live fundamental component many... 19693 unified viewpoint van vleck hermankluk propaga... 18321 consider higher order parabolic operator parti... 11075 macroscale robotics systems propulsion control... 14000 paper introduces framework speeding bayesian i... 16535 consider generation comprehension natural lang... 1213 paper gives drastically faster gossip algorith... 19526 wide variety applications including personaliz... 15068 fabricate highmobility ptype fewlayer wse fiel... 12761 entanglement central understanding manybody qu... 5438 paper describes approach triple scoring task w... 12970 let mathbbb unit ball complex banach space x p... 8267 paper establish new explicit upper lower bound... 8626 paper walgebras presented canonical colimits d... 2540 represent matrn functions terms schoenbergs in... 2912 recent success deep neural networks dnns drast... 1038 notes intended provide brief primer plasma phy... 19024 hybrid graphene photoconductorphototransistor ... 20581 despite immense popularity deep learningbased ... 4706 number visual question answering approaches pr... 729 introduce new invariant real logarithmickodair... 20732 pressure dependence structural magnetic superc... 10560 paper consider adaptive decisionmaking problem... 11986 volume contains proceedings mars second worksh... 7585 let qnn unit cube mathbb rn n mathbb n nondege... 10977 present projectively invariant description pla... 19038 derive analogues classical rayleigh fjortoft a... 542 let gwidehatsl denote affine kacmoody group as... 146 hegarty conjectured nneq mathbbznmathbbz permu... 4398 analytically derive elastic dielectric piezoel... 12099 investigate possible signatures halo assembly ... 13377 fast byteaddressable nonvolatile memory nvm em... 241 problem nonparametric detection signal gaussia... 16546 construct constant mean curvature surfaces euc... 3595 define emphvisual complexity plane graph drawi... 14554 paper deals homogenization problem onedimensio... 7199 consider network observation collection observ... 6077 describe general theory surfacecatalyzed bimol... 16027 paper study new class finsler metrics falphaph... 1952 learning detect fraud largescale accounting da... 8413 fundamental question reinforcement learning wh... 1594 widely recognized citation counts papers diffe... 9453 consider system r cubic forms n variables inte... 19050 global hypothesis tests useful tool context eg... 5018 study effect contingent movement persistence c... 13786 work study permutation synchronisation challen... 4119 chentsovs theorem characterizes fisher informa... 2680 propose multiscale edgedetection algorithm sea... 844 present multihop extensions recently proposed ... 11200 providing systems ability relate linguistic vi... 12301 tiev autonomous driving platform implemented t... 14505 symmetric nonnegative matrix factorization sym... 1783 study interacting majorana fermions two dimens... 20287 paper investigate fundamental limitations feed... 0 predictive models allow subjectspecific infere... 5928 make mixture milners picalculus previous work ... 16991 paper study emphthreefolds isogenous product m... 17436 multiple scattering ultra relativistic electro... 16303 models postulate lognormal dynamics interest r... 15794 prove abstract theorem giving langle trangleep... 2144 potential efficient ridesharing scheme signifi... 3665 multicore cpus standard component many modern ... 10868 stateoftheart speaker diarization systems util... 8527 recording spectra ground atmospheric turbulenc... 5871 information bottleneck ib method extracting in... 10882 portable computing devices include tablets sma... 2271 motivated intriguing behavior displayed dynami... 16694 paper study problem hyperball hypersphere pack... 12520 explore sequential decision making problem goa... 4373 vanishing gradient problem major obstacle succ... 9684 availability validated realistic fuel cost mod... 18287 optimal scheduling hydrogen production dynamic... 6443 present formalization convex polyhedra proof a... 7100 proved certain restrictions weights pair weigh... 8628 embarrassingly communicationfree parallel mark... 7472 introduce quiver gauge theory associated nonsi... 16746 paper introduces evolutionary approach enhance... 6237 bifurcation qualitative change family solution... 8193 observations powerful xray telescopes xmmnewto... 8088 part work developed exact diffusion algorithm ... 10010 genealogical networks also known family trees ... 4201 paper proposes efficient method computing sele... 18203 introduce novel formulation motion planning co... 3449 give general sufficient conditions controller ... 5527 th international conference automata formal la... 9982 propose new approach problem optimizing autoen... 18335 different questions related analysis extreme v... 19763 fabricated nifetextrmotextrmx thin films mgalo... 15256 ensemble kalman methodology inverse problems s... 12656 stabilizing defects liquidcrystal systems cruc... 413 study functional graphs generated quadratic po... 1175 curvature properties robinsontrautman metric i... 4671 formation brightfield microscopic image transp... 17958 aim characterizing largescale distribution ho ... 15835 prove local wellposedness regular spaces beale... 16051 present new qfunction operator temporal differ... 14878 ideas forge creatively individuals groups buil... 5927 prototypical hydrogen bond water dimer hydroge... 18802 obtain restrictions persistence barcodes lapla... 15279 article describes final solution team monkeyty... 15506 new largescale parallel multiconfigurational s... 13262 previously shown dyefilled microcavity produce... 16717 last years growing interest using financial tr... 18442 recent results grepstad lev used show weighted... 19438 effects subgridscale gravity waves gws diurnal... 14742 propose foundations synthetic theory inftycate... 5584 let mathcal c subcategory category topologized... 6847 developing appropriate design process conceptu... 6612 weak variancealphagamma process multivariate l... 13410 geometrical topological phases play fundamenta... 11936 investigate environmental quenching galaxies e... 9672 paper considers problem inliers empty cells re... 10476 explicitly implicitly dimensionality reduction... 8229 present novel method convex unconstrained opti... 10354 prove almost sure global existence scattering ... 7038 solve compressive sensing problem via convolut... 4707 pth degree hilbert symbol cdotcdot pktimesktim... 1413 use lowprecision fixedpoint arithmetic along s... 1130 study simultaneous collisions two three four k... 10184 like atiyah lie algebroids encode infinitesima... 16617 unsteady characteristics flow thick flatback a... 13405 present threedimensional cubic lattice spin mo... 10045 study weighted particle systems new generation... 1621 paper represent raptor codes multiedge type lo... 7858 applications safety security rescue robotics m... 5034 majority nlg evaluation relies automatic metri... 19534 demonstrate control resonance characteristics ... 12400 homology braid groups artin groups related stu... 4874 robust feature representation plays significan... 3298 multicarrierlow density spreading multiple acc... 15013 akari irc allsky survey provided twenty thousa... 15864 learning drive faithfully highly stochastic ur... 8280 study nodetrix planarity testing problem flat ... 11191 weak gravitational lensing alters apparent sep... 7488 paper presents distributed stochastic model pr... 9468 according traditional point view boltzmann ent... 18383 demonstrate optomechanical interference multim... 7575 biological artificial neural systems composed ... 8416 paper concerned design capacity approaching en... 12148 propose rankk variant classical frankwolfe alg... 9234 object tracking essential task computer vision... 14084 expertise annotators major role crowdsourcing ... 6741 one key differences learning mechanism humans ... 422 permutation polynomials finite fields wide app... 7136 study optimal investmentconsumption problem me... 9958 explore simplification widely used metageneral... 7649 handheld augmented reality commonly implements... 8188 study unique network dataset including periodi... 18884 recently vertical shear instability vsi become... 5203 new lower bound average reconstruction error v... 483 paper analyzes downlink performance ultradense... 3846 social relationships divided different classes... 12211 phenomenon selfsynchronization populations osc... 1315 manipulating topological disclination networks... 20187 central challenge modern condensed matter phys... 16190 robust pca problem wherein given input data ma... 4505 consider localized approach wellestablished se... 9572 orthogonal matching pursuit omp orthogonal lea... 1576 analyze running time saukassong algorithm sele... 20496 scene modeling crucial robots need perceive re... 10475 differential testing solve oracle problem appl... 14508 paper deals model order reduction parametrical... 19783 consider problem designing efficient regulariz... 8951 introduce simulations aimed assessing well wea... 14390 variational systems allow effective building m... 5709 understand biology cancer joint analysis multi... 1989 learning memory intertwined brain relationship... 9992 current prominence future promises internet th... 8387 first review classical results cloaking mirage... 17595 human populations exhibit complex behaviorscha... 19386 give necessary sufficient conditions zhangliu ... 5514 understanding feasible power flow region centr... 16007 networks elastic fibers ubiquitous biological ... 121 work presents new method quantify connectivity... 2609 study methods estimate drivers posture vehicle... 20097 consider ransac algorithm context subspace rec... 10679 schizophrenia mental disorder characterized ab... 5589 nowadays witnessing wide adoption machine lear... 953 show positive borel measure positive finite to... 15307 convolutional sparse representations form spar... 17180 anomalously large radii strongly irradiated ex... 14338 calculate oneloop electron selfenergy correcti... 11378 one varieties pores often found natural artifi... 18626 path planning autonomous vehicles arbitrary en... 1270 task board essential artifact many agile devel... 12227 cylindrical couette flow subject main focus lo... 1691 study possible connection different nonthermal... 18187 rdma increasingly adopted cloud computing plat... 20644 purpose work construct model functional archit... 18081 present search cii emission cosmological scale... 10915 investigate endtoend method automatically indu... 20141 datasets significant proportions noisy incorre... 19000 present new class decentralized firstorder met... 2974 paper explore remarkable similarities multitra... 8443 scenario recently reported order stabilize com... 13763 understanding detailed queueing behavior netwo... 16295 paper devoted factorization multivariate polyn... 16408 multiple colliding laser pulse concept formula... 6181 complex mathematical models interaction networ... 1208 consider squared singular values product stand... 12750 study problem variable selection linear models... 5866 coupled evolution eroding cylinder immersed fl... 8291 wasp hot jupiter system orbital period p textr... 13083 maximum rankdistance mrd codes extremal codes ... 12974 deep generative neural networks proven effecti... 1090 present evolution cosmic spectral energy distr... 3120 study problem computing textscmaxima set n ddi... 11552 introduce approach based givens representation... 6306 k n kc instance mdstpir problem comprised k me... 15321 framework laplacian transport described robin ... 1533 near pristine atomic cooling halo close star f... 5436 great interest recently applying nonparametric... 1411 paper presents triangular lattice photonic cry... 15311 explore solutions automated labeling content b... 8164 family sets said emphsymmetric automorphism gr... 2614 understand narrative humans draw inferences un... 2636 obtain spectral gap characterization strongly ... 14152 memorybased neural networks model temporal dat... 8147 oneparameter family longrange resonating valen... 2664 consider nilpotent element e simple complex li... 9931 bose condensation central understanding quantu... 12694 astronomy light curves sparse gappy heterosced... 7110 babson steingrmsson generalized notion permuta... 6352 short paper formulate parameter estimation fin... 19184 generalization performance classifiers deep le... 11788 intense pulsed ion beams locally heat material... 15008 neural autoregressive models explicit density ... 11608 multitask learning mtl led successes many appl... 17474 mathematical model emerging contaminants sorpt... 13534 usual approaches mechanics classical quantum p... 5290 temporal object detection attracted significan... 10105 effect monolayers oxygen hydrogen h possibilit... 17971 investigate nextgeneration laser pulses pw pw ... 16682 present deep neural network modelfree predicti... 6206 study set uniquely determined tilting cotiltin... 1767 aspects social interaction digitally recorded ... 6315 observation metallic ground states variety two... 10033 choosing indium gallium nitride ingan ternary ... 9653 address personalization issues image captionin... 15844 motivated stationkeeping applications various ... 15842 te nmr studies carried bismuth telluride topol... 12042 softmax standard final layer used neural nets ... 17393 symbolic data analysis sda emerging area stati... 8284 propose method estimating coefficients multiva... 10990 explore spectral properties capillary dye lase... 10113 consider supervised learning problem shallow n... 19831 exploiting powerful tool strong gravitational ... 4720 wind potential make significant contribution f... 10906 network coding discuss effect sequential error... 5414 consider scalar field profile around relativis... 1002 motivation p values derived null hypothesis si... 9526 present new algorithm constructive recognition... 15558 data compression popular technique improving e... 5945 present factorized hierarchical variational au... 8753 line field manifold smooth map assigns tangent... 5115 investigate dynamics nonlinear system modeling... 13775 frame question answering qa reinforcement lear... 18372 dyson demonstrated equivalence infiniterange c... 15526 recent einsteinpodolskyrosenbohm experiments g... 10404 study random conductance model lattice mathbbz... 11840 study extension active learning learning algor... 2146 recent progress computer vision dominated deep... 6863 plenty results obtained singleparticle quantum... 2662 proportional odds model gives method generatin... 9704 halting theorem establishes program turing mac... 10049 spite intrinsic onedimensional nature matrix p... 4339 paper proposes novel robotic hand design assem... 3194 study properties magnetic nanoparticles adsorb... 12733 structure nature water confined hydrophobic mo... 2953 present scheme nanoscopic imaging quantum mech... 16818 acoustic neutrino detection promising approach... 6715 compute second coefficient composition two ber... 4245 recognition actions video sequences many appli... 2310 granular materials complex multiparticle ensem... 4691 provide deterministic data summarization algor... 6039 naturally occurring radioisotope si represents... 11579 repairing locality appreciated feature distrib... 16085 recently demonstrated textured closed surfaces... 3795 volvox barberi multicellular green alga formin... 5182 evolutionary model emergence diversity languag... 1280 undeniable worldwide computer industrys center... 8342 integration multiple viewpoints became increas... 4436 relational structure mathbb x said reversible ... 11607 partially observable markov decision process p... 10331 multivariate normal set well known maximum lik... 8241 optical spectroscopy primary tool study electr... 15652 pandapower python based bsdlicensed power syst... 16155 pair typeii dirac cones pdte recently predicte... 20070 paper presents survey new applications algebra... 6084 compute cup product pairings integral cohomolo... 4625 reionization universe one important topics pre... 7695 paper propose method importing tensor index no... 222 inferring directional connectivity point proce... 3545 present strengthening lemma lower bound slice ... 9796 quantum phase transitions sudden changes groun... 2442 study complexity short sentences presburger ar... 15967 view universe genomic regions harboring variou... 17598 exists critical speed propagation line soliton... 1972 recent years constrained optimization become i... 1570 organic material anoxic sediment represents gl... 2281 recently sbmetric spaces introduced generaliza... 7172 time dependent quantum systems become indispen... 2021 study new model interactive particle systems c... 18253 paper proposes novel method automatically enfo... 20171 online advertising progressively moving toward... 13413 let lambda lambdak denote sequence complex num... 19570 complex finsler vector bundles studied mainly ... 2556 planets solar system divide neatly atmospheres... 18044 blackbox explanation problem explaining machin... 7462 present work addressed thesis introduces first... 3344 examine knotted solutions simple hopfion point... 902 quick shift popular modeseeking clustering alg... 8426 paper search existence invariant solutions bia... 181 construct schwingerkeldysh effective field the... 20253 paper provides several statistical estimators ... 13573 social affective relations may shape empathy o... 1853 investigate accuracy robustness one common met... 17521 paper proposes segmentationfree automatic effi... 17884 geophysical model domains typically contain ir... 20296 paper deal wellknown nonlinear lorenz system d... 18804 paper use new approach prove largest eigenvalu... 11895 integrated photonics leading platform quantum ... 1458 living systems function far away equilibrium r... 5226 repeated exposure lowlevel blast may initiate ... 15630 prove solution timedependent schrdinger equati... 19324 paper consider network processors aiming coope... 16205 reinforcement learning state real world often ... 1926 let finite dimensional real algebra division g... 17182 general underestimation risk something avoided... 8195 context solar observatories providing worldwid... 19131 hierarchical formation model galaxy clusters g... 3656 dynamic scaling analyses linear nonlinear ac s... 7713 poisson structures admit resolutions symplecti... 5787 study twodimensional geometric knapsack proble... 7932 paper approach controller design based cloud m... 8842 paper introduce weyl functional calculus mapst... 17146 knowledge graphs large useful incomplete knowl... 10895 challenging recognize facial action unit au sp... 17922 propose class particleincell pic methods vlaso... 7321 paper introduces algebraic multiscale method s... 13894 data aggregation promising approach enable mas... 13194 complex networks analyses many physical biolog... 9202 inverse relationship length word frequency use... 19754 employers actively look talents specific hard ... 17677 aspects preparation process performance degrad... 9623 symmetric nonnegative matrix factorization fou... 14457 show every uniformly recurrent subgroup locall... 17548 generative moment matching network gmmn deep g... 12005 given finitely aligned kgraph lambda let lambd... 3999 frankwolfe fw algorithm widely used solving nu... 7021 herewith attempt investigate cosmic rays behav... 18962 substitution isovalent nonmagnetic defects zn ... 6914 one key challenge talent search translate comp... 2086 human societies around world interact developi... 6301 work investigates training conditional random ... 20179 argue standard graph laplacian preferable spec... 8588 thesis present theoretical studies models self... 2589 interval estimation quantiles treated many lit... 12010 past two decades main focus research firstorde... 14991 many social networks exhibit underlying commun... 12462 performing high level cognitive tasks requires... 4527 galaxy data provided cosmos survey degree fiel... 18665 manifold calculus form functor calculus analyz... 15531 featured transition system transition system t... 4254 optimization procedure multitransmitter miso w... 19384 multitask learning mtl enhance classifiers gen... 14662 accurately predicting machine failures advance... 4783 classification involves finding rules partitio... 12784 network filaments embedded clusters surroundin... 8331 extend vector configurations general objects n... 4229 online social networks studied links users soc... 20603 realization short bunch beam manipulating long... 884 classical principal component analysis pca rob... 1039 paper extend atiyahguilleminsternberg convexit... 15716 existing approaches coexisting communicationra... 14539 propose method variable selection discriminant... 15396 perform zeeman spectroscopy rydberg electromag... 2445 consider problem undirected graphical model in... 13696 zeroshot recognition aims accurately recognize... 10705 systems synthetic biology much research focuse... 14040 given real number beta study associated betash... 19802 decade scientists nasas jet propulsion laborat... 11668 paper find condition finsler space kropina cha... 11264 models often defined conditional rather joint ... 2095 gaussian processes gps good choice function ap... 3857 generators classical specht module satisfy int... 19148 systematically analyzed magnetodielectric reso... 16605 magnetic domain wall dw motion induced localiz... 3477 matrix factorisation methods decompose multiva... 1010 algorithms often used produce decisionmaking r... 18864 use nonabelian poincar duality recover stable ... 15188 algebraic terms insertion npowers words may mo... 10788 present direct numerical simulations transport... 6740 mainstream research genetics epigenetics imagi... 16874 magnetic particle imaging mpi shown provide re... 18084 multiscale analysis stochastic bistable reacti... 934 word sense disambiguation wsd improves many na... 7732 quantum bits based individual trapped atomic i... 12593 construct absolutely normal number whose conti... 19228 study extreme scenario multilabel learning tra... 1343 measuring gases air quality monitoring challen... 16006 midinfrared mir spectral range pertaining impo... 359 present bilateral teleoperation system task le... 12489 say finite metric space x embedded almost isom... 19289 harness complexity highdimensional bodies sens... 959 consider quantum nondterministic probabilistic... 20184 let n positive multiple establish asymptotic f... 1148 investigation electronphonon interaction epi l... 2954 present deep learning approach isic skin lesio... 2051 instrumental variable iv methods widely used e... 18609 property proposition paper remarks davies uniq... 2054 show expected size maximum agreement subtree t... 5754 consider multicomponent quantum mixtures boson... 16419 report results dfvst atlas cold spot galaxy re... 7816 marketing power grid management purposes many ... 14829 paper presents new multitask learning framewor... 8453 study invasion fronts spreading speeds two com... 11398 introduce stopcode tolerant sct approach train... 10381 present model anisotropic compact star general... 5376 variety fundamental differences known separate... 16949 visuomotor tasks robots must compensate tempor... 19301 propose informationtheoretic framework quantif... 16721 discuss computability computational complexity... 11729 sterile neutrinos natural extensions standard ... 11945 feedback control actively dissipates uncertain... 14272 examine salient trends influenza pandemics aus... 10460 study focusses selfbalancing microgrids smartl... 9666 optimal learner prediction modeling varies dep... 15957 paper study gauss map free boundary minimal su... 3608 study asymptotic behavior max kappacut family ... 18408 famous pentagon identity quantum dilogarithms ... 18062 prove number iterations taken weisfeilerleman ... 8868 standard approach assessing performance partit... 12020 shown unit ball mathbb cn complex manifold uni... 5683 skewsymmetrizable cluster algebra mathcal prin... 18228 radio intensity polarization footprint cosmicr... 13576 paper study interplay lagrangian cobordisms st... 11206 well known normaized characters integrable hig... 9595 report phases corresponding critical lines qua... 8064 aim akaike information criterion aic widely us... 4788 using process algebra paper describes formalis... 20629 every real computable martinloef random real w... 7516 latent space models effective tools statistica... 2394 recently deep neural networks dnns regarded st... 14934 several growth models proposed literature scal... 8586 poor road conditions public nuisance causing p... 20388 paper proposes new model extracting interpreta... 18423 datadriven economy led significant shortage da... 16240 propose dynamical system tumor cells prolifera... 19628 consider learning submodular functions data fu... 13935 primordial black holes pbh could cold dark mat... 7293 kontsevich soibelman reformulated slightly gen... 18397 paper study simple splines riemannian manifold... 9060 landau level mixing plays important role pfaff... 8610 distance multivariance multivariate dependence... 9278 two general views causal analysis experimental... 3537 study present preliminary test steintype posit... 14812 concept leaderfollower stackelberg equilibrium... 14695 understanding cell identity important task man... 2746 supermassive black hole smbh binaries residing... 102 last decade wireless networks experienced impr... 15676 discovery topological insulators reformed mode... 1661 propose novel mechanism explains cored dark ma... 12475 inference spacetime varying signals graphs eme... 10515 paper presents laser amplifier based antirefle... 15239 radiative alphacapture alphagamma reactions pl... 11098 capturing structural temporal aspects interact... 12521 one goals g wireless systems stated ngmn allia... 5059 internet things iot still infancy attracted mu... 15931 concurrent systems form synchronisation typica... 8066 use drug combinations termed polypharmacy comm... 1694 wellknown result says euclidean unit ball uniq... 5215 propose dimensional reduction procedure stolzt... 11438 text extraction important problem image proces... 7763 functional window experimentally observed prop... 268 paper proposes expanded version local variance... 518 pointed generalized lambert series displaystyl... 8442 theoretically demonstrated emission circularly... 8929 renewed interest weak model sets due connectio... 12736 paper dark energy models universe filled wet d... 16189 paper introduce variable exponent local hardy ... 2358 relationship scientific knowledge development ... 15362 choice model class fundamental statistical lea... 937 eyes sample disproportionately large amount in... 10158 physics active systems selfpropelled particles... 14360 purpose present paper investigate fusion rule ... 19293 derive upper lower bounds policy regret tround... 14034 paper proposes model information cascades dire... 2134 develop reinforcement learning based search as... 9501 present transient source detection efficiencie... 20543 recovery approximately sparse compressible coe... 16659 codesign conditions design jumpingrule sampled... 20320 human microbiome studies sequencing reads data... 18853 empirical observations show ecological communi... 3119 topological data analysis persistent homology ... 15119 consider problem identity testing recovering i... 6626 wholebody torque control framework adapted bal... 1210 eisenhart geometric formalism transforms eucli... 4980 minimization length syntactic dependencies wel... 1085 background software development organizations ... 12386 widely accepted electric field alone fundament... 18552 define web categories describing intertwiners ... 6373 learning sparse linear models twoway interacti... 10134 discuss operational approach testing convex co... 11480 calibration individual based models ibms succe... 6308 present graph attention networks gats novel ne... 20168 precise localization repeating fast radio burs... 12795 given large graph determine similarity nodes f... 5332 large array telescope tracking energetic sourc... 3379 typically ai researchers roboticists try reali... 1318 development chemical reaction models aids unde... 1769 introduce computable actions computable groups... 9273 give explicit formula singular surfaces revolu... 11482 corteel savelief vuleti generalized concept ov... 8825 programmable packet processors p programming l... 18354 software systems static undergo frequent chang... 3562 robots begin cohabit humans semistructured env... 130 reductions transition systems recently introdu... 13761 topological cyclic homology refinement connest... 9509 making informed correct quick decision lifesav... 13454 recent advances neural networks inspired peopl... 6925 dtransitionmetals carbides zrc nbc nitrides zr... 1623 propose modified expectationmaximization algor... 16929 terramechanics plays critical role areas groun... 1825 scattering masscritical fractional schrdinger ... 16010 usability small devices smartphones interactiv... 10274 causal inference problem consists determining ... 4918 recently series reports wang et al superconduc... 17659 efficient descriptor model fast screening pote... 6788 protein gammaturn prediction useful protein fu... 16104 adversarial attack exploitative process minute... 4602 calculate ghost characters torus knot using sh... 18339 show totally geodesic submanifold teichmuller ... 9430 given samples unknown distribution p descripti... 16550 extensively explore networks weakly unbalanced... 2216 present novel continuous optimization method d... 2995 dimension reduction visualization staple data ... 3792 complex networks often used represent systems ... 17629 empirical work economics common report standar... 5464 linear mixed model lmm shown competitive perfo... 18627 training deep networks expensive timeconsuming... 16714 paper first attempt systematically study prope... 11627 second companion paper arxiv consider morphism... 6173 study time evolution thin liquid film coating ... 12285 current dominant paradigm imitation learning r... 3940 focus analysis planar shapes solid objects thi... 10845 counting objects digital images process replac... 12594 enticing users exploring open data remains imp... 4751 study special case analytical solution lippman... 13628 new detailed mathematical model dynamics immun... 20884 study decentralized machine learning scenario ... 7071 develop apply new techniques order uncover gal... 11862 communication present detailed study effect ch... 3223 present novel method frequentist statistical i... 6803 configuration three neutrino masses take two f... 13901 give new proof strong arnold conjecture period... 15393 kernelbased methods exhibit welldocumented per... 449 tudeng conjecture concerned sum digits wn n ba... 2264 give polynomialtime algorithm learning neural ... 11072 complement argument z garaev several ideas obt... 15591 present first simultaneous photometric spectro... 7780 two node variables determine evolution cascade... 19219 let varphimathbbfqtomathbbfq rational map fixe... 16112 paper prove positivity denominator vectors hol... 16047 concept distance covariancecorrelation introdu... 535 high redundant nonholonomic humanoid mobile du... 17870 designing software applications much effort pl... 18370 although recent progress deep neural network l... 1836 obtain rigorous upper bound resistivity rho el... 5749 integer k geq apply gluing methods construct s... 9452 duke imamoglu toth constructed polyharmonic ma... 18293 methods detecting structural changes change po... 19359 network embedding methodologies learn distribu... 19074 systems engineering se set processes documenta... 1890 discuss extensions results recent paper cherno... 9263 round functions used building blocks iterated ... 11325 despite fact observed gradient water content a... 17893 calculation nearneighbor interactions among hi... 7152 rapid growth services stream groups users come... 1688 motor system solve problem anticipatory contro... 8482 experimentally demonstrate operation josephson... 10149 reactive power compensation important challeng... 4614 nuclear magnetic resonance nmr spectroscopy on... 9051 eigenvector method umbrella sampling emus belo... 19363 paper addresses question neural dialog systems... 2449 develop complexity measure largescale economic... 6285 leonard pair pair diagonalizable linear transf... 20552 present work explore resistive circuits indivi... 4822 recent studies shown tuning prediction models ... 9185 word equations important problem intersection ... 454 present set effective outflowopen boundary con... 18696 standard general relativity universe cannot st... 19111 average radio pulse profile pulsar b double pu... 14193 protein pattern formation essential spatial or... 3852 developing intelligent vehicle perform humanli... 182 observables dual nature classical quantum kine... 14480 observability complex systemsnetworks focus pa... 7457 measure alignment shapes galaxy clusters trace... 7425 game analytics supports game development provi... 11890 fastica algorithm popular dimension reduction ... 20391 letter present new robotic harvester harvey au... 99 investigate effect dimensional crossover groun... 7786 survey article based authors lectures current ... 7336 lesion segmentation first step automatic melan... 7438 imprecise incomplete specification system text... 15545 stellar shells low surface brightness arcs ove... 2764 phase cresstii detector modules operated two y... 833 study fundamental tradeoffs statistical accura... 6549 interested probability two randomly selected n... 1707 prove arrow category monoidal model category e... 254 one key requirement effective supply chain man... 20207 show reverse language extended blocks local va... 10083 weyl semimetal nbp exhibits extremely large ma... 1302 first author introduced relative symplectic ca... 7547 demonstrate lightinduced localization coulombi... 14528 intelligent personal agent ipa agent purpose h... 8696 test coulomb exchange correlation energy densi... 16345 following roos say local ring r good finitely ... 6051 study presents systems submitted university te... 13360 describe embedding qwire quantum circuit langu... 3930 address problem emphinstance label stability m... 15010 game maps useful human players generalgameplay... 933 present prototype software tool exploration mu... 5042 context dynamic emission tomography convention... 14887 work focuses reliable detection segmentation b... 15461 detection frauds credit card transactions majo... 12416 argued many problems ambiguities standard cosm... 7608 study superconvergence property linear finite ... 2009 prove number p positive eigenvalues connection... 12683 amachine learning framework developed estimate... 7286 study parameterized complexity several positio... 2874 distributed algorithm described finding common... 8565 style transfer among images recently emerged a... 1037 let k fixed integer determine complexity findi... 2704 efficient extraction useful knowledge data sti... 4848 vallornothing transform bijective mapping defi... 9975 curated web archive collections contain focuse... 3357 citey yin generalized definition wgraph ideal ... 17701 variety energy resources identified flexible e... 18289 project explores public opinion supplemental n... 16982 casp extension asp allows numerical constraint... 11758 two channels said equivalent degraded space eq... 7120 paper new longterm survival distribution propo... 13052 random matrix theory rmt applied analyze weigh... 5426 using twisted denominator identity derive clos... 15041 recently proposal advanced detect unconstituti... 5743 study gap state pension provided italian pensi... 15084 work conducted survey different registration a... 19725 paper propose tensor train neighborhood preser... 11693 present article analyse behaviour new family k... 10714 study effect adaptive mesh refinement parallel... 20370 present implement nondestructive detection sch... 9459 failure rates high performance computers rapid... 7907 consider finitedimensional irreducible transit... 1540 present algorithm computes product two nbit in... 9482 use large sample sim galaxies constructed comb... 2697 timedomain global similarity tdgs method trans... 2286 important unsolved problem theory integrable s... 8403 dependent object types dot calculus formalizes... 10084 continuous cultures mammalian cells complex sy... 9396 paper construct properly embedded holomorphic ... 17587 sensitivity molecular dynamics changes potenti... 20003 prove every connected affine scheme positive c... 15656 magnetic adatom chain proximity coupled conven... 7911 purpose paper carry classical construction non... 18560 present quantummechanical model surfaceassiste... 9620 new generative adversarial network developed j... 16573 corotb one rare longperiod p days transiting g... 6289 almost decade passed since serendipitous disco... 10011 paper prove small data global existence soluti... 11994 changes network structure substantially affect... 13038 document provides detailed overview clubbsilhs... 8360 xu et al j asian earth sci bf reported approxi... 9347 paper deal timeinvariant spatially coupled low... 6271 bright ringlike structure emission cn molecule... 1333 letter propose new identification criterion gu... 6494 fog radio access network fran promising paradi... 15004 minimizing nuclear norm matrix shown efficient... 11036 vector quantization aims form new vectorsmatri... 10287 let g finite simple graph x subset vg differen... 1984 present paper consider modal propositional log... 5736 paper discuss existing approaches bitcoin paym... 2435 spat signal phase timing message describes lan... 12442 goal thesis implement tool given digital audio... 12566 many scientific engineering challenges ranging... 15467 multiple sequence alignment msa plays key role... 8886 investigate prime character degree graphs solv... 16584 autonomous driving presents one largest proble... 15963 testing conditional independence multivariate ... 13883 distributed computing environment consider emp... 7747 mechanism behind angular momentum transport pr... 18396 present work shows application transfer learni... 3920 pixel detector pxl heavy flavor tracker hft st... 15488 consider compound testing problem within gauss... 18292 neural models particular dvector xvector archi... 11195 selfdoping effect outer inner cuo planes ops i... 5525 paper presents speech technology center stc re... 11309 anomaly detection static networks extensively ... 5183 random walks heart many existing network embed... 2813 femtosecond optical pulses midinfrared frequen... 19418 machine learning models notoriously difficult ... 536 article discusses framework support design end... 7801 execution logs used process mining practice of... 1139 paper studies pde model growth tree stem vine ... 10392 enabling robots autonomously navigate complex ... 4116 find spectral curves corresponding known ratio... 16078 large number sensors control units networked s... 14406 paper address problem learning compact similar... 11655 paper give explicit expressions differentialdi... 7947 regular language l unionfree represented regul... 15643 mechanical properties cell depend crucially te... 14009 propose using storage ring edm method search a... 617 paper study random subsampling gaussian proces... 6723 let mathbbfq finite field given two irreducibl... 1310 scientific collaborations shape ideas well inn... 1012 light classic impossibility results arrow gibb... 15181 recently authors de wolff introduced imaginary... 9693 kernel methods median heuristic widely used wa... 3251 consider problem recovering lowrank matrix cli... 3547 present method gets input audio violin piano p... 17705 report sample highmass starless clump hmsc can... 16833 let x ldots xn iid sample mathbbrp zero mean c... 8045 report results twelve simulations collapse mol... 16699 internet things iot revolutionizing management... 6068 separating audio scene isolated sources fundam... 14972 understanding exoplanet formation finding pote... 8773 calculate disruption scale lambdarm sheetlike ... 6699 study four problems dynamics body moving fixed... 2209 paper propose general framework modeling insur... 17148 recently gave arguments two unique topological... 7650 paper propose distributed primaldual algorithm... 1121 conjunctivochalasis common cause tear dysfunct... 2656 present multiquery recovery policy hybrid syst... 3478 developers often try find occurrences certain ... 13357 consider novel stochastic multiarmed bandit pr... 20436 balance held brownian motion temporal regulari... 18010 consider multi armed bandit problem nonstation... 15046 soft microrobots based photoresponsive materia... 17268 paper propose fault detection isolation based ... 13740 channel convex constraint set finite augustin ... 19552 combining bayesian nonparametrics forward mode... 20959 using largescale deep learning approach applie... 3526 asynchronous parallel computing sparse recover... 17989 selfpaced learning hard example mining reweigh... 1835 plasma wakefield acceleration one main technol... 11091 give detailed proof facts blowup horizontal cu... 15915 paper provides results application boundary fe... 8797 let lk extension complete discrete valuation f... 1042 light traveling vacuum interacts virtual parti... 18685 investigate superconductinggap anisotropy one ... 6466 present collection eclipsing ellipsoidal binar... 982 tremendous increase internet traffic achieving... 16399 mathcalg group composition diffeomorphisms f b... 20189 heterogeneous information networks hins ubiqui... 14097 analyze lefttail asymptotics deformed tracywid... 2596 study strategic version multiarmed bandit prob... 7930 existing methods dealing knowledge updates dif... 17887 paper demonstrate subharmonic injection lockin... 4488 profitability fraud online systems app markets... 20094 address problem epipolar geometry using motion... 377 study nonparametric maximum likelihood estimat... 357 new shortorbit spectrometer sos constructed in... 19316 consider problem optimal dynamic information a... 20218 define hardy spaces hpomegapm halfstrip domain... 13520 let mathcala ldots mathcalak finite sets mathb... 14659 present oneparameter family mathematical model... 15006 measurement energy eigenvalues spectrum multiq... 13966 estimated connectomes means neuroimaging techn... 13003 analog network coding anc throughput increasin... 20566 ever increasing size web relevant information ... 20789 today digital sources supply unprecedented com... 11237 give finite presentations saturated cluster mo... 2234 new challenge learning algorithms cyberphysica... 12072 field failures failures caused faults escape t... 14883 inspired mirror symmetry investigate different... 13470 context transformation generalized context tra... 20043 study gravitational octree code originally opt... 8723 give extension rubio de francias extrapolation... 4352 brain computer interface bci provides promisin... 18072 applied predefined kernels also known filters ... 18654 paper prove analogue katorosenblum theorem sem... 7683 biological systems cell human brain inherently... 7051 submissions withdrawn arxiv administrators sub... 20639 consider problems liveness verification livene... 14736 transition mechanism jump processes two differ... 5513 finite word w length n contains n distinct pal... 19434 propose generalization mband case dualtree dec... 9634 work used recent cosmic chronometers data alon... 2718 deep learning models graphs achieved strong pe... 9912 report transverse relaxation rates ts cu nucle... 1256 present novel endtoend trainable neural networ... 2640 actions autonomous vehicle road affect affecte... 4318 wearable devices transforming computing humanc... 19923 scholarly communication scope transcend limita... 19692 neutron diffraction muon spin relaxation musr ... 2652 many problems machine learning related applica... 9022 present dynamic thermodynamic study orientatio... 7387 mathematical modelling tumor growth one useful... 10107 currently speech processing techniques use mag... 9665 accurate protein structural ensembles determin... 17800 paper concerned deterministic wave generation ... 1336 give criteria inverse system finite groups ens... 113 report influence spinorbit coupling soc febase... 6136 importance speaking style authentication human... 8687 hierarchical scheme clustering data presented ... 9805 liquid helium spin coldatom fermi gases exhibi... 6503 article introduce put vague hyperprior dirichl... 8726 fundamental challenge multiagent systems desig... 14860 paper establish carleman estimates forward bac... 4286 human pose estimation monocular images joint o... 16788 demographics dwarf galaxy populations long ten... 14601 graph embedding effective method represent gra... 17281 give algorithms construct nron desingularizati... 12138 paper present novel cache design based multile... 14560 traditional centralized energy systems disadva... 9888 whereas relationship criticality gene regulato... 15731 spectroscopically investigate hyperfine rotati... 6220 well known many optimization methods including... 11585 critically review recent debate doreen fraser ... 7958 g millimeter wave mmwave technology envisioned... 380 robots automated systems increasingly introduc... 11415 jupiters banded appearance may appear unchangi... 11121 given hermitian manifold mng gauduchon connect... 15017 metric search concerned efficient evaluation q... 17178 answer question durham hagen sisto proving tei... 20270 present analytical treatment threedimensional ... 8361 consider conservative hnon family perioddoubli... 15378 use direct numerical integration vlasov equati... 135 one important parameters ionospheric plasma re... 7479 paper randomizations scattered sentences keisl... 9983 present slow control system gather relevant en... 5714 dynamic economic dispatch valvepoint effect de... 12076 contributions discusses simulation magnetother... 13312 let zgh homogeneous space real reductive group... 5610 domain adaptation crucial many realworld appli... 16247 fusing satellite observations station measurem... 4745 electron transport layer etl plays fundamental... 12797 main purpose paper provide summary fundamental... 18817 paper develop numerical method solve nonlinear... 6896 active hypothesis testing problem formulated p... 14689 paper addresses problems quantum spectral curv... 20059 building complete inertial navigation system u... 2087 paper presents proposal story statically detec... 15289 machine learning impact people legal ethical c... 9682 realtime crime forecasting important however a... 18356 purpose uncertainty quantification uq reynolds... 3997 pseudoone dimensional pseudod materials newcla... 12850 study fermionic matrix product operator algebr... 9478 important property statistical estimators qual... 15050 densityfunctional theory dft revolutionized co... 12774 beam imaging detector developed coupling multi... 3288 observations cmb today allow us answer detaile... 10048 propose generalization neural network sequence... 425 paper presents novel model multimodal learning... 16933 cohomological ktheoretic stable bases originat... 17898 sensor selection refers problem intelligently ... 18642 semiexpository update rewrite ams ams memoir d... 4693 improvements entityrelationship er search tech... 12128 analytically construct infinite number trapped... 6688 report tunnelinjected deep ultraviolet light e... 20873 fourierchebyshev spectral method proposed pape... 5576 major challenge xray computed tomography ct re... 17407 kontsevich integral powerful link invariant ta... 10769 present paper proposes novel method quantifica... 8395 social media provides political news informati... 7826 autonomous systems substantially enhance human... 8144 one big challenge hinders transition braincomp... 8654 propose novel projection based way incorporate... 3214 neural timeseries data contain wide variety pr... 29 investigate density large deviation function m... 1833 despite intense interest realizing topological... 3658 adapt pingpong lemma historically used study f... 15490 consider framework proposed burgard kjaer deri... 9239 region interest roi alignment medical images p... 5598 rfold analogues whitney trick air since howeve... 19388 study quantum phase transition paramagnetic fe... 2197 brain display selfsustained activity ssa persi... 10519 generalization multiscale entanglement renorma... 14024 reporting lugiatolefever equation describing f... 3162 given xsbeta sbetacolon xtimes xto xtimes x se... 15984 highsignal noise observations lyalpha forest t... 9298 work describes firstprinciplesbased computatio... 12847 maximum posteriori probability map inference g... 653 computed tomography ct examinations commonly u... 6669 article attempted develop upwind scheme based ... 9680 present milabot deep reinforcement learning ch... 3234 spincaloritronic signal generation due thermal... 6425 cellular electron cryotomography cect imaging ... 2726 conducting large scale inference genomewide as... 1113 polarized extinction emission dust interstella... 13378 experience world multimodal see objects hear s... 17114 consider nonparametric bayesian approach estim... 5026 study twoplayer games counters objective first... 373 topology appeared different physical contexts ... 2099 plasmids autonomously replicating genetic elem... 17517 mapping advanced elements contemporary social ... 2993 report detection prebiotic molecule chnco sola... 6625 paper novel scheme synchronizing four drive fo... 10039 organized crime inflicts human suffering genoc... 1275 synthesized new layered oxychalcogenide laobia... 10827 customary conceive interactions constituents m... 4304 paper investigate periodic vibrations group pa... 10747 deep neural networks enabled progress wide var... 8382 nonorthogonal multiple access noma candidate m... 18053 transition metal dichalcogenides tmdcs twodime... 2132 dielectronic recombination dr dominant mode re... 9243 multiple root estimation problems statistical ... 13444 well known markov chain monte carlo mcmc metho... 15347 previous experiments found mixed results wheth... 18566 argue timesensitive networking tsn become de f... 10004 paper chua circuit five linear elements satura... 8091 sparse deep neural networksdnns efficient memo... 7428 dynamic evidence logics logics reasoning evide... 16372 paper examine convergence mirror descent class... 14905 let k field denote kt polynomial ring coeffici... 14253 relative root mean squared errors rmse nonpara... 862 paper study nonlinear partial differential equ... 14983 clustering samples according effective metric ... 12368 entrepreneurial scene suffers sick venture cap... 11067 vse transition metal dichaclogenide chargedens... 16135 paper derive family fast stable algorithms mul... 1720 turbulence challenging feature common wide ran... 15165 strassen shocked world showing two n x n matri... 17943 previous study algebraic formulation first fun... 13574 paper addresses dynamic difficulty adjustment ... 19433 oneparticle density matrix onedimensional tonk... 19179 given tournament positive integer k cpakcingt ... 638 tensionnetwork tensegrity robots encounter man... 13927 given graph n vertices integer k feedback vert... 4132 paper introduces first deep neural networkbase... 4622 instability liquid droplet traversed energetic... 566 present method improve accuracy footmounted ze... 10507 consider incompressible euler navierstokes equ... 8550 visualizing highdimensional data focus data an... 12619 study deep recurrent neural networks rnns part... 20864 quantum computing machine learning attracts in... 1305 work perform outlier detection using ensembles... 8390 paper present parallelization strategy distrib... 4303 approach presented making predictions function... 18530 fragmentation filaments dense cores thought im... 9250 study problem listdecodable gaussian mean esti... 8497 concept derivative coordinate functions proved... 11127 quantum computing moving rapidly point deploym... 17828 testing simplifying assumption highdimensional... 15821 discovering statistical structure links fundam... 6545 given odd vector field q supermanifold qinvari... 12396 even though evolution isolated quantum system ... 20947 paper study quantum query complexity following... 11850 using bmc beamline advanced photon source aps ... 10859 practical success boolean satisfiability sat s... 11119 topological dirac weyl semimetals host quasipa... 1795 data augmentation technique training set expan... 11727 strong electron interactions drive metallic sy... 19825 recent work explored problem autonomous naviga... 1057 many realworld analytics problems involve two ... 1964 cosmic ray muons average energy gev neutrons p... 2629 article proposes numerical scheme computing ev... 16976 conflictfree kcoloring graph assigns one k dif... 4816 computational prediction origin replication or... 10934 one major hurdles toward automatic semantic un... 5503 policy evaluation key process reinforcement le... 18495 magnetic resonance imaging mri widely applied ... 9658 give new proof ciocanfontanine kims wallcrossi... 10534 topic discovery witnessed significant growth f... 11358 study normal closure big power one several deh... 6812 paper extend several time reversible numerical... 7591 short high charge electron bunches drive high ... 15168 paper presents new approach understanding deep... 7506 propose novel denoising framework task functio... 7792 process induced efficiency variation major con... 9541 paper introduce new property twodimensional in... 5721 study anomalous prevalence integer percentages... 2543 report precise measurement atomic mass single ... 11443 motivated relatively delayoptimal scheduling r... 3884 taipan multiobject spectroscopic galaxy survey... 17342 paper propose new deep feature selection metho... 2275 convolutional neural networks cnns become domi... 9286 investigate formation early evolution star clu... 12704 background paper present approaches methods em... 420 new generation solar instruments provides impr... 284 recent advances stochastic gradient techniques... 998 introduce new family thermostat flows unit tan... 8359 heuristic tools statistical physics used past ... 3181 paper new distributed asynchronous algorithm p... 5020 technique nonredundant masking nrm transforms ... 6056 difficulty multiclass classification generally... 20805 patient pain detected highly reliably facial e... 19344 introduce notion stationary actions context ca... 11768 necessary sufficient conditions finite semihyp... 3834 present new matched filter algorithm direct de... 19178 use nonperturbative renormalization group appr... 4768 given subjective preferences n roommates nbedr... 3245 define abelian distribution study basic proper... 4281 imperative aspect modern science scientific in... 13118 recently lee cha two generalized classes discr... 4533 sampling technique become one recent research ... 19209 propose new active learning strategy designed ... 6808 photometry minor body extrasolar origin u oumu... 20601 networks fundamental models data used practica... 11872 give rigorous analysis statistical behavior gr... 8279 present panorama hpc architectures extremely h... 9252 using new general method prove existence rando... 18445 deal kernel theorems modulation spaces complet... 13754 gender inequality starts birth parents tend pr... 10505 flyby anomaly unexpected variation asymptotic ... 11832 consider closest lattice point problem distrib... 160 present novel datadriven nested optimization f... 10430 future observations cosmic microwave backgroun... 13884 known inputoutput approaches based scaled smal... 12009 present note study waldschmidt constants stanl... 682 unsupervised learning classification model des... 7317 present method construct numberconserving hami... 11244 electrostatic interactions play fundamental ro... 150 increasing commoditization computer vision spe... 15615 note derive backward automatic differentiation... 16210 prove family lattices rm slmathcalof f running... 3411 one challenges computational acoustics identif... 13073 study conditions spontaneously generating exci... 9253 consider chemotaxis problem onedimensional sys... 16333 winds predicted ubiquitous lowmass actively st... 9845 transient response power grids external distur... 13166 self consistent gw approach scgw applied calcu... 11726 visualization tabular datafor presentation exp... 16916 article proposed new elearning information tec... 7458 paper consider degenerate stirling polynomials... 16956 combining material informatics highthroughput ... 11400 linear nonlinear optical properties low dimens... 4315 bells theorem fascinated physicists philosophe... 6913 consider statics dynamics stable mobile threed... 18637 embedded fano manifold x introduce new invaria... 13033 date developing good model early intensive car... 2661 paper introduces consensusbased primaldual met... 18406 feedback control theory extensively implemente... 5653 let bf r pearson correlation matrix normal ran... 15276 present novel method solve image analogy probl... 3788 article prove carleman estimates generalized t... 6790 performed electronic structure calculations ba... 9010 paper presents new way design fuzzy terminal i... 1276 perfect matching nc deterministic fast paralle... 10528 recent pumpprobe experiments reported enhancem... 5937 paper addresses stability coauthorship network... 14479 teams possible lineups best chances opponents ... 9570 endowing dialogue system particular personalit... 16179 recent advances fully convolutional networks f... 18908 ordering dynamics selfpropelled particles inho... 116 glaucoma second leading cause blindness world ... 16488 work study nonlinear traveling waves density s... 6832 emergence new digital technologies allowed stu... 19691 increasing amount information absence effectiv... 12922 measure gate voltage vg dependence superconduc... 1112 study problem finding cycle minimum costtotime... 11040 widespread availability gps information everyd... 20219 recent years numerous vision learning tasks re... 18125 chromosome conformation capture hic technologi... 9040 embedded continual learning autonomous adaptiv... 16883 provide first quantum exact protocol dining ph... 19260 idea black hole spin instrumental generation p... 17719 starting langevin formulation thermally pertur... 3651 available possibilities prevent biped robot fa... 8585 let g abelian group subset g cyca denotes set ... 1255 prove pathbypath regularization noise result s... 3684 present triviaqa challenging reading comprehen... 14679 square arrays submicrometer columnar defects t... 15296 data knowledge representation fundamental conc... 19905 study spatially homogeneous time dependent sol... 20861 many structured prediction problems particular... 20780 paper studies effective separability subgroups... 2481 bayesian inference via standard markov chain m... 13922 paper study wireless packet broadcast system u... 8769 ergodicity output controllability shown fundam... 11193 explore several problems related ruled polygon... 18247 paper presents klout topics lightweight ontolo... 829 present exhaustive census lyman alpha lyalpha ... 16183 hydrogen peroxide ho important signaling molec... 1602 tackle problem template estimation data random... 12267 crossvalidation widely used selecting among fa... 5561 convolutional autoregressive models recently d... 3058 compression neural networks nn become highly s... 16228 well known every finite simple group generated... 12348 technical skill surgeons directly impacts pati... 9463 bitcoin underlying technology blockchain becom... 11038 paper consider regression problems onehiddenla... 14544 sobol sequences widely used quasimonte carlo m... 20729 unidirectional control optically induced spin ... 11453 according principle polyrepresentation retriev... 9387 address problem analyzing radius convergence p... 14292 fullerenes attracted interest possible applica... 12513 consider minimization objective function given... 18741 recently hydrodynamic description local equili... 15386 boundary value problem could represent transce... 8981 aim introduce generalized multiindex bessel fu... 10649 atlas collaboration replace tracking detector ... 17781 family qbetabeta geq markov chains said exhibi... 1921 evaluating generative adversarial networks gan... 12204 describe dimensions low hochschild cohomology ... 17964 lattice monte carlo simulations parallelizatio... 10495 simple polytope p said emphbrigid combinatoria... 19321 paper address problem spatiotemporal person re... 16151 recent advances generative adversarial network... 8694 factor analysis principal component analysis p... 12029 work introduces approach flat textureless obje... 3851 major bottleneck developing general reinforcem... 3938 prove given closure function smallest preimage... 7466 legged robots pose one greatest challenges rob... 17718 among large number promising twodimensional at... 15595 paper prove rigidity result equality case penr... 8875 propose monaural intrusive instrumental intell... 16206 assess range validity sgoldstinoless inflation... 15792 prove orbifold version zvonkines relsv formula... 14922 main purpose macrostudy shed light broad impac... 3607 using supercharacter theory identify matrices ... 14324 examine volume computation generaldimensional ... 1320 inspired success deep learning techniques phys... 14054 horseshoe prior proven noteworthy alternative ... 10572 investigate longtime stability sunjupitersatur... 5380 many engineers wish deploy modern neural netwo... 13141 many recent deep learning platforms rely third... 19647 scisports dutch startup company specializing f... 168 handwritten string recognition still challenge... 6210 propose experimentally demonstrate technique c... 8394 paper proposes approach rapid bounding box ann... 6186 paper derive second order estimate nd hessian ... 19523 massive multipleinput multipleoutput mimo syst... 14761 note expand technical issues raised citeppv au... 15494 show nonlinear schwarzian differential equatio... 4950 many audio signal processing methods formulate... 398 ionization atoms irradiated linearly polarized... 20751 work study two families codes availability nam... 7499 investigate standard model sm ubl gauge extens... 20828 introduce differential characters drinfeld mod... 149 principle democracy people govern elected repr... 3069 prove two main results concerning mesoprimary ... 8616 recently deep neural networks demonstrated exc... 94 vanadium pentoxide vo stable member vanadium o... 12840 paper presents feature encoding method complex... 7580 prove smooth well formed fano weighted complet... 11799 study parameter estimation parabolic linear se... 14700 let kbellpnbellqn ndimensional pqbohr radius h... 15862 cox proportional hazards model measurement err... 18183 major challenge designing neural network nn sy... 15729 investigate learning differential geometric st... 14888 telephone call centers offer convenient commun... 1496 three complementary methods implemented code d... 17093 objective research design ghz rf soi switch um... 15288 present second release valueadded catalogues l... 12544 give rather simple answers two longstanding qu... 4885 relational datasets modeled graphs keep increa... 13462 psychiatric neuroscience increasingly aware ne... 8854 classify number symmetry protected phases usin... 19675 consider gaussian vector mathbfzmathbfxmathbfy... 18656 question suitability transfer matrix descripti... 19501 much effort devoted device materials engineeri... 3746 study complexity approximating wassertein bary... 14687 generating graphs similar real ones open probl... 6756 prove rigorously exact nelectron hohenbergkohn... 10144 suggest new type ultrasensitive detector elect... 8902 kraichnan seminal ideas inverse cascades yield... 14355 multinational corporations use highly complex ... 4900 give upper lower bounds number solutions equat... 1929 rashba spin orbit coupling topological insulat... 7294 important challenge humanlike ai compositional... 19800 major challenge computational chemistry genera... 17877 consider thin normal metal sandwiched two ferr... 10281 artificial neural networks anns gained welldes... 16707 new approach solving illconditioned inverse pr... 1967 show exist complete minimal systems timefreque... 10781 consider estimating average treatment effects ... 5665 conditions geometric ergodicity multivariate a... 1634 accurate description spatial variations energy... 5996 enquire quasimanybody localization topological... 8030 main inspiration paper paper elek introduces c... 20746 derive integrable equations starting autonomou... 7828 suspensions selfpropelled bodies generate uniq... 15994 recent space missions provided information phy... 3318 deep convolutional neural networks achieved gr... 17466 paper define notion pullback lifting lifting c... 13174 present alma co j co j co j observations local... 1479 clustering algorithm applied cassini imaging s... 15471 banachs fixed point theorem contraction maps w... 926 cosmological parameter constraints observation... 1498 introduce notion koszul ainfinity algebra gene... 17344 provide complete picture asymptotically minima... 18718 witnessing increasing availability event strea... 10761 data volume heterogeneity digital music conten... 13597 let fxfx dots fmx f dots fm linearly independe... 12575 coherent optical response nm nm thick zno epit... 16492 compare results semiclassical sc quantummechan... 13546 big data problems frequently require processin... 16692 paper structural controllability systems fz st... 1332 next generation radio telescopes namely fivehu... 18758 application humanoid robots common field healt... 5149 paper considers multipair amplifyandforward ma... 19689 paper study classical construction lattices nu... 20336 prevailing challenge biomedical social science... 2688 internet things iot next big evolutionary step... 1714 let omega unbounded domain mathbbrtimesmathbbr... 16017 vehicle bypassing known negatively affect dela... 11662 paper investigate behavior thermoelectric dc c... 2059 study networks human decisionmakers independen... 20348 axisymmetric fusion reactors equilibrium magne... 9995 article second pair articles goldman symplecti... 19556 explore power spatial context selfsupervisory ... 16392 study koszul property standard graded kalgebra... 3855 propose general algorithm compute symmetry cla... 8568 set points mathbbrd acute three points set for... 4113 competition spinorbit coupling bandwidth w ele... 18419 computer scientists working bioinformaticscomp... 16366 geologic activity enceladuss south pole remain... 7369 magnetic response related paramagnetic meissne... 2715 usual condition volume geodesic ball close euc... 16094 forecasting fault failure fundamental elusive ... 12529 electrical forces background interactions occu... 316 nefarious actors social media platforms often ... 1923 lioso first example new class material called ... 13660 understanding structure scene vital importance... 12842 large body empirical results show temporallyex... 7221 solving partial differential equations using b... 8317 functions proteins rnas determined myriad inte... 8161 paper presents machine learning experiments pe... 2818 correlation networks used detect characteristi... 15099 growing interest developing accurate models al... 950 traditional neural network consumes significan... 18275 following decision reduce l beamcal moved clos... 9198 high frequency based estimation methods semipa... 19941 ensure robot able accomplish extensive range t... 10952 analysis industrial processes modelled descrip... 13089 consider frw cosmological model matter content... 20804 motivations shortread accuracy important downs... 30 large deep neural networks powerful exhibit un... 8292 many machine learning systems rely data collec... 1639 chirality shape motility evolve rapidly microb... 14313 hypothesis generation becoming crucial timesav... 7796 report joint work e jrvenp jrvenp rajala rogov... 5900 jd jacksons classical electrodynamics textbook... 19159 strong gravitational lensing galaxy clusters f... 10071 operation atomtronic battery demonstrated fini... 19577 paper first time study label propagation heter... 4456 provide unified framework compute stationary d... 13034 let varphiiiinfty sequence orthonormal polynom... 12711 research conducted develop method identify voi... 16003 persistence diagrams widely recognized compact... 17793 recent interest topological semimetals lead pr... 16634 regularization methods commonly used xray ct i... 7722 recent note author provides counterexample glo... 1965 number microorganisms leave persistent trails ... 7517 tackle challenge topic classification tweets c... 20765 network latencies become increasingly importan... 1584 advanced persistent threats apts stealthy atta... 2025 calice collaboration developing highly granula... 10877 paper propose novel unfitted finite element me... 6134 present latest major release version quantifie... 9668 markov decision processes mdps popular model p... 13391 convolutional sparse representations enjoy num... 15257 positron emission tomography pet functional im... 8612 present paper extends thermodynamic dislocatio... 4963 multiclass classifiers make prediction test sa... 10723 since first studies thermodynamics heat transp... 16055 independent component analysis ica problem lea... 7676 explore probabilistic model artistic text word... 11285 glance humans make rich predictions future sta... 2928 propose copula based method handle missing val... 13252 letter presents revised radiative transfer mod... 14741 define radon transform functor sheaves prove e... 19580 among asteroids exist ambiguities rotation per... 7765 article provide systematic way creating genera... 9962 notifications provide unique mechanism increas... 15033 formation deuterated molecules favoured low te... 11026 shannon entropy atomic molecular chemical phys... 20831 deriving master equation multipartite weaklyin... 20711 current work done see artery chance cardiovasc... 1593 origin ultrahighenergy cosmic rays uhecrs half... 2201 neutron beam monitors high efficiency low gamm... 10008 describe mergerevent gammaray mergr telescope ... 700 elementary rheory concatenation introduced use... 18374 previously unreported pbbased perovskite pbmoo... 16677 paper present expand upon procedures obtaining... 10076 independent tests aiming constrain value cosmo... 3693 locally recoverable code code finite alphabet ... 7530 neuralnetwork based speakeradaptive acoustic m... 3995 stateoftheart algorithms sparse subspace clust... 16534 aims paper focus occurrence glycolaldehyde hco... 1314 graph laplacian plays key roles information pr... 9651 paper give lowdimensional examples local cocyc... 764 surface tension flowing soap films measured re... 18177 lieb lattice exhibits intriguing properties ge... 4342 natural join inner union operations combine re... 7220 paper investigate simultaneous properties conv... 11103 purpose present new method evaluate accuracy e... 10407 largescale industrial processes closedloop con... 11341 stochastic block model widely used detecting c... 15413 refraction index quantized lossy composite rig... 38 present investigation supernova remnant snr g ... 3613 research uav scheduling obtained emerging inte... 1455 paper show defense relation among abstract arg... 6619 policy search algorithms require thousands tra... 14709 consider stochastic damped navierstokes equati... 10513 discussed effects basics graph transformations... 5274 irreversible processes play major role descrip... 2894 could use computer vision internet things usin... 5046 paper class neutral type competitive neural ne... 11636 virtue balmers celebrated theorem classificati... 18459 show onedimensional circle case closed smooth ... 8813 effective representation proteins crucial task... 7794 orthogonal matching pursuit omp widely used co... 6672 user datagram protocol udp commonly used proto... 14584 implicit schemes extensively used building phy... 1053 principle macroscopic motion systems thermodyn... 7912 present set full evolutionary sequences white ... 6846 let pzaazazazcdotsanzn polynomial degree n riv... 8270 dm tool used hundreds researchers perform comp... 7476 semiconductor quantum dots qds doped magnetic ... 17767 ordering theorems characterizing partial order... 10633 current gametheoretic demandside management me... 15079 search engines play important role everyday li... 14770 let mathfrakg hyperbolic kacmoody algebra rank... 2807 introduction zwanzigmorigtzewlfle memory funct... 17418 privatizing data useful strategy increasing pa... 19937 conventional seismic techniques detecting subs... 17798 paper examines standard model strongelectrowea... 304 weyl semimetal phase recently discovered topol... 8966 algorithmic issues concerning elliott local se... 9622 investigated formation circumstellar wideorbit... 11614 study bratteli diagram sylow subgroups symmetr... 20807 introduce affine generalization counter automa... 6243 humans take advantage real world symmetries va... 6270 focus two particular aspects model risk inabil... 8131 expectation emergence higher functions getting... 7664 propose predictability computability stability... 252 broad efforts underway capture metadata resear... 16025 paper proposes new family algorithms training ... 511 study problem testing identity given distribut... 9935 medical charts national census healthcare trad... 7998 paper applies hes new amplitudefrequency relat... 8079 give several sharp estimates class combination... 13544 paper propose generalized expectation consiste... 19710 show link open book realized strongly quasipos... 10322 paper consider community detection problem eit... 9012 two recent publications int j quant chem molec... 8439 suggested adversarial examples cause deep lear... 750 macronovae kilonovae arise binary neutron star... 9869 traditionally social sciences interested struc... 8094 article use strong law large numbers give proo... 10596 work aim explore connections dynamical systems... 742 introduce new techniques analysis neural spati... 20307 minhashing approach sketching become important... 176 recommender system important component many we... 12354 known connected sums positive torus knots conc... 15298 paper multiobjective mathematical model used o... 10221 nanotubes various kinds prepared last decade s... 14450 novel minutiabased fingerprint matching algori... 14187 propose general computational procedures based... 20201 study critical behavior general contagion mode... 17367 characterize nearinfrared nir dust attenuation... 4807 spatial distribution cherenkov radiation casca... 13911 preclinical magnetic resonance imaging often r... 2390 mathematical modelers long known rule thumb re... 18258 paper contribution classical cops robber probl... 8660 study massive two dimensional dirac operator e... 15777 aim paper define bivariate exponentiated gener... 10059 explore nonequilibrium evolution stationary st... 14462 tensor train tt decomposition provides spaceef... 381 use ontologies several domains semantic web in... 16245 one possible approach tackle class imbalance c... 5297 ngc one nearest luminous galaxies lmu lodot z ... 5268 propose nonstationary spectral kernels gaussia... 15808 twodimensional materials graphene mos attracti... 7356 sales applications characterized competition l... 6433 study fermionic topological phases using techn... 16640 paper give infinite family strings length lemp... 16301 basins convergence associated roots attractors... 6234 study application crossedproduct functors baum... 6138 study fundamental question lattice dynamics me... 3467 study conditional independence relationships r... 18101 seasonal patterns associated stress modulation... 4405 area efficient rowparallel architecture propos... 10777 information communications technology continue... 13595 electron cloud lead fast instability intense p... 10016 paper investigate computational complexity dec... 5468 prove exponential deviation inequality convex ... 984 wireless communication heterogeneous technolog... 439 study families varieties endowed polarized can... 14433 access large datasets deep neural networks dnn... 3781 convex body chasing problem given initial poin... 6128 consider problem learning binary classifier po... 8756 letter presents new spectralclusteringbased ap... 429 paper presents design implementation human int... 11503 paper present bubbleview alternative methodolo... 10935 paper describe easyinterface opensource toolki... 6648 correlation weak lensing cosmic microwave anis... 11833 capacity quantum channel characterizes limits ... 16751 recent experiments revealed diffusivity exothe... 15518 propose cooperative training cot training gene... 4881 let k field characteristic zero x free variabl... 10504 using nasairtf spex bass spectrometers obtaine... 5143 consider jacobi matrices eventually increasing... 20630 paper proposes use subspace tracking algorithm... 14962 parameterized algorithms way solve hard proble... 1226 deep impact spacecraft flyby comet phartley oc... 13683 endtoend learning treats entire system whole a... 9161 investigate properties entanglement onedimensi... 14487 investigate universal cover topological group ... 16060 consider problem improving kernel approximatio... 18833 informally information inconsistency property ... 903 recent years deep neural networks dnns rapidly... 8485 call efficient computer architectures introduc... 18691 propose simple mathematical model unemployment... 7353 paper advances state art text understanding me... 9363 scale invariance commonly observed component r... 5689 consider family meromorphic functions f form f... 20431 uncertainty quantification critical missing co... 2991 one significant goals modern science establish... 366 atacama large millimetresubmillimetre array al... 19226 giant radio galaxies grgs one largest astrophy... 5511 analysis software developed high aspect ratio ... 3079 initial rv characterisation enigmatic planet k... 15263 researchers use computational methods study co... 3016 paper study twosided tilting complexes preproj... 18768 ubiquity systems using artificial intelligence... 14918 puzzling transition discovered simulations ran... 11843 line bundles rational degree defined using per... 4988 report detailed analysis gravitationallylensed... 1653 propose method solve initial value problem ult... 17166 epidemiological models spread pathogens popula... 3422 often challenge associated tasks like fraud sp... 18824 many researches demonstrated dna methylation o... 20810 work present novel background subtraction syst... 11228 note prove paynetype conjecture behaviour noda... 17836 latent factor models recommender systems repre... 1206 behavior many complex systems determined core ... 14014 ufmc modulation among considered solutions rea... 9685 work show model timed discreteevent systems td... 9854 friction plays key role manipulating objects h... 15939 analysis cancer genomic data long suffered cur... 1486 phase transitions isotropic quantum antiferrom... 11906 deep learning thrives large neural networks la... 13588 paper consider family jacobitype algorithms si... 8481 paper investigates one fundamental issues cach... 85 advances geometric approaches optical devices ... 20186 traditionally complex intelligence architectur... 167 introduce minimal model evolution functional p... 9835 note investigate existence frames exponentials... 13079 rigid motion computation estimation cornerston... 10512 dynamic boltzmann machine dybm shown highly ef... 7661 automatic sleep staging challenging problem st... 5934 focus current research identify people interes... 20485 work focuses problem predicting transfer pedia... 3372 number formal methods exist capturing stimulus... 753 generative adversarial networks gans represent... 1418 paper adopt new noisy wireless network model i... 7316 using firstprinciples density functional calcu... 2254 study existence uniqueness minimal right deter... 4063 introduce first index built time text length n... 9780 understanding delayed information impacts queu... 20599 paper propose quality enhancement network vers... 7861 developers spend significant amount time searc... 9279 recent years significant progress made solving... 10810 quasiorder binary reflexive transitive relatio... 4244 rigorous bridge spikinglevel macroscopic quant... 14910 time domain terahertz spectroscopy typically u... 2438 flexibility key enabler smart grid required fa... 6242 study twodimensional massless dirac equation p... 2069 neurofeedback form brain training subjects fed... 15527 exist tilings plane pairwise noncongruent tria... 11830 distribution metals intracluster medium encode... 5224 information microscopically processed individu... 14444 blind source separation common processing tool... 18086 propose new technique singular vector canonica... 13819 introduce general methodology post hoc inferen... 1078 providing background discrimination tool cruci... 14147 learning algorithms learn linear models often ... 2175 consider problem universal joint clustering re... 4125 develop first bayesian optimization algorithm ... 624 increasing number proteinbased metamaterials d... 5083 work focus novel completion wellknown bransdic... 16470 among important hallmarks human intelligence a... 20537 investigate luttinger model fixed box potentia... 5999 model gatebased quantum computation qubits con... 4105 openmp shared memory programming model support... 13566 memorysafety violations prevalent cause reliab... 3550 industry video content providers vod iptv pred... 9039 demonstrate one see quantization geometry quan... 17328 simulationbased inference plays major role mod... 147 immersion f mathcal rightarrow mathcal c cell ... 6003 paper introduce notion central uextension doub... 10299 structural topological information play key ro... 16937 due proliferation online social networks osns ... 16602 smoothing one technique overcome data sparsity... 11775 motivation understanding functions proteins sp... 1354 managing dynamic information large multisite m... 6451 paper prove formulas represent twopointed grom... 20054 deep learning methods employ multiple processi... 17519 study n supersymmetric solutions supergravity ... 14328 generalize chimney model introducing nonlinear... 13995 prove grothendieck rings category mathcalctq q... 20350 weiyi zhang noticed recently gap proof main th... 18798 aim process discovery originating area process... 12860 higgs mechanism longrange coulomb interaction ... 7662 onedimensional wakefield generation equations ... 8685 consider gas independent brownian particles bo... 1083 design implement first private anonymous decen... 3604 extraction natural gas earth shown governed di... 14790 strengthening destroying network important iss... 6836 paper present current trends realtime music tr... 20938 textual data compressed intelligently without ... 8352 often claimed error cancellation plays essenti... 991 modern election campaigns political parties ut... 2447 use scattering network generic fixed initializ... 1887 tutorial provides gentle introduction kernel d... 12958 many recent studies motor system divided two d... 9734 neural networks grow deeper wider learning net... 19116 multiterminal secret key agreement problem pri... 6653 paper studies stability analysis dc microgrids... 13084 boltzmann equation integrodifferential equatio... 14558 phonetic segmentation process splitting speech... 13748 variational bayes vb also known independent me... 905 present terahertz spectroscopic study polar fe... 20845 magic major atmospheric gamma imaging cherenko... 18557 attach langle vee ranglesemilattice graph bold... 18750 generating diverse questions given images impo... 5489 iterative load balancing algorithms indivisibl... 8888 article use combinatorial geometric structure ... 12822 decisionmaking processes becoming data driven ... 14681 recently many studies demonstrated deep neural... 5998 earthquake early warning eew systems effective... 15315 chargeneutral circ domain walls separate domai... 16636 pepper robot become widely recognised face per... 17735 use cva cover credit risk widely spread limita... 3102 convex optimizationbased method proposed numer... 8151 investigate probabilistic graphical models all... 517 paper presents topology optimization framework... 4051 well known challenging train deep neural netwo... 14666 knaster continua solenoids wellknown examples ... 7536 study causal inference multienvironment settin... 10898 new approach using hyperbolicequation system h... 11354 establish natural connection qvirasoro algebra... 20439 classical causal inference assumes treatment m... 14942 deep neural networks become invaluable tools s... 18936 mathematical modelling shown activity geminid ... 20596 scada protocols industrial control systems ics... 9560 group synchronization requires estimate unknow... 4750 alternating automata widely used model verify ... 16938 deep learning advances algorithms music compos... 19114 regarding analysis web communication social co... 16597 consider kernel partial least squares algorith... 17747 xray spectra neutron stars located centers sup... 5100 investigate effect stress fluctuations stochas... 19445 topological data analysis tda recent fast grow... 6526 massive stars form dense clusters gravitationa... 16146 recently growing interest development statisti... 6864 many modern dataintensive computational proble... 10811 paper study controllability stabilizability pr... 18575 roller coaster ride turbulence tracer particle... 6815 results probabilistic analysis direct numerica... 13557 introduce algorithm wordlevel text spotting ab... 3107 presented study parentteacher disruptive behav... 2006 macquarie universitys contribution bioasq chal... 15528 paper study cauchy problem radially symmetric ... 5384 two wellknown turbulence models describe inert... 13172 liouville type theorems stationary navierstoke... 2733 bipartite networks manifest stream edges repre... 16137 multiple testing problem independent tests cla... 14442 paper presents novel analysis transmission pro... 14421 investigate impact spin anisotropic interactio... 11158 shape analyses tephra grains result understand... 1693 technique constructing conformally invariant t... 13644 witnesses medieval literary texts preserved ma... 20408 consider sequence real data points xldots xn u... 4385 human drives car along road first time later r... 17676 loosely speaking shannon entropy rate used gau... 11408 structured prediction energy networks spens si... 10352 work highlight connection incremental proximal... 3289 describe parallel adaptive multiblock algorith... 18215 many methods exist bipedal robot keep balance ... 2499 explicit description virtualization map modifi... 19091 introduce algorithm generate solve spinglass i... 6444 consider weight spectrum class quasiperfect bi... 19882 srv architecture segment routing based ipv dat... 18646 interactive session videoondemand vod streamin... 8931 physical properties polycrystalline materials ... 10497 trouv group mathcal gmathcal image analysis co... 11216 rnabinding proteins rbps play crucial roles ma... 52 constraint handling rules effective concurrent... 5272 modified camassaholm mch equation bihamiltonia... 18288 modified ac method based microfabricated heate... 19757 proven infinite finitely generated group canno... 2574 modern theories galaxy formation predict galax... 8374 powerful method pioneered swinnertondyer allow... 15791 selfannihilation dark matter particles mass me... 4220 present strong version abouzaids noescape lemm... 5861 spreading prevalence big data many advances re... 18460 field software engineering many new archetypes... 10801 article proposes new way construct computation... 8766 interpret augmented racks certain kind multipl... 14142 paper study inhomogeneous diophantine approxim... 14438 advent largescale heterogeneous search engines... 14491 paper present temperature field dependent neut... 10192 paper propose efficient transfer leaning metho... 1405 consider estimation worker skills workertask i... 13498 using numerical analytical methods describe ge... 4089 paper propose improvement flowpipeconstruction... 20542 momentum methods polyaks heavy ball hb method ... 13873 twodimensional nonoriented bin packing problem... 9214 dimerized kanemele model withwithout strong in... 6316 autonomous surface vehicles asvs provide effec... 12821 demand response dr programs emerged potential ... 17697 let pi heckemaass cusp form slmathbbz chichich... 3601 paper investigate multivariate sequence classi... 8948 seminal paper mcafee presented truthful mechan... 11214 propose minimal solution pose estimation using... 17189 differentiable systems paper means systems equ... 16463 multilevel converters found many applications ... 19771 purpose article analyze connection eynardorant... 2923 twopart paper details theory solvability power... 14843 classification shapes great interest diverse a... 1064 consider reconstructing signal x minimizing we... 18837 article dnnbased system detection three common... 16895 mendelian randomization mr popular instrumenta... 9415 human trafficking one atrocious crimes among c... 9375 article proposes depth comparative study popul... 18061 develop feedback control method networked epid... 1771 express two cr invariant surface area elements... 9416 may einstein published two coauthors famous ep... 12553 autonomous vehicles avs road safely efficientl... 19653 logicbased paradigms nowadays widely used many... 13955 full ranges hybrid plasmonmode dispersions dam... 6108 many timeseries data including text movies bio... 332 paper consider problem identifying type local ... 3989 paper considers challenging task longterm vide... 10062 show every bounded subset euclidean space appr... 683 investigate predictability several rangebased ... 3865 present combined chandra swiftbat spectral ana... 13408 propose demonstrate method calibrating atomic ... 9115 aging process growing old maturing one widely ... 1598 fieldaligned currents earths magnetotail tradi... 16650 microcolonies aggregates dozen thousand cells ... 20783 paper proposed procedure construct completion ... 8057 falling oil revenues rapid urbanization puttin... 19493 obtaining enough labeled data robustly train c... 16599 purpose paper investigate asymptotic behavior ... 9276 installation argus pixel receiver covering ghz... 2299 report structural optical temperature frequenc... 20022 presence certain class functions show exists s... 4467 lanczos method one standard approaches computi... 12723 elasticwave turbulence strong turbulence appea... 20280 paper derives upper limit density rhoscriptsty... 5169 late premet conjectured nilpotent variety fini... 4246 digital information encoded buildingblock sequ... 6415 waspb extreme hot jupiter day orbit suffering ... 5631 let scdot denote sumofproperdivisors function ... 10581 construction permutation trinomials finite fie... 9068 latest results benchmarking research presented... 14557 recent advances ultrafast measurement cold ato... 11854 describe purelymultiplicative method extending... 19991 everyday robotics challenged deal autonomous p... 1683 paper first attempt learn policy inquiry dialo... 4714 boseeinstein condensates tunable interatomic i... 20720 note presents algebraic theory instruction seq... 18658 paper propose perturbation framework measure r... 10653 calculate loop master integrals heavy quark co... 15774 paper prove refined version theorem tamagawa m... 578 hierarchical graph clustering common technique... 10030 nonnegative matrix factorization nmf widely us... 18636 paper introduce family delignelusztig type var... 334 tropical recurrent sequences introduced satisf... 17306 paper study infinitesimal symmetries newtonoid... 19094 metamaterial made stacked holearray layers kno... 19629 irreducible weight module affine kacmoody alge... 13094 let c smooth irreducible projective curve let ... 4585 paper design nonlinear state feedback controll... 20574 investigate preference profiles set mathcalv v... 5723 paper considers two different problems traject... 13738 date limit graviton mass using galaxy clusters... 16142 investigate noknowledge measurementbased feedb... 12659 femtosecond laser writing applied form bragg g... 18614 prove ple qinfty qpgeq p pqgeq q fracpfracpfra... 676 paper outlines methodology bayesian multimodel... 15839 error bound conditions ebc properties characte... 5102 information planning enables faster learning f... 12781 suggest efficient method resolve electronic cu... 14763 significant literature methods incorporating k... 7047 paper present working model automatic pill rem... 10786 spectroscopic study rydberg states helium n ma... 12908 real world networks often subject severe uncer... 782 paper define canonical sine cosine transform c... 13486 prove open gromovwitten invariants k surfaces ... 7654 study probable trajectories concentration evol... 7361 twenty years term cosmic web guided understand... 1796 transition metal oxides well known complex mag... 14941 formalize arithmetic topology ie relationship ... 14957 many smart infrastructure applications flexibi... 15723 twisted equivariant ktheory given freed moore ... 13271 construct cosection localized virtual structur... 18352 headline generation special type text summariz... 7738 social networks involve positive negative rela... 9723 paper proposes discontinuitysensitive approach... 183 let mg smooth compact riemannian manifold dime... 17002 current stateoftheart approaches spatiotempora... 3166 paper consider estimation problem concerning m... 4061 two new highprecision measurements deuterium a... 2297 recent breakthroughs computer vision natural l... 11073 ybacuoag pressure point contacts direct conduc... 6562 multilayer neural networks lead remarkable per... 20752 present co mosaic map spiral galaxy ngc combin... 2836 microservice architecture msa novel servicebas... 17819 speaker change detection scd important task di... 17221 use quarters textitkepler mission data analyze... 15940 graph fourier transform gft general dense requ... 6781 systems tightlypacked inner planets stips comm... 1955 propose novel randomized linear programming al... 19895 modern surveys provided astronomical community... 10043 paper establish connection nonconvex optimizat... 19133 construct two examples invariant manifolds des... 15884 increasing interests spinorbit torque sot vari... 9708 profound vitamin b deficiency known cause dise... 9008 logarithmic strain measures lvertlog urvert lo... 12832 multiplayer online battle arena become popular... 10815 consider task estimating highdimensional direc... 533 present simultaneous localization mapping slam... 15040 satellite conjunction analysis assessment coll... 469 carry comprehensive analysis letter frequencie... 19853 paper new type bin packing problem bpp propose... 10463 present results pilot nearinfrared nir spectro... 19371 attributebased recognition models due impressi... 19439 cricket game played two teams consists eleven ... 3761 finding semantically rich computerunderstandab... 18338 current processes building machine learning sy... 7046 recent studies shown deep neural networks dnn ... 17614 derive finite temperature keldysh response the... 15480 sampling lattice gaussian distribution plays i... 18703 present article work henri bnard french physic... 6695 work maximum entropy distributions space stead... 1266 simple robust genuinely multidimensional conve... 7115 every art form ultimately aims invoke emotiona... 19318 paper consider problem distributed nash equili... 7921 neural network based machine learning emerging... 6940 study numerically superconductorinsulator tran... 10425 consider weighted beliefpropagation wbp decode... 15047 investigate using density matrix renormalizati... 3780 high degree consensus exists climate sciences ... 13858 compute hochschild cohomology ring algebras kl... 5760 motivation although rich literature methods as... 9426 prospective chapter gives view evolution study... 7245 hyper suprimecam subaru strategic program hsc ... 19952 experiments using nuclei probe new physics bey... 5331 emphsecure search problem retrieving database ... 15544 propose simple generic layer formulation exten... 5343 topology complex system key understanding stru... 11251 develop fast spectral algorithms tensor decomp... 20943 citys critical infrastructure gas water power ... 14146 present semianalytical models galactic outflow... 1566 everimportant issue protecting infrastructure ... 16507 paper use detailed monte carlo simulations dem... 12428 temporal resolution visual information process... 8794 paper develops randomized approach incremental... 7107 spin relaxation chromium spinel oxides acro mg... 4514 magnetic field applied metals semimetals quant... 19479 paper address rigid body pose stabilization pr... 8735 kecknirc imaging survey searches stellar compa... 15150 investigate anomaly detection unsupervised fra... 10657 existence spinliquid ground state heisenberg k... 7167 classification problems mode conditional proba... 20073 implement two algorithms mathematica classifyi... 1544 modern multiscale type segmentation methods kn... 15657 certain fibered hyperbolic manifolds admit mat... 13322 paper investigates properties class graphs bas... 2604 bilinear matrix inequality bmi problems system... 10098 present general formalism multipole descriptio... 5667 several useful variancereduced stochastic grad... 3177 key problem research adversarial examples vuln... 16141 neural networks recently lot success many task... 17907 paper proposes gamma process modelling damage ... 9071 exploration difficult challenge reinforcement ... 7000 magnetic fields quench kinetic energy two dime... 1281 using contiguous relations construct infinite ... 2566 one hand consider problem finding global solut... 12630 universal properties entangled manybody states... 9811 deep neural networks require large amount labe... 2471 motivated model independent pricing derivative... 20239 present stateoftheart endtoend automatic speec... 10254 twodimensional embeddings remain dominant appr... 5587 paper considers problem achieving attitude con... 13274 study model introduced perthame vauchelet desc... 5219 work assess accuracy dielectricdependent hybri... 12701 study eigenvalues semiclassical witten laplaci... 10036 synthesis dna molecules offers unprecedented a... 7599 associate infinite cyclic cover punctured neig... 14118 categorical point view minimization subrecursi... 20683 improve system performance modern operating sy... 12976 introduce notion weakly logcanonical poisson s... 7691 objective paper use transfer functions compreh... 4126 optical observations wide fields view encounte... 20173 critical properties singlecrystalline semicond... 7917 present new approach deal first order ordinary... 16806 setting picalculus binary sessions aim relaxin... 3599 neural networks known vulnerable adversarial e... 11467 deep neural networks large number parameters h... 17217 preserving privacy individuals protecting sens... 15603 user participation online communities driven i... 10368 report experimental observation multiple corot... 4294 prove existence abrikosov vortex lattice solut... 8468 modified camassaholm equation also called forq... 20895 consider task semantic robotic grasping robot ... 17631 communication describe novel technique event m... 7395 assortative mixing networks tendency nodes att... 4093 vital aspect energy storage planning operation... 8700 work define solve fair topk ranking problem wa... 19817 survey article based authors lectures ams summ... 20832 work presents method contact state estimation ... 16226 paper propose novel supervised learning method... 10604 highspeed mhz strain monitor using fiber bragg... 20170 gammangonal pair pair sf closed riemann surfac... 3402 paper study teichmller harmonic map flow intro... 7555 discuss git moduli semistable pairs consisting... 3914 although property strong metric subregularity ... 19746 derive representation theorems exchangeable di... 15491 th symposium educational advances artificial i... 8889 deep neural networks specifically fullyconnect... 10865 development positioning technologies resulted ... 13814 present deep radio search reticulum ii dwarf s... 7772 set new upper limit abundance primordial black... 3076 introduce multiplexing crossing replacing clas... 19804 provide proposal motivated separation variable... 5605 paper discusses stably trivial torsors spin or... 18467 study focusfocus singularities also known noda... 8885 determine systematic regions bigraded homotopy... 15860 model compression significant wide adoption re... 6987 accurate estimation regional wall thicknesses ... 6951 spatially explicit capture recapture secr mode... 3986 develop parametric classes covariance function... 12648 apply moderatehighenergy inelastic neutron sca... 9191 paper presents novel deep learning architectur... 12401 study presents smoothed particle hydrodynamics... 10536 recently almost nothing known evolution magnet... 19908 propose statistical model natural language beg... 3824 accurate measurements physical structure proto... 15418 paper use python implement two efficient modul... 9646 drying colloidal droplets solid rigid substrat... 15477 consider problem classifying business process ... 20035 paper deform thermodynamics btz black hole rai... 19904 using lindblad dynamics study quantum spin sys... 157 runtime enforcement effectively used improve r... 14799 fermilab muon campus host muon g experiment wo... 188 due increasing dependency critical infrastruct... 3577 compared magnetic transport galvanomagnetic sp... 2493 several domains obtaining class annotations ex... 7944 maximum entropy modeling flexible popular fram... 5856 investigate evolution vortexsurface fields vsf... 1859 stochastic optimization naturally arises machi... 19056 beamforming promising approach interference co... 18974 propose gaussian processes signals graphs gpg ... 19298 quantum effects prevalent microscopic scale ge... 19350 variety complex systems exhibit different type... 6114 apprenticeship learning al kind learning demon... 18572 assumption action perception investigated inde... 20788 paper develop class decentralized algorithms s... 9445 cyclic proof system called clkidomega gives us... 4066 recently introduced acoustic raytracing semicl... 14935 selfpaced learning spl new methodology simulat... 10509 currently lower limb robotic rehabilitation wi... 13829 introduce uncertainty regions perform inferenc... 3013 adaptive optimization algorithms adam rmsprop ... 15869 work consider detection manoeuvring small obje... 12240 bottomup topdown well lowlevel highlevel facto... 17665 large class machine learning techniques requir... 20323 primarily motivated drug development process s... 6760 automatic speaker verification asv systems use... 11644 tasb predicted theoretically proposed magnetot... 14781 study spatial fluctuations casimirpolder force... 5963 introduce logic sf itle intuitionistic tempora... 9664 discuss bayesian formulation coarsegraining cg... 5630 realworld reward function perfect sensory erro... 6602 problem quickest change detection qcd transien... 7417 important application haptic technology digita... 12577 dawn fourth industrial revolution industry cre... 13805 study implicit regularization optimizing under... 14224 flexible approach modeling dynamic event count... 3639 innovation entrepreneurship special role play ... 428 pset simple analytic form well distributed uni... 15109 often multiple labels obtained training exampl... 20932 background several studies used phylogenetics ... 14509 ensembles nitrogenvacancy centers diamond high... 6729 composition natural liquidity changing time an... 16251 characterize approximate monomial complexity s... 12585 extend global existence result derivative nls ... 16495 measurements rootzone soil moisture across spa... 12669 classifiers deployed real world operate dynami... 10662 paper explore aggregate degrees belief group a... 2359 learning mixture models viewed clustering prob... 673 wellknown simplicity effectiveness classificat... 7222 explore effect noise ballistic graphenebased s... 18438 generalized linear model glm plays key role re... 19690 parity timereversal violating electric dipole ... 7157 organisations store huge amounts data multiple... 16064 present voice conversion challenge designed fo... 2820 paper energy efficient power allocation downli... 17377 future networks ie fifth generation g wireless... 8925 verbal autopsy va consists survey relative clo... 16451 using method eliashogancamp combinatorics tori... 2791 contour integration crucial technique many num... 388 goal find classes convolution semigroups lie g... 20811 paper establish second main theorem holomorphi... 10091 bazhin analyzed atp coupling terms quasiequili... 18283 aim paper present results relating properties ... 20920 part autonomous car driving systems semantic s... 16745 voicecontrolled smarthome controller must resp... 18849 consider inverse boundary value problem maxwel... 1326 second edition congruence lattice book problem... 7791 present complete resolution abrahamminkowski c... 7324 cycloids hipocycloids epicycloids often forgot... 12836 lion man move continuously space x aim lion ca... 16668 encrypting data sending cloud protects hackers... 915 algorithmic markov condition states likely cau... 11848 calculations correlations rabi frequency hdelt... 9231 polyellipse curve euclidean plane whose points... 15157 predicting traffic conditions recently explore... 1650 prove neartight concentration measure polynomi... 12806 consider multivariate mathbblapproximation rep... 18278 program comprehension vast research area neces... 5248 geoelectrical techniques widely used monitor g... 4455 martin david kruskal one versatile theoretical... 6346 pyrochlore magnet rm ybtio proposed quantum sp... 9138 paper propose implicit force control scheme on... 435 brainmachine interaction bmi system motivates ... 11504 present study influence disorder mott metalins... 12047 machine recognition crystallization outcomes m... 18522 consider stable coxingersollross process drive... 11466 deep generative networks provide powerful tool... 15529 propose general framework called network disse... 12899 electron polarimeters based mott scattering ex... 19828 fourierwalsh expansion boolean function f colo... 2562 developing dialogue agent capable making auton... 19655 work study pointwise ergodic iterationcomplexi... 19961 study formation massive black holes first star... 3198 numerical qcd often extremely resource demandi... 10461 optical frequency combs ofc provide convenient... 16461 faced challenging image classification tasks o... 15454 paper propose distributed iterated hard thresh... 15818 turing test long considered measure artificial... 18924 show solvable lie group real type homogeneous ... 17889 complete picture available literature showing ... 9195 autonomous driving systems broadly used equipm... 6879 consider linear programming lp problems infini... 15861 thunderstorms produce strong electric fields r... 531 using densityfunctional theory calculations an... 18783 paper give characterization nikolskiuibesov ty... 18689 central claim modern network science realworld... 6113 identification reducedorder models highdimensi... 18240 whereas maintenance recognized important effec... 12557 paper show deepsubmicron fpga modified operate... 6377 hourglasslike dispersion spin excitations comm... 18129 defined notion quantum torus ttheta masanori i... 20216 methodology softwaredefined robotics hierarchi... 6717 kernel methods powerful learning methodologies... 10277 model precision classification task highly dep... 8037 observations show luminous blue variables lbvs... 18469 study physical dynamical properties ionized ga... 5028 greatest integer belong numerical semigroup ca... 11658 recent results suggested active galactic nucle... 280 task calibration retrospectively adjust output... 13020 seven planets trappist system largest number e... 10089 paper reviews historic chalearn looking people... 18506 smart grid smart meters numerous control monit... 14359 twostep photoionization strategy ultracold rub... 15981 emerging smart grid techniques cyber attackers... 12586 examine possible spectral distortion cosmic mi... 5541 particularly promising pathway enhance efficie... 9659 undertaking cyber security risk assessments mu... 1643 adaptive gradient methods become recently popu... 13078 present paper devoted local local derivations ... 1889 increasing illegal parking become serious nowa... 20740 compute maximal halfspace depth class permutat... 13977 neural networks widely used predictive models ... 13375 consider solution stochastic storage problems ... 13875 efficiency error control numerical solutions p... 3594 dimension key measure complexity partially ord... 2996 introduce new model building conditional gener... 4501 coupled quasilinear kellersegelnavierstokes sy... 12113 simple fact subgroup generated subset abelian ... 20122 global dynamics event cascades often governed ... 5734 paper proposes selfimitation learning sil simp... 20415 currently harness technologies could shed new ... 13914 review paper fits context adequate matching tr... 3193 introduce superdensity operators tool analyzin... 8957 extend grangerjohansen representation theorems... 11771 compared conventional accelerators laser plasm... 7975 many scientific domains face fundamental probl... 20853 business architecture ba plays significant rol... 11433 introduce concept multiplicatively closed subs... 8349 develop algorithm synthesizing spatial pattern... 575 study special circle bundles two elementary mo... 9093 properties defect modes cholesteric liquid cry... 1352 global sensitivity analysis numerical model ai... 3902 stochasticity limited precision synaptic weigh... 17788 paper presents educational code written using ... 19564 discuss context energy flow highdimensional sy... 13402 recently millimeterwave mmwave communications ... 4154 paper answer following question infinitesimal ... 12186 paper improved thermal lattice boltzmann lb mo... 15662 study existence properties onedimensional edge... 5805 let omega pseudoconvex domain mathbb cn smooth... 505 demonstrate parallel nondestructive readout hy... 2857 detection mostly geomagnetically generated rad... 8538 discuss systematic expansion solution fokkerpl... 1432 observational theoretical arguments support id... 5834 investigate models mitogenactivated protein ki... 4554 using twodimensional hybrid expanding box simu... 10500 deep neural networks dnns universal function a... 10294 analytically derive expressions structure inne... 19326 paper deals initial value problem multiterm fr... 10968 article develops framework testing general hyp... 11313 paper discuss generalized hamming weights clas... 17698 known implied volatility skew fx options demon... 3371 set smoothed particle hydrodynamics simulation... 8958 number density field galaxies per rotation vel... 4367 motivated recent experiments use u extension g... 6438 investigate inherent influence light polarizat... 10522 symmetric lvy processes local times exist tana... 17616 given set baseline assumptions breakdown front... 610 paper focus fully automatic traffic surveillan... 9498 sample coma cluster ultradiffuse galaxies udgs... 10498 motion planning classically concerns problem a... 12008 study kondo physics quantum magnetic impurity ... 19592 paper kelvin wave knot dynamics studied three ... 11893 article extends bimetric formulations massive ... 10205 unsupervised domain mapping learner given two ... 19683 describe turbulence distributes tracers away l... 19393 traditional intelligent fault diagnosis rollin... 5761 many applications require stochastic processes... 18365 expanding upon earlier results arxiv present c... 16856 power sum n n cdots xn interest mathematicians... 3448 conjecture bounded generalised polynomial func... 20312 cyclic data structures cyclic lists functional... 4800 propose novel combination optimization tools l... 9380 note proposes penalty criterion assessing corr... 20692 measurements highfrequency complex resistivity... 18567 sparse subspace clustering ssc stateoftheart m... 14685 extensions generalizations alzers inequality w... 18218 okapi new causally consistent georeplicated ke... 4012 let n two monomials degree let smallest borel ... 12419 pullbased development process become prevalent... 6407 reports press releases highlight security inci... 3944 failure observed primary concern developer ide... 15756 viral videos reach global penetration travelin... 4308 revisit relation neutrino masses spontaneous b... 2919 finding exact integrality gap alpha lp relaxat... 3501 conventional dark matter direct detection expe... 12397 tackle issue classifier combinations observati... 10881 general formulation optimization problems vari... 4660 geehaw whammy diddle seemingly simple mechanic... 14793 paper addresses task allocation problem larges... 5869 study combinatorial multiarmed bandit probabil... 20154 wellknown axlerzheng theorem characterizes com... 17938 computer based recognition detection abnormali... 6779 show recently proposed neural dependency parse... 11176 purpose work mostly expository aims elucidate ... 6670 gating key technique used integrating informat... 448 let emathbbq elliptic curve level n rank equal... 11370 joint visual attention characterized two indiv... 17472 study uniqueness dirichlet problems second ord... 11481 health insurance companies brazil data claims ... 20267 discuss general procedure construct integrable... 2089 permutation codes form rank modulation shown p... 7739 significance topological phases widely recogni... 18107 critical challenge observation redshifted cm l... 14897 one longstanding challenges artificial intelli... 14637 identifying influential nodes network fundamen... 10735 plasmonassisted channeling acceleration realiz... 7757 present novel method determining surface densi... 19584 study system consisting luttinger liquid coupl... 1127 prove lipschitz continuity viscosity solutions... 17941 consider problem convergence saddle point conc... 4407 osteonecrosis occurs due loss blood supply bon... 1799 paper introduces laplacetype operators functio... 6490 study massless fermions interacting particular... 15601 critical behavior random transversefield ising... 11804 prove continuous embedding allows us obtain bo... 9097 prove version onsagers conjecture conservation... 20536 study several variants qgarnier system corresp... 16286 past decade optical wdm networks wavelength di... 13872 consider massless nonlinear dirac nld equation... 13912 scalable calculation matrix determinants bottl... 15341 calculating onebody density profiles equilibri... 5015 show smooth interface two insulators opposite ... 15510 model incentive salience function stimulus val... 10275 complexity embedded condensed matter fertilize... 8393 discovery accurate causal bayesian network str... 3441 firstpassage times random walks vast number di... 14229 prove averaging operators uniformly bounded l ... 9248 recently renault studied dual bin packing prob... 10026 training deep neural networks known require la... 17872 recent years several convex programming relaxa... 14902 propose multilayer approach simulate hyperpycn... 4384 show given estimate widehata close general hig... 5758 oxidative stress pathological hallmark neurode... 4288 genomewide association studies gwas achieved g... 19845 inverse electromagnetic design emerged way eff... 20274 inspired importance diversity biological syste... 19192 current article primary objects study compact ... 12939 complex performance measures beyond popular me... 13354 quantitative cba postprocessing algorithm asso... 3260 locality sensitive hashing lsh based algorithm... 18600 formulate present numerical method solving inv... 11025 commercial photoncounting modules based active... 9564 investigate contextual online learning nonpara... 8679 discriminative power modern deep learning mode... 13941 investigate complexity deep neural networks dn... 16801 understanding nature twolevel tunneling defect... 5070 present study low temperature phases antiferro... 19507 simple doubledecker molecule magnetic anisotro... 2947 magnetically active stars possess stellar wind... 5859 shall introduce notion picard group inclusion ... 2840 nonlinear cyclic system delay overall negative... 9997 thesis present novel semisupervised networkbas... 2615 define notion hombatalinvilkovisky algebras st... 7658 mechanisms strong electronphonon coupling pred... 9295 descriptor system tools dstools collection mat... 177 paper describes stockholm universityuniversity... 8829 imaging form probabilistic belief change could... 13641 software long established essential aspect sci... 15634 investigate star formation efficiency signific... 19477 unsupervised learning capturing dependencies v... 19718 structured peer learning spl form peerbased su... 12498 keplerian distribution velocities observed rot... 4081 paper introduce unbiased gradient simulation a... 1511 imagine malicious hacker trying attack server ... 9868 many activation functions proposed past select... 5858 address problem estimating human pose body sha... 18216 inspired tremendous success deep convolutional... 3942 encoderdecoder networks using convolutional ne... 13005 security threats jamming route manipulation si... 19836 regularized optimization problem large unstruc... 12672 many social systems groups individuals find re... 8099 paper investigate effective sketching schemes ... 14340 show positive integer k exist rightangled arti... 19236 consider boundary rigidity problem asymptotica... 8665 gain control magnetic order ultrafast time sca... 473 investigation autoignition delay butanol isome... 12745 recent progress logic programming eg developme... 20383 paper presents novel technique allows computat... 9020 exciton spin dynamics investigated experimenta... 1846 automatic conflict detection grown relevance a... 16773 paper study possibilities interpolation symbol... 17753 deterministic neural nets shown learn effectiv... 20337 paper argues class riemannian metrics called w... 12440 paper explores improvements prediction accurac... 9538 study active learning problem topk ranking mul... 9507 electronelectron correlation forms basis diffi... 12123 apelinergic system important player regulation... 1327 vasculature known key biological significance ... 8214 novel approach based notion altruism presented... 3418 past decade idea smart homes conceived potenti... 5825 consider problem decision making fair underlyi... 17908 suppose one data one completed vaccine efficac... 7542 paper introduces colossus public opensource py... 10414 three separation properties closed subgroup h ... 5847 immunotherapy plays major role tumour treatmen... 1681 laman graphs model planar frameworks rigid gen... 1452 prove upper bounds lp norms eigenfunctions dis... 775 classify prop poincar duality pairs dimension ... 2109 consider reproducing kernel function theta bar... 11710 study problem searching tracking collection mo... 10479 focus paper analysis boundary layer associated... 8460 interaction electron system strong electromagn... 8268 performing numerical integration integrand can... 1365 tunneling electrons twodimensional electron sy... 6932 collapse collisionless selfgravitating system ... 9826 matching members coma cluster catalogue ultrad... 8822 quantity interest system governed ordinary dif... 7955 recent article jentzen mllergronbach yaroslavt... 7256 consider communication multipleinput singleout... 16069 algorithm create original compelling fashion d... 20259 short note describes benefit one obtains speci... 299 informed les data resolvent analysis mean flow... 1107 extend homotopy theories based point reduction... 16638 fullduplex fd technology likely adopted variou... 850 convolutional neural networks cnns commonly th... 18699 recently prakash et al discovered bulk superco... 12000 independent component analysis ica decomposes ... 8843 recent modelfree reinforcement learning algori... 19312 previous paper arxiv described techniques succ... 2246 data summarization want choose k prototypes or... 8087 introduction advanced machine learning methods... 14591 propose novel guessandcheck principle increase... 3031 paper generalize main result manifolds necessa... 9405 human mobility known distributed across severa... 1608 semicalssical method based surfacehopping tech... 6383 usual practice ignore structural information u... 9038 review didactic point view definition toric se... 15077 develop refined strichartz estimates l regular... 15961 shortbaseline neutrino sbn program shortbaseli... 8 model largescale approxkm impacts marslike pla... 19349 paper aims establish theoretical foundations g... 14529 increased use internet governments large compa... 16041 answer following longstanding question kolchin... 7724 ratio medians suitable quantiles two distribut... 4040 recent stacking analysis planck hfi data galax... 5658 purpose clickbait make link appealing people c... 12055 photometric stereo methods seek reconstruct sh... 19621 looming question must solved robotic plant phe... 12689 report large array observations mm mm cm towar... 7231 recently certain qpainlev type system obtained... 17284 ontologybased query answering obqa asks whethe... 13961 article concerned asymptotic behavior certain ... 16693 strongly coupled quantum fluids found differen... 5101 quantifying estimating wildlife population siz... 3801 consider ample globally generated line bundle ... 16479 distribution abundance ratios calculated detai... 3097 jf aarnes introduced concept quasimeasures com... 14446 propose dataefficient gaussian processbased ba... 9469 mathematical model variable selection function... 15868 machine learning algorithms typically run larg... 4787 propose new imaging technique radio opticalinf... 11199 many different approaches neural network based... 17605 great variety text tasks topic spam identifica... 16074 nanostructures open shell transition metal mol... 16056 round trip time light pulse limits maximum det... 9905 efficient adaptive algorithm removal salt pepp... 9861 concept gammasemigroup introduced mridul kanti... 3657 bayesian hierarchical models used share inform... 3706 although definition empathetic preferences exa... 1190 deep reinforcement learning multiagent coopera... 8517 describe novel iterative strategy kohnsham den... 13887 segmentation large scale power grids zones cru... 10191 graphenebased photodetectors demonstrated mech... 11057 isotopic ratios comets critical understanding ... 10594 paper focuses recognition activities daily liv... 15982 thanks multispacecraft mission recently possib... 13824 geosocial data attractive source variety probl... 5973 topological semimetal novel state quantum matt... 18531 transpires recent research temperatures radiat... 15903 consider factorization problem matrix symbols ... 16167 beta family owes privileged status within unit... 14766 noting importance latent variables inference l... 5632 formation precipitated zirconium zr hydrides c... 15016 graph theory provides language studying struct... 7702 let nilmanifold fundamental group free step ni... 11746 crosslaminated timber clt prefabricated solid ... 18613 focus applied research topological insulators ... 13879 humans ground natural language commands tasks ... 14927 markov chain monte carlo widely used variety s... 11178 temporaldifference learning td sutton function... 16536 human brain one complex living structures know... 5786 general framework solving subspace clustering ... 15799 image instance retrieval problem retrieving im... 10638 known multicollinearity exists logistic regres... 13554 two heuristics namely diversitybased dbtp hist... 11265 estimation intensity point process considered ... 6956 poisson factorization probabilistic model user... 8882 clickthrough rate prediction essential task in... 7431 consider statistical inverse problem recoverin... 12027 paper aim show mean value inequalities foxwrig... 9332 fraenkel simpson showed number distinct square... 12759 star epic identified light curve acquired k sp... 19589 paper prove every integer k geq kabelian compl... 2478 consider classical problem control inverted pe... 1197 propose new mathematical model spread zika vir... 10104 machine learning methods found many applicatio... 14493 humans animals ability continually acquire fin... 10228 investigate subgaussian property almost surely... 13999 stanene predicted twodimensional topological i... 18199 paper define ainftykoszul duals directed ainft... 1808 data quality phasor measurement unit pmu recei... 18454 dielectric lined waveguides extensive study ac... 18818 pursuit realtime motion planning commonly adop... 7528 obtain new uniform bounds symmetric tensor ran... 9674 one important problem network locate invisible... 263 hamiltonian monte carlo hmc powerful markov ch... 9977 superconductivity noncentrosymmetric compounds... 20204 propose method infer domainspecific models cla... 20295 recent book merchants doubt new yorkbloomsbury... 12700 linear momentum angular momentum virtual photo... 19205 semantic segmentation point clouds challenging... 12898 selforganized networks develop mature degenera... 6515 propose three measures mutual dependence multi... 1571 recent development highend lidars systems able... 13522 deep reinforcement learning drl applied succes... 14848 current work combines cluster dynamics cd tech... 14048 present first exact calculations time dependen... 17642 present deeppicar lowcost deep neural network ... 16861 transition metal oxides promising candidates t... 6180 observe manybody pairing twodimensional gas ul... 20806 tracking humans interacting subjects environme... 14525 abridged used fourth internal data release gai... 1370 establish pontryagin maximum principle discret... 3090 el niosouthern oscillation enso mode interannu... 19784 present model takes account coupling evolution... 5038 computeraided analysis medical scans longstand... 15973 largebatch sgd important scaling training deep... 9233 investigate scaling ground state energy optima... 8423 transfer learning methods address situation li... 20928 two natural simplicial complexes associated no... 11852 relational data usually highly incomplete prac... 15345 analyse kepler lightcurves exoplanet koib tran... 17403 recent experimental advances could provide way... 6817 spectral based heuristics belong wellknown com... 10356 gps wifi based localization exploited recent y... 16912 classifiers trained datadependent constraints ... 15252 random impedance networks widely used model de... 6885 study diffusion multilayer network contact dyn... 16627 singular value matrix decomposition plays ubiq... 6013 trapping manipulation particles using laser be... 6734 key feature thermophotovoltaic tpv emitter enh... 8489 developing safe efficient collision avoidance ... 12603 enhancement detection elongated structures noi... 8850 news spread internet media outlets seen contag... 15644 widespread adoption dissemination online news ... 15458 connections nodes fully connected neural netwo... 18490 construct linear basis free gdn superalgebra f... 5987 paper revisit recurrent backpropagation rbp al... 10285 note propose method based artificial neural ne... 12620 computational topology area revisits topologic... 15537 scientific discovery via numerical simulations... 725 paper first chapter three authors undergraduat... 18004 examine article pricing target volatility opti... 18364 begin summarizing relevance importance inducti... 1976 simple recurrence relation even order moments ... 11266 consider particular type sqrtliouville quantum... 1442 article improves existing proven rates regret ... 12389 propose new type qdiffusive heat equation nons... 8642 statistical learning using imprecise probabili... 2309 introduce new boundary integral operators exac... 13497 paper present simple analysis bf fast rates hi... 1766 paper considers problem switching two periodic... 20527 compare large suite theoretical cosmological m... 10365 inference network topologies relational data i... 10477 blind source separation bss challenging matrix... 6797 important breakthroughs data centric deep lear... 1488 deep neural networks increasingly used variety... 4907 due numerous advantages formal proofs proof as... 9236 next generation radiointerferometers like squa... 5164 paper studies problem multivariate linear regr... 13110 study problem singleimage depth estimation ima... 9645 wellestablished cognitive neuroscience human p... 13442 short review classical lie theorem finite dime... 19939 medicines materials small organic molecules in... 15102 vehicle climate control systems aim keep passe... 13189 develop systematic study jahnteller jt models ... 17882 autonomous sorting crucial task industrial rob... 4638 discriminationaware classification receiving i... 15401 past decade seen significant advances cmwave v... 9178 establish mathfrakglm mathfrakglndualities qua... 11082 introduce abstract notion necklical set order ... 11591 paper consider vehicular network wireless node... 9892 formation selforganized patterns key morphogen... 12059 computable model theory modal logic initiated ... 1655 gamma distribution arises frequently bayesian ... 9495 recently graph neural networks attracted great... 2861 study problem estimating mean random vector x ... 5431 give polynomialtime algorithm learning latents... 5908 evaluation validation complicated control syst... 2531 recent work proposed various adversarial losse... 2183 present framework connects three interesting c... 16268 political polarization public space seriously ... 9070 standard clustering algorithms usually find re... 3322 frustrated lewis pairs flps known ability capt... 19662 using semiclassical wkb approximation hamilton... 11160 visual question answering recently proposed ar... 10455 present finitetemperature extension retarded c... 17708 propose fast simple robust algorithm computing... 5903 determine exact timedependent nonidempotent on... 13747 study sample complexity learning neural networ... 4812 contribute general apparatus dependent tacticb... 2126 theories knowledge reuse posit two distinct pr... 18720 analyze generic sequences geometrically linear... 18039 paper locally classifies finitedimensional lie... 1011 work present technique use natural language he... 9245 temperaturedependent optical response excitons... 2088 define symmetric monoidal category duals whose... 15543 investigate using hydrodynamic simulations fra... 981 efficient algorithms techniques detect identif... 11218 presence background noise interference arrival... 12290 magnetic insulator yttrium iron garnet grown e... 16837 recent results alagic russell given evidence e... 18633 data cube materialization classical database o... 4834 recently two scalable adaptations bootstrap pr... 9539 first concise formulation inverse problem cons... 5267 crucial role nymanbeurlingbezduarte approach r... 13336 many online social networks allow directed edg... 20206 proposed substantiated extraterrestrial object... 1246 propose simple subsampling scheme fast randomi... 800 prove general width duality theorem combinator... 2074 potential machine learning ml systems amplify ... 1483 models complex systems widely used physical so... 8377 classical habitable zone circular region aroun... 7731 linkedin salary product launched late goal pro... 9745 study certain qdeformed analogues maximal abel... 3290 triangle counting key algorithm large graph an... 20725 capable significantly reducing cell size enhan... 914 stochastic variance reduction algorithms recen... 14543 personalized search hot research topic many ye... 20096 new wave successful generative models machine ... 13014 paper investigate convection phenomenon intrac... 17007 use deep neural networks crucial provide appro... 7760 paper shows authors consistent way characteriz... 19741 new exact solution einsteins field equations b... 20106 last years model checking interval temporal lo... 7889 memristive crossbars become popular means real... 6969 paper deals convergence time analysis class fi... 9293 theory sparse stochastic processes offers broa... 18201 paper present thorough analysis nature news di... 19957 spider balloonborne instrument designed map po... 8542 traditionally problem researchers access enoug... 8591 complement msetminus l lagrange spectrum l mar... 2432 describe benchmark study collective nonlinear ... 19285 distinct striation patterns observed spectrogr... 18156 pharmaceutical industry witnessed exponential ... 5771 paper investigate multimessage authentication ... 11697 edit distance dcj model computed linear time g... 3387 study spectral initialization method serves ke... 18809 purpose document create data model serializati... 14156 although significant literature asymptotic the... 18905 consider problem training generative models ge... 3217 global gyrokinetic toroidal code gtc recently ... 18451 repulsive hubbard model spinasymmetric hopping... 8614 dark matter particle spin two types wimpnucleo... 3813 propose novel fluidstructure interaction fsi s... 796 study largescale kernel methods acoustic model... 20508 viscoelasticity described since time maxwell i... 18515 srruo best candidate spintriplet superconducti... 8835 main aim paper development lyapunov function b... 20209 phylogenetic networks generalization evolution... 2619 embedding graph nodes vector space allow use m... 14264 consider problem generating relevant execution... 10242 aggregation many independent estimates outperf... 1748 consider nonlinear kalman filtering problem us... 17838 wordvec mikolov et al proven successful natura... 9566 deep learning architecture proposed predict gr... 5309 dynamic topic modeling facilitates identificat... 1122 report preparation superconductivity type crba... 9681 propose datadriven method solve stochastic opt... 3101 investigate frequentist properties bayesian pr... 20065 consider toda system fracdelta qneqnqneqnqntex... 84 answer set programming asp wellestablished dec... 11958 research investigates implementation mechanism... 18139 sizes entire systems globular clusters gcs dep... 15234 gap ability collect interesting data ability a... 14951 abridged lowluminosity gasrich blue compact ga... 15633 effort understand meaning intermediate represe... 10259 one challenging tasks adopting bayesian networ... 13042 paper develops online inverse reinforcement le... 3099 deep generative models provide powerful tools ... 10034 wide application machine learning algorithms r... 10994 laboratory astrophysical situations plasma wak... 18232 observe finitedimensional central simple grade... 13906 radiative lifetime molecules atoms increased p... 11806 autonomous driving getting lot attention last ... 10163 analogtodigital converters adcs major contribu... 8703 structures properties many inorganic compounds... 5700 formulate new family high order onsurface radi... 13421 inertialess fluidstructure interactions active... 20836 existing approaches online convex optimization... 20909 given elliptic curve e finite field mathbbfq s... 8337 paper construct analogue luries unstraightenin... 19801 measurements cosmic microwave background spect... 16143 earthquakes seismogenic plate boundaries respo... 8206 prior knowledge objects object features helps ... 18034 consider schrdinger equation half space dimens... 5118 wind energy forecasting helps manage power pro... 2231 let momega closed dimensional manifold equippe... 16723 steiner forest problem among fundamental netwo... 18511 search instability nucleons bound xe nuclei re... 3053 calcium imaging data promises transform field ... 17311 demonstrate deep neural network significantly ... 9593 paper study scaling properties legendre polyno... 6472 chainspace decentralized infrastructure known ... 8203 paper study stochastic optimal control problem... 6510 prosociality fundamental human social life acc... 11519 applied statisticians use sequential regressio... 10656 modal description logics feature modalities ca... 1592 assessment motor activity grouphoused sows com... 17475 deep generative models based generative advers... 4850 elucidate importance consistent treatment grav... 17230 mutilayer information bottleneck ib problem in... 16134 demonstrate full functionality circuit generat... 14127 hallmark weyl semimetals existence open consta... 9842 investigate weak excitations system made two c... 10117 deep convolutional neural networks dcnns curre... 10545 changes structure observed social complex netw... 3221 paper propose novel variable selection approac... 14293 using existing simplified model framework buil... 9841 drones also known miniunmanned aerial vehicles... 5625 work study benefit partial relay cooperation c... 3546 functional analysis variance fanova hilbertval... 9806 present probabilistic las vegas algorithm comp... 2404 use hubble space telescope obtain wfcfw imagin... 12294 paper concerned twoperson dynamic zerosum game... 6512 construct virtual quandle links lens spaces lp... 6934 approach development models control strategies... 8977 personal recollection events preceded construc... 3369 present recent improvements simulation regolit... 13626 lumpedelement kinetic inductance detectors lek... 7976 despite increasing focus data publication disc... 9090 unlike conventional firstorder network fon hig... 8821 alzheimers disease major cause dementia diagno... 9961 introduce notion nodal domains positivity pres... 13191 introduce study oneparameter generalization qw... 17946 magnetic skyrmions localized nanometric spin t... 6329 information memory locations accessed program ... 16815 compact version variation evolving method vem ... 1904 predict final result athlete marathon run thor... 7660 author showed homogeneous algebraic diophantin... 9514 paper presents several test cases intended ben... 15145 paper study compressibility random processes f... 15713 given orthogonal polygon p n vertices goal wat... 5638 nonlinear oscillators key modelling tool many ... 434 let g finitely generated prop group equipped p... 2528 paper study category lca certain nonlocally co... 9728 current study mechanism extract traffic relate... 4856 mixture models become widely used clustering g... 12151 temporal difference learning residual gradient... 20547 present multimodal nonlinear optical nlo laser... 7551 securitycritical tasks require proper isolatio... 2834 define novel extensional threevalued semantics... 2203 pandeia exposure time calculator etc system de... 3445 introduce semisupervised discrete choice model... 12654 increasing popularity social networking servic... 19638 tackle problem template estimation data random... 509 extreme value index fundamental parameter univ... 4280 important step efficient computation multidime... 14774 convolutional neural networks cnns successfull... 18765 oseledets multiplicative ergodic theorem basic... 17875 work investigate dynamics nonlinear dde delayd... 14284 introduce midivae neural network model based v... 14302 find boundaries borelserre compactifications l... 17849 understanding planetary interiors directly lin... 12408 paper studies different signaling techniques c... 9163 show self orbit equivalence transitive anosov ... 9839 many cloud applications rely fast nonrelationa... 17702 inferring walls configuration indoor environme... 13496 present strategy obtain explicit equations mod... 7789 information bottleneck ib technique extracting... 10385 someone built box applies quantum superpositio... 14432 propose endtoend approach natural language obj... 9240 past years use cameraequipped robotic platform... 14711 nowadays hot challenge supermarket chains offe... 11863 model selection validation data essential step... 9547 indexes models btreeindex seen model map key p... 7537 notion linear exponential comonads symmetric m... 932 modular gromovhausdorff propinquity distance c... 10577 first half manuscript begin brief review combi... 15314 recent years realistic hydrodynamical simulati... 8225 work presents methodology design trajectory tr... 18465 obtaining reliable numerical simulations turbu... 17541 considerable research automated index tuning d... 3685 many people dream become famous youtube video ... 3484 study asynchronous online learning setting net... 16166 results wasan geometry tangents circles still ... 7163 propose deep asymmetric multitask feature lear... 18239 momentum conservation law applied analyse dyna... 14787 triplet networks widely used models characteri... 9815 introduce solve new type quadratic backward st... 3337 mobile edge computing mec expected effective s... 1368 localitysensitive hashing lsh fundamental tech... 4204 generative adversarial networks gans received ... 20830 professional baseball players increasingly gua... 14697 densitymatrixrenormalizationgroup dmrg method ... 1547 pseudorandom sequences good statistical proper... 20637 paper consider two rainfallrunoff computer mod... 2584 ji matouek many breakthrough contributions mat... 16293 famous theorem weyl states compact submanifold... 8781 paper propose novel cs approach acquisition no... 19464 discuss various forms definitions mathematics ... 18621 quantum technologies presented public without ... 8764 integrating product linear forms unit simplex ... 1818 summary statistics genomewide association stud... 8944 recently introduced notion flow depending time... 17009 predicting properties nodes graph important pr... 353 riemannian geometry particular case hamiltonia... 11500 present visible spectra aglike df cdlike df io... 19864 maximizing area receiver operating characteris... 1082 study two dispersive regimes dynamics n twolev... 1253 consider free rotation body whose parts move s... 15481 propose sleaping algorithm acceleration gilles... 1935 extremescale computational science increasingl... 13130 paper presents new acoustic emission ae source... 4899 discrete time crystals recently proposed exper... 9084 observations stars solar vicinity show clear t... 5657 propose novel semisupervised approach towards ... 19046 present novel mechanism resolving mechanical r... 14425 motivated applications game theory optimizatio... 3991 consider parabolicelliptic model chemotaxis fr... 3447 van der waals heterostructures periodic potent... 6029 accurate software defect prediction could help... 18666 paper quick efficient method presented graspin... 1185 recent machine learning models shown including... 18324 early universe could feature multiple reheatin... 7534 paper use theory computing study fractal dimen... 12893 propose novel adaptive importance sampling alg... 11765 present deeply supervised object detector dsod... 5804 energy consumption great deal concern recent y... 15018 paper study solutions possibly unbounded signc... 16954 classical weisfeilerlehman method wl uses edge... 6211 since discovery meissner effect superconductor... 2564 gradient descent coordinate descent well under... 2918 classification rules severely affected presenc... 14690 let ternary homogeneous simple prove finitely ... 4595 band gap tuning twodimensional transitional me... 6876 data sharing among partnersusers organizations... 5157 given network statistical ensemble graphvorono... 7113 combine bayesian prediction weighted inference... 18661 present dryvr framework verifying hybrid contr... 5321 investigate class chanceconstrained combinator... 9061 shear dilation based hydraulic stimulations en... 16460 halting probability turing machinealso known c... 6693 present simple method improve neural translati... 14285 work present gumbel graph network modelfree de... 20313 highorder harmonic generation hhg aligned acet... 11879 paper presents refinements executioncachememor... 16641 tactile sensing enable robot infer properties ... 7576 major investment made telecom operator goes in... 5142 poisoning attack learning algorithm adversary ... 9015 report highly efficient tunable thz reflector ... 4993 prove reducibility result quantum harmonic osc... 7811 baryonacoustic oscillation bao feature lymanal... 5155 paper propose lowrank coordinate descent appro... 20174 implement scalefree version pivot algorithm us... 6423 consider quasihomogeneous polynomial f mathbbz... 19221 study closed ndimensional manifolds metrics cr... 2291 language understanding key component spoken di... 13213 apply machine learning techniques attempt pred... 7590 consider general statistical linear inverse pr... 18031 even advance frontiers physics knowledge under... 3603 propose communicationally computationally effi... 5094 study problem detecting abrupt change signal c... 8251 study electron phonon thermalization simple me... 9128 tabu search ts metaheuristic proposed kmeans c... 15874 work introduce pose interpreter networks dof o... 18830 consider stationary autoregressive processes c... 16159 classify certain subcategories quotients exact... 9047 convolution neural network cnn gained tremendo... 1659 paper considers problem phase retrieval goal r... 13359 fairly elementary terms paper presents theory ... 12635 generalization properties gaussian processes d... 18933 paper present neurally plausible model robot r... 842 dynamic security analysis important problem po... 2977 health economic evaluation studies widely used... 4026 chemotactic dynamics cells organisms specializ... 20007 investigate existence sterile neutrino propose... 11920 study impact thermal inflation formation cosmo... 8513 alice farultraviolet imaging spectrograph onbo... 2091 propose cm new deep reinforcement learning met... 17992 develop theory weak fraisse categories crucial... 8608 develop theory diophantine approximation syste... 6367 article provides weighted model confidence set... 3063 consider burgers equation posed outer communic... 19848 nearby ultraluminous infrared galaxy ulirg arp... 20680 electron lens serve effective mechanism suppre... 17095 paper studies landscape empirical risk deep ne... 8158 pairwise samecluster queries one widely used f... 11793 review basic concepts possible pore structures... 20937 paper consider problem predicting demographics... 2633 presence dusty debris around main sequence sta... 3297 show results theory group automata monoid auto... 19671 paper study following classical question extre... 8476 large size air cherenkov telescope lst prototy... 3220 rydberg atoms attracted considerable interest ... 15516 nongaussian stochastic dynamical systems mean ... 15291 generic model shape optimization problems cons... 8255 paper present model predictive control mpc fra... 4100 many supervised learning tasks emerged dual fo... 11842 psychological measurements two levels distingu... 1236 present new algorithm detects maximal possible... 2900 start survey program using fors long slit spec... 19516 paper concerned existence periodic solutions s... 17852 extreme values modeling attracting attention r... 14 using lowtemperature magnetic force microscopy... 5652 detailed numerical study long time behaviour d... 4778 recognizing arbitrary objects wild challenging... 2792 goal study develop efficient numerical algorit... 2927 paper introduce matmpc open source software bu... 16283 one fundamental questions one ask pair random ... 10511 twitter provided great opportunity public libr... 5922 fourthorder theory gravity considered terms dy... 15076 provide expressions nonperturbative matching e... 7901 requirements elicitation requires extensive kn... 8318 extraordinary progress made towards developing... 12213 report applied integrated gradients explaining... 17978 work presents model reduction approach problem... 10130 consider nonparametric inference finite dimens... 19313 work introduce malware detection raw byte sequ... 14337 paper present number robust methodologies unde... 2606 compression computational efficiency deep lear... 2858 study regret guarantees nonstochastic multiarm... 10128 introduce structures model quotients buildings... 14564 recently found bosonic excitations ordered med... 20571 massive multipleinput multipleoutput mmimo tec... 17610 sketchbased modeling strives bring ease immedi... 5 let omega subset mathbbrn bounded domain satis... 7626 nmethylformamide chnhcho may important molecul... 17155 nowadays problem historical beadworks conserva... 5012 theoretical paper continuation arxiv considers... 12136 retailer management newsvendor problem widely ... 18638 fog radio access network fran cellular wireles... 14545 high order wavelet integral collocation method... 8010 many current future exoplanet missions pushing... 12244 deep neural networks take loose inspiration ne... 8698 unsupervised learning generalized hopfield ass... 8028 case linear state space model implement mcmc s... 8891 describe mathematical link aspects information... 15335 recently proposed model foam impact air sea dr... 16191 study postnikov tower classifying space compac... 14650 milky way bulge shows boxpeanut xshaped bulge ... 18788 state art integral evaluation analytical solut... 3362 controversy regarding precise nature hightempe... 7655 many topics planetary studies demand estimate ... 1938 show finite unitary group orbits spanning whol... 19631 paper propose online learning algorithm based ... 7443 quantification qoe subjects often provide indi... 7097 purpose investigating coexistence magnetic ord... 4870 give algebraic quantization sense quantum grou... 17348 paper focuses automated synthesis divideandcon... 20049 characterize operatortheoretic properties boun... 3877 provide derivation poisson multibernoulli mixt... 7677 machine learning algorithms become increasingl... 13250 study following basic machine learning task gi... 13672 observations diffuse starlight outskirts galax... 2884 predicting personality essential social applic... 3714 results investigations nearhorizontal muons ra... 15974 recent years seen flurry activities designing ... 3480 examine growth evolution quenched galaxies muf... 8935 consider problem learning level set noisy blac... 5069 novel approach quintessential inflation model ... 18082 complete proof generalized smale conjecture ap... 3027 present moa collaboration light curve data pla... 1216 google uses continuous streams data industry p... 14722 nowadays protecting trust social sciences also... 12798 fixedmobile bigraph g bipartite graph vertices... 9978 article pessential dimension generic symbols f... 11170 graph convolutional network gcn model variants... 11369 study effect constant shifts zeros rational ha... 7409 present measurement kinematic sunyaevzeldovich... 5465 diffusions related random walk procedures cent... 7215 lagrangian numerical scheme solving nonlinear ... 4705 information communication technology ict playi... 16706 dynamic pushdown networks dpns natural model m... 7883 supervised object detection semantic segmentat... 568 extend databased modelfree multifractal method... 9147 study category left unital graded modules stei... 20587 assume observe sample size n composed pdimensi... 13085 backscatter electrons beta spectrometer incomp... 16655 earths population resides urban areas steadily... 6053 paper consider finite element approaches compu... 7144 wavelet transform seen success incorporated ne... 10927 novel predictor traffic flow forecasting namel... 11184 study empirical statistical gap distributions ... 18584 work revisit problem uniformity testing discre... 15709 eastrogam enhanced astrogam breakthrough obser... 14676 metriplectic formalism couples poisson bracket... 6193 transiting superearths orbiting bright stars s... 16043 recommendation systems widely used different u... 4715 propose principled method kernel learning reli... 9382 derive expressions finitesample distribution l... 8432 following rapidly growing digital image usage ... 19668 liquid metal lm current core interest wide var... 2333 detection molecular species atmospheres earthl... 2455 unwanted variation highly problematic detectio... 20412 travel time route varies substantially time da... 13412 exhibit relations van kampenflores conwaygordo... 19980 every linear system partial differential equat... 2525 investigate open dynamics atomic impurity embe... 1684 problem times arrow rigorously solved certain ... 19545 recent developments established vulnerability ... 12787 matching twosided market often incurs external... 5496 permutation test known exact test procedure st... 5535 standard bifurcation dynamical system stationa... 17270 consider fitting heavy tailed data distributio... 6489 introduce logic called lt express properties t... 4454 paper proposes practical approach automatic sl... 13657 simulation schemes partial differential equati... 16782 let mathcaldnm algebra quantum integrals defor... 14157 aharoni berger conjectured bipartite multigrap... 16344 let k field characteristic zero mathcal kalgeb... 6733 develop framework approximating collapsed gibb... 461 show graysons model higher algebraic ktheory u... 15804 massive popularity online social media provide... 17805 existing urban boundaries usually defined gove... 2613 paper summarizes development lvcsr system buil... 16860 regular tbalanced cayley map rbcmt short group... 13736 introduce new method finding network motifs in... 10620 understanding interaction valves walls heart i... 17354 propose paper new approach kaluzaklein idea fi... 5364 paper studied slam method vectorbased road str... 18789 aims determine flux densities photometric accu... 1991 demonstrate generation higherorder modulation ... 20152 propose new approach based local hilbert trans... 7733 fault detection problem closed loop uncertain ... 3946 recent observations lensed galaxies cosmologic... 1575 affiliation network one kind twomode social ne... 7439 discuss unique existence microlocal regularity... 7304 paper concerns quantile oriented sensitivity a... 1583 projection theorems divergences enable us find... 1520 gravitational wave astronomy set motion scient... 13197 paper study algorithmic problems automaton sem... 1617 thesis investigates unsupervised time series r... 6027 seltens game kidnapping model probability capt... 491 address problem localisation objects bounding ... 3929 compute integral function expectation random v... 15468 evergreens science papers display continual ri... 9134 relative performance competing point forecasts... 4446 electricallycontrollable solidstate reversible... 1330 modularity designed measure strength division ... 14785 motivated recent findings human mobility proxy... 5416 firm evidence existed ancient maya civilizatio... 9492 start study glider representations setting sem... 16978 globular clusters gcs amongst oldest objects g... 7203 improving effectiveness safety patient care ul... 15557 chapter introduce digital holographic microsco... 5058 obtain weak type estimate maximal operator ass... 3582 present quantum repeater scheme based individu... 15827 paper presents clustering approach allows rigo... 14577 though theoretically expected charge exchange ... 19909 low energy optical conductivity conventional s... 2318 convolutional neural networks subject great im... 5894 popular setting medical statistics group seque... 20438 yangtze river subject heavy flooding throughou... 405 let n k fracn integers paper investigate algeb... 219 tomography made radical impact diverse fields ... 4123 starting pioneering works shannon weiner pleth... 16870 accommodating electric vehicles evs battle fos... 17686 last decades numerous security privacy issues ... 16761 range anxiety persistent worry enough battery ... 13517 paper propose restart schedule adaptive simula... 6593 work provide nonasymptotic probabilistic guara... 2037 consider large market model defaultable assets... 1022 continuing study preduals spaces mathcallhy bo... 8271 building largescale globally consistent maps c... 11522 ai applications emerged current world among ai... 8126 using brownian motion periodic potentials vx t... 266 paper reinvestigates estimation multiple facto... 20118 new ternary mgnimn intermetallics successfully... 15653 consider lightinduced binding motion dielectri... 15258 electrochemistry underlying mechanism variety ... 11883 rakingratio method statistical computational m... 3827 paper presents alternative approach pvalues re... 2821 composite fermion cf formalism produces wave f... 18116 work presents methodology modeling predicting ... 14807 study training process deep neural networks dn... 16026 propose generalization best arm identification... 10421 graph drawings useful tools exploring structur... 12786 decreasing temperature srvo undergoes two stru... 13196 goal paper investigate dynamics eigenvalues st... 2742 investigate impact resonant gravitational wave... 4665 present optical mapping neareye omni threedime... 9987 development high strength carbon fibers cfs re... 1263 adaptive designs multiarmed clinical trials be... 10054 paper addresses challenge humanoid robot teleo... 16197 existence absence nonanalytic cusps loschmidte... 3584 strong demand precise means comparison logics ... 5524 smallest eigenvalues associated eigenvectors i... 4723 fields neuroimaging genetics key goal testing ... 17181 bands vectorvalued functions ftmapstomathbbrd ... 15236 family information dispersal algorithms applie... 16772 study kernel evaluated burau representation br... 4762 study eigenvalues selfadjoint zakharovshabat o... 20177 successful deployment safe trustworthy connect... 1668 paper prove shorttime existence hyperbolic inv... 11099 article develop algorithms data assimilation b... 17467 simplex algorithm linear programming based fac... 17535 goal population spectral synthesis pss deciphe... 8878 forwardlooking sonar capture high resolution i... 8573 study following control problem fish bounded a... 8452 search digital biomarkers parkinsons disease o... 14969 growing interest estimating analyzing heteroge... 3517 predicting popularity news article challenging... 19317 celebrated theorem robertson seymour states fa... 3833 bayesian models mix multiple dirichlet prior p... 9357 present new atacama large millimetersubmillime... 11311 propose method feature selection employs kerne... 4708 present gamer gpuaccelerated adaptive mesh ref... 8541 fully exploiting properties crystals requires ... 3307 honeycomb structures group iv elements host ma... 6498 speaker says name color color picture necessar... 6291 squared error loss remains commonly used loss ... 11562 present model contagion unifies generalizes ex... 5440 popular tool producing meaningful interpretabl... 9675 show even mild improvements polyavinogradov in... 12054 semantic segmentation like fields computer vis... 4111 goal network representation learning learn low... 10182 dark matter particle explorer dampe one four s... 9880 recent advances policy gradient methods deep l... 592 starting isentropic compressible navierstokes ... 16066 introduce imaginationaugmented agents ias nove... 758 develop theoretical foundations network distan... 14861 doubts expressed comment eur j phys tenability... 10375 guided critical systems found nature develop n... 6557 chernschwartzmacpherson csm classes generalize... 3383 study diffusion heat equation finite dimension... 2806 machine learning algorithms prediction increas... 7748 context robotic underwater operations visual d... 3592 suppose future technology enables consciously ... 15801 work study thermal conductivity insitu ringope... 14808 paper explore theoretical boundaries planning ... 13868 based recent highresolution angleresolved phot... 7877 propose general framework learn deep generativ... 12523 deep convolutional neural networks cnns becomi... 5088 first chapter present computation square value... 15118 linear parametervarying lpv systems jumps piec... 5617 flexible transparent electronics presents new ... 11000 braincomputer interfaces bcis provide alternat... 895 foreseen implementations small size telescopes... 19967 modelling information cascades online social n... 7180 measure statistically anisotropic signatures i... 9575 paper provides analysis voting method known de... 11031 onedimensional unsteady nozzle flow modelled i... 1225 algorithmdependent generalization error bounds... 6408 paper consider optimal control problem coupled... 14068 basic reproduction number r threshold paramete... 14032 present concept magnetic gas detection extraor... 3333 study consider preliminary test shrinkage esti... 4754 fundamental understanding loop formation long ... 3619 tracking controlling shape continuum dexterous... 16267 partiallyobserved boolean dynamical systems po... 6955 overcome travelling difficulty visually impair... 6110 paper aims identify three electrical systems s... 12680 paper investigate whether text community quest... 6761 describe loopinvgen tool generating loop invar... 13055 consumers often react expressively products fo... 8237 stochastic allencahn equation multiplicative n... 20176 bayesian matrix factorization bmf powerful too... 20294 experimental setup consecutive measurement ion... 6775 technological improvement important cause long... 15621 intensive studies three decades elucidated mul... 4860 recent years seen growing interest understandi... 7250 paper presents sequential randomized lowrank m... 19028 stochastic block model sbm probabilistic model... 20607 substantial progress factoid questionanswering... 8197 paper presents modelbased design evaluation in... 12783 study theoretically velocity crosscorrelations... 6266 recent years monaural speech separation formul... 2222 paper propose novel elegant solution multisour... 20332 paper discuss general properties viscoelastic ... 4679 distant agn within allowed gzk cutoff radius r... 19706 studied thermodynamic behaviors noninteracting... 3796 accuracy one basic principles journalism howev... 2227 cosmic rays originating extraterrestrial sourc... 3904 investigate behavior deviation estimator densi... 945 popular widely used subtractwithborrow generat... 1274 study galois descent semiaffinoid nonarchimede... 4464 give classification complete algebraic descrip... 17372 study effect dynamical tides associated excita... 13106 magnetohydrodynamically induced interface inst... 20075 paper presents procedure retrieve subsets rele... 8631 possible draw circle manhattan using discrete ... 8496 explored evolution cold debris disk gravitatio... 18049 walking quadruped robots face challenges posit... 10119 study highfrequency behavior dirichlettoneuman... 16993 fast carrier cooling important high power grap... 20733 paper describes luminosos participation semeva... 11885 vagueness something everyone familiar fact peo... 17094 given positive linear combination five respect... 18319 show dcolored set points general position math... 12758 aim paper study relations regular reductive pv... 13449 paper present new type fractional operator gen... 12026 chiral optical tamm state cots special localiz... 2788 finite abstract simplicial complex g defines t... 6268 nonlinear dynamical stochastic models ubiquito... 4901 representation formula relaxation integral ene... 1180 reconstruction population histories central pr... 10216 deep convolutional networks achieved great suc... 61 consider previous models timed probabilistic s... 14144 synthesis rationally designed nanostructured m... 15949 modern tracking technology made collection lar... 12684 paper propose novel approach manage throughput... 6215 let alpha mathcalc mathcald symmetric monoidal... 5422 three properties dielectric relaxation ultrapu... 3493 consider corotational wave maps dimensional mi... 16520 future mmwave mobile communication systems use... 16234 superconductivity angstrom singlewalled carbon... 1459 numerically study jamming transitions pedestri... 7841 note discusses proofs convergence firstorder m... 12636 propose new approach topological recursion eyn... 9785 geometric approaches monocular visual odometry... 5358 short time intervals planetary ephemerides tra... 20847 galaxy clustering small scales significantly u... 18619 understanding topological insulators based und... 10241 propose definition vafawitten invariants count... 8137 cognitive neuroscience enjoying rapid increase... 12292 class nonlinear schrdinger equations involving... 14161 recent studies regarding habitability observab... 111 retrosynthesis technique plan chemical synthes... 1586 analyzing available fao data countries years o... 1395 learning visuomotor skills endtoend manner app... 6759 data mining field important source largescale ... 20328 learn navigate unmanned aerial vehicle uav avo... 11909 present paper continuum model introduced fluid... 10611 reinforcement learning rl makes possible train... 3889 paper considers problem designing maximum dist... 20002 march noaa active region ar produced x flare s... 19630 study behavior real pdimensional wishart rando... 6930 multilabel classification important learning p... 14658 tensorflow distributions library implements vi... 15190 propose precise ellipsometric method investiga... 5620 anyone need data system today confronted numer... 8805 lidar extensively used industry massmarket due... 4851 develop novel method counterfactual analysis b... 8058 wide range humanrobot collaborative applicatio... 14383 introduce class fixed points primitive morphis... 19150 conducted search exotic spin velocitydependent... 16238 study topological structure omegalimit sets sk... 7945 variational tensor network renormalization app... 4849 highavailability software systems requires aut... 3299 many important problems characterized eigenval... 12461 least squares ls estimator best linear unbiase... 367 paper study muordinary locus shimura variety p... 6036 dark matter momentum velocitydependent interac... 8396 seaquest spectrometer fermilab designed detect... 13806 study pareto frontier two competing norms cdot... 15243 based results published recently j phys math t... 3032 streaming graph graph formed sequence incoming... 14120 motivated ridesharing platforms efforts reduce... 3903 congruence surface grassmannian mathrmgrmathbb... 6179 give criterion existence noncommutative crepan... 2094 accounting fraud global concern representing s... 6962 study problem testing structure networks using... 13846 series papers develop theory class locally com... 10612 drafting strong players crucial team success d... 4469 network modeling become increasingly popular a... 2182 passive kerr cavities driven coherent laser fi... 3856 using cohomological methods prove criterion em... 4459 paper consider stochastic langevin equation ad... 6601 paper analyze communities across united states... 12882 bak sneppen bs model simple model exhibits ric... 15732 describe hopf ring structure direct sum cohomo... 19458 dual fabryperot cavity based optical refractom... 10489 investigate transport properties neutral fermi... 11524 give faster algorithms producing sparse approx... 1829 consider networked multiagent reinforcement le... 7918 significant research conducted recent years de... 8407 properties cold interstellar medium lowmetalli... 9942 hierarchicallyorganized data arise naturally m... 6086 paper presents interconnected controlplanning ... 4785 statistical regression models whose mean funct... 10240 variable graph selection problems finding righ... 6580 paper study largetime behavior solutions class... 6066 simulation model based parallel systems establ... 5838 paper studies semiparametric contextual bandit... 15465 lowcomplexity point orthogonal approximate dct... 2245 employ exponentially improved asymptotic expan... 1484 color names based image representation success... 6088 note provide critical commentary two articles ... 20001 analyze osaka factory worker households early ... 16261 reservoir characterization involves estimation... 4545 paper proposes image dehazing model built conv... 9086 recently dinitriles ncchncn especially adiponi... 16515 paper new index coding problems studied receiv... 10650 given input sound signal target virtual sound ... 3647 future wireless systems expected provide wide ... 4929 investigate star formation spatially organized... 5504 present five variants standard long shortterm ... 13111 complexity geodesic language connections algeb... 13871 paper addresses deep face recognition fr probl... 7344 propose variational shape learner vsl generati... 12481 present new markov chain monte carlo algorithm... 3831 design electrically driven quantum dot devices... 17899 introduce discrete distribution wiener process... 9303 introduce method learning dynamics complex non... 20182 recent breakthroughs deep reinforcement learni... 14044 speaker recognition performance emotional talk... 12367 relational probabilistic models challenge aggr... 10170 bayesian model selection model averaging rely ... 4915 big data analysis detecting rare weak signals ... 13831 spiking neuronal networks usually simulated th... 14066 prove existence singular harmonic bf z spinors... 17492 motivated host empirical evidences revealing b... 6690 iterationfree method domain decomposition cons... 14757 seminal result decentralized control developme... 7029 present endtoend system musical key estimation... 8522 motility mechanism certain rodshaped bacteria ... 10631 although various norms reciprocitybased cooper... 468 consider bilinear optimal control problems who... 27 paper introduce notion zetacrossbreeding set z... 7578 possibility solving bethesalpeter equation min... 9889 feedforward convolutional neural networks cnns... 4147 novel solution obtained solve rigid registrati... 19357 magnetic anisotropy moaucofeaumgo nmaucofeau h... 805 polynomial pinmathbbrzdotszn real stable roots... 17831 recent studies shown reinforcement learning rl... 10074 study predictive density estimation kullbackle... 2342 half million individuals diagnosed head neck c... 1553 article continue study problem lpboundedness m... 18429 introduce multifactor stochastic volatility mo... 14204 uncertainty propagation large scale discrete s... 7781 nowadays major challenge machine learning big ... 1143 photoionized nebulae comprising hii regions pl... 11505 present methodology detail implementation dark... 2737 increasing richness volume especially types da... 15497 paper describe improved algorithms compute jan... 8583 techniques approximately contracting tensor ne... 4685 given distribution defects structured surface ... 19721 last decades internet mobile technology consol... 12326 neural circuits retina divide incoming visual ... 8952 selfrepelling random walk token graph one step... 8192 paper considers multipleinput multipleoutput m... 13212 deep generative models shown promising results... 14612 kernel kmeans clustering correctly identify ex... 11947 since invention wordvec skipgram model signifi... 5964 high density implants metals often lead seriou... 985 derived background corrected intensities mev g... 20433 largeaperture experiment detect dark age leda ... 18347 compute leading postnewtonian pn contributions... 3742 previously proposed partial quantile regressio... 6583 describe new irreducible components giesekerma... 9152 present clustering properties lyman break gala... 83 exposition homotopical results geometric reali... 14791 reparameterization variational autoencoders co... 925 one challenging problems correlated topologica... 6584 cell monolayers provide interesting example ac... 12554 explore feasibility using fastslow asymptotic ... 1003 develop high temperature series expansions the... 13477 upon employing analysis new time domain termed... 10574 long standing interest understanding social in... 11319 deep neural networks notorious sensitive small... 1448 present nmr spectra remotemagnetized deuterate... 9790 advancement autonomous vehicles avs created en... 15554 liar paradox widely seen serious problem try e... 10614 let galpha hbeta locally compact hausdorff gro... 17515 consider estimation multiperiod optimal portfo... 11333 doctors often rely past experience order diagn... 2536 let x normal connected projective variety alge... 5349 ancient solutions arise study parabolic blowup... 17090 bioinspired paradigms proving useful analyzing... 13209 introduce new finite element fe discretization... 8295 realize family generalized cluster algebras ca... 16996 hamming graph hdn cartesian product complete g... 17507 investigate exceedances process sufficiently h... 14460 monocular facial shape reconstruction single f... 2798 present working framework establish finite abe... 16961 loss functions large number saddle points one ... 19566 bayesian inference stochastic volatility model... 17656 skin cancer major public health problem common... 6950 show rclomegacdot equal omegacdot 12883 classify ribbon structures drinfeld center mat... 13163 user engagement online social networking depen... 2561 opinion mining sentiment analysis social media... 14255 ability locally degrade extracellular matrix e... 5595 obtain reduction vectorial ribaucour transform... 12845 let mathcall schrdinger operator form mathcall... 2324 disjointset forests consisting unionfind trees... 12971 apache spark framework distributed computation... 12969 studied structural electronic magnetic propert... 4863 distributed function computation node initial ... 17390 capable reaching similar magnitudes large mega... 9091 dissolution porous media geologic formation in... 19646 reproducibility crisis highly visible source s... 5441 many problems industry social natural informat... 7852 work study two models arbitrarily varying chan... 7603 universal labeling graph g labeling edge set g... 10841 article go discuss various proper extensions k... 7182 quantifying errors losses due use floatingpoin... 9002 r ellpartition graph g partition vertex set r ... 5341 theoretical investigation structural elastic e... 3730 two stateoftheart implementations boosted tree... 9786 published paper sengupta proposed brain selfor... 17861 compared relational database rdb graph databas... 9140 tool manipulation vital facilitating robots co... 10419 present physhare new haptic user interface bas... 15139 statistical inference exponentialfamily models... 18332 outline construction local floer homology cois... 8962 use standard platforms field humanoid robotics... 8239 popular approach modeling inference spatial st... 11149 betweenness centralitymeasuring many shortest ... 7315 show fluidflow interpretation service curve ea... 14104 deep generative models trained large amounts u... 14782 nonlinear kernel methods approximated fast lin... 18461 feature descriptor provide information corresp... 4502 spectral clustering one popular methods commun... 3980 since development higher local class field the... 1351 detecting evaluating regions brain various cir... 13306 employ unsupervised machine learning technique... 18150 stateoftheart methods proteinprotein interacti... 2163 paper presents first estimate seasonal cycle o... 8054 message importance measure mim applicable char... 2896 graph matching two correlated random graphs re... 6627 construct new classes selfsimilar groups sarit... 13723 paper new approach classification target task ... 19270 abalone photosensor technology us patent capab... 17574 propose autoencoding sequencebased transceiver... 15628 focusing nls equation simplest universal model... 7241 recent advances molecular simulations allow di... 19474 derive new bayesian information criterion bic ... 20024 let mathcalb denote set bicolorings n bicolori... 6323 assessing impact individual actions performed ... 15159 paper comprehensive introduction results grew ... 13022 present generalization cauchylorentzian gemanm... 17904 problem machine learning missing values common... 875 difficult tell whether trained generative mode... 3195 introduce asymptotically unbiased estimator fu... 16430 modelbased control building heating systems en... 18362 work establish tightest lower bound uptodate m... 12222 purpose article study role gdels functional in... 12800 transport security protocols essential ensure ... 10325 show twoweight estimate dyadic square function... 4029 optimizationbased approach tucker tensor appro... 6419 correction type ia supernova brightnesses exti... 4369 report cosmological correlation functions used... 15784 careful analyses photometric star count data a... 3021 trajectory optimization controlled dynamical s... 10194 paper concerned convergence longterm stability... 16287 consider linearly transformed spiked model obs... 4237 present novel approach mobile manipulator self... 18735 treat utility maximization terminal wealth age... 11449 distributions species lifetimes species space ... 1047 argued epl bf entitled essential discreteness ... 8309 describe second generalized fengrao distance e... 1851 summarization long sequences concise statement... 12573 rapid development deep learning family machine... 10127 paper studies robust regression settings huber... 10101 propose new linear algebraic approach computat... 4353 paper deals motion planning multiple agents re... 20798 regularization matrix factorization mf approxi... 20649 lattice integer span linearly independent vect... 19962 study optimizationbased approach con struct me... 8470 use large amounts unlabeled video learn models... 794 excited states single donor bulk silicon previ... 3745 paper studies concept instantaneous arbitrage ... 20360 search engines online marketplaces humancomput... 6886 study marginally compact macromolecular trees ... 11624 developed new datadriven paradigm rapid infere... 2802 south central american countries prepare incre... 12078 paper introduce investigate novel class analyt... 9364 present easytoimplement efficient analytical i... 15215 growing interest automatic speaker verificatio... 6661 positive integer r rfubini number parameter n ... 18528 modify standard relativistic dispersion relati... 7033 sample efficiency critical solving realworld r... 12604 life viewed localized chemical system sits bas... 18163 approximate bayesian computation abc synthetic... 2194 splendid success convolutional neural networks... 9172 paper study recovery signal set noisy linear p... 17914 hidden markov models hmms ubiquitous tool mode... 3042 present state interaction spinorbit coupling m... 18655 peculiar infrared ringlike structure discovere... 1043 many asteroid databases lightcurve brightness ... 10575 coreperiphery structure networks core nodes de... 12103 propose method dualarm manipulation rigid obje... 8369 first two detections late astrophysics officia... 1676 article construct three explicit natural subgr... 18929 paper optimal control vlasovpoisson plasma ext... 9820 approach truth society may depend various fact... 7386 resonant inelastic xray scattering rixs experi... 15917 expanded version third authors lecture stringm... 8246 area distributed graph algorithms number netwo... 1844 propose novel semisupervised active learning a... 4278 longstanding belief modular tensor categories ... 3835 nonlte radiative transfer problems computation... 1880 present method generate renewable scenarios us... 3460 hyperuniform geometries feature correlated dis... 8165 last fifteen subset sampling method often used... 5025 demand high data rate low latency fifth genera... 14449 paper concerned optimal control problems syste... 1775 present first good evidence exocomet transits ... 17280 sequential changepoint detection distribution ... 9000 report ab initio discovery novel putative grou... 17818 zeroshot learning zsl challenging task aiming ... 18143 huanghilbert transform applied seismic electri... 7331 nfold darboux transformation tn focusing real ... 5271 papers antares multimessenger program prepared... 275 let bounded domain mathbb rn infinitely smooth... 12377 synthetic data proved increasingly useful trai... 5942 automatic verification programs maintain unbou... 2692 groundstate magnetic response fullerene molecu... 15324 solve lifecycle model consumers chronological ... 12069 potential flow around circular cylinder common... 12131 paper describes qcris machine translation syst... 10639 segmentation animals cameratrap images difficu... 8871 develop analytical framework perfor mance comp... 3075 previous work studied interconnected bursting ... 13396 paper deal composite rational functions zeros ... 7809 learning algorithms implicit generative models... 17533 present list open questions mathematical physi... 8341 recent work degenerate stirling polynomials se... 199 boundary value problems sturmliouville operato... 4397 paper studies problem secure communication ktr... 8375 previous work questioned conditions decision r... 554 networked control systems ncs attracted consid... 19151 deep learning models lately shown great perfor... 1886 extracting useful entities attribute values il... 345 distance standard deviation arises distance co... 6829 semiprocess analog semiflow nonautonomous diff... 13528 study theoretically edge fracture instability ... 15208 report smallangle neutron scattering sans meas... 14992 online social systems become important platfor... 4176 measurement error observed values variables gr... 2236 propose new positive definite kernels permutat... 2853 paper present novel deep fusion architecture a... 6151 study elliptic curve ea axyaxxyxx call geometr... 7453 reinforcement learning promising approach lear... 5843 muscle synergy concept provides widelyaccepted... 14128 study dynamic response superfluid field moving... 580 study emphproximal alternating predictorcorrec... 2154 analyze performance class timedelay firstorder... 7687 determinantal point processes dpps wideranging... 5339 density functional theory nonequilibrium green... 19177 mongekantorovich problem infinite wasserstein ... 1791 using largescale simulations based matrix prod... 3692 let xldotsxn iid sample mathbbrp zero mean cov... 9409 selfdriving vehicles backflipping robots virtu... 831 osirisrex return pristine samples carbonaceous... 10080 work analyses surprising elections attempts qu... 17775 direct acousticstoword aw models endtoend para... 14001 distributions anthropogenic signatures impacts... 13427 origin populationscale coordination puzzled ph... 13062 estimating multiple sparse gaussian graphical ... 2453 predicting completion time business process in... 13898 dialogue act recognition associate dialogue ac... 20086 let liouville manifold smooth fiber lefschetz ... 9778 spin filter superconducting sin tunnel junctio... 19806 graph data models widely used many areas examp... 360 propose two multimodal deep learning architect... 5007 team semantics mathematical framework modern l... 9946 chiral magnetic materials numerous intriguing ... 15082 given sample bids independent auctions paper e... 289 threedimensional spin current solver based gen... 15028 consider design modeling metasurfaces couple e... 2375 marshall olkin biometrika introduced powerful ... 12320 evolution structure biology driven accretion c... 2055 systematic firstprinciples study performed und... 19299 paper presents deep learning framework capable... 14768 based firstprinciples calculations effective m... 5082 let mathfrak l mathfrak qntimesmathfrak qn mat... 14378 study unbiased estimator density sum random va... 12288 accurate rates energydegenerate lchanging coll... 5725 anomalies timeseries data give essential often... 8574 classify betti tables indecomposable graded ma... 20 impact random fluctuations dynamical behavior ... 10709 construct knrrer type equivalences outside hyp... 12490 aim work establish two recently published proj... 8678 applying certain flexible geometric sampling m... 6389 quasitwodimensional organic chargetransfer sal... 17092 operationalizing machine learning based securi... 6538 study computational tractability pac reinforce... 18128 work show saturating output activation functio... 5386 investigate graph probing problem agent incomp... 13850 fundamental importance find algorithms obtaini... 15598 major goal unsupervised learning discover data... 16932 since social interactions shown lead symmetric... 5575 describe time series multivariate adaptive reg... 4560 policygradient approaches reinforcement learni... 19750 ensemble weather predictions require statistic... 16316 anions molecules zno atomic zn constitute mass... 8985 use dimension lie algebra structure first hoch... 14513 subject traces sobolev spaces mixed lebesgue n... 19049 notion disentangled autoencoders proposed exte... 17857 boundary value problem complete second order e... 14587 use logmmodot quiescent starforming galaxies z... 8552 present expectationmaximization algorithm frac... 11143 despite wide use machine learning adversarial ... 9818 injury heals embryo develops carcinoma spreads... 5278 existing music recognition applications requir... 12167 prove transverse weitzenbck identities horizon... 14362 paper propose novel explanation module explain... 8233 paper devoted study max karmed bandit problem ... 5133 present gpuqt quantum transport code fully imp... 13634 motion planning autonomous vehicles requires s... 3108 poissonfermi model extension classical poisson... 14182 conduct comprehensive set tests performance su... 16712 paper analyzes use convolutional neural networ... 863 important yet largely unstudied problem studen... 3254 convolutional dictionary learning cdl estimate... 11306 order alleviate data sparsity overfitting prob... 871 show training deep network using batch normali... 11567 prove two smooth families connected domains cc... 1508 prove orthogonal free quantum group factors ma... 2872 number examples variations hodge structure max... 4913 work develop adaptive multivariate partitionin... 14003 given network nodes minimizing spread contagio... 9647 autonomous underwater vehicle auv carry comple... 11943 present brief review discrete structures finit... 16624 past years shown remarkable growth usecases mi... 6011 introduce reduction distinct distances problem... 10784 present analyze two pathways produce commercia... 4124 short overview demystifying midi audio format ... 3438 technologies become important part lives steps... 14165 carried campaign characterize hot jupiters was... 8980 study problem learning latent variable model s... 2466 investigated electronic states spin polarizati... 4216 initiate study communication complexity fair d... 14796 paper approaches problem imagetotext attention... 18778 various models recently proposed reflect predi... 7103 use elliptic system equations complex coeffici... 5375 missing phase problem xray crystallography com... 17271 paper introduces deep incremental boosting new... 5613 among ergodic actions compact quantum group ma... 2734 background performance bugs lead severe issues... 11892 following wigert great number authors includin... 674 study problem sparsity constrained mestimation... 1711 provide new approximation guarantees greedy lo... 8506 many online applications interactions user web... 16829 paper deals two related problems namely distan... 14822 establish monotonicity property mass nonplurip... 8139 word obfuscation substitution means replacing ... 4789 profiles broad emission lines active galactic ... 9688 present new proof kirchbergs mathcal ostable c... 12037 propose exploration method incorporates lookah... 2899 work several semantic approaches conceptbased ... 6935 moving sofa problem posed l moser asks planar ... 4035 human activities hunting emailing performed fr... 6674 vision deployment massive internetofthings iot... 15055 various optical methods measuring positions mi... 4990 present new autoencodertype architecture train... 11642 signed networks crucial tool modeling friend f... 15039 study emergence dissipation atomic josephson j... 4257 means building safe critical systems consists ... 8293 chemicalchemical interaction cci plays key rol... 5473 note contains examples hyperkhler varieties x ... 18569 examine performance efficient aipw estimators ... 16445 open bisimilarity original notion bisimilarity... 14642 recent surge interest dualities relating theor... 1254 recent progress deep learning audio synthesis ... 17109 paper analyzed stability cylindrically symmetr... 15361 questions require counting variety objects ima... 15053 modern machine learning techniques used constr... 9857 demonstrate students use modeling examined ass... 16987 paper presents scenecut novel approach jointly... 2122 bibliometric indicators citation counts andor ... 2673 panel data analysis important topic statistics... 16651 estimators computed adaptively collected data ... 19921 spinrelaxation conventionally discussed using ... 11741 light curves show flux variation target star o... 14076 research hardware imperfections impact securit... 6118 weighting pixel contribution considering locat... 3953 multivariate techniques based engineered featu... 1516 deep neural networks dnns emerged key enablers... 17229 kinetic energy density functionals kedfs centr... 3611 propose structured low rank matrix completion ... 7589 study introduce new approach curve pairs using... 791 synchronization multiplex networks attracted i... 18534 consider class nested optimization problems in... 1865 present novel approach fast onthefly low order... 7066 paper new series first second stieltjes consta... 6064 present results spectroscopic measurements ext... 337 kitaev quantum spin liquid topological magneti... 15416 consider refinement differential privacy per i... 10389 recent years number biomedical publications st... 2344 number imageprocessing problems formulated opt... 4004 although existence quasibound rotational level... 18848 algorithm solving smooth nonconvex optimizatio... 11678 keyphrase boundary classification kbc task det... 20906 high efficiency charge generation within organ... 20211 atmospheric modeling lowgravity vlg young brow... 5706 linearscaling electronic structure methods bas... 18823 contribution extend methodology proposed abry ... 9016 kernel online convex optimization koco framewo... 7771 investigate multitarget search complex network... 7017 digital information encoded buildingblock sequ... 13581 energy graph g equal sum absolute values eigen... 9100 empirical investigation activecontinuous authe... 17591 last decades increasing interest improving acc... 11670 paper concerned structured machine learning su... 14956 work consider problem combining link content t... 7261 virtual screening vs widely used computational... 16834 variational autoencoders vaes well generative ... 248 show qqdots qm polynomial q coefficients iff e... 18879 random codetrees necks introduced recently gen... 1841 consider fourdimensional gravity coupled nonli... 33 electronic health records ehr contain large va... 18340 show klocally smash product string bordism spe... 8973 consider variant classic multiarmed bandit pro... 1076 present newly discovered correlation wind outf... 311 define family quantum invariants closed orient... 19722 unexpected clustering orbital elements minor b... 11762 paper studies problem detection tracking gener... 18826 laserinduced adiabatic alignment mixedfield or... 13787 associated varieties vertex algebras analogue ... 5399 present algorithm identify sparse dependence s... 18921 introduce family mathematical objects called m... 10249 paper presents topology optimization approach ... 17147 many relevant tasks require agent reach certai... 16645 prove generic lefschetz pencil plane curves de... 13302 many image processing tasks involve imagetoima... 239 corrosion indian rafms reduced activation ferr... 5158 statistics smallest eigenvalue wishartlaguerre... 7895 simulate boron pb surface using ab initio evol... 6700 analyze theoretically schrodingerpoisson equat... 472 study sun quantum chromodynamics qcd dimension... 7197 cholesky decomposition plays important role fi... 14606 automatic segmentation mr brain images importa... 17916 advances data analytics bring civil rights imp... 5886 reward augmented maximum likelihood raml simpl... 8896 cold load pickup clpu critical concern utiliti... 5270 neural networks among accurate supervised lear... 1745 shown relativistic quantum mechanics single fe... 15075 present position paper advocating notion stoic... 11188 consider statistical estimation superhedging p... 4256 text generation increasingly common often requ... 5280 expected improvement ei algorithm popular stra... 15178 study algebras tilting modules generated cogen... 14216 dgeq study simplicial structure chain complex ... 7070 text preprocessing often first step pipeline n... 20264 paper propose novel recurrent neural network a... 10029 since largest ebola virus disease outbreak wes... 1024 web important resource understanding diagnosin... 4718 paper proposes novel model rating prediction t... 11756 article brief introduction rapidly evolving fi... 13268 question number thermodynamic states present l... 16900 present analysis main systematic effects could... 2906 deformation disordered solids relies swift loc... 14299 evaluate integrals certain polynomials spheres... 11816 using unfolding operators periodic homogenizat... 11887 investigate gooshanchen gh shifts reflected tr... 16058 asymptotic theory approximate martingale estim... 1703 reinforcement learning gaining attention wirel... 12241 sharp range lpestimates class hrmandertype osc... 2004 widely observed deep learning models learned p... 6348 though deep neural networks achieved stateofth... 3743 present pfdcmss novel messagepassing based par... 7471 date germanene synthesized metallic substrates... 369 consider modification standard cosmological hi... 10007 discrete particle simulations widely used stud... 19748 go gaming struggle territory control rival bla... 20773 optimal path planning problems rigid deformabl... 10351 develop maximum likelihood estimator mle measu... 4203 introductory pedagogical treatmeant article p ... 13823 halfcentury discovery superconductorinsulator ... 20612 understanding relationship structure lightharv... 19436 deep neural networks shown succeed range natur... 8223 voltage control plays important role operation... 10812 article prove total variation inequalities max... 6813 since emergence two decades ago astrophotonics... 10961 portable ultrafast ultrasound us imaging syste... 12829 define open gromovwitten invariants counting p... 14311 shot noise important ingredient measurement th... 17742 study class focusing nonlinear schroedingertyp... 14258 wake vast population smart device users worldw... 13938 present restframe optical spectra fmoscosmos s... 8018 theoretical existence nonclassical schottky gr... 14985 stochastic convex optimization algorithms popu... 17966 morphable models dmms powerful statistical mod... 19380 crowdfunding platforms people turn prototype i... 18998 study action dihedral group equivariant cohomo... 17235 direct detection gravitational wave laser inte... 2357 goal scenario reduction approximate given disc... 4664 rapid changes extracellular osmolarity one man... 8833 zerodelay transmission gaussian source additiv... 20620 paper provides results nonstandard hyperbolic ... 14081 kristensen mele developed new approach obtain ... 4127 multientity dependence learning medl explores ... 8618 increase use resilient control algorithms base... 11786 lowprofile patterned plasmonic surfaces synerg... 9579 robots state insecurity onstage emerging conce... 5707 recently social media seen promote democratic ... 7474 strategic interactions competitive entities ge... 12077 wide adoption multicommunity setting many popu... 10376 introduce analyze extension matching problem w... 7176 paper puts forth mathematical framework buildi... 11145 let xlambdaldotsxlambdan dependent nonnegative... 18064 besides enabling enhanced mobile broadband nex... 2124 flexibility shape scale burr xii distribution ... 18368 prove existence oneparameter family nondisplac... 5659 secure multiparty computation mpc enables set ... 8323 plasmonic metasurfaces employed tuning control... 3976 increasing safety automation transportation sy... 732 context orientable circuits subcomplexes repre... 12872 work concerned existence solutions nonlinear s... 5196 introduce pseudodeterministic interactive proo... 14682 sentiment analysis aims uncover emotions conve... 3763 continuoustime trajectory representations powe... 79 study evolution spinorbital correlations inhom... 4561 absolute positioning vehicles based global nav... 2331 accurate robust simulation transcritical realf... 4506 directed graphs widely used model data flow ex... 15602 paper extend known methodology fitting stable ... 333 identification patients high risk readmission ... 11616 recently owen proposed use hilberts space fill... 5180 paper addresses problem synchronizing orthogon... 11086 coverage probability user mmwave system depend... 16411 propose general framework studying jumpdiffusi... 18471 multicommodity flowcut gap fundamental paramet... 20335 janus type watersplitting catalysts attracted ... 12584 short note improve best date bound godbersens ... 11424 article introduces planar shape signatures der... 12897 zero temperature charge current operator appea... 2188 training deep neural networks stochastic gradi... 19730 generation anisotropic shapes occurs morphogen... 6834 consider analysis high dimensional data given ... 16440 complexity learning task increased transformat... 20663 van der waals heterostructures allotropes phos... 14392 using established principles statistics inform... 16174 elementary net systems ens fundamental class p... 6177 heterogeneous wireless networks smallcell depl... 6247 give survey generalization quillensullivan rat... 464 variational approaches calculation vibrational... 10199 establish functional weak law large numbers ob... 4289 paper shows random variables x possible repres... 12164 convolutional neural networks cnns stateofthea... 19544 widespread usage complex interconnected social... 12548 report introduces investigates family metrics ... 13376 general physics level overview article hidden ... 9457 pseudomarginal algorithm variant metropolishas... 5400 nowadays quantum program widely used quickly d... 214 letter consider joint power admission control ... 14222 autoencoders deep learning model representatio... 18097 let transitive model set theory canonical inte... 4801 present first experimental demonstration multi... 13487 paper reviews main estimation prediction resul... 4383 study highdimensional linear models errorinvar... 20397 xray emission associated accretion onto compac... 3154 spiking neural networks snns possess energyeff... 9059 collective motion chemotactic bacteria e coli ... 16187 report development validation datadriven realt... 5049 image retargeting aims resize image one prescr... 7003 paper proposes rebnet endtoend framework train... 106 construct algebraic cobordism theory bundles d... 9864 paper show synchronization group output passiv... 14396 presentday clusters massive halos containing m... 3404 higher category theory use fibrations model pr... 15867 show level sets automorphisms free groups resp... 5639 recently proposed multilayer convolutional spa... 7716 inference models key component scaling variati... 13420 italian national institute statistics regularl... 10208 paper construct additional symmetries fermioni... 17547 work introduce conditional accelerated lazy st... 17827 develop implement automated methods optimizing... 6525 paper introduces general bayesian non parametr... 15085 person reidentification person reid crucial ta... 6387 paper investigates flow pathsensitive static i... 13132 describe amrex suite astrophysics codes applic... 5096 several theories glass transition propose stru... 13102 weak field limit scalartensorvector gravity th... 13154 although shill bidding common auction fraud ho... 1528 paper proposes novel adaptive algorithm automa... 20361 real world many complex systems interact syste... 18100 present new map interstellar reddening coverin... 965 graph edit distance ged important similarity m... 17059 deep neural networks vulnerable adversarial ex... 17219 background quality software product depends qu... 1662 recommender systems successfully applied assis... 455 recent detection two faint extended star clust... 11979 present parallel hierarchical solver general s... 7053 paper first propose two types concepts almost ... 18111 letter presents performance comparison two pop... 16875 community detection key data analysis problem ... 11155 synchronized measurements large power grid ena... 11571 short essay discuss basic features cognitive a... 8231 many machine learning tasks desirable models p... 16481 estimating distributions node characteristics ... 13424 system interacting brownian particles subject ... 18256 report documents implementation several relate... 14734 unveil novel unexpected manifestation anderson... 14214 metamaterial analogues electromagnetically ind... 7112 agentbased models abms simulate interactions a... 8046 currentvoltage characteristics new range devic... 16596 paper propose novel framework called semisuper... 16416 task clustering data given ordinal scale condi... 12950 scikitmultiflow multioutputmultilabel stream d... 18713 extracting significant places places interest ... 9098 geometric brownian motion gbm key model repres... 9760 effect spatial localization states distributed... 17848 project proposes reuse dafne accelerator compl... 20921 provide pair dual results stating coincidence ... 11557 investigate family regression problems semisup... 19847 show maximal sfree convex sets polyhedra set i... 18840 robust markov decision process rmdp sequential... 18135 dualfunctional nanoparticles property aggregat... 3646 industrie originally future vision described h... 10885 media seems become partisan often providing bi... 14632 chemical physical reaction dynamics essential ... 10115 porous silicon layers ps prepared work via pho... 173 paper provide analysis selforganized network m... 14938 introduce diffusively coupled networks dynamic... 12482 present crystal structure magnetic properties ... 11997 report results de haasvan alphen dhva measurem... 335 interesting approach analyzing neural networks... 5151 understanding influence features machine learn... 16563 article explains phase noise jitter slower phe... 9737 online game involves large number users interc... 11626 present note consider problem constructing hon... 1526 paris basin evaluate htem data complement usua... 399 interested extending operators defined positiv... 18181 work investigates influence geometric variatio... 5388 observed vela pulsar one year using phased arr... 749 propose probabilistic model interpreting gene ... 611 success autonomous systems depend upon ability... 15030 consider two stage estimation nonparametric fi... 12801 recent work richardson kuhn ab richardson et a... 516 study spectral properties curl linear differen... 12302 propose novel decoding approach neural machine... 14339 paper consider problem finding periodic soluti... 8122 tuning band gaps twodimensional materials grea... 14196 many applications infer structure probabilisti... 5175 apply reinforcement learning algorithm show sm... 12837 let h compact subgroup locally compact group g... 9477 solving largescale regularized linear inverse ... 3008 estimating structure directed acyclic graphs d... 3087 construct model random groups rank show model ... 19108 finitedimensional algebra algebraically closed... 14495 use renewable energy sources major strategy mi... 16304 paper concerned simultaneous estimation k popu... 20558 paper presents statistical method singlechanne... 3187 compute semiflat positive cone ksfathetasigma ... 7836 creation smart future information society inte... 12578 given p independent normal populations conside... 2030 recently decentralised onblockchain platforms ... 20286 deep convolutional neural network cnn based sa... 245 propose new pareto local search algorithm many... 14707 textual information extraction sequence labeli... 20749 consider process widehatlambdanlambdan lambdan... 20519 face image quality defined measure utility fac... 348 derive mean squared error convergence rates ke... 14982 contributions codalemaextasis experiment th in... 12053 four giant planets solar system feature zonal ... 16762 nystrm method popular technique computing fixe... 16224 provide new perspective fracton topological ph... 18694 higher category theory exceedingly active area... 19403 mexico city tracks groundlevel ozone levels as... 13785 twodimensional transition metal dichalcogenide... 3736 future circular collider fcc currently design ... 17481 paper two portfolio choice models studied pure... 11698 learningbased hashing methods widely used near... 9585 study properties stanleyreisner rings simplici... 12111 decision making multiagent systems mas great c... 8582 given full partial information collection poin... 15176 let f lipschitz map subset stratified group ba... 1562 recent work provided ample evidence global cli... 20799 temporal graph data structure consisting nodes... 9406 thz timedomain spectroscopy transmission mode ... 16828 using highfrequency expansion periodically dri... 10840 process monitoring involves tracking systems b... 5623 establish effective meanvalue estimates wide c... 18693 sachdevyekitaev quantum mechanical model n maj... 20779 work present novel strategy correcting imperfe... 8136 prove chernofftype bound sums matrixvalued ran... 2755 understanding variations genome sequences assi... 3212 describe method computer algebra helps laborio... 7401 variational autoencoders vaes learn representa... 2694 incorporation macroactions temporally extended... 18712 conventional chemisorption model dband center ... 7138 propose nonparametric method explicitly model ... 12051 investigated effect outofplane crumpling mecha... 18448 vertices four dimensional cell form noncrystal... 10388 chapter present stateoftheart generation noncl... 20079 companies academic researchers may collect pro... 18960 empirical researchers often trim observations ... 4721 widely used income inequality measure gini ind... 16000 unimodular random graph grho consider deformat... 16734 chapter guide generalpurpose abc software appe... 19666 present paper using replica analysis examine p... 11685 information forms basis human behavior includi... 5965 puzzle classic reconfiguration puzzle fifteen ... 14314 consider several previously studied online var... 11547 process control systems nowadays process measu... 18941 let phi spherical heckemaass cusp form noncomp... 62 present muon spin rotation measurements superc... 10549 deep reinforcement learning rl proven powerful... 18126 wellknown verification partial correctness pro... 11346 describe method formationchange trajectory pla... 4096 pseudoscalars garret sobczyks paper emphsimpli... 6459 past decades phenomenal progress development u... 2213 paper considers assignment multiple mobile rob... 17699 calculate amplitudetophase amtopm noise conver... 14471 paper intended step killing spinor programme s... 3336 paper shows recover stochastic volatility mode... 19011 common practice decay learning rate show one u... 7711 give new bound number collinear triples two ar... 8629 network models increasingly used past years su... 12522 consider class evolution equations describe ps... 2348 article consider equivariant schrdinger map bb... 13290 study problem initiation excitation waves fitz... 13589 goal present paper introduce smaller equivalen... 11822 deep learning networks achieved stateoftheart ... 17331 report results search light weakly interacting... 20261 convolution properties discussed complexvalued... 20112 hyperbolic space shown capable modeling comple... 16130 using lift nonperturbative volume stabilizatio... 5146 show tensor product aotimes b mathbbc two c al... 13112 purpose radial kspace trajectory wellestablish... 20498 study numerically entanglement entropy spatial... 10063 study fairness within stochastic emphmultiarme... 19525 paper consider distributed stochastic optimiza... 17613 effects nitridation density traps siosic inter... 15831 existing visual reasoning datasets visual ques... 15479 introduce new formulation hidden parameter mar... 7276 present spectra ultradiffuse galaxies udgs vic... 17615 work introduces tensorbased method perform sup... 8900 consider maximum likelihood estimation gaussia... 15893 article investigate duistermaatheckman theorem... 13287 uncertainty quantification critical missing co... 16603 structural discrimination appears persistent p... 11388 paper present data visualization method togeth... 18399 study popular centrality measure known effecti... 9619 photodissociation molecule produces spatial di... 12344 geosciences field great societal relevance req... 15484 unprecedented high volumes data becoming avail... 2683 adaptive fourier decomposition afd precisely a... 9072 paper propose stochastic optimization method a... 15771 provide new simple characterization multivaria... 7463 paper presents solution persistent monitoring ... 14455 contribution deals image restoration optical s... 17124 axionlike particles alps might constitute tota... 4422 new results added paper qclosed solvable sesqu... 19009 autoencoder effective unsupervised learning mo... 2679 new prior proposed representation learning com... 16811 automatic music transcription amt one oldest w... 20809 consider row sequences vector valued padfaber ... 17296 note prove lfracnenergy gap result yangmills c... 8914 consider pair plane straightline graphs whose ... 16423 generative adversarial networks gans family ge... 16702 deep learning recently become hugely popular m... 1521 present stochastic ca modelling approach corro... 8647 crowdsourced video systems like youtube twitch... 15970 shown total set equations determines dynamics ... 5030 maximize offloading gain cacheenabled deviceto... 14106 preceding paper efroimsky derived expression t... 17609 study problem finding small subset items empha... 10936 introduce notion essential tangent bundle para... 2527 propose simple risklimiting audit elections cl... 15905 show orthogonal projection operator onto range... 3591 convolutional sparse representations form spar... 12667 comprehensive understanding worlds energy effi... 12273 paper morgan type uncertainty principle unique... 3905 paper prove pointwise convergence rate pointwi... 14310 automatic compiler phase selectionordering tra... 7720 study n interacting random walks positive inte... 14321 conventional shape sensing techniques using fi... 1675 general linear model paper derives necessary s... 13008 construct matrix algebra lambdaab two given fi... 20448 paper give closetosharp answer basic questions... 10924 investigate similarities pairs articles cocite... 11825 explore competition coupling vibrational elect... 7092 wearable devices enable users collect health d... 9260 solution inverse problems variational setting ... 2056 answering question second listed author show t... 20567 paper fills gap aspectbased sentiment analysis... 19936 fundamental question biology organisms integra... 2304 paper studies holomorphic semicocycles semigro... 10268 paper apply empirical likelihood method infere... 4553 last decades public policies become central pi... 12793 many complex networked systems online social n... 13818 lowtemperature magnetic phases layered honeyco... 13678 vehicletoinfrastructure vi communication may p... 17324 following paper analyse idprice german intrada... 16652 alignment curve data integral part statistical... 20393 orthognathic surgery dental splints important ... 12863 report results pilot program use magellanmfs s... 5346 pair positive integers nk ngeq paper prove sum... 14593 gikn construction introduced gorodetski ilyash... 19381 learning infer bayesian posterior fewshot data... 5361 construct obstruction existence embeddings hom... 5284 despite widelyspread consensus brain complexit... 16323 investigate possible pathways formation low de... 14869 established spin splitting monolayer ml transi... 1896 study special central configurations curved nb... 7884 aim paper characterize nonnegative functions v... 17046 multivariate generalized pareto distributions ... 12082 investigate lightcurve properties sample spect... 4429 present results resonant xray scattering measu... 16934 amount information available mathematics teach... 10902 introduce novel regression framework simultane... 15292 manifold admits genus reducible heegaard split... 3774 finding intermediatemass black hole imbh globu... 10013 matched observational studies treatment assign... 3316 multilinear normal distribution widely used to... 216 realistic music generation challenging task bu... 11236 study problem community detection hypergraphs ... 5291 paper develops carleman type estimate immersed... 4221 graph weighted models gwms recently proposed n... 15834 srruo sro films known exhibit insulating behav... 18991 paper describes preliminary study producing di... 1615 identify se iii micron planetary nebula pn ngc... 3973 deconfined quantum critical point qcp separati... 5860 aim paper provide discussion current direction... 11351 describe sockeye version opensource sequenceto... 8380 totally new energy harvesting architecture exp... 19664 feature extraction dimension reduction network... 1803 novel scalable geometric multilevel algorithm ... 18918 nonlocal neural networks proposed shown effect... 14361 paper study moment sequences matrixvalued meas... 11257 article give full description topology one dim... 17597 paper prove hlder regularity bounded uniformly... 10969 quantum computing technologies become hot topi... 17518 prove generating functions colored homflypt po... 19423 extensive empirical literature documents gener... 11419 paper study sharp generalizations dotfpq multi... 8135 photosynthetic organisms rely series selfassem... 772 applications involving autonomous navigation p... 14964 paper assume isoparametric submanifolds flat s... 3597 success various applications including robotic... 394 paper describes development magnetic attitude ... 11399 introduce dual matroids dimensional simplicial... 3427 combination photometry spectroscopy spectropol... 16441 general greedy approach construct coverings co... 4948 fractures ubiquitous subsurface strongly affec... 5125 consider task finegrained sentiment analysis p... 8704 symmetry breaking responsible axion dark matte... 18066 prove following superexponential distribution ... 17809 present systematic method designing distribute... 20302 though convolutional neural networks cnns surp... 12110 prove teichmller space surfaces given boundary... 5717 paper propose study opportunistic bandits new ... 2029 paper describes submission bioasq challenge pa... 16686 report three main ingredients calculate three ... 20818 establish matterwave interference nearresonant... 2057 statistical relational ai starai aims reasonin... 13238 electrical brain stimulation currently investi... 20556 building dialog agents converse naturally huma... 12395 deep neural networks dnns transform stimuli ac... 7562 current tools exploratory data analysis eda re... 14804 standard deep learning systems require thousan... 20676 study class rings r property xin r least one e... 19643 cellular massive machinetype communications mt... 9389 scheme making use isolated feedback loop recen... 19419 inferring interactions processes promises deep... 2816 essay investigate observational signatures loo... 18198 article presents use answer set programming as... 18756 paper demonstrate manhattan structure exploite... 12269 mobile gaming emerged promising market billion... 4098 recent years deep neural networks yielded stat... 7501 surfactant solutions exhibit multilamellar sur... 8622 construct model galactic globular cluster syst... 10398 paper shows detailed modeling threelink roboti... 20709 paper introduces concept sizeaware sharding im... 2288 anisotropy describes directional dependence ma... 1408 study moduli space stable sheaves euler charac... 19354 present study shows performance cnn significan... 11321 study binary spinmixture zerotemperature repul... 8153 article us mean curvature flow surgery derive ... 11520 interpretability become incredibly important m... 8204 recent years use adjoint vectors computational... 14893 symbolpair codes introduced cassuto blaum rais... 11836 data poisoning attack machine learning models ... 20965 aggregate data metaanalysis statistical method... 3678 unique information ui information measure quan... 5681 even though forecasting literature agrees aggr... 11809 academic engagement accelerate crowd commercia... 7962 characteristics gravitational collapse superno... 13064 annotated bibliography estimation inference re... 7854 propose generative neural network methods gene... 11712 analyze ground state localization properties a... 1399 study developed method estimate relationship s... 16614 purpose develop generic optimization strategie... 18145 rapid development artificial intelligence brou... 9143 iuis aim incorporate intelligent automated cap... 16036 synoptic view longestablished theory light pro... 15805 investigate characteristics factual emotional ... 18593 consider searching trail maze composite hypoth... 11105 develop approach realize quantum switch rydber... 19805 monotone drawing graph g straightline drawing ... 14776 take advantage gaiaeso survey idr bulge data s... 8108 article analysis carried within confines repli... 2473 ease integration coupled large secondorder non... 14184 paper continuation recent paper devoted refini... 4592 concurrent coding unconventional encoding tech... 16498 fundamental component game theoretic approach ... 1922 intersecting pedestrian flow lattice random up... 20844 learned boundary maps known outperform hand cr... 7161 optimal transportation provides means lifting ... 12639 geometrical aspects perfect fluid spacetime de... 7897 use color qr codes brings extra data capacity ... 6260 control multihop wireless networks distributed... 8142 consider semiparametric transformation models ... 4589 tensors multidimensional arrays numerical valu... 11702 considerable literature developed various fund... 8404 information web dialogic facebook newsfeeds fo... 13080 measuring influence determining drives persist... 9412 highly eccentric binary systems appear many as... 4130 show nontrivial hahn field truncation primitiv... 11123 investigate finitesize effects diffusion confi... 1217 obtain better understanding tradeoffs various ... 6827 paper design information elicitation mechanism... 961 study generic onedimensional model intracellul... 18252 paper study sectional curvature bounds riemann... 2391 egbert brieskorn died july days th birthday im... 19482 beyond traditional security methods unmanned a... 1954 show case special dipolar source electromagnet... 6321 dependency parsing important nlp task popular ... 6055 paper considers new method binary asteroid orb... 1740 network integration studies try assess impact ... 20376 developing system humanrobot communication ena... 11858 ward identities charge heat currents derived p... 5962 paper construct new even constrained bc type t... 13670 paper consider solving class convex optimizati... 12309 sharpinterface limits phasefield model general... 1345 present method conditional time series forecas... 63 reveal details interaction human lysozyme prot... 14615 paper proposes distributed algorithms multiage... 3029 neural networks function approximators achieve... 15857 motivated problem deducing lpbounds second fun... 19272 study fairness collaborativefiltering recommen... 14728 kalman filters routinely used many data fusion... 8688 forecast political elections popular pollsters... 12519 wheeled planetary rovers mars exploration rove... 1454 end devices equipped multiple network interfac... 16607 paper introduce flashtext algorithm replacing ... 15505 ngc p ultraluminous xray source harboring accr... 14445 recently chen j garay studied pointwise slant ... 1817 metaltometal clearances steam turbine full par... 9249 algorithmic proof general nron desingularizati... 8253 canonically quantize od nonlinear sigma models... 15923 quantity distribution land eligible renewable ... 8097 paper presents hybrid control framework motion... 3098 extend framework complexity operators analysis... 13164 investigate statistical properties clustering ... 18754 let q power prime let v vector space finite di... 9535 argued concept technical tie electoral polls q... 16195 alternating minimization fienup methods long h... 6822 note studies equivalencies among convergences ... 633 extremely simple description karmarkars algori... 16465 present work develop delayed logistic growth m... 14835 using tridiagonal representation approach obta... 8657 melamed harrell simpson recently reported expe... 15579 deeplearning inference accelerator synthesized... 3132 survey main ideas early history subjects riema... 12160 work propose goaldriven collaborative task con... 14630 pushdown systems pdss recursive state machines... 12929 paper extends fullyconvolutional neural networ... 14644 slow light propagation structured materials hi... 12331 heavy metalferromagnetic layers perpendicular ... 6804 paper concerned detection objects immersed ani... 18996 develop topology data analysisbased method det... 13852 social media useful platform share healthrelat... 18280 develop uniform asymptotic expansion empirical... 679 present scalable black box perceptionintheloop... 18954 order robots perform missioncritical tasks ess... 4169 growing uncertainty design parameters therefor... 17652 cost per click cpc pricing model advertiser pa... 20730 paper proposes novel deep reinforcement learni... 15370 plasticity zirconium alloys mainly controlled ... 4122 paper first work propose network predict struc... 16953 prospection important part humans come new tas... 8140 one remaining obstacles approaching theoretica... 170 lectures notes written summer school mathemati... 2882 give lower bound multipliers repelling periodi... 3205 smallcluster exactdiagonalization calculations... 8956 paper study generalized meanfield stochastic c... 9246 lowest landau level lll equation emerges accur... 10884 general description online procedure calibrati... 12988 metric space x quasisymmetrically cohopfian ev... 15502 sheng zuos characteristic forms invariants var... 13943 study abelian varieties k surfaces complex mul... 14461 waveparticle duality fundamental description n... 1385 datasets often reused perform multiple statist... 1295 present basic integer arithmetic quantum circu... 16666 based work schoenyau derive estimate first eig... 18202 superconductorinsulator transition sit conside... 19983 work introduces novel estimation method called... 16968 study asymptotic behaviour solutions fifth pai... 15439 study brain networks including derived functio... 10820 intracranial carotid artery calcification icac... 7360 endtoend control robot manipulation grasping e... 11412 rectangular grid formed liquid filaments parti... 1497 thermoregulation system animals removes body h... 8960 germanium telluride features special spinelect... 747 problem reliable communication multipleaccess ... 17688 nonparametric method ranking stock indices acc... 5981 report first comparison distant caesium founta... 17203 propose memorymodelaware static program analys... 2206 fitchstyle modal deduction modalities eliminat... 3056 information concentration probability measures... 12243 deduplication finds removes longrange data dup... 590 paper present novel structure semiautoencoder ... 11974 study convergence inexact version classical kr... 7508 photography usually requires optics conjunctio... 10056 paper problem tracking desired longitudinal la... 16995 beams ilc produce electron positron pairs due ... 1491 adr algebra ra finitedimensional algebra quasi... 6569 investigated frictional effects folding rates ... 18512 massive stars like company provide brief overv... 7089 predictive coding attractive compression hyper... 5265 purpose magnetic resonance fingerprinting mrf ... 14746 article give explicit solutions laplace equati... 3136 robust navigation urban environments received ... 7556 provide novel simple description schellekens s... 14548 size complexity software systems increase numb... 8379 errortolerant applications approximate adders ... 3325 causal relationships among variables commonly ... 5803 compare predictions stochastic closure theory ... 4316 paper objects investigation dyadic operators i... 13297 aims recent observations challenged understand... 13090 classification one widely used analytical tech... 4682 ranking algorithms information gatekeepers int... 3360 study effects local perturbations dynamics dis... 18257 show stateoftheart services creating trusted t... 7202 consider problem detecting data races program ... 4764 establish precise zhu reduction formulas jacob... 17731 deep learning proven powerful tool computer vi... 18975 derive recommendations analyze longitudinal da... 13533 present new approach learning planning knowled... 20931 ability model shapes strengths iron lines sola... 824 discuss concept inner function reproducing ker... 20744 study central problem data privacy share data ... 9289 efficient reliable trapping execution program ... 1612 optical emission ingan quantum dots embedded g... 18562 resolve number longstanding open problems onli... 15846 show subcategory mcluster category type tilded... 14738 study dynamics bogoliubov wave packet supercon... 8816 study optimal boundary control problem twodime... 1451 continuous latent time series models prevalent... 4876 present results chandra xray survey massive ga... 1513 let h subseteq k two subgroups finite group g ... 2675 theoretically investigate dispersion polarizat... 8826 use group theoretic ideas coset space methods ... 6608 explore new mechanism explain polarization phe... 15733 oneway quantum computation wqc model initial h... 20936 analyze definitions generalized quantifiers im... 19969 define various height functions motives number... 11679 aim article construction interior motive picar... 15283 note devoted study homology class compact pois... 1744 chapter highluminosity large hadron collider h... 17192 purpose paper focuses automated analysis surgi... 4862 recent experiments demonstrate molecular motor... 811 weighted maximum satisfiability problem weight... 868 machine learning focuses construction study sy... 9431 study relaxation dynamics photocarriers parama... 15420 work addresses problem path tracking control s... 18488 microlocal gevrey regularity class sums square... 16822 behrensfisher problem wellknown hypothesis tes... 3280 background choosing performing method terms ou... 18966 introduce two models taxation latent natural t... 12347 risk ratio popular tool summarizing relationsh... 20672 many applications classifier learning training... 12247 graphs fundamental abstraction modeling relati... 20319 propose novel method object pose estimation rg... 14811 article use linear algebra improve computation... 3524 density estimation fundamental problem statist... 12961 dnnbased crossmodal retrieval become research ... 5420 present bayesian method feature selection pres... 6724 currentdriven domain wall motion ratchet memor... 5079 consider equation uyy utx uyuxx uxuxy reductio... 18952 recently link lorentzian finslerian geometries... 2558 agentbased computing diverse research domain c... 20068 time evolution energy transport triggered stro... 10726 propose machinelearning method evaluating pote... 11709 lack opensource tools hyperspectral data visua... 20457 manybody phenomena always integral part physic... 15052 spin angleresolved photoemission spectroscopy ... 12245 among milky way satellites discovered past thr... 7319 address single machine problems optional jobs ... 17542 despite remarkable successes deep reinforcemen... 5294 mitochondrial dna mtdna mutations cause severe... 4473 article study subloci solvable curves mathcalm... 10440 session search task aims best serving users in... 11124 known boosting interpreted gradient descent te... 8623 video summarization approaches focused extract... 14932 explore theoretically magnetoresistance weyl s... 19633 escape mechanism orbits star cluster rotating ... 10418 article expands research done develop recurren... 2016 present strongly interacting quadruple system ... 13129 paper propose unsupervised face clustering alg... 19465 fix field k characteristic p kkp finite discus... 15054 trending topics microblogs twitter valuable re... 8528 data often labeled many different experts expe... 13866 note determine possible dominations different ... 4604 data center networks dnk proposed many desirab... 6147 capacitated fixedcharge network flows used mod... 11276 propose new blind source separation algorithm ... 16153 sentiment classification sarcasm detection imp... 11316 contactassisted protein folding made good prog... 131 poyntings theorem used obtain expression turbu... 20866 reminiscences interactions julian schwinger be... 4643 generative adversarial networks gan effective ... 9853 test whether advanced galaxy models analysis t... 497 transformative ai technologies potential resha... 17556 paper establish elliptic local liyau gradient ... 4826 let mathcalf finite alphabet mathcald finite s... 6174 machine learning algorithms sensitive socalled... 20553 developed computational code dynaphopy allow u... 12644 investigated ingap bound states igbs induced s... 17026 consider spectral structure indefinite second ... 17295 report selective fabrication highquality sriro... 6324 active galaxy center virgo cluster ideal study... 17392 revisit mathematical models wireless network j... 17489 mechanical failure amorphous media ubiquitous ... 9109 study knots links probabilistic viewpoint prov... 9787 watermarking techniques proposed last years ap... 12528 paper use refined approximations chebyshevs va... 13643 paper provides explicit formulas related addit... 15436 offer umbrella type result extends weak conver... 8939 new approach perform analog optical differenti... 7541 conceptual computational framework proposed mo... 763 recent fe results suggested estimated distance... 9655 optimization energy cost determines average va... 5924 nearly two centuries ago talbot first observed... 16099 predicting unobserved entries partially observ... 17381 present sequential attend infer repeat sqair i... 5066 humanoid robots increasingly demanded operate ... 6840 item coldstart classical issue recommender sys... 7594 wasserstein metric introduced probabilistic me... 9300 adoption distributed paradigm allowed applicat... 2769 time projection chamber tpc chosen main tracki... 1953 consider problem learning binary classifier po... 13423 elicitability property mathbbrkvalued function... 18142 paper market values football players forward p... 18045 derive finitevolume correction binding energy ... 19314 paper investigate model checking mc problem ha... 8507 endtoend learning refers training possibly com... 4120 direct band gap character large spinorbit spli... 8530 paper concerned modeling dependence structure ... 20890 fundamental question language learning concern... 15612 paper sequel gh notion marking isolated hypers... 605 kdv equation derived shallow water limit euler... 15 recent discovery exponent matrix multiplicatio... 10953 increasing proton beam power neutrino producti... 6412 physical sciences students underrepresented mi... 5766 investigate impact general conditions theoreti... 3049 applications deep learning big data analytics ... 7728 koszul algebras quadratic groebner bases calle... 3952 call simple abelian variety mathbbfp superisol... 309 construct embedded minimal surfaces nperiodic ... 13320 recent years much effort concentrated towards ... 1149 magnetic phases triangularlattice antiferromag... 2517 skodas result ideal generation crucial ingredi... 18357 present new model algorithm performs efficient... 2128 one challenging problems technological forecas... 702 rapid release development processes patches fi... 4866 aluminum lumpedelement kinetic inductance dete... 3674 cloud storage services become accessible used ... 3842 development plasmonic metamaterial devices req... 17733 report discovery four short period extrasolar ... 17415 superior performance ease implementation foste... 1111 evaluation possible climate change consequence... 13845 order understand formation social conventions ... 20852 planted partition problem n vertices random gr... 10266 distributed network optimization studied well ... 637 paper comparative study conducted complex netw... 8440 clear em spectrum rapidly reaching saturation ... 2406 paper establishes convergence rate bounds vari... 14492 minimax lower bounds pessimistic nature given ... 6746 general completeness problem hoare logic relat... 2228 aim paper establish strong stability propertie... 9242 many debris discs reveal twocomponent structur... 12507 work studies entitywise topical behavior massi... 17207 present first adaptive strategy active learnin... 5612 paper discusses local linear smoothing estimat... 19023 understanding epidemics networks greatly benef... 5455 study likelihood relative minima random polyno... 7879 video popularity essential reference optimizin... 15375 class cressieread empirical likelihoods constr... 70 propose new multivariate dependency measure ob... 7878 based meteorological data investigated tempera... 5768 exist nontrivial stationary points euclidean a... 1178 utilize variational method investigate kondo s... 12894 examine collective properties closure operator... 13636 work leverages recent advances probabilistic m... 18657 paper studies bayesian ranking selection rs pr... 19264 iterated posterior linearization filter iplf a... 2010 motivated study collapsing calabiyau threefold... 8709 paper prove fourmoment theorems multidimension... 16192 using dataset million messages posted twitter ... 14352 recently shown phase retrieval imaging sample ... 14578 consider friedlanders wave equation two space ... 1902 paper mainly focus frontlike entire solution c... 19798 emergence nature amplitude mediated chimera st... 13674 study spread rnyi entropy two halves sachdevye... 3759 paper presents new multiobjective deep reinfor... 20489 catalytic swimmers attracted much attention al... 6047 control model typically classified three forms... 20927 management longlived radionuclides spent fuel ... 2957 photographic dataset collected testing image p... 20100 define infinite measurepreserving transformati... 16349 let mg complete noncompact riemannian manifold... 6907 paper presents analysis polish fireball networ... 11973 v peg alias hs subdwarf b sdb pulsating star s... 9791 extend urbans construction eigenvarieties redu... 7078 measured quantum depletion interacting homogen... 944 prove entrywise transforms rectangular matrice... 12050 science education crucial issue longterm impac... 11219 currently diagnosis skin diseases based primar... 14580 paper study following multiparameter variant c... 14847 mdl twopart coding textitindex resolvability p... 8062 minimal number rooted subtree prune regraft rs... 13227 tackle problem deciding whether two probabilis... 15759 paper show transformations modified jacobi ber... 8559 work proposes novel approach restricting acces... 10226 smooth symmetric function f defined symmetric ... 14747 quantify accuracy various simulators compared ... 8969 paper provides results application boundary fe... 1152 consider classical erdosrenyi random graph pro... 15175 studied emergence process active region ars an... 4313 benfords law empirical edict stating lower dig... 6274 following related work law policy two notions ... 19304 existing memory management mechanisms used com... 6787 understanding segregation essential develop pl... 2474 prove cyclic quadrilateral inscribed closed co... 6765 study kepler metrics kepler manifolds point vi... 2945 present homogeneous set accurate atmospheric p... 14855 effects high pressure crystal structure orthor... 11056 monotone systems preserve partial ordering sta... 8932 introduce study new categories tgkof integrabl... 15788 provided analogue banachalaoglu theorem hilber... 17032 analyze relation emission radii twin kilohertz... 184 random feature maps ubiquitous modern statisti... 17314 classical reversemode automatic differentiatio... 10946 large redshift surveys galaxies clusters provi... 18026 paper introduces new nonlinear dictionary lear... 17151 recently educational initiative teded publishe... 18903 propose dynamic boosted ensemble learning meth... 12463 facility based nextgeneration highflux dd neut... 16578 show uniformly accelerated reference systems p... 12487 cable model widely used several fields science... 6018 boolean algebra carries strictly positive exha... 1028 compared twocomponent camassaholm system modif... 11721 present psimssm model based upsi extension min... 8463 increasing numbers software vulnerabilities di... 3925 give characterizations finite group g acting s... 5777 remarkable discovery nasas kepler mission wide... 5562 autoreactive b cells central role pathogenesis... 12495 propose development analytic hierarchy process... 1360 present article describe one define hausdorff ... 5950 extended abstract describe analyze lossy compr... 4905 purpose paper give characterizations weight fu... 6656 introduce compressed suffix array representati... 2341 problem outputonly parameter identification no... 15213 growth size complexity modern data challenges ... 12813 introduce interstellar dust modelling framewor... 12727 new secondorder numerical scheme based operato... 528 recent years deep learning become goto solutio... 2369 propose type system reasoning protocol conform... 8287 understanding semantic similarity among images... 10809 present generative method estimate human motio... 2631 prove tate beilinson parshin conjectures invar... 12065 mutual information mi useful tool recognition ... 15397 propose principled method gradientbased regula... 10035 nonlinear dynamics graphs rapidly become topic... 9758 use sloan digital sky survey data release larg... 303 singular hermann foliation smooth manifold see... 4162 propose general approach modeling semisupervis... 12121 paper deal acceleration convergence infinite s... 4536 modern future particle accelerators employ inc... 13571 consider problem testing basis pvariate gaussi... 11744 success automated driving deployment highly de... 16188 global registration multiview robot data chall... 465 work present methodology enables agent make ef... 19499 hyperbolic pascal triangle cal hptq qge new ma... 4209 deep learning become powerful popular tool var... 10543 note collection several discussions paper beyo... 12978 classical quadratic formula lesser known varia... 5123 color hotdip galvanized steel sheet adjusted r... 16319 developed system combining backilluminated com... 9315 many microbial systems known actively reshape ... 11144 communities ubiquitous nature society individu... 10328 advances virtual reality generated substantial... 12216 show unified secondorder scheme constructing s... 18001 consider problem zero distribution first kind ... 15802 investigate forecasting ability commonly used ... 8877 dynamic architectures component activation con... 11817 sachdevyekitaev model argue entanglement entro... 2320 paper studies structure parabolic partial diff... 18761 review instrumentation nuclear magnetic resona... 2019 consider problem low canonical polyadic cp ran... 9934 rise endtoend learning deep learning person de... 567 primary function memory allocators allocate de... 13842 paper present novel approach identify generato... 15138 study topological excitations twocomponent nem... 19385 note discuss cobordism maps periodic floer hom... 4486 loving ai project involves developing software... 1945 give fully polynomialtime randomized approxima... 14563 paper investigate complexity onedimensional dy... 7487 consider relativistic charged particle backgro... 11441 consider problem annual mean temperature predi... 17645 note shown class multipliers dparameter hardy ... 16360 collective animal behaviors paradigmatic examp... 2570 bayesian optimization sampleefficient approach... 20146 primary goal paper recast semantics modal logi... 10289 chaos despite several decades research ubiquit... 6263 thirdgeneration neural networks spiking neural... 16676 paper consider online recommendation setting p... 15895 line terms reference icfa neutrino panel devel... 10722 schubert polynomials basis polynomial ring rep... 9542 initial conditions clustered star formation no... 20679 stochastic dominance fleqstg hold improve agre... 7762 paper prove given cliquewidth kexpression nver... 3283 incommensurately modulated twin structure nyer... 14254 goal paper study angle two curves framework me... 1138 classical plasma arbitrary degree degeneration... 11896 comparing average citation impact research gro... 18749 present sequential neural likelihood snl new m... 15371 fourier optics principle using fourier transfo... 18104 introduce helsinki neural machine translation ... 7803 framework variational principles stochastic fl... 7514 let b left bleft xright xin mathbbsright fract... 12892 analyse new subdomain scheme timespectral meth... 18264 gegenbauer weight function wlambdattlambda lam... 158 atomic norm provides generalization ellnorm co... 15049 wolynes theory electronically nonadiabatic rea... 20512 scripting language described document first pl... 2060 membrane proteins constitute large portion hum... 881 masspreconditioning mp technique become standa... 17997 paper study missing sample recovery problem us... 14880 sylvester factor essential part asymptotic for... 4959 lifelong learning problem learning multiple co... 7050 make research chaos friendly discrete equation... 16359 paper problem road friction prediction fleet c... 12215 investigate lowdimensional structure determini... 17074 study map largescale structure citation networ... 6762 topologically protected superfluid phases allo... 6615 tetragonal copper oxide bicuo unusual crystal ... 9458 present contribution investigates dynamics gen... 4802 show variational autoencoders consistently fai... 12878 give strengthened versions herwiglascar hodkin... 6299 deep learning dl defines new datadriven progra... 12753 object study present dissertation topics diffe... 13684 realworld document collections involve various... 6505 topological matter popular topic condensed mat... 8600 article reformulate cobordism map embedded con... 16879 paper linear model diffusion processes unknown... 8970 accurate efficient entity resolution open chal... 7749 introduce casper proof stakebased finality sys... 2058 gravitinos fundamental prediction supergravity... 18764 optimal dimensionality reduction methods propo... 19657 near future cosmology enter wide deep galaxy s... 17479 research tertiary priority ehr priorities pati... 7075 show existence yangmillshiggs ymh fields riema... 17551 summary presented paper highlights results obt... 19069 let k local field whose residue field characte... 6339 central dogma molecular biology principal fram... 17259 precise knowledge static density response func... 5821 paper dedicated new methods constructing weigh... 8619 classification high dimensional data finds wid... 4716 recent years surge interest developing deep le... 2215 prove indecomposable sigmapureinjective module... 6994 authentication first step toward establishing ... 1482 present prototype news search engine presents ... 13835 sturmliouville operator singular potentials la... 9812 development robotics growing needs real time m... 6632 introduce natural families distributions roote... 9722 cms apparatus identified years start lhc opera... 5444 oriented riemannian manifold spinstructure def... 12843 structural magnetic electricaltransport proper... 16572 xray observations two metaldeficient luminous ... 12363 purpose goal study show advantage collaborativ... 8561 running highresolution physical models computa... 2548 growing literature affect among software devel... 642 inherent need autonomous cars drones robots no... 16527 compare performances wellknown numerical times... 10746 increased interest building data analytics fra... 3469 february world health organization declared zi... 19933 proof schemata variant lkproofs able simulate ... 14651 paper analyzes impact peer effects electricity... 2398 aggressive incentive schemes allow individuals... 4064 study temperature dependence rashbasplit bands... 4781 nowadays big part people rely available conten... 1858 present integrated microsimulation framework e... 11828 associated closed quantum subgroup gsubset un ... 6579 paper study symmetry properties hilbert transf... 14623 second order operator compact manifold satisfy... 15689 paper extend works tancer malgouyres francs sh... 3355 investigate relationship several enumeration c... 521 bayesian estimation increasingly popular perfo... 7859 theoretical study optical properties te tm mod... 4030 optical absorption cdwo reported high pressure... 18291 advancement technology generated abundant high... 20385 propose visionbased method localizes ground ve... 10782 paper address problem detection classification... 10204 formulate type b extended nilhecke algebra fol... 10520 geotags microblog posts shown useful many data... 19906 consider minimization composite objective func... 8913 famous twofold cost sex really cost anisogamy ... 14459 standard models reaction kinetics condensed ma... 15719 many prediction problems arise context robotic... 872 paper consider singlecell downlink scenario mu... 17013 uniform boundary condition normed chain comple... 13890 paper present new method measuring hubble para... 17769 existing markov chain monte carlo mcmc methods... 4231 consider priori generalization bounds develope... 13578 present hybrid method latent information disco... 306 work bridges technical concepts underlying dis... 20367 revolution galaxy cluster science years away s... 20618 study semidiscrete directed polymer model intr... 12165 recently repeating fast radio burst frb confir... 18568 measurements ac losses htstape placed two bulk... 5181 threshold theorem probably important developme... 18881 give first polynomialtime algorithms graphs bo... 14850 pearson correlation mutual information based c... 1924 convolutional neural networks cnns core stateo... 9451 turbulent mixing chemical elements convection ... 16548 introduce novel approach maximum posteriori in... 17282 recent years deep learning made tremendous pro... 18083 reinforcement learning rl algorithms involve d... 6208 knowing biomolecules structure inherently link... 10579 visual exploration analysis data determining s... 5161 first systematic comparison swarmc acceleromet... 9466 recent results supercomputers show beyond k co... 14002 consider regret minimization repeated games no... 9054 complexity testing whether graph contains indu... 4301 paper devoted expressiveness hypergraphs uncer... 10727 article consider products random walks finite ... 5936 multirobot systems central decision maker spec... 260 brain receives input multiple sensory systems ... 20032 potential critical risks cascading failures po... 9162 revisit problem robust principal component ana... 1091 let f hecke cusp form weight k full modular gr... 20298 paper investigates computational complexity sp... 6931 concerned burst synchronization bs related neu... 4649 nauticle generalpurpose simulation tool flexib... 17279 paper presents two results first shown discret... 10842 biss investigated kind fibration called rigid ... 7142 paper focuses considering special precessional... 17201 let mn denote maximum size family subsets cont... 14121 modern systems increasingly rely energy harves... 14298 forgetful functor category generalized effect ... 532 micrornas play important roles many biological... 2417 experiments may reveal full import time perfor... 15714 standard theorem nonsmooth analysis states pie... 4676 paper revisit portfolio optimization problems ... 2921 paper consider generalized extension eisenberg... 15107 increasing interest learning dynamics simulato... 2249 anomalies abundance measurements short lived r... 5479 based periodogramratios two univariate time se... 14006 emil artin defined zeta function algebraic cur... 9099 identify emerging microscopic structures low t... 9254 possible generally construct dynamical system ... 1718 work study spin hall effect rashbaedelstein ef... 11687 let zn finite commutative ring residue classes... 2459 presence ubiquitous magnetic fields universe s... 6793 propose constraintbased flowsensitive static a... 8621 clustering integers equal total stopping times... 14393 work develop coupled layer construction fracto... 10044 note define circular ksuccessions permutations... 11537 multiarmed bandit mab problem classic example ... 3338 given regular cardinal kappa kappakappakappa s... 11106 pemantle steif provided sharp threshold existe... 19026 paper consider problem solving linear algebrai... 15567 paper explores entertainment experience learni... 13148 paper classify isomorphism classes four dimens... 6621 study consistency lipschitz learning graphs li... 11307 cognitive arithmetic studies mental processes ... 16202 superhydrophobic surfaces shss potential achie... 7470 computing inverse covariance matrix precision ... 3691 resonances associated fractional damped oscill... 5767 main injector mi fermilab currently produces h... 4395 kpage book drawing graph gve consists linear o... 6205 present algorithm classification tasks big dat... 2903 functional time series become integral part fu... 1839 discuss relative merits optimistic randomized ... 15144 stress urinary incontinence sui urine leakage ... 18857 objective assessment prestige academic institu... 14724 modeling buildings heat dynamics complex proce... 14673 prove computer aided proof existence noise ind... 6758 technology market continuing rapid growth phas... 15445 report finding unidirectional electronic prope... 15881 investigate configuration space deltamanipulat... 18914 consider exchange wishes set suitable maketake... 620 barchan dunes crescentic shape dunes horns poi... 1656 paper present two algorithms based froidurepin... 2628 report discovery constrain physical conditions... 17606 endovascular sealing new technique repair abdo... 20449 study interplay spin charge coherence singlele... 12032 article attempt generalize riemanns bilinear r... 1999 advantages electric vehicles ev include reduct... 19571 development growth complex tumultuous processe... 3881 networks describe range social biological tech... 12283 real time evolution classical gauge fields rel... 4215 curiosity strong desire learn know something s... 15111 inspired recent interests developing machine l... 18845 cyber attacks growing frequency severity past ... 7224 utility notion generalized disclinations mater... 1723 certain sufficient homological ringtheoretical... 5747 simulating complex processes fractured media r... 6104 present experimental study local collective ma... 14206 prove explicit formula first nonzero entry nth... 8814 introduce class distributed control policies n... 2407 paper address basic problem recognizing moving... 10133 shown two cellular automata ca rule space conn... 3465 several different modalities eg surgery chemot... 20359 approximate markov chain monte carlo mcmc offe... 20708 superconducting linacs capable producing inten... 16606 paper presents algorithm enhances undesirably ... 19220 form realanalytic eisenstein series twisted ma... 443 wireless backhaul communication recently reali... 12436 given smooth compact manifold introduce open c... 972 recently atacama large millimetersubmillimeter... 376 first part work show convergence respect asymp... 825 data center networks important infrastructure ... 704 establish convergence rates asymptotic distrib... 10856 paper positively solves open problem possible ... 16750 past years calorimeters become important detec... 2655 scientific publishing conveys outputs academic... 14235 note corrects conditions proposition theorem i... 13483 paper presents sufficient conditions convergen... 11917 conditional generators learn data distribution... 3442 video prediction active topic research past ye... 11129 direct growth graphene semiconducting insulati... 6820 analyze performance different resampling strat... 11066 delaydifferential equations functional differe... 13826 paper continue previous work dirichlet mixture... 17088 paper present algorithm coupling magnetotherma... 2337 consider smooth complex quasiprojective variet... 13665 sensing complex systems requires largescale in... 4872 paper investigate endogenous information conta... 3066 show task question answering qa significantly ... 11955 dense subgraph discovery key primitive many gr... 17714 new initiative international swaps derivatives... 12708 short note explain proof proper surjective fai... 3909 show uct problem separable nuclear mathrm calg... 17980 precise trajectory control near ground difficu... 15658 graph representations offer powerful intuitive... 12609 twodimensional signed small ball inequality st... 703 examining games fresh perspective present idea... 5172 building machines understand text like humans ... 1934 study problem estimating finite sample confide... 4694 humanoid robotics research depends capable rob... 20477 analyzing spinspin correlation functions relat... 5526 paper study determine concurrent transmissions... 14575 let mathbbx mu proper metric measure space let... 8031 exploratory data analysis crucial developing u... 2804 let gamma leq mathrmauttd times mathrmauttd gr... 8272 velocity dispersion cold interstellar gas sigm... 11292 domestic violence dv global social public heal... 8653 confluence nondeterministic program ensures fu... 15330 strategy sustainable development governance in... 13114 dynamics reduces orthorhombicity magnetic stri... 9720 paper consider positioning observedtimediffere... 16429 consider finitedimensional quantum system coup... 4129 paper generalize normalized gradient flow meth... 1049 deep convolutional neural networks cnn based s... 8667 richclub concept introduced order characterize... 11961 study sampling optimization space measures foc... 15908 use ldau approach search possible ordered grou... 15897 first step model emotional state person build ... 13724 canonical grandcanonical ensembles two usual m... 13583 paper consider robust adaptive non parametric ... 11013 new index transforms weber type kernels consis... 4617 epidemic outbreaks important healthcare challe... 17648 present investigation clumpy galaxies hubble u... 908 exoplanet host star activity form unocculted s... 13143 prove unpolarized shafarevich conjecture k sur... 14976 modeling parameter estimation neuronal dynamic... 2293 reidemeister number endomorphism group number ... 9052 markov chain monte carlo mcmc methods widely u... 7273 solution implemented frame duckietown goal duc... 5651 ellerman bombs ebs kind solar activities sugge... 757 deep learning demonstrated achieve excellent r... 20151 deep neural networks dnns popular days subject... 4121 consider problem finding minimizer function f ... 19934 paper examines task detecting intensity emotio... 8303 understanding developing correlation measure d... 19110 ability use map navigate complex environment q... 7229 latest deep learning methods object detection ... 1701 kuniba okado takagi yamada found timeevolution... 5879 many iterative procedures stochastic optimizat... 17025 interesting attempt solving infrared divergenc... 16161 statistical analyses urban environments recent... 20651 study densesubhypergraph problem initiated chl... 978 generalized bcklunddarboux transformations gbd... 12862 key objective two phase b amp clinical trials ... 15736 study subdiffusive wavepacket spreading disord... 18005 revisit blind deconvolution problem focus unde... 7730 debugging transactions understanding execution... 7570 carried systematic search recoiling supermassi... 6194 consider two chains made n independent oscilla... 17132 show selfcomplementary graph n vertices contai... 14510 topological spin liquids robust quantum states... 20678 consider frequency domain form proper orthogon... 4960 floatingpoint arithmetic plays central role sc... 18889 oxygen functional groups one important subject... 20505 spectroscopic properties useful plasma diagnos... 4364 social learning ie students learning social in... 16225 largescale penetration internet first time hum... 11062 using semiclassical greens function formalism ... 18160 depthsensing important navigation scene unders... 16307 planning early medieval landscape project peml... 7699 given two continuous functions fgitomathbbr g ... 17222 reconstruction water wave elevation bottom pre... 10202 consider problem optimizing placement stubborn... 14371 rd international workshop overlay architecture... 11324 hexatic phase predicted theories twodimensiona... 13203 firm varies price product consumers exhibit re... 14598 paper characterize planar central configuratio... 2416 silicon photomultipliers sipms potential solid... 20697 give description complex geodesics study struc... 1614 membership inference attack mia determines pre... 16252 present nonperturbative numerical technique ca... 19045 phase shifts influence two strong pulsed laser... 2366 present use fitted q iteration algorithmic tra... 17689 plastic deformation metallic glasses performed... 12340 let p prime number article study restriction m... 4786 unmanned aerial vehicles uavs attracted signif... 3996 steady state superconducting tokamak sst insti... 7074 paper introducing kind small loop transfer spa... 7540 atomically thin semiconductors dimensions comm... 3679 study distributionally robust optimization dro... 18317 past years datacenter dc energy consumption be... 16139 invariant one central topics science technolog... 13317 vipafleet project consists developing models a... 9224 develop twodimensional lattice boltzmann model... 9897 understanding thermally activated escape metas... 16528 due wide field view conebeam computed tomograp... 9754 paper present distributed testing algorithms g... 16109 learning algorithms energy based boltzmann arc... 8408 provide novel theoretical insights structured ... 19331 propose multinomial logistic regression model ... 4970 paper analyze convergence several discretizeth... 5531 study problem approximate ranking observations... 6101 tabulate spontaneous emission rates possible e... 6395 give motivation scoring clustering algorithms ... 9640 paper concerned partitioned iterative formulat... 5608 hotspots surfaceenhanced resonance raman scatt... 11175 paper use deep feedforward artificial neural n... 8093 paper aim establish new shape theory compact h... 17940 paper consider dvali gmez assumption end state... 4878 exists bijection configuration space linear pe... 3804 aim paper give short overview error bounds pro... 8771 let g finite group let cg number cyclic subgro... 16852 monomial special multiserial algebras general ... 6486 investigated crystal structure laobipbs using ... 17285 despite popularity practical performance async... 13604 give new axiomatization npseudospace studied t... 7663 show permutation complexity image sturmian wor... 20533 localization anatomical structures prerequisit... 9124 andreev conductance across normal metal nsuper... 11450 problem routing graphs using nodedisjoint path... 7546 contextual bandit algorithms class multiarmed ... 11250 resolve conflicts among norms various nonmonot... 15124 aim paper study poset isomorphism two support ... 8955 orthogonal frequency division multiplexing ofd... 10263 regularization techniques lasso tibshirani ela... 16722 estimating pose known objects important robots... 10257 study bayesian hypernetworks framework approxi... 8836 scheduling surgeries challenging task due fund... 12052 solutions partial differential equations pdes ... 9652 highresolution wide fieldofview fov microscopi... 2340 spectra starforming hii regions ngc observed u... 2913 despite long record intense efforts basic mech... 7004 generalized lindelf hypothesis exponent error ... 13720 present work analyses particular scenario cons... 17994 paper studies large time behavior solution cla... 7207 paper general theory presented locally station... 9751 starting graph two players take turns either d... 13251 collecting labeled data costly thus critical b... 2477 number published findings biomedicine increase... 8674 obtain optimal proxy variance subgaussianity b... 10384 disagreementbased approaches generate multiple... 13188 demonstrate existence longlived prethermalized... 20194 magnetic properties bafeas surface studied usi... 4558 internet become way life fast growing digital ... 20197 paper presents class new algorithms distribute... 7904 franceschi et al proposed unified mathematical... 17706 artificial neural networks learn perform princ... 18473 point two milnes fourthorder integrators wells... 10341 paper presents first md simulations model desi... 9729 using form descent stable category mathcalamod... 7039 present bayesian model selection approach esti... 10855 studies affect labeling ie putting feelings wo... 6021 rising attention spreading fake news unsubstan... 1126 stateoftheart information extraction approache... 3939 evolutionary games graphs describe strategic i... 7308 theoretically study josephson current supercon... 20580 slimness graph measures local deviation metric... 6634 discuss effect ram pressure cold clouds center... 17700 direct frequencycomb spectroscopy used probe a... 12747 online social networking sites experimenting f... 18785 paper propose explore knearest neighbour ucb a... 1669 identify tradeoff robustness accuracy serves g... 9352 recent work imitation learning generated polic... 13512 media industry increasingly personalizing offe... 8176 quasid heavyfermion system ybnipxasx presence ... 12762 introduce persistencelike pseudodistance tamar... 18170 iterative algorithms like gradient descent com... 12792 macaulays inverse system effective method cons... 3898 let evendimensional oriented closed manifold s... 6744 known gas bubbles surface bounding fluid flow ... 7919 paper prove strong consistency several methods... 6156 obtain asymptotics large hankel determinants w... 3312 machine learning algorithms based deep neural ... 479 study motion electron bubble zero temperature ... 1596 oral disintegrating tablets odts novel dosage ... 16310 present overview recently developed datadriven... 16132 central question statistical learning design a... 8473 let g semisimple real lie group finite center ... 14366 main purpose paper study multiparameter singul... 8839 carried synthetic observations interstellar at... 11904 ablation solid tin surfaces nanometerwavelengt... 17169 large eddy simulation les become defacto compu... 5715 hep community approaching era excellent perfor... 1786 single phase uniform size nm cobalt ferrite cf... 9125 contextual bandits form multiarmed bandit agen... 20755 motivation cellular electron cryotomography ce... 16786 gas near solid planar wall propose scaling for... 18223 report mm continuum chcn cs line observations ... 15131 acoustic ranging based indoor positioning solu... 8040 paper propose implement general convolutional ... 12036 analyze emission spectrum hot jupiter waspb us... 883 analyze response type ii superconducting wire ... 543 existing measurement theory interprets varianc... 20014 ability learn small number examples difficult ... 8798 shown mcmullen coefficients ehrhart polynomial... 17387 paper introduces variational implicit processe... 15589 tk tokaitokamioka longbaseline neutrino experi... 4919 research numerical stability difference equati... 19704 contraction csemigroup separable hilbert space... 17359 let bqpn boolean quadric polytope lopm linear ... 20074 show model compression improve population risk... 1977 long range corrected range separated hybrid fu... 13475 consider set agents wish estimate vector param... 4457 hedonic games meant model coalitions people fo... 10215 alpha signals statistical arbitrage strategies... 2160 markoff group transformations group gamma affi... 7820 closed four dimensional manifold cannot posses... 990 develop estimates solutions derive existence u... 16417 alice large ion collider experiment heavyion d... 20877 motivated advantages currentmode design brief ... 5434 recently trajectorypooled deeplearning descrip... 18843 univariate isotonic regression ir used nonpara... 18527 goal osirisrex mission return sample asteroid ... 11457 spreadsheets erroneous research found endusers... 18002 discovered two novel types planar defects appe... 510 spread opinions memes diseases alternative fac... 14550 study gevrey character natural parameterizatio... 8348 article presents various weak laws large numbe... 8194 paper consider onedimensional coxingersollross... 839 purpose paper study stable representations par... 16622 bayesian filtering algorithm developed class s... 18040 work sets compute discuss effects spin velocit... 13801 monte carlo mc sampling methods widely applied... 4839 chiral helical domain walls generic defects to... 4889 even though active learning forms important pi... 18059 preprocessing tools automated text analysis be... 762 knowledgeintensive companies adopt agile softw... 12134 two banach algebras b tlau product atimest b r... 17135 determining wavelengthdependent exoplanet radi... 4840 modern neural networks tend overconfident unse... 14053 order find way measuring degree incompleteness... 7076 give strong necessary conditions admissibility... 1142 reinforcement learning agent needs pursue diff... 6189 demonstrate experimentally longrange hydrodyna... 19994 training convolutional networks cnns fit singl... 10926 comparing traditional learning criteria mean s... 5461 kite graph kitepq obtained appending complete ... 13170 study galactic wind edgeon spiral galaxy ugc c... 5156 fisher information metric important foundation... 1801 despite recent popularity deep generative stat... 4756 paper aims bridge affective gap image content ... 18604 paper proposes new approach novel value networ... 18590 paper novel multitaper modified group delay fu... 11603 paper demonstrates apply machine learning algo... 530 paper propose optimizationbased sparse learnin... 1919 test mathbbcpn sigma models painlev property c... 124 stackingbased deep neural network sdnn general... 18938 justification logics modallike logics addition... 12791 shortterm voltage stability svs problem larges... 11545 magnesium alloys considered biodegradable biom... 1949 visual focus attention vfoa recognized promine... 19984 consider cauchy problem rn types damped wave e... 11359 cyber physical systems cps becoming ubiquitous... 12079 propose adaptive estimator stationary distribu... 18521 propose boundary conditions diffusion equation... 15134 introduce workable notion degree nonhomogeneou... 9414 paper deal lipschitz continuous perturbations ... 20687 paper presents systematic approach computing l... 19244 analysis demographic transition past century h... 6341 compute exact norms leray transforms family ma... 13769 critical periods phases early development huma... 13563 paper estimate time resolution jpet scanner bu... 11201 paper study limitations parallelization convex... 7894 even todays advanced machine learning models e... 1903 paper classify fundamental solutions class sch... 13134 present distributed formation control strategy... 6679 parameter reduction enable otherwise infeasibl... 10834 thin liquid films ubiquitous natural phenomena... 18892 let g simplyconnected semisimple algebraic gro... 1183 using deep multiwavelength photometry galaxies... 3060 modern large scale machine learning applicatio... 3859 paper describe two fully mass conservative ene... 13400 kpoint crossover operators recombination sets ... 10072 address two fundamental problems spatial field... 288 recently predicted modulation instability opti... 582 investigate construction integral residuated l... 4687 spiking neural networks snns could play key ro... 3270 focus two supervised visual reasoning tasks wh... 7035 face detection methods relied face datasets tr... 9872 let x finite collection sets clusters consider... 3879 modern threats emerged prevalence social netwo... 10456 given graph g n vertices set n points plane po... 2180 bryant horsley maenhaut smith recently gave ne... 14928 previous research using evolutionary computati... 7623 let n closed enlargeable manifold sense gromov... 10557 sleep condition closely related individuals he... 16558 letter provides conditions determining rank no... 14297 propose simple approach given distributed comp... 15739 mutualexclusion property locks stands way scal... 12102 let cal cn extremal copositive matrix unit dia... 10540 informationcentric networking promising networ... 9863 graph perfect chromatic number every induced s... 16045 electroencephalography eeg source imaging inve... 6201 single individual haplotyping nphard problem e... 20736 everincreasing architectural complexity contem... 13092 restricted boltzmann machine rbm important too... 7635 active learning long topic study machine learn... 12335 performing time series analysis continuous dat... 10346 motion planning core problem solve developing ... 12221 lieu abstract first paragraph species remotely... 15180 gaining detailed understanding water transport... 185 calculation minimum energy paths transitions a... 9055 well known external magnetic fields magnetic m... 11012 use reinforcement learning rl learn dexterous ... 19362 quantum mechanical calculations previously app... 4062 paper proposes scalable algorithmic framework ... 16096 three gap theorem also known steinhaus conject... 1415 consider task unsupervised extraction meaningf... 19990 using membranedriven diamond anvil cell ac mag... 9555 paper presents reliable method verify existenc... 13963 notion computer capacity proposed quantity est... 13662 consider problem learning reward policy expert... 9922 let mathbfb cdot real separable banach space l... 12038 singleimagebased view generation sivg importan... 19913 propose novel type tunable yagiuda nanoantenna... 17929 provide full analysis ghost free higher deriva... 8776 let n compact connected nonorientable surface ... 9049 using age information aoi metric examine trans... 12947 preference elicitation task suggesting highly ... 15203 statistics machine learning approximation intr... 19511 make famous rap singer like eminem sing whatev... 10349 learningbased approaches robotic grasping usin... 6630 present new system handling uncertainty quanti... 7380 investigate loss surface neural networks prove... 11813 laxcaxmno lcmo studied framework density funct... 10984 suppression interference narrowband frequency ... 2952 experimentally study stability bosonic mottins... 17480 show whereas spin onedimensional u quantumlink... 15880 study role environment evolution central satel... 6805 documentation tomographic xray data carved che... 9113 given statistical model request frequencies si... 9800 technology become advanced design use otherwis... 2205 recently integration geographical coordinates ... 17936 characterize completeness framebasis property ... 16812 prove gaschtz lemma holds metrisable compact g... 20743 capabilities detecting temporal relations two ... 11541 static dynamic properties vortices twocomponen... 2456 present alma co detections gasrich cluster gal... 8823 learning unlabeled noisy data one grand challe... 6096 polariton lasing coherent emission arising mac... 17459 magneticfieldtemperature phase diagram solid o... 18025 largescale vortices protoplanetary disks thoug... 7475 investigate pivotbased translation related lan... 2552 propose fast proximal newtontype algorithm min... 6975 paper study nonparametric mean curvature type ... 8651 typelevel word embeddings use set parameters r... 1665 work investigate combined influence nontrivial... 16342 seismic monitoring one usually interested resp... 3837 magnetism mnsite investigated using thermodyna... 18728 introduce dynamic model default waterfall deri... 2582 prove cherlins conjecture concerning binary pr... 802 graph models widely used analyse diffusion pro... 13701 paper consider degenerate pseudoparabolic equa... 12830 article determines characterizes minimal numbe... 8916 note announces results relations approach beil... 16510 paper investigates gradient recovery schemes d... 13308 discuss evolution computer architectures focus... 20357 extrapolation methods use last iterates optimi... 7963 consider multicell joint power control schedul... 18586 describe multiphased wizardofoz approach colle... 1811 paper presents novel method structural data re... 12025 present theoretical study finitetemperature ko... 3527 stateoftheart neural networks vulnerable adver... 4295 hilda asteroids primitive bodies resonance jup... 602 multimedia forensics allows determine whether ... 11153 use volunteers emerged lowcost alternative gen... 13433 short note using results bourgain fremlin tala... 9558 graph g called bkvpg resp bkepg constant kgeq ... 5040 crystal structure magnetic ordering electrical... 11776 investigate prospects micronscale acoustic wav... 3275 multispectral remote sensors eg quickbird ikon... 1760 painting art form long functioned major channe... 19932 cosmologies including strongly coupled sc dark... 20721 find patterns anomalies tensor multidimensiona... 13530 paper investigates dependence functional portf... 12441 propose optimization approach determining hard... 12293 matrix completion models among common formulat... 19427 study sample covariance matrix realvalued data... 10796 almost two decades ago wattenberg published pa... 13885 online social media become integral part socia... 43 sparse superposition ss codes originally propo... 20534 let xdmu doubling metric measure space endowed... 4969 derive solvability conditions closedform solut... 20584 sharing statistical strength phrase often empl... 15976 report sptclj giant system arcs created cluste... 11141 prove integer programming three quantifier alt... 16361 shown increasing model depth improves quality ... 19400 introduce spectrum monotone coarse invariants ... 874 given polynomial system f associated simple mu... 6877 paper study zeroflux chemotaxissystem beginequ... 16736 robots potential assist people bed healthcare ... 13096 toxicity analysis prediction paramount importa... 1626 first investigate evolution opening closing au... 11643 recently proposed general ensemblebased featur... 9712 use new xray data obtained nuclear spectroscop... 13810 known since ehrhard regniers seminal work tayl... 2280 nodeperturbation learning type statistical gra... 11051 present new experimental approach investigate ... 979 describe procedure called panel collapse repla... 16869 based observation correlation observed traffic... 3819 introducing inequality constraints gaussian pr... 20460 vulnerabilities password managers unremitting ... 18022 silicon drift detectors sdds revolutionized sp... 13863 many practical problems learning agent may wan... 1179 human action recognition videos one challengin... 1018 establish fundamental property bivariate paret... 2955 nonlinear dynamics lesser extent fields widely... 11255 work characterize combinatorial metrics admitt... 19762 work reports electronic microstructural study ... 18484 provide method solve optimization problem obje... 2400 characterize photonic transport boundary drive... 6945 present strongest known knot invariant compute... 4646 present measurements spinorbit misalignments h... 20608 quantum computer qc solve many computational p... 16383 paper consider cluster estimation problem stoc... 11937 determine bpmodule structure mod higher filtra... 5425 societies increasingly dependent services supp... 949 found easy quick postlearning method named ici... 16846 show noncollapsed cdkn space x nge curvature b... 18415 complex kohn variational method electronpolyat... 5674 natural artificial smallscale swimmers may oft... 19619 prove global limiting absorption principle ent... 13876 paper finds near equilibrium prices electricit... 11318 let rn mathfrak mn n ge infinite sequence regu... 5604 growing popularity autonomous systems creates ... 16741 present many new results related reliable inte... 321 work investigate value uncertainty modeling su... 20717 recently riemannian gaussian distributions def... 17546 kernel quadratures kernelbased approximation m... 8217 proposed life earth might descend seeding earl... 16696 l systems generalise contextfree grammars inco... 17417 recently proposed exact algorithm maximum inde... 12295 context dissipative systems show quantum chaot... 7254 domain adaptation refers process learning pred... 11773 paper presents model dynamical system particle... 4359 paper proposes new sharpened version jensens i... 18391 unmanned aerial vehicles uavs gained lot popul... 948 extensive efforts devoted recognizing facial a... 9525 study loss coherence electrochemical oscillati... 16235 behavior simplex algorithm widely studied subj... 15548 paper adaptive nonuniform compressive sampling... 20378 introduce lattice gas implementation based coa... 5228 initiate study path spaces nascent context mot... 19051 prove ordinary leastsquares ols estimator atta... 16790 address problem activity detection continuous ... 4227 propose simple yet highly effective method add... 11598 water pollution major global environmental pro... 20657 recent work shown stateoftheart models highly ... 15616 fundamental atomic parameters oscillator stren... 13049 shape priors widely utilized medical image seg... 10280 introduce hybridizable discontinuous galerkin ... 15340 limbimaging ionospheric thermospheric extremeu... 6393 chapter provides introduction modeling control... 5120 machine understanding complex images key goal ... 11660 propose unified framework establishing existen... 20843 propose empirical estimator preferential attac... 5239 present study concerned following schrdingerpo... 8289 blackbox variational inference tries approxima... 2504 define compactifications vector spaces functor... 18723 paper show mathrmrtmathsfwkl piconservative ex... 7391 onebit measurements widely exist real world us... 8954 consider motionplanning problem planning colli... 14668 study mutual alignment radio sources within tw... 110 study fermiedge singularity describing respons... 18238 argue preferred classical variables emerge pur... 15237 group theoretical formulation schrammloewnerev... 13103 develop several efficient algorithms classical... 4077 give abstract formulation formal theory partia... 20858 paper presents new results prediction linear p... 11661 aggregate analysis comparing countrywise sales... 6560 apply newly derived nonadiabatic goldenrule in... 9586 propose analyze theoretically approach realizi... 11715 technological advancement wireless sensor netw... 8437 dozen ultracool dwarfs ucds lowmass objects sp... 5063 accretion gas interaction matter radiation hea... 13445 one major challenges minimally invasive surger... 9936 autonomous racing vehicles operate close limit... 14576 show simultaneous backaction evading tracking ... 95 paper presented novel convolutional neural net... 9489 paper suggest framework make use mutual inform... 9893 biophysical modelling diffusion mri necessary ... 2611 study neverworse relation nwr markov decision ... 15859 given classical channel stochastic map inputs ... 12902 study recombination process three atoms scatte... 11968 problem glasner known glasners problem asks wh... 17061 paper discusses potential applying deep learni... 13195 paper describes method clustering data spread ... 5703 participant peertopeer network prefers freerid... 18165 paper considers scenario multiple data owners ... 6457 logical models offer simple powerful means und... 10193 consider nonlinear schrdinger equation delta u... 12824 field algorithmic fairness highlighted ethical... 6742 humanintheloop manipulation useful autonomous ... 8851 market asymmetric information viewed repeated ... 10529 advent modern communications systems much atte... 4791 textbooks applied mathematics often use graphs... 14279 chest radiography extremely powerful imaging m... 8085 paper study boundary layer problems incompress... 319 analyze two novel randomized variants frankwol... 11403 paper investigate number integer points lying ... 19929 paper study problems discrete fourier transfor... 5913 classifiers operating dynamic real world envir... 5614 formulate called varma covariance matching pro... 11766 data enables nongovernmental organisations ngo... 5493 deep neural networks achieve stellar generalis... 14092 article show duality tensor networks undirecte... 15287 twentyseven years ago one biggest societal cha... 330 consider problem isotonic regression underlyin... 9004 mobile devices become indispensable modern lif... 3116 using probabilistic argument show second bound... 13745 present autoperf generalized software performa... 3331 consider problem modeling memory discretestate... 613 molecular reflections usual wall surfaces stat... 7579 paper show novel underlying connections fracti... 14019 instanton partition functions mathcaln super y... 10525 purpose note attract attention following conje... 16222 upstream steady uniform supersonic flow imping... 6158 paper introduce new mathematical model active ... 10899 general easytocode numerical method based radi... 16763 present quantitative analysis response dilute ... 12681 planetary exploration missions mars rovers com... 12642 graph processing becoming increasingly prevale... 10236 report versatile mini ultrahigh vacuum uhv cha... 10823 levitated optomechanics showing potential prec... 20158 technical report consider approach combines pp... 17191 structural description intriguing link fast vi... 7496 show mathbbqgorenstein flat family klt singula... 2259 paper present state art quarks group su lie al... 3464 paper focus construction numerical schemes non... 18124 training neural machine translation nmt models... 6900 machine learning approaches hold great potenti... 7874 provide new theoretical insights overparametri... 6125 work consider onedimensional diffusion process... 11946 superposition temporal point processes studied... 1278 using deep reinforcement learning train contro... 20265 start point piecewise smooth vector field defi... 17486 password security longer provide enough securi... 16858 develop new theoretical framework analyze gene... 13173 let p set nodes wireless network node modeled ... 6057 present solution google cloud youtubem video u... 15898 many situations across computational science e... 13658 paper present translation quantum programming ... 7018 artificial lighting responsible large portion ... 5688 show elongated magnetic skyrmions host majoran... 13345 consider certain type geometric properties ban... 51 consider multitime correlators output signals ... 8500 idea reusing information previously learned ta... 92 processes averaged regression quantiles modifi... 8218 time integration transient eddy current proble... 17098 work addresses instability asynchronous data p... 4329 monoclonal antibodies constitute one important... 12266 paper estimate fidelity stabilizer css codes f... 9529 journals central eugene garfields research int... 19978 probability simplex set probability distributi... 7444 observations highlyeccentric e hotjupiter hd b... 14237 report enhancing complete synchronization iden... 8554 numerical simulations beamplasma instabilities... 10140 prove topological methods new results existenc... 14384 r beheshti showed smooth fano hypersurface x d... 5340 present first search dark matterinduced delaye... 10598 two fundamental approaches information averagi... 12911 wasserstein distance received lot attention re... 7822 consider task identifying attitudes towards gi... 13253 paper find sufficient conditions continuity va... 9167 traditional view morphologyspin connection cha... 7971 distributed cloud storage systems used reliabl... 3869 real human robot interaction hri scenarios spe... 13837 work presents algorithm generate depth quantum... 10217 current study applies deep learning herbalism ... 10227 demonstrate enhancement vortex generation arti... 2593 present exact ground state solution quantum di... 13656 show standard stochastic gradient decent sgd a... 18214 deep learning yielded stateoftheart performanc... 17811 present first results ongoing pilot project te... 4526 brief review discuss transient processes solid... 8484 point matching refers process finding spatial ... 18261 study problem nonparametric estimation blploss... 6050 jets boosted heavy particles typical angular s... 8846 investigated transport magnetotransport broadb... 8166 work consider solutions maxwell equations schw... 15428 deep neural networks trained using softmax lay... 6676 present new method approximate posterior proba... 19059 neural networks offer highaccuracy solutions r... 11402 completely positive completely bounded mutlipl... 15943 large literature semiparametric estimation ave... 7636 report orbitalfree densityfunctional theory df... 18386 derive formulas performance capital assets con... 573 classical regression model usually assumed exp... 12286 paper extend complement previous works propaga... 16744 decoupling multivariate polynomials useful obt... 6993 data quality assessment data cleaning contextd... 5396 imageguided radiation therapy benefit accurate... 15712 work proposes new online algorithm estimating ... 20145 fourier ptychographic microscopy fpm recently ... 5679 model relaxed memory propose confusionfree eve... 68 reinforcement learning methods require careful... 11048 measure theory integration exposed clear aim h... 15780 consider recursive decoding techniques rm code... 4746 many machine intelligence techniques developed... 13523 following breakthrough croot lev pach tao intr... 8532 regression problems assume every instance anno... 18304 matrixvalued covariance functions crucial geos... 5691 heat exchanger modeled closed domain containin... 20838 investigate fredholm alternative plaplacian ex... 11208 growing interest high dimensional functional d... 14660 mine tychoit gaia astrometric solution tgas ca... 11117 recently studies deep reservoir computing rc h... 12752 function space deeplearning machines investiga... 4341 study sound galilean invariant systems onedime... 3017 propose analyze method semisupervised learning... 11517 learning social media data embedding deep mode... 10137 study dynamics fermihubbard model driven timep... 13468 introduce new family integrable stochastic pro... 10256 extensive cooperation among unrelated individu... 4075 q polynomial integer coefficients x geq prove ... 18477 show gradient descent fullwidth linear convolu... 15550 survey problems results combinatorial geometry... 13019 point processes becoming popular modeling asyn... 18620 reinforcement learning algorithms inefficient ... 19611 online interactive recommender systems strive ... 3495 construct nonsemisimple tqfts yielding mapping... 7143 paper presents novel physicsinformed regulariz... 12157 core understanding dynamical systems ability m... 16119 prove certain conditions multigraded betti num... 10069 qcoloring problem asks whether vertices graph ... 1485 phd thesis devoted lowenergy structure nucleon... 17789 document outlines approach supporting crossnod... 7652 let x quasiaffine algebraic variety isomorphic... 12530 bone tissue mechanical properties trabecular m... 15297 artificial axon recently introduced synthetic ... 11651 show recently introduced iterative backflow re... 675 present communication datasensitive formulatio... 5134 paper proposes analyzes new fullduplex fd coop... 23 detectability discrete event systems dess ques... 19789 covariate shift learning scenario training tes... 11558 consider nonlinear schrdinger nls equation sub... 17935 present new class service location based socia... 3046 many studies undertaken using machine learning... 2036 autoencoders successful learning meaningful re... 3065 new characterization cmorn established local m... 14978 consider problem differential privacy accounti... 6109 introduce community detection algorithm fluid ... 15469 paper propose method model speaker session var... 7098 paper investigate questions related continuity... 6375 regular cardinal kappa formula modal mucalculu... 7871 ground state spin heisenberg antiferromagnet d... 7980 paper shall prove grand fujiifujiinakamoto ope... 17842 temporary work employment situation useful sui... 6927 series expansions unknown fields phisumvarphin... 1041 certain macroscopic perturbations condensed ma... 13609 paper five different approaches reducedorder m... 20045 learning weights spiking neural network hidden... 18971 relate old new cohomology monoids arbitrary mo... 114 work examine updates addressing meltdown spect... 6991 problem choice boundary conditions discussed c... 9390 directional data constrained lie unit sphere o... 4250 characterize strong type weak type inequalitie... 7550 study asymptotic behavior marginal expected sh... 8422 subject thesis uniqueness theory meromorphic f... 10501 international rosetta mission launched consist... 17550 thermal properties graphene monolayers studied... 3853 much energy consumed inference made convolutio... 5813 describe inferactive data analysis sonamed den... 14067 childhood obesity associated increased morbidi... 19820 recent years variational autoencoders vaes sho... 1758 present gpuaccelerated version highorder disco... 17104 nanocommunications understood communications n... 7644 interested attributeguided face generation giv... 3680 privacy major issue learning distributed data ... 11037 effects spatial scale results optimisation tra... 18873 column closed pattern subgroups u finite upper... 3598 defect valued field extensions major obstacle ... 15127 detection tracking pose estimation surgical in... 16611 deep learning graph structures shown exciting ... 7410 statistical relational frameworks markov logic... 10772 tensile strength small dusty bodies solar syst... 9844 neural networks shown great potential many app... 6278 many different classification tasks need manag... 11622 consider linear regression problem semisupervi... 17255 study equilibrium measures kenmki measures sup... 6319 lattice kpolytope convex hull set points dimen... 15962 novel algorithm proposed candecompparafac tens... 14202 elements composing complex systems usually int... 10329 understanding dynamical behavior complex syste... 1780 model intracluster medium weakly collisional p... 10670 paper presents comprehensive survey existing a... 15391 paper first study partial regularity weak solu... 3822 openml online machine learning platform resear... 16186 present explicit construction moduli spaces ra... 19935 using simulations wholeatmosphere chemistrycli... 9443 consider longitudinal nonlinear atomic vibrati... 5837 work obtain liouville theorem positive bounded... 13478 nanostructures immense potential supplant trad... 15073 main goal nasas kepler mission establish frequ... 5044 offer two new mellin transform evaluations rie... 11444 survey recent developments hausdorff dimension... 3838 big data phenomenon spawned largescale linear ... 6351 sparse matrix estimation problem consists esti... 12196 study image classification retrieval performan... 15823 develop new closed form representations sums n... 17561 observation micron size spin relaxation makes ... 15753 framework mssm inflation matter gravitino prod... 9932 physics phenomena multisoliton complexes enric... 16320 paper propose new coding scheme establish new ... 7790 central problem graph mining finding dense sub... 15262 present microlensing events korea microlensing... 607 counting dominating sets graph g closely relat... 16865 shown mccoy right ideal polynomial ring severa... 12597 explore extent one may hope preserve geometric... 18092 acoustical radiation force arf induced single ... 2984 joint value risk var expected shortfall es qua... 3279 discuss different types humanrobot interaction... 9066 paper study different questions concerning aut... 2815 optical tweezers enabled important insights in... 2649 prove q power every complex irreducible repres... 4923 paper presents firstorder distributed continuo... 13541 study compares various superlearner deep learn... 2347 user participation considered effective way co... 13054 discovering exploring underlying structure mul... 13916 investigate selforganization strongly interact... 18539 paper addressed issue estimating damage caused... 6635 paper analyses dynamics infectious disease con... 8721 aim paper provide several novel upper bounds e... 6708 describe preliminary investigations using dock... 1414 person reidentification task greatly boosted d... 15513 consider problem estimating large rankone tens... 20424 paper make important step towards blackbox mac... 8860 full squashed flat antichain fsfa boolean latt... 6157 galaxy intrinsic alignments ia critical uncert... 3033 study existence multiplicity semiclassical sta... 13348 overview logic bunched implications bi separat... 3628 reinvestigate claimed sample xray detected act... 10991 electrolyte gating widely used induce large ca... 17464 ingaasbased gateallaround gaa fets moderate hi... 5556 presentations unbraided braided symmetric pseu... 1348 method developed generating pseudopotentials u... 8495 currentinduced spinorbit torques sots represen... 7063 deep reinforcement learning drl methods deep q... 19040 learning propelled cutting edge performance ro... 5896 recent advancements quantum annealing hardware... 8562 work consider open quantum random walks nonneg... 1618 work aim building bridge poor behavioral data ... 8471 valley pseudospin labeling quantum states ener... 7045 analyze local properties sparse erdosrenyi gra... 2924 neat result functional programming libraries p... 3206 process discovery techniques return process mo... 18487 streaming instability powerful mechanism conce... 4274 study heat trace drifting laplacian well schrd... 13903 consider problem semisupervised fewshot classi... 14674 recent work fairness machine learning proposed... 19489 contingent convertible bonds cocos debt instru... 11295 modeled laserinduced transient current wavefor... 1950 introduce fullydynamic conflictfree coloring p... 4829 paper study asymptotic behavior hermitianyangm... 15620 summarize recent findings proposed framework l... 10700 intersystem crossing radiationless process tak... 1068 paper proposes new convex model predictive con... 3660 mixed volumes vkdots kd convex bodies kdots kd... 12101 http h new standard web communications already... 2470 year number smartphone users globally reach bi... 2274 present simple phenomenological model observed... 1265 discriminative deep forest disdf metric learni... 11011 many deployed learned models black boxes given... 7864 dynamic dielectric nonlinearity barium stronti... 2845 empirical risk minimization erm ubiquitous mac... 3038 machine learning community become increasingly... 16116 paper provides theoretical justification super... 15685 article provide new algorithm solving constrai... 8774 neutrinos coming suns core measured high preci... 18870 ab initio lowenergy effective hamiltonians two... 5032 paper develop fluctuating hydrodynamics propos... 19431 define locally nameless permutation types fuse... 347 paper give complete characterization leavitt p... 2260 link discovery active field research support d... 6277 answering problem posed second author mathover... 10439 cupyzno quasi onedimensional molecular antifer... 7091 segmented silicon detectors micropixel microst... 16830 past work social network link fraud detection ... 5880 provide unified framework proving reidemeister... 4952 safe efficient planning control autonomous dri... 8762 small drops impinging angularly thin flowing s... 1477 field plasmabased particle accelerators seen t... 8372 annotation training data major bottleneck crea... 17086 res considered promising candidate novel elect... 18182 several recent works empirically observed conv... 15672 encoderdecoder gans architectures eg bigan ali... 9029 paper prove functorial aspect formal geometric... 7248 kgroup calgebra multipullback quantum complex ... 255 propose deformable generator model disentangle... 7283 paper addresses task learning image classifier... 9994 construct sample xray bright optically faint a... 4513 navigating safely urban environments remains c... 15806 paper develop conservative sharpinterface meth... 107 people profound motor deficits could perform u... 3717 paper introduce new technique determining nece... 6702 paper propose new method tackle mapping challe... 416 show certain orderable groups admit isolated l... 6516 let x ldots xninmathbbrp iid random vectors ai... 14712 paper concept multirate partial differential e... 11044 charge transfer among individual atoms molecul... 11615 paper prove proper conditions bootstrap debias... 14984 solar filamentsprominences one common features... 10980 describe categorical models circuitbased quant... 8775 standard graph clusteringcommunity detection o... 18067 since beginning new millennium stock markets w... 4606 paper proposes general framework multiarmed ba... 17529 pristine material surfaces exposed air highly ... 17027 paper study integral curvatures finsler manifo... 1900 binary mixtures dry grains avalanching slope e... 7565 paper adapts large deformation diffeomorphic m... 20452 conjecture formulated affine structure linked ... 11674 recurrent neural networks dominant models many... 39 previous approaches training syntaxbased senti... 14530 evaluate curious determinant first mentioned g... 9707 paper find integers c least two representation... 11416 paper offers methodological contribution inter... 14409 formal models games help us account predict be... 12591 fitting machine learning models lowdata limit ... 14833 briefly review recent results constraining neu... 2980 study bulk surface nonlinear modes modified on... 11750 introduce new isomorphisminvariant notion entr... 19466 consider minimax estimation problem discrete d... 3544 large bundles myelinated axons called white ma... 2867 many developing countries public transit plays... 14049 rigorous nonequilibrium actions manybody probl... 15383 deep learning given way new era machine learni... 4570 displacement calculus mathbfd conservative ext... 6454 despite wellordered pyrochlore crystal structu... 1878 present new method separation superimposed ind... 18102 paper consider existence nonexistence solution... 3897 dergachev kirillov introduced subalgebras seaw... 2729 shortcircuit evaluation denotes semantics prop... 14469 general conditions shown uniform algebra gener... 6850 prototype imaging spectrograph coronagraphic e... 414 helmholtz decomposition theorem vector fields ... 7887 early environmental scan conducted research li... 6386 significantly faster algorithm presented origi... 20132 many engineering processes exist industry text... 17303 three species compete cyclically wellmixed sto... 5067 conventional automatic speech recognition asr ... 6485 stochastic r matrix uqan introduced recently g... 20761 physical properties intermetallic compound cer... 6333 subaru strategic program ssp ambitious multiba... 12785 constructing rth nonresidue finite field funda... 5932 model ice floe breakup ocean wave forcing marg... 13777 design simulation measurement beam steerable s... 8065 order understand exoplanet need understand par... 13765 commonly used distributed machine learning sys... 20109 consider motion incompressible viscous fluids ... 1787 midinfrared instrument miri em james webb spac... 36 work discusses numerical approximation nonline... 7767 answer mark kacs famous question one hear shap... 4187 propose label propagation based algorithm weak... 13438 article present pictorially foundation differe... 1555 classical mechanics nonrelativistic particle c... 7252 paper deals estimation problem misspecified er... 6398 many applications ensemble base classifiers ef... 16911 lineintensity mapping surveys probe largescale... 10180 present study investigates different strategie... 17133 study asymptotic behavior estimators twovalued... 3708 support vector data description svdd popular a... 11131 constrained markov decision process cmdp natur... 17516 tests gravity galaxy scale infancy first step ... 19807 remark sparse carleson coefficients equivalent... 5775 consider directed variant negativeweight perco... 12443 translational motion neurotransmitter receptor... 14840 dominative plaplace operator introduced operat... 18692 success deep neural networks dnns wellestablis... 7073 riemann xiz function even z admits fourier tra... 16808 certain general conditions explicit formula co... 20641 soil moisture active passive smap mission deli... 18043 show number unique function mappings neural ne... 1746 new type absorbing boundary conditions molecul... 14590 paper surveys topological problems relevant mo... 13882 method evaluation outlined previous work utili... 16425 published reporters without borders every year... 7260 extremal point positive threshold boolean func... 17038 introduce general scheme permits generate succ... 13293 support vector data description svdd machine l... 4038 given graph sparsest cut problem asks subset v... 3705 future observations terrestrial exoplanet atmo... 3955 programmers often write code similarity existi... 20423 theory navierstokes equations viscous fluid in... 3428 new majority minority voted redundancy mmr sch... 11055 analyze correlation starspots superflares sola... 2507 work study robust subspace tracking rst proble... 4681 derive extended fluctuation theorem geometric ... 8402 aim chapter provide adequate graph theoretic f... 4747 paper propose new differentiable neural networ... 13813 provide fast method computing constraints impa... 6711 new features enhancements spike banded solver ... 20127 growing pressure cloud application scalability... 17539 examine class embeddings based structured rand... 14710 compact circlepacking p euclidean plane set ci... 16324 spectral shape descriptors used extensively br... 1809 provide detailed fully rigorous derivation sev... 17737 paper devoted relationship psychophysics physi... 15442 recently impressive denoising results achieved... 14381 graph convolutional networks gcns shown signif... 20205 genomewide chromosome conformation capture tec... 1715 introduce new skein invariants links based pro... 8994 differential privacy mechanisms also make reco... 7614 current recommender systems exploit user item ... 8676 article novel analytical approach presented an... 6436 formulate stochastic gradient descent sgd baye... 19569 imitation widely observed populations decision... 5828 social abstract argumentation principled way a... 11747 representing domain knowledge crucial task wid... 15888 common clustering algorithms require multiple ... 15726 backward simulation stochastic process defined... 7351 class actively calibrated line mounted capacit... 20703 future predictions sequence data eg videos aud... 18038 event detection critical feature datadriven sy... 1250 motion viscous deformable droplet suspended un... 6929 demonstrate residual neural networks resnets d... 15999 report observation phase space modulations cor... 6531 motivated alphaattractor models paper consider... 16231 nowadays many methods allowing exploit regular... 20247 establish grbnershirshov bases theory differen... 8991 show smooth bilipschitz h represented exactly ... 14263 article investigate large sample properties mo... 4861 show convex hull monotone perturbation homogen... 2303 several kinds differential relations polynomia... 6908 study variation iwasawa invariants anticycloto... 13086 timing attacks continuous threat users privacy... 18158 performed magnetic field frequency tunable ele... 8910 recently authors present work together n kolou... 8581 paper study prandtls boundary layer asymptotic... 20291 consider parabolic allencahn equation mathbbrn... 19243 systems spontaneously reveal periodic evolutio... 8250 channel feedback essential frequency division ... 1257 recently neural models information retrieval b... 6680 paper consider higher order correction entropy... 8930 citation metrics analytic measures used evalua... 15405 conventional cryptography solutions illsuited ... 20968 polycrystalline diamond coatings grown cemente... 17661 topological nodal line dnl semimetals formed c... 2822 kcut problem given edgeweighted graph g intege... 14171 advances atomic resolution situ environmental ... 1973 study small local set continuum gaussian free ... 20656 growing body research focuses computationally ... 267 experimentally confirmed threshold behavior sc... 12041 mev cw rfq installed commissioned fermilabs te... 7545 since matrix formed nonlocal similar patches n... 2770 classify invariants functor powers fundamental... 14570 standard cosmographic approach consists perfor... 2329 rural building mapping paramount support demog... 14726 propose alternative evaluation quantum entangl... 14514 models many signals highdimensional models oft... 20233 distributed learning effective way analyze big... 9467 aims density waves often considered triggering... 7991 hidden quantum markov models hqmms thought qua... 19981 convolutional neural networks cnns successfull... 12257 common assumption thetaori c dominant ionizing... 318 users form information trails browse web check... 1536 work compare different batch construction meth... 1471 complement theory developed preinerstorfer pts... 13473 due exponential complexity resources required ... 12374 realization highperformance smallfootprint onc... 1369 commonly cited inefficiency neural network tra... 740 show publishing results using statistical sign... 10715 todays artificial assistants typically prompte... 1188 using formalism classical nucleation theory de... 14013 paper deal seifert fibre spaces compact manifo... 890 view resurgence concern measurement problem po... 11076 longrange macrodimers formed dstate cesium ryd... 18911 motivation epigenetic heterogeneity within tum... 7383 common problem applications linear finite dyna... 3487 sloan digital sky survey sdss first dense reds... 6044 construct estimator lvy density pure jump lvy ... 10569 rieszsobolev inequality provides upper bound i... 12696 study present swift linked data miner interrup... 1233 perform detailed analytical study recent fluid... 10880 consider setup nonparametric blind regression ... 20802 local multiplicities maxwell sets spaces versa... 19155 establish existence stein kernels probability ... 10090 chaos associated bifurcation makes new science... 14227 work propose compositiondecomposition framewor... 9913 limitedangle computed tomography ct often used... 10432 shear viscosity plays important role studies t... 13339 simulate complex fluids means onthefly couplin... 1291 apply minsum messagepassing protocol solve con... 12555 online sports gambling industry employs teams ... 12398 consider problem scheduling serverless computi... 11253 recently single crystalline carbon nitride mat... 12233 social media expose millions users every day i... 11488 pulserecloser uses pulse testing technology ve... 7862 tens millions new variable objects expected id... 14240 investigate spectral properties tensor product... 12980 study flat flrw alphaattractor mathrme mathrmt... 562 conventional crystalline magnets characterized... 1031 introduce pliable lasso method estimation inte... 5765 experiments show k atm pressure transfer free ... 18421 paper present results studying famous young pa... 15744 visionlanguage navigation vln task navigating ... 19857 paper presents method reconstruction primary s... 7058 dutch book arguments applied beliefs outcomes ... 4377 splitplot repeated measures designs frequently... 10658 paper moment problem finitedimensional vector ... 18065 work prove existence local convex solution deg... 6976 article develop new sequential monte carlo smc... 18113 regularized inversion methods image reconstruc... 19687 article studies monotonicity logconvexity modi... 11287 found dirac nodal lines dnls band structures m... 5712 paper examines software vulnerabilities common... 7640 effective efficient mitigation malware longtim... 1249 many societies alcohol legal common recreation... 17996 chemical reaction networks generalized massact... 19635 modelled evolution cometary hii regions produc... 2218 recent years deep reinforcement learning made ... 17888 studied longitudinal spin seebeck effect polar... 18114 three dimensional galaxy clustering measuremen... 18847 present results optical spectroscopic monitori... 17326 patchbased denoising algorithms like bmd achie... 17691 detection cell nuclei microscopic images chall... 17643 considering structure functions streamwise vel... 13771 unmanned aerial vehicles uavs represent new fr... 15437 parsing expression grammars pegs formalism use... 13822 realistic implementations kitaev chain require... 16469 perceptual aliasing one main causes failure si... 10843 analytic gradient routines desirable feature q... 6334 consider estimation hidden markovian process u... 4549 multimodal clustering unsupervised technique m... 17710 heisenberg spin chain compound srcuo doped dif... 7044 neural networks rational functions efficiently... 9328 article investigates evidencebased semantics e... 12252 local properties fundamental group pathconnect... 10564 article devoted problem predicting value taken... 2354 previous work koenig ovsienko second author sh... 14137 consider classical risk process arrival claims... 10001 kinetically constrained lattice gases kclg int... 17256 present thermal emission spectrum bloated hot ... 5327 neural networks vulnerable adversarial example... 1434 consider strongly interacting quantum dot conn... 9877 study fr theory gravity anisotropic metric eff... 264 present new method automated synthesis digital... 8324 context stochastic twophase flow porous media ... 19018 calibration advanced ligo detectors quantifica... 20352 twocolor photoassociation ca four weakly bound... 14101 wide adoption dnns given birth unrelenting com... 18472 poststarbursts psbs candidate rapidly transiti... 14488 synchrotron emitting bubbles arise outflow com... 6347 present neurosymbolic framework lifelong learn... 8584 rapid advances development nanotechnology nowa... 3378 using multiple scattering theory algorithm inv... 15376 aim paper prove generalization famous theorem ... 10527 paper focus online representation learning non... 8620 effect spinorbit coupling soc electronic prope... 1437 although cuspcore controversy dwarf galaxies s... 20762 based results second author define equivariant... 7960 humans able identify referred visual object co... 12562 method proposed generate optimal fit number co... 4692 nonlinear latticea new nonlinear class periodi... 7441 one major open problems computer vision detect... 6255 discriminator integer sequence sii introduced ... 20912 show bounded lipschitz pseudoconvex domains ad... 8594 solve regularity problem milnors infinite dime... 20634 little known properties small cells poisson hy... 18773 variational bayes vb common strategy approxima... 65 describe novel weakly supervised deep learning... 14672 deep neural networks dnns one prominent techno... 17036 transverse momentum pt spectra heavyion collis... 18865 report automated bartender system developed ma... 6185 acceleration manipulation ultrashort electron ... 17866 present four logic puzzles solutions joseph ye... 2865 among mobile cloud applications mobile cloud g... 13531 study local optima hamiltonian sherringtonkirk... 12066 bayesian online changepoint detection bocpd ad... 5113 performed empirical comparison two distinct no... 4408 study output feedback exponential stabilizatio... 6025 bayesian optimisation bo refers class methods ... 9883 dynamic mott insulatortometal transition dmt k... 10175 processing sequential data variable length maj... 6890 xray transform periodic slab timesmathbb tn ng... 7512 study effect cavity collapse nonideal explosiv... 1421 expository article properties actions lie grou... 12933 working infinite field positive characteristic... 20254 paper compute epolynomials pglmathbbccharacter... 18894 main aim paper give new generalization hurwitz... 8000 report magnetotransport measurements magnetica... 7102 present psdbscan communication efficient paral... 4349 design optimization techniques often used begi... 1660 inverse problems statistical physics motivated... 73 subject research complex networks network syst... 1843 using etale cohomology define birational invar... 770 give short proof l criterion beurling generali... 17729 real hypersurface complex quadric qmsomsomso s... 1285 surjective hcolouring problem test given graph... 13540 image diffusion plays fundamental role task im... 14475 paper focus attention exploitation information... 10548 ordering multilayer consisting dspc bilayers s... 1941 many radiological studies reveal presence seve... 19779 phase changing materials pcm widely used optic... 17426 paper addresses trajectory tracking control pr... 18353 observed galactic mixedmorphology supernova re... 8265 double dirac fermions recently identified poss... 3397 data analysis plays important role development... 11432 spaceborne lowto mediumresolution r transmissi... 9679 define distance edges graphs study coarse ricc... 5064 logdeterminant kernel matrix appears variety m... 20502 paper consider development numerical schemes m... 4027 general procedure constructing yetterdrinfeld ... 18363 web archives large longitudinal collections st... 17734 formulate general criterion exact preservation... 11752 influence diagrams decisiontheoretic extension... 5897 life evolved planet means combination darwinia... 16258 study devoted polynomial representation matrix... 3963 paper notion lmfuzzy convex structures introdu... 3937 local event detection use posting messages geo... 11290 natural language elements eg todo comments fre... 12645 true best neural network necessarily one brain... 1110 conventional lasers based gain media three fou... 4414 paper present endtoend automatic speech recogn... 13996 study optimal pricing strategy monopolist sell... 18932 discussions choice tree hash mode operation st... 19999 investigate equilibrium properties including s... 16545 securityconstrained unit commitment scuc one s... 10017 trace tau separable calgebra called matricial ... 3146 time series ts occur many scientific commercia... 1377 involution stanley symmetric functions hatfy s... 18076 logical models successfully used describe regu... 7507 consider three dimensional vlasovpoisson syste... 144 obtain bernsteintype inequality sums banachval... 6192 present new deep meta reinforcement learner ca... 9990 show convergence rate ellregularization linear... 3514 quantum magnetic phases near magnetic saturati... 16356 implemented various dftu schemes including acb... 7272 recently wind riemannian structures wrs introd... 6071 introduce model shortterm dynamics financial a... 14403 consider class onedimensional compass models s... 16485 ngeq show generic closed riemannian nmanifolds... 13599 cubesats emerging lowcost tools perform astron... 14907 societies complex systems tend polarize subgro... 19267 let r family n axisparallel rectangles packing... 1830 noninteractive local differential privacy ldp ... 9691 present results empirical studies positive spe... 4181 consider problem estimating species trees unro... 15464 consider system differential equations mongeka... 9411 discuss similarity oscillons oscillational mod... 18234 map interacting helical liquid system coupled ... 5957 riskaverse model predictive control mpc offers... 10126 topological interference management tim proble... 13082 roles unmanned aerial vehicles uav continue di... 16306 paper introduces simple efficient density esti... 19109 paper studies nonparametric modal regression p... 1055 study mathematical model cell populations dyna... 18209 study b rings complex optical depth structure ... 594 investigate new sampling scheme aimed improvin... 16334 present compact current sensor based supercond... 1525 cauchyrayleigh cr distribution successfully us... 10448 construct sequence compact oriented embedded t... 5824 new test normality based standardised empirica... 5154 study effect critical pairing fluctuations ele... 10644 based geometry optimization magnetic structure... 11564 van der waals vdw density functional implement... 16800 diffusion mri measurements using hyperpolarize... 17768 foundation driverless vehicle intelligent robo... 11699 given dimensional scheme mathbbx projective sp... 761 small depth networks arise variety network rel... 7824 introduce new audio processing technique incre... 19146 euler navierstokes variant systems dynamical i... 13529 apply symmetry based power tensor technique te... 6999 policy gradient methods achieved remarkable su... 81 endtoend approaches drawn much attention recen... 7042 first part survey heuristic nontechnical discu... 16771 composite materials comprised ferroelectric na... 8724 carbon solubility facecentered cubic niw alloy... 958 show mathbbqfano varieties fixed dimension ant... 8664 robot carry naturallanguage instruction dream ... 6609 many realworld applications characterized numb... 6026 number improvements added existing analytical ... 11277 upperdivision physics students spend much time... 7238 set new speed records multiplying long polynom... 14891 determining velocity distribution halo stars e... 19803 proteins moderately stable long debated whethe... 3954 tangent measure blowup methods powerful tools ... 4403 vibrational energy harvesters capture mechanic... 17183 atomic swap protocol allows exchange cryptocur... 18846 paper sequels give unified treatment higherdeg... 4511 shown region euler integral first kind diverge... 1666 report observation magnetic domains exotic ant... 6857 paper estimate distribution hidden nodes weigh... 5353 let omega bounded lipschitz domain mathbbrd pu... 4587 consider bounded solutions nonlocal allencahn ... 17277 electronic structure thrusi studied angleresol... 16664 robots performing manipulation tasks must oper... 12202 study improved approximations distribution lar... 15192 bistability multistationarity properties react... 17855 discrete cosine transform dct key step many im... 12493 output statistical parametric speech synthesis... 3724 document presents hips hierarchical scheme des... 1264 mixedinteger secondorder cone programs misocps... 4867 calculate universal spectrum trimer tetramer s... 13710 almost parameterizations turbulence nwp models... 7255 colocalization powerful tool study interaction... 14656 extend results proved scalar equations case sy... 10792 workers participating crowdsourcing platform w... 15031 paper shows conditional quantile treatment eff... 4374 high dimension customary consider lassotype es... 9464 results presented direct numerical simulations... 4087 selfnested trees present systematic form redun... 8464 dependence mass accretion rate stellar propert... 14126 display advertising users online ad experience... 1897 following selection gravitational universe esa... 20300 study interplay steinberg algebras partial ske... 7416 give lower bounds degree multiplicative combin... 18400 detail dynamic evolution localised reconnectio... 19751 recent work pomerance shparlinski obtained res... 13800 deep learning started revolutionize several di... 19277 paper proves approximate intermediate value th... 2529 study sample paths random walk first time cros... 17995 paper studies mathematical properties reaction... 8104 given multiplatform genome data prior knowledg... 6922 ultraviolet selfinteraction energies field the... 8907 statistical thinking partially depends upon it... 660 paper consider partial information twoperson z... 19041 prove sharp upper lower bounds generalized cal... 8744 building upon hoveys work smith ideals monoids... 1118 paper study representation theory super w alge... 1287 recommender system research suffers currently ... 6204 projective reedmuller codes introduced lachaud... 13337 six years ago semitoric systems dimensional ma... 7358 establish general connection ballistic diffusi... 2316 investigate special dam optimal location volga... 1417 verifying statistically significant result sci... 10734 widefield high precision photometric surveys k... 7 ability metallic nanoparticles supply heat liq... 12044 study extensions polytopes combinatorial optim... 994 survey dimension theory selfaffine sets genera... 12277 recent years deep learning based artificial ne... 4292 quantitative multivariate central limit theore... 16794 even confronted data agents often disagree mod... 13133 present translation lambek calculus brackets u... 2409 complexity size stateoftheart cell models sign... 296 quantum speed limit qsl energytime uncertainty... 1864 present approach testing gravitational redshif... 16090 digital sculpting popular means create models ... 17290 generative adversarial networks gans innovativ... 19892 extend theory ground states classical heisenbe... 15098 power prediction demand vital power system del... 11301 paper propose supervised learning system count... 1145 propose novel estimation procedure scalebyscal... 5789 develop empirical bayes eb algorithm matrix co... 19823 present quantum algorithm compute entanglement... 19139 snook prize awarded diego tapias alessandro br... 18349 objective bayesian approach estimate number de... 11784 online services emerge areas life voting proce... 11213 evaluation fbst fully bayesian significance te... 19785 quality neural machine translation system depe... 3612 article lays foundations study modular forms t... 16716 algorithm constructing control function transf... 12532 propose poweralert efficient external integrit... 10836 study trend filtering relatively recent method... 10027 introduce multimodal attentionbased neural mac... 20874 many biological cognitive systems operate deep... 9855 turkish wikipedia namedentity recognition text... 20794 obtain necessary sufficient conditions bounded... 12141 recent years phenomenon online misinformation ... 14517 improve performance intensive care units icus ... 12643 paper prove classification results fourdimensi... 8381 stochastic computer simulations enable users g... 18997 one defining features manybody localization pr... 477 present work explore existence stability dynam... 11941 work proivied new simpler proof global diffeom... 10371 work issue bayesian inference stationary data ... 4190 study estimation integral type functionals int... 19007 investigated band structure bulk crystal surfa... 13217 paper published special issue journal inequali... 14772 give sharp conditions boundedness hausdorff op... 12814 modelbased clustering popular approach cluster... 12509 show semisimple synchronizing automaton n stat... 18036 investigate terminalpairibility problem case b... 658 recently heavily doped semiconductors emerging... 2723 ccs naveed et al presented first attacks effic... 1793 event learning one important problems ai howev... 19119 see person crowd occluded persons miss visual ... 19737 current upcoming radio interferometric experim... 5430 ooids typically spherical sediment grains char... 13804 obtaining detailed reliable data local economi... 493 modeling interior exoplanets essential go conc... 4253 article first derive wavevector frequencydepen... 16172 study size complexity computing finite state a... 1463 waveparticle duality quantum mechanics allows ... 15404 securitysensitive applications success machine... 19259 give explicit formula second variation logarit... 4008 directed latent variable models formulate join... 2287 work study impact chromatic focusing fewcycle ... 19851 katrin experiment aims determine neutrino mass... 12918 convolutional neural networks cnns become meth... 9157 let operatornameconmathbf trestrictionx denote... 444 feature engineering key success many predictio... 8630 paper studies performance multihop mesh networ... 672 condensedmatter analogs higgs boson particle p... 14961 paper introduces new sparse spatiotemporal str... 11352 shape information great importance many applic... 15654 study rates convergence central limit theorems... 5740 consider wideaperture surfaceemitting laser sa... 1494 shown nonrelativistic ground state energy heli... 12517 paper presents robust matrix elastic net based... 5261 fusion humans technology takes us unknown worl... 20128 level polytopes naturally appear several areas... 3751 schmidts game generally used deduce qualitativ... 11114 network analysis techniques remain rarely used... 756 paper describes english audio textual dataset ... 14429 consider problem estimating joint distribution... 14174 brief note connect discrete logarithm problem ... 10995 consider undirected mixed membership network n... 19868 investigate theoretical foundations simulated ... 12780 vast volume data produced todays scientific si... 13476 maintenance software developers deal number so... 1374 revisit generation balanced octrees adaptive m... 13770 work present wholebody nonlinear model predict... 9696 present results threedimensional ideal magneto... 17837 establish large sample approximations arbitray... 6572 explore methods producing adversarial examples... 537 amount ultraviolet irradiation ablation experi... 8904 present primaldual memory efficient algorithm ... 12492 study size external path length random tries s... 6144 advanced driver assistance systems adas signif... 646 numerical simulations go roberts dynamo presen... 18282 investigate apparent powerlaw scaling pseudo p... 13499 deep neural networks become complex input data... 2186 increasing uptake residential batteries led su... 3109 study several aspects recently introduced fixe... 20010 dark sector may contain dark photon kineticall... 20443 paper develops novel methodology using symboli... 13240 consider variant online convex optimization in... 14150 present simple yet effective approach linking ... 9624 paper present new light field representation e... 10678 need analyze available large synoptic multiban... 1884 despite remarkable achievements practical trac... 16177 anosov representations word hyperbolic groups ... 15025 paper studies characteristics applicability cu... 13077 simplicial complexes popular alternative netwo... 3030 polarised neutron diffraction measurements mad... 2102 space topological defect abrikosovnielsenolese... 14604 semiconductor nanowires provide ideal platform... 19351 controlling chaos could big factor getting gre... 7145 cardiologists main tool measuring systolic hea... 3891 models econophysics ie emerging field statisti... 13698 theoretical analysis detection decoding lowden... 1995 consider learning predictor nondiscriminatory ... 19667 researchers often summarize work form scientif... 5403 paper analyzes airbnb listings city san franci... 19897 show answer spatial multipleset intersection q... 5292 several temporal logics proposed formalise tim... 8051 occasion th anniversary first observation ce v... 8090 bismut zhang establish mod z embedding formula... 15629 present first discoveries survey zgtrsim quasa... 4925 article study optimal control problems systems... 12925 lactate threshold considered essential paramet... 20689 present navrenrl approach navigate unmanned ae... 11192 solitons important significant many fields non... 9422 emojis new way conveying nonverbal cues widely... 2978 today freshwater important ever contaminated t... 3573 mounting evidence connects biomechanical prope... 12868 paper consider network scenario agents evaluat... 13783 gated recurrent unit gru recentlydeveloped var... 18409 traditional linear genetic programming lgp alg... 1115 bandit based optimisation remarkable advantage... 11680 present new topic model generates documents sa... 3466 great deal effort gone trying model social inf... 5145 given n symmetric bernoulli variables said cor... 16930 provide novel characterizations multivariate n... 16123 design robotic systems safely efficiently oper... 15500 traditional recommendation systems rely past u... 13610 srtio quantum paraelectric becomes metal super... 14261 created cloudbased service allows end users ru... 7388 rise digital mobile communications recently ma... 16249 person identification technology recognizes in... 16532 finding easytobuild coils set critical issue s... 10482 past years convolutional neural networks cnns ... 8232 consider stochastic bandit problem sublinear s... 13069 locomotion swimming bacteria simple newtonian ... 2538 species tree reconstruction genomic data incre... 16781 common model inductive datatypes least fixed p... 5383 study infinitehorizon asymptotic average optim... 17346 stochastic integration textitwrt gaussian proc... 7624 programmable optical computer remained elusive... 9027 deal finite dimensional differentiable manifol... 7025 study maximum likelihood estimator density n i... 18532 paper studies problems locally stopping distri... 799 work encompasses ratesplitting rs providing si... 15410 paper studies auction design problem seller se... 427 framework einsteinmaxwellaether theory study b... 20242 consider estimation signal knowledge noisy lin... 17655 investigate mechanical properties amorphous po... 10337 present novel approach estimating conditional ... 12725 paper present lsf parameters unit vector form ... 17204 present evaluation update simply update algori... 15269 recent advances representation learning graphs... 12184 motion planning key tool allows robots navigat... 7634 look enhancement correspondence model peridyna... 3131 integrating different semiconductor materials ... 14911 robust optimization traditionally taken pessim... 232 work peng et al new measure proposed fault dia... 3037 providing diagnostic feedback growth crucial f... 9891 pick n random points uniformly connect point k... 16015 heterogeneitygap different modalities brings s... 16329 study threedimensional gauge theories based or... 16680 well known logistic map parameter interest wei... 14316 work addresses problem kinematic trajectory pl... 7423 xgboost often presented algorithm wins every m... 18729 paper propose novel receptiontransmission sche... 12073 crowdsourcing successfully applied many domain... 11489 network alignment problem asks best correspond... 15350 paper show sparse signals f representable line... 20479 recently cauchycarlitz number defined counterp... 5369 knowing structure offline social network facil... 17123 recently principal component pursuit received ... 11414 chemotaxis ubiquitous biological phenomenon ce... 18937 lederer van de geer introduced new orlicz norm... 17291 causal mediation analysis aims estimate natura... 3157 twin support vector machines twsvms emerged ef... 6884 climate mitigation comprehensive solution pres... 7342 aim present manuscript present novel proposal ... 18315 seminal paper chua presented fundamental physi... 10982 since population projections cases produced us... 7902 present results neutron scattering experiments... 9329 paper study linear complementarity problems ex... 6739 bioinformatics field grows must keep pace new ... 14921 well known context general relativity spacetim... 10051 large amounts insight social discovery potenti... 12321 let f bandlimited function lmathbbr fix suppos... 4412 note contains reformulation hodge index theore... 2314 avionics one kind domain prevention prevails n... 10315 propose article mgcc state dependent queuing m... 18632 halide perovskite hap semiconductors revolutio... 2018 petri nets established graphical formalism mod... 7412 modern operating systems android ios windows p... 12919 recent observations rippled structures surface... 16494 semisupervised learning deals problem possible... 17444 smart solar inverters used store monitor manag... 15584 feiginstoyanovskys type subspaces affine lie a... 17755 shortest paths problem spp longer unresolved l... 13978 consider jacobi matrices j whose parameters po... 11229 aim note give alternative proof theorem koras ... 9450 paper demonstrate new datadriven framework rea... 3424 method control results gradient descent unsupe... 18697 recurrent neural networks rnns achieve stateof... 10373 merging mobile edge computing dense deployment... 11798 normal conductor placed good contact supercond... 9617 prove nonlinear modulational instability perio... 18615 low frequency array lofar radio telescope inte... 20704 paper presents modular inpipeline climbing rob... 4080 accurate noise modelling important training de... 4962 introduce generalization celebrated lovsz thet... 14797 humanoid soccer robots perceive environment ex... 17157 tensor decomposition methods popular tools lea... 8209 modelfree policy learning enabled robust perfo... 797 determine composition factors tensor product s... 5467 large sample size equivalence celebrated appro... 1883 solving symmetric positive definite linear pro... 19287 learn binary classifier positive data without ... 17163 volume contains proceedings fide third interna... 2372 materials science adopted term auxetic behavio... 8011 modern topic identification topic id systems s... 1198 given problem bayesian statistical paradigm re... 15865 anomaly detection ad task corresponds identify... 14265 dynamics along particle trajectories axisymmet... 6167 satellite radar altimetry one powerful techniq... 4094 present results experiment showing first succe... 12063 present bounds finite sample error sequential ... 480 present new jvla multifrequency measurements s... 7126 develop finite element method laplacebeltrami ... 17139 endtoend neural network based approaches audio... 18738 analyze informationtheoretic limits recovery n... 8261 coherent phonon cp generation undoped si cryst... 6939 show class groups kmultiple contextfree word p... 12092 drsubmodular continuous functions important ob... 1331 vision science particularly machine vision rev... 17549 study multipartite entanglement quantum manybo... 3305 well known concept condition number kappaa aa ... 4355 recent work distance metric learning focused l... 3104 study computable topological spaces semicomput... 18493 existing medicine recommendation systems mainl... 18707 propose graphbased process calculus modeling r... 13766 prevalence smart wearable devices increasing e... 10547 local crystal structures many perovskitestruct... 1420 recognition handwritten mathematical expressio... 5205 present optical spectroscopy recently discover... 11990 detailed development principal component proxy... 1234 study heavy path decomposition conditional gal... 13124 work proposes novel solution problem internal ... 1709 paper consists two parts first provides review... 9255 implementation algebraic bethe ansatz xxz heis... 430 work proposes new algorithm training reweighte... 13063 widom line identifies locus phase diagram supe... 11573 deep neural networks dnns achieved superior pe... 2328 study single machine scheduling problem object... 227 system study paper contains set users observe ... 12107 give examples existence solutions geometric pd... 577 let f primitive cusp form weight k level n let... 4233 study existence nonexistence maximizers variat... 684 correlated random walks crw used long time nul... 6818 accelerated magnetic resonance mr scan acquisi... 7750 crowdsourcing emerged paradigm leveraging huma... 5220 flow shock tube extremely complex dynamic mult... 3785 contribution concerned asymptotic behaviour ut... 10774 working prime field characteristic two consequ... 5794 consider hydrogen atom confined timedependent ... 8953 propose algorithm impute forecast time series ... 8751 let smooth manifold ksubset simplicial complex... 8988 skyrmions topologically protected twodimension... 11820 study twophoton laser excitation energy level ... 13606 visual data videos often sampled complex manif... 6973 examine whether various characteristics planet... 4182 recently introduction generative adversarial n... 8494 show counting class lwpp ffk remains unchanged... 19684 paper give correspondence berezintoeplitz comp... 6037 rapid development spaceborne imaging technique... 6431 spatial separation suspended particles based c... 12004 paper proposes general framework structurepres... 14016 recently paper klimovskikh et al published pre... 2758 tree ensemble models random forests boosted tr... 17965 prove upper lower bounds effective content log... 1654 quantum confinement interference often generat... 1292 last years seen transformative impact deep lea... 7855 radioactive daughters isotope rn one highest r... 19447 study effectively leverage expert feedback lea... 591 show characteristic length scale imprinted gal... 17385 paper propose utilize convolutional neural net... 19036 define mixed states associated submanifolds pr... 5137 introduce new framework estimating support siz... 10413 gravitational lensing provides means measure m... 15267 imitation learning algorithms learn viable pol... 12209 urban areas larger connected populations offer... 13960 relativistic effects nonresonant twophoton ksh... 17383 present theoretical guarantees alternating min... 14426 highmass stars form within star clusters dense... 18893 machine learning models widely used security a... 10732 paper derive upper lower bounds well simple cl... 5697 optimal control problems without control costs... 19958 wind shear measured doppler tracking huygens p... 4979 enforcing open source licenses gnu general pub... 4888 present imaging polarimetry superluminous supe... 19627 discovery influential entities kinds networks ... 18041 paper provide axiomatic characterization idemp... 2847 admm popular algorithm solving convex optimiza... 8370 paper considers distributed multiagent optimiz... 11960 paper propose novel neural language modelling ... 20541 compressed sensing realvalued sparse vector re... 10872 nonrecurring traffic congestion caused tempora... 13139 part large investigation hubble space telescop... 4635 propose framework adversarial training relies ... 3540 recent result characterizes fully order revers... 5876 equationbyequation ebe method proposed solve s... 2383 fan region one dominant features polarized rad... 20093 paper reports first results direct dark matter... 5977 hot jupiters receive strong stellar irradiatio... 1160 motivated recent experiments alpharucl investi... 5955 let mu borelian probability measure mathbfgmat... 8967 show absolute constant c mahler measure fekete... 13642 prove new exact formulas generalized sumofdivi... 14801 many modern unsupervised semisupervised machin... 12311 characteristic cycles leading term cycles irre... 2768 present paper introduces initial implementatio... 2634 based quasionedimensional limit quantum hall s... 1573 graph said welldominated minimal dominating se... 19528 propose maxpooling based loss function trainin... 3951 fedotovite kcuoso candidate new quantum spin s... 19327 cev model subsumes previous option pricing mod... 16615 paper investigate contribution color names sal... 19268 present new method derive oxygen carbon abunda... 20192 predict geometric quantum phase shift moving e... 1329 paper propose probabilistic parsing model defi... 11231 paper develops inverse reinforcement learning ... 3916 magnetosphere ion kinetic scales minimagnetosp... 3772 statistical distribution galaxies powerful pro... 5484 present two simple ways reducing number parame... 6081 paper addresses problem passivation class nonl... 17363 cauchy exponential transforms characterized co... 1050 objective establish algorithmic framework benc... 10078 fields astronomy astrophysics currently engage... 623 internet things iot demands authentication sys... 8009 study shows software developers spend time loo... 13532 regular expressions capture variables also kno... 9531 context creating akari midinfrared allsky diff... 20860 neutralized drift compression experimentii ndc... 9292 data storage systems availability play crucial... 11322 ideal test equivalence principle test masses f... 3080 building effective enjoyable safe autonomous v... 1501 pair hidden markov models phmms probabilistic ... 4995 lack interpretability often makes blackbox mod... 9781 report influence crystalline defects introduce... 12618 investigate addition symmetry temporal context... 18414 present paper propose study estimators wide cl... 15863 paper study efficiency egoistic altruistic str... 18510 quest large low frequency band gaps one princi... 13513 piecewise testable languages form first level ... 7770 discriminative correlation filter dcf based me... 2532 detection thousands extrasolar planets transit... 13857 grasping skill major ability wide number reall... 13000 estimate average flux density minimallycoupled... 1100 develope selfconsistent description broad line... 10323 paper build upon previous work designing infor... 19472 consider classical merton problem terminal wea... 14463 calculate energy threshold fluctuation delta f... 14885 using quantum wave packet simulation including... 14733 paper investigate coolingoff effect opposite m... 14331 work investigates fundamental limits communica... 4722 paper presents constructive algorithm achieves... 6112 define parahoric cgtorsors certain bruhattits ... 4238 paper presents first results citeccyr project ... 7978 new method simulate heat transport multiphase ... 6435 paper introduces pyreclab software library wri... 13796 gaining better understanding machine learning ... 15701 consider problem probabilistic projection tota... 7032 often analysis timedependent chemical biophysi... 17726 study propose shrinkage methods based generali... 11625 deep neural networks stateoftheart methods man... 12739 imbalanced data skewed class distribution comm... 1472 effect modification means magnitude stability ... 19043 give formula computing characteristic polynomi... 20129 learning learn emerged important direction ach... 14856 aim research design implementation cloud based... 18745 provide explicit formulas evans kernels evanss... 849 present introduction novel model individual gr... 12119 define generalization free lie algebra based n... 13214 report frequency measurement clock transition ... 17149 paper tutorial formal concept analysis fca app... 13048 geography fuel prices many various implication... 20501 driven interest reasoning probabilistic progra... 2210 paper cover several studies design changes eve... 17681 progress science advanced development human so... 3202 class imbalance classification challenging res... 15318 use optothermal molecular energy storage nanos... 14108 einstein field equations weakfield approximati... 19900 construct analog intrinsic normal cone behrend... 17470 whitepaper proposes design adoption new genera... 1284 improving endurance crucial extending spatial ... 8606 main results note concern characterization len... 3593 present results directimaging survey large sep... 19012 qcd axions form large fraction total mass dark... 19369 paper formalises problem online algorithm sele... 19367 propose statistical model weighted temporal ne... 12574 wireless sensor network wsn data manipulation ... 3271 offer proofs complete article introducing prop... 4717 direct cdna preamplification protocols develop... 10286 possibility calculation conditional unconditio... 1004 baran metric deltae finsler metric interior es... 16764 future multiprocessor chips integrate many dif... 16974 second derivativebased moment method proposed ... 17190 simulation pedestrian crowd reflects reality m... 10532 reinforcement learning emerged promising metho... 8457 identifying anomalous patterns realworld data ... 6034 paper focuses multiscale approaches variationa... 17206 selfconsistent nonlinear interaction monoenerg... 6212 prove local faberkrahn inequality solutions u ... 16742 work investigate novel training procedure lear... 14029 paper proposes novel method filter false alarm... 3542 consider noncrossing set partitions nelement s... 10963 two modeltheoretic concepts weak saturation we... 253 recently digital music libraries developed pla... 16647 construct finite commutative ring r family rep... 20878 obtain new bound incomplete gauss sums modulo ... 9340 extending results raistauvel macedosavage arak... 2142 describe melee metalearning algorithm learning... 6092 datasets often used multiple times successive ... 6403 propose existence new universality classical c... 7632 propose novel online predictor discrete labels... 1728 advances deep generative networks led impressi... 9274 kappamechanism successful explaining origin ob... 1671 representation learning fundamental challengin... 16600 formulate study general family continuoustime ... 11203 demand response programs price incentives migh... 14803 largebatch training approaches enabled researc... 9695 principal component analysis pca one powerful ... 1971 prove structure identity principle theories de... 18704 homomorphism graph g graph h vertex mapping f ... 13387 lightshiningthroughawall experiments represent... 11427 know global optimization problems cannot solve... 7807 sensl microfcsmt x mm silicon photomultiplier ... 694 motivated recently proposed parallel orbitalup... 5729 paulsen problem basic open problem operator th... 18248 studying effects groups single nucleotide poly... 18732 define family intuitionistic nonnormal modal l... 11900 theory secondorder nonlinear elliptic paraboli... 17928 consider two questions heart machine learning ... 11807 though deep neural networks achieved significa... 20525 survey different classification results surfac... 2284 paper investigates power control relay selecti... 16407 magnetic fields ubiquitous universe extragalac... 12769 information theory mathematical theory learnin... 3094 sum largedimensional random matrix polynomial ... 15565 observed solartype binaries within pc sun prev... 7364 magnetohydrodynamic mhd ships represent clear ... 2114 contemporary software documentation complicate... 16277 kondo lattice systems mixed valence ybal inter... 2273 knowledge graph embedding aims translating kno... 13024 report evolution structural magnetic dielectri... 3244 becoming increasingly common see large collect... 17176 ultrathin twodimensional nanosheets raise rapi... 6182 immense class physical counterexamples four di... 5041 present machine learningbased approach lossy i... 4817 routine task art historians painting diagnosti... 20078 study algebrogeometric consequences quantised ... 3563 pursue novel morphometric analysis detect sour... 15403 show gurarij space mathbbg noncommutative anal... 17035 unified fluidstructure interaction fsi formula... 12655 manual segmentation left ventricle lv tedious ... 6176 paper propose family graph partition similarit... 9954 consider forecasting single time series using ... 13495 multilabel submodular markov random fields mrf... 6312 griffiths conjecture asserts every ample vecto... 9988 model cosmological inflation proposed field sp... 12287 let f nonarchimedan local field g connected re... 13692 prove certain coinduced actions inclusion fini... 656 approximately half worlds population risk cont... 10383 benefited widely deployed infrastructure lte n... 6684 global sensitivity analysis aims determining u... 11019 excitons plasmons two fundamental types collec... 18714 generalizing several previous results literatu... 13601 order achieve good level autonomy unmanned hel... 17351 paper establishes upper bound kolmogorov dista... 11165 rapport plays important role communication hel... 3231 nongaussian component analysis ngca problem mu... 18523 paper presents millimeter wave mmwave penetrat... 2484 propose supervised algorithm generating type e... 7205 toric landauginzburg models giventals type fan... 5967 joint analysis multiple phenotypes increase st... 18337 prove word problem undecidable functionally re... 952 mixed effects models widely used describe hete... 9361 study investigate limits current state art ai ... 11663 among several quantitative invariants found ev... 5664 address problem learning vector representation... 12692 identity stated kimura proved ruehr kimura oth... 7028 work provide theoretical guarantees reward dec... 19034 first goal note study almansi property mdimens... 3409 giornata sesta force percussion relatively les... 4775 introduce study higher tetrahedral algebras ex... 9910 work develop novel bayesian estimation method ... 15530 paper study systole growth arithmetic locally ... 18149 present fully edible pneumatic actuator based ... 11902 alternative expressions calculating oblate sph... 12346 entropy power inequality epi brascamplieb ineq... 1461 study timevarying dynamic networks graphs fund... 9024 paper deals regression problems nonsmooth targ... 17976 prove exist hypersurfaces contain given closed... 7953 highprecision modeling subatomic particle inte... 13570 tumor stromal interactions shown driving force... 14654 edwin powel hubble regarded one important astr... 17477 xray free electron lasers xfels proven generat... 11323 understand emergent magnetic monopole dynamics... 5152 wikipedia largest existing knowledge repositor... 1146 consider general branching population lifetime... 1937 article study behavior p nearrowinfty fucik sp... 14963 discovering community structure complex networ... 18835 construct nonlinear oblique projections along ... 18361 multilabel classification framework observatio... 14778 present three new semilagrangian methods based... 5914 present definition intersection homology real ... 456 fundamental relations information estimation e... 18779 paper consider problem sequentially optimizing... 5397 report coherent diffractive imaging aupd cores... 18871 clinical practice biomedical research measurem... 3858 paper investigate cauchy problem nonhomogeneou... 96 variety representation learning approaches inv... 3130 paper proposes new specification tests conditi... 8015 paper describes use idea natural time propose ... 10666 shafers belief functions introduced seventies ... 6780 let g finite group autg automorphism group g a... 6618 present method generating high resolution shap... 2627 samples common mean possibly different ordered... 3773 causal mediation analysis improve understandin... 10559 context music production distortion effects ma... 2239 analyze loss landscape expressiveness practica... 3663 hybrid quantum mechanicalmolecular mechanical ... 14322 distributed control potential solution decreas... 15329 derive direct way exact controllability free s... 5138 twophoton superbunching pseudothermal light ob... 15538 dimension reduction often preliminary step ana... 2389 investigate dynamical complexity cournot oligo... 18426 competition bind micrornas induces effective p... 17758 liquidphaseexfoliation technique capable produ... 14633 radial drift problem constitutes one fundament... 10583 sparsity gradient sog robust autofocusing crit... 3082 paper proposes deep cerebellar model articulat... 15135 paper develop theory complete mixability joint... 12378 introduce solvable model driven fermions eluci... 20008 protein crystal production major bottleneck st... 5591 scalar reactiondiffusion equation known stabil... 17963 consider implementations highorder finite diff... 1663 prove lower bound omeganlog n size syntactical... 2901 nin mathbbn let sn smallest number satisfying ... 4099 influence surface curvature surface tension sm... 4268 magnetic resonance imaging mri positron emissi... 19004 report methodology measuring krkr isotopic abu... 10660 pairwise ranking methods basis many widely use... 15423 purpose note verify results attained admit ext... 17578 able predict whether song hit impor tant appli... 8127 observe breakup dynamics elongated cloud conde... 6883 zerotemperature limit continuous phase transit... 17505 present novel experimental results pattern for... 16670 demonstrate close connection observed fieldind... 14585 give complete description congruence lattices ... 17795 random geometric graphs hyperbolic spaces expl... 2397 examine dynamics entanglement entropy parts op... 8899 modern applications operating systems vary gre... 4184 training deep network image classification one... 17854 combination large open data sources machine le... 2576 attention personalized mental health care thri... 2373 asymptotics maximum likelihood estimation alph... 16824 active learning aims train classifier fast pos... 6633 dnamediated computing novel technology seeks c... 19878 paper propose method using three dimensional c... 20879 functional magnetic resonance imaging noninvas... 20490 consider bogolubovde gennes equations giving e... 17384 recent years increasing concerns geomagnetic d... 9473 paper addresses important control observabilit... 18559 recent theoretical work shown premainsequence ... 20754 blackbird unmanned aerial vehicle uav dataset ... 5640 paper considers planar figure combinatorial po... 9001 basic considerations lie group preserves targe... 9287 sleep stage classification constitutes importa... 2515 study threewave truncation recently proposed d... 16810 early prognosis alzheimers dementia hard mild ... 4262 axiomatize study matrices type hin mna unitary... 17627 paper analyze performance timeslotted multiant... 13586 propose consistent polynomialtime method unsee... 415 use richters primary proof grays conjecture gi... 11047 nongaussianities dynamical origin disentangled... 5013 topological models empirical formal inquiry in... 13756 accelerometer measurements prime type sensor i... 5778 obtain estimation error rates sharp oracle ine... 7188 extend classical notion spherical depth mathbb... 14720 general theory presentations dframes yet exist... 3695 report discovery tidal tails around two outer ... 710 internetofthings endnodes demand low power pro... 17174 study asymptotic behavior sequence positive so... 4503 textbfobjective assess validity automatic eeg ... 20036 paper study rotationally symmetric solutions c... 15737 origin activity solar corona longstanding prob... 9441 bayesian optimization sampleefficient approach... 20590 paper proposes distributed consensus algorithm... 19678 paper consider existence multiple nodal soluti... 1495 traditional data cleaning identifies dirty dat... 12900 many modern clustering methods scale well larg... 19207 analyse certain haar systems associated groupo... 6249 paper give conditional lower bound nomegak run... 9433 let b ge integer among results establish quant... 13208 second paper series aimed study stellar kinema... 4091 modern stream cipher many algorithms zuc lte e... 17635 main objective paper study global strong solut... 2888 barrier options one widely traded exotic optio... 4928 analysis networks affects research many real p... 20062 unify feeding feedback supermassive black hole... 1523 comprehensive study comet c focuses first inve... 15421 study time decay estimates fourthorder schrdin... 11792 calculate model theoretic ranks painlev equati... 7249 gumbel trick method sample discrete probabilit... 5206 single quantum dot deterministically coupled p... 1241 drawing analogy superfluid vortices suggest da... 1406 recent deep learning based denoisers often out... 3319 nanographitic structures ngss multitude morpho... 11187 study spin deformedaklt models square lattice ... 16318 selflocalize large teams underwater nodes usin... 916 recently proposed temporal ensembling achieved... 527 thompson sampling emerged effective heuristic ... 15323 obtain optimal bayesian minimax rate unconstra... 15446 paper propose mixture model sparsemix clusteri... 11379 successful programs written maintained one asp... 17993 music recommendation services collectively spi... 20623 latent feature relational model lfrm generativ... 2819 existing neural conversational models process ... 13047 background opioid misuse major public health i... 20447 paper describes simple yet novel system genera... 13459 many program verification synthesis problems i... 19940 let hatl projective completion ample line bund... 6264 paper propose nonlinearity generation method s... 12556 paper based complete classification evolutiona... 3012 although aviation accidents rare safety incide... 18123 study conductance junction normal superconduct... 10907 simultaneous localization mapping slam problem... 9678 paper outline vision chatbots facilitate inter... 20244 introduce directed weighted random graph model... 12250 unraveling bacterial strategies spatial explor... 6107 present computational method evaluate endtoend... 774 lecture note describe high dynamic range hdr i... 12627 prove convergence results expanding curvature ... 1631 meaningful topological invariants mixed quantu... 10806 present milabot deep reinforcement learning ch... 15056 explore correlations velocity metallicity poss... 10863 recently two influential pnas papers shown pre... 15238 although explicit commutativitiy conditions se... 8661 paper present novel formal agentbased simulati... 2750 develop new modeling framework intersubject an... 15829 setting weighted combinatorial finite infinite... 14170 use kalman filtering well nonlinear extensions... 19613 obtain results mixing large class necessarily ... 15101 work make two improvements staggered grid hydr... 11263 atoms covalent solids rearrange mediumrange le... 19399 consider large portfolio limit asset prices ev... 10124 electricity market price predictions enable en... 9183 python r scientific packages incorporate compi... 598 using representation theorem erik alfsen frede... 4562 demonstrate augmented estimate sequence framew... 13661 motivated applications social biological netwo... 4001 search unconventional magnetic nonmagnetic sta... 4659 work examine two approaches interprocedural da... 10097 neural responses cortex change time systematic... 11226 common feature various plasmonic schemes abili... 14091 complex oxides exhibit many intriguing phenome... 4684 unsupervised domain adaptation problem setting... 14351 main object article present extension zeroinfl... 17103 key structured prediction exploiting problem s... 6217 community detection graphs problem finding gro... 8663 selforganizing logic recentlysuggested framewo... 12932 paper proposes extension generative adversaria... 19640 oneclass classification occ prime concern rese... 5080 first present empirical study belief propagati... 14110 investigate flow instability created oblique s... 5790 electron correlation effects studied zrsis usi... 14169 one promising avenue study onedimensional topo... 16331 derive equations motion reduced density matrix... 1446 robust reinforcement learning aims produce pol... 11509 derive hilbert space formalism quantum mechani... 14168 although poissonvoronoi diagrams interesting m... 19284 recent advances show twodimensional linear dis... 17664 exact solutions laminar stratified flows newto... 15390 paper study anisotropic variant rudinosherfate... 7309 according tastes person could show preference ... 7034 many stateoftheart algorithms solving hard com... 6000 propose approximate approach studying relativi... 15227 report experimental studies influence symmetri... 2837 robojam machinelearning system generating musi... 17919 unseen data conditions inflict serious perform... 3757 present study introduce human capital componen... 3218 nanofabrication process realizing optical nano... 15495 state estimation heavytailed process measureme... 3520 machine learning usually defined behaviourist ... 6594 transition singlecell multicellular behavior i... 5947 roomtemperature ionic liquids rtil new class o... 13137 paper describes novel storyboarding scheme use... 2588 concept cclass differential equations goes bac... 4695 silicon nitride awellestablished material phot... 14251 review essentials formalism quantum mechanics ... 14088 internet protocol ip addresses frequently used... 5241 present paper work comparison statistical mach... 9950 architecture exascale computing facilities inv... 14133 paper introduce new modules ring ponderation f... 13369 junction omega several semiinfinite cylindrica... 18167 considering sphericallysymmetric nonstatic cos... 8643 paper deals planar segment processes given den... 6806 consider entitylevel sentiment analysis arabic... 20488 networked system often relies distributed algo... 9044 lagrangian meshfree methods underlying spatial... 19016 computer science would without personal comput... 15247 analyze threedimensional hydrodynamical simula... 10415 machine learning ml increasingly deployed real... 2464 cognitive computing systems require human labe... 19033 show rigidity properties divergencefree vector... 16841 consider extension contextual bandit setting m... 18947 present new technique probe central dark matte... 4483 propose fast accurate numerical method pricing... 15938 theoretically investigate mechanism generate l... 9180 noise affecting time series colored unknown st... 17804 two modestsized symbolic corpora posttonal pos... 13120 introduce two applications polygraphs categori... 14028 determination pairing symmetry monolayer fese ... 18917 paper prove sharp limit community detection pr... 11794 causal discovery broadens inference possibilit... 7234 determination finite blaschke product critical... 4608 give improved algorithms ellpregression proble... 10731 pedestrian crowds often include social groups ... 12888 paper presents design machine learning archite... 500 present compact design velocitymap imaging spe... 15431 deep neural networks dnns become increasingly ... 11581 exist many ways build orthonormal basis mathbb... 18774 weighted tree augmentation problem wtap fundam... 1046 quantitative understanding sensory signals tra... 6327 let tepsilon lifespan solution schrdinger equa... 9193 explore problem learning decompose spatial tas... 17457 design stochastic algorithm train smooth neura... 13655 recent years deep generative models shown imag... 13847 prove liebschultzmattis theorem quantum spin h... 15648 class selfdecomposable distributions free prob... 19214 using natural action sinfty show countable her... 13653 differential calculus euclidean spaces many ge... 3139 let u complement smooth anticanonical divisor ... 16278 study transitivity directed acyclic graphs use... 13167 intervalcensored data event time known lie tim... 12409 traveling wave solutions dimensional zoomeron ... 17243 atmospheres one quarter one half observed sing... 777 kernel methods temporal information data commo... 11071 attainability modification apparent magnetic a... 14320 paper design fabricate experimentally characte... 15820 present magnetohydrodynamic mhd simulations ma... 4019 immunogenicity major problem development bioth... 9386 present pubmed k rct new dataset based pubmed ... 9553 present constraints variations initial mass fu... 17639 let varphimathbbrrightarrow mathbbr continuous... 13185 luminous stimulus penetrates retina converted ... 14970 consider problem combinatorial computation fir... 10496 concept emergence powerful concept explain com... 14294 paper study methods estimate drivers posture v... 18926 zap qlearning algorithm introduced paper impro... 6083 study pointwisegeneralizedinverses linear maps... 9305 deep stacked rnns usually hard train adding sh... 2982 short coherence lengths characteristic lowdime... 18342 small pvalues often required accurately estima... 18608 present formal measure argument strength combi... 12841 molecular simulations produce highdimensional ... 5890 monitoring large dynamic networks major chal l... 15448 many privacy mechanisms reveal highlevel infor... 15268 shape memory alloys often show complex hierarc... 9187 introduce new algorithm reinforcement learning... 10474 magnetic activity strongly impacts stellar rvs... 9156 natural uranium assembly quinta irradiated gev... 6005 nonnegative inverse eigenvalue problem niep as... 565 muon reconstruction daya bay water pools would... 4118 present deep neural architecture parses senten... 5899 search gammaray optical periodic modulations d... 15925 let h subgroup fundamental group pixx extendin... 840 segmentation dynamic outdoor environments diff... 3888 dynamic epidemic models proven valuable public... 9834 dynamic selforganized morphology hallmark netw... 15351 report results xray spectroscopy raman measure... 7641 holes clumps interstellar gas dwarf irregular ... 16200 spatiotemporal data processes prevalent across... 8655 qlbs model discretetime option hedging pricing... 2666 estimation logconcave density mathbbr canonica... 16162 paper technique suggested integrate linear ini... 9341 timing channels significant growing security t... 4092 telecommunications industry highly competitive... 10630 designing control strategies differentialdrive... 765 indoor localization based visible light commun... 1440 paper revisit largescale constrained linear re... 17498 one significant challenges involved efforts un... 20105 gravity assist manoeuvres one succesful techni... 3872 concept mean different things instantiated dif... 15953 paper consider ddimensional parabolicelliptic ... 19245 cyberphysical systems cps revolutionize variou... 11050 present overview techniques quantizing convolu... 4865 warm dark matter scenarios structure formation... 15937 molecular adsorption surfaces plays important ... 2620 introduce kernel lasso klasso optimization sim... 15260 given n vertices convex polygon cyclic order t... 13888 sb nuclear quadrupole resonance nqr applied fe... 15331 paper addresses problem automatic speech recog... 6709 propose method called label embedding network ... 10220 paper investigate convergence consistency prop... 3026 wigners little groups subgroups lorentz group ... 15912 wellknown randomcoefficient ar process long me... 4102 run time many scientific computation applicati... 1298 vaes variational autoencoders proved powerful ... 19551 found analytically first order quantum phase t... 6338 flood risk changes time influenced natural soc... 2022 present pricing mechanisms several online reso... 17933 series examples illustrate important drawbacks... 16809 work study problem dispersion mobile robots dy... 7372 paper use approach based dynamics prove ksubse... 9385 statistical test seen procedure produce decisi... 2685 electron cryotomography ect enables visualizat... 18497 double edge swaps transform one graph another ... 71 pyrochlore metal cdreo recently investigated s... 10603 anomaly matching constrains lowenergy physics ... 7785 paper explore possibility use alternative data... 1025 effect algebra examine category morphisms fini... 16284 ordered chains chains amino acids ubiquitous b... 9404 purpose improve kidney segmentation clinical u... 8650 consider nonparametric poisson regression prob... 17286 paper study new learning paradigm neural machi... 19294 dynamical characteristics electromagnetic fiel... 18508 crowded environments modify diffusion macromol... 16914 paper explores characteristics datacite determ... 9537 despite recent progress automatic theorem prov... 9636 stability complex system generally decreases i... 3499 new semiclassical divideandconquer method pres... 2496 iteratively reweighted ell algorithm popular a... 20690 digital image correlation dic widely used opti... 15763 probabilistic load forecasts provide comprehen... 2422 consider groundstate properties rashba spinorb... 11465 work focus approach noncommutative formal powe... 11942 deep generative models successfully used learn... 2732 present second cadence observations ngc chimer... 80 autonomous agents successfully operate real wo... 4217 prove improve muirsuffridge conjecture holomor... 4242 use ecofriendly materials environment addresse... 3811 present deep voice fullyconvolutional attentio... 11259 study breakdown epidemic depends parameters ex... 8148 loggaussian cox process flexible popular class... 19134 determine barycentric coordinates triangle cen... 1359 investigate multiparticle excitation effect co... 11823 traditional web search forces developers leave... 9840 long standing problem area error correcting co... 17982 new book cosmologists geraint f lewis luke bar... 2162 participatory budgeting one exciting developme... 879 paper combine survey important topological pro... 1578 study introduce new approach combine multiclas... 7573 minimum volume enclosing ellipsoid mvee proble... 1509 studied temperature dependence diagonal double... 18301 area law violations entanglement entropy form ... 19681 currentvoltage iv conversion characterizes phy... 18115 let lubeginbmatrix u endbmatrix rvbeginbmatrix... 4112 manipulating focusing light deep inside biolog... 16005 mobile computing one main drivers innovation y... 1845 consider problem recovering function input dif... 7838 develop method estimate data travel latency co... 4568 replication complicated psychological research... 6963 three dimensional magnetohydrodynamical simula... 11147 article concerned quantitative unique continua... 12049 magnetotransport measurements combination mole... 20231 paper consider problem estimating leadlag para... 18634 success deep convolutional architectures often... 5279 decentralized machine learning promising emerg... 19821 boltzmann exploration classic strategy sequent... 12034 paper studies detection bird calls audio segme... 9434 paper study constraint qualifications nonconve... 3614 report temperature dependence dc magnetization... 2108 recent developments remote sensing technologie... 10778 secondorder dependence structure purely nondet... 7773 hierarchical clustering class algorithms seeks... 14909 paper propose new optimization algorithm spars... 6032 review constructive approach first introduced ... 5323 technique continuous unitary transformations r... 18000 layered transition metal dichalcogenides ltmdc... 11972 paper generalize definition search trees st en... 4183 gestures natural communication modality humans... 15700 paper investigates achievable rates additive w... 19735 quantitative nuclear magnetic resonance imagin... 15219 article withdrawn uploaded without coauthors k... 636 paper consider threedimensional schrdinger ope... 8983 motivated rm psiriemannliouville rm psirl frac... 3219 consider connections among clumped residual al... 14238 propose novel method compressed sensing recove... 6282 aim work study existence periodic solutions nt... 14936 emerging evidence indicates pathogenesis parki... 11417 paper axiomatic study consistent approvalbased... 1193 obtain estimation error rates estimators obtai... 45 propose approach estimate human pose real worl... 15992 cloud users little visibility performance char... 976 work study tradeoffs error probabilities class... 14500 nature inspired neuromorphic architectures exp... 6786 thermoelectric voltage developed across atomic... 17531 predicting proposed cancer treatment affect gi... 2963 able fall safely necessary motor skill humanoi... 5563 establish exact mapping equilibrium imaginary ... 12649 investigate relation quadrics christoffel dual... 9776 decades research neural code underlying spatia... 16708 deep reinforcement learning algorithms data in... 4515 emergence development cancer consequence accum... 9581 consider necessarily nearcritical random graph... 19297 explosion highthroughput dna sequencing past d... 1975 several dihedral angles prediction methods dev... 5121 currently approximately epileptic patients tre... 17008 tumor cells acquire different genetic alterati... 17380 report propagation square wave signal quasiper... 19480 paper propose definitions examples categorical... 13451 note prove borel class representations manifol... 6889 emergence lowpower wide area networks lpwans n... 17145 general phase reduction method network coupled... 18867 known primary source dietary vitamin c fruit v... 11090 target tracking estimation unknown weaving tar... 11032 short note provide analytical formula conditio... 7616 give complexity analysis class short generatin... 12928 since limited power capacity finite inertia dy... 17526 present collection conjectural trace identitie... 10239 give necessary sufficient conditions embedding... 1751 contact superconductor normal metal modifies p... 17478 avenues majorana bound states mbss become one ... 12437 paper study possibility inferring early warnin... 432 ended finitely presented group semistable fund... 5167 describe semeval task extracting keyphrases re... 7600 recent years seen sharp increase number relate... 1832 work technical approach modeling false informa... 9632 modeling physiological timeseries icu high cli... 13315 estimates asteroid masses based gravitational ... 10264 multiobject tracking applications model parame... 37 many webbased visualization systems available ... 8768 many households developing countries lack form... 11376 propose methodology adapts graph embedding tec... 6203 quantum system particles exist localized phase... 3988 present visually grounded model speech percept... 14874 study le potiers strange duality conjecture ra... 713 construct constant mean curvature surfaces euc... 559 provide overview several nonlinear activation ... 16853 context considering importance software testin... 14900 mra multilingual report annotator web applicat... 2335 study convergence parameter family series valp... 11289 external localization essential part indoor op... 8831 improving health nations population increasing... 11901 purpose study investigate structure evolution ... 9073 large literature asymptotic distribution numbe... 12384 riemann hypothesis improve error term asymptot... 8759 proper choice collective variables cvs central... 17011 happens new social convention replaces old one... 20256 show various supercongruences truncated series... 10437 aim paper find approximate solution hiv infect... 16769 approach tomographic problem terms linear syst... 16621 dz cha weaklined tauri star wtts surrounded br... 8330 linked beneficial deleterious mutations known ... 7432 recently proposed models learn write computer ... 15593 present simple model nonequilibrium selforgani... 8431 present novel approach shared control humanmac... 15825 using purple mountain observatory delingha pmo... 3747 modern implicit generative models generative a... 1597 calcium imaging emerged workhorse method neuro... 16506 gallium arsenide gaas widest used second gener... 4490 paper presents approach assess economics custo... 19886 consider inverse problems determining potentia... 11140 article present brief narration origin overvie... 9372 nonlinear thinshell instability ntsi may expla... 15380 paper concerned initialboundary value problem ... 6007 bidirectional transformations different data r... 17985 remanufacturing significant factor securing su... 4302 treegrass coexistence savanna ecosystems depen... 3006 intrinsic stacking fault energy isfe gamma mat... 13951 article consider cayley deformations compact c... 8282 exor objects young variables show episodic var... 17134 paper discusses magnetic state zeta phase iron... 1690 investigate different strategies active learni... 625 recent advances field network representation l... 7523 experimental design problem concerns selection... 5830 study addresses problem identifying meaning un... 1741 report alma cycle observations ghz mm dust con... 19271 large scale coverage operations marine explora... 18122 study critical behavior ncolor ashkinteller mo... 16593 investigate impact choosing regressors molecul... 2829 nevilles algorithm known provide efficient num... 15402 let x locally compact zerodimensional space le... 18757 analyzed performance biologically inspired alg... 19138 introduce study game selfish cops active robbe... 11899 paper consider problem pursuitevasion using mu... 18906 sound event detection sed typically posed supe... 14903 construct conformal mappings help continuous f... 10447 manyvalued modal logic introduced combines usu... 14760 traffic congestion widespread problem dynamic ... 7939 computing polarised intensities noisy data sto... 8027 recent work fluid infiltration heleshaw cell p... 3413 present approach building active agent learns ... 15333 study transient behaviour dynamics complex sys... 19879 setting global variational geometry grassmann ... 16038 galactic magnetic field gmf plays role many as... 906 compare social character networks biographical... 9228 last decades notion cities state equilibrium c... 18875 unsupervised neural nets restricted boltzmann ... 760 mammography screening early detection breast l... 3118 analysis solar magnetic fields using observati... 986 beta one key quantities capital asset pricing ... 12751 network systems control highly important appea... 20585 paper uses model symmetries instrumental varia... 17634 investigate dynamics water confined soft ionic... 14176 paper studies textitpartial functional partial... 16660 study ground state onedimensional trapped bose... 11654 present letter editor one series publications ... 15569 illustrate potential applications machine lear... 10245 investigate power nondeterminism purely functi... 295 foreshock transients upstream earths bow shock... 11782 logarithmic score information divergence appea... 1785 ptsymmetry optics condition whereby real imagi... 4382 singing voice separation based deep learning r... 2258 work consider problem predicting course progre... 5318 firstpassage time fpt ornsteinuhlenbeck ou pro... 5854 orion kl one frequently observed sources galax... 16420 construct toy model demonstrates large field s... 9476 novel diverse domain dctsvd dwtsvd watermarkin... 14015 humans easily describe imagine crucially predi... 20674 consider repeated newsvendor problem inventory... 14617 last decade witnesses significant methodologic... 9904 network theory proved recently useful quantifi... 5733 demonstrate topological classification vortice... 5769 spin transport isotropic heisenberg model sect... 8741 training deep neural networks dnns efficiently... 12457 border crossing delays new york state southern... 15902 inference using deep neural networks often out... 7986 fix sets x write mathcalptxy set partial funct... 18334 consider problem estimating rate defects mean ... 3574 message passing interface mpi standard paradig... 12986 emotion cause extraction aims identify reasons... 7407 recently proposed adversarial training methods... 15336 paper discusses synthesis characterization com... 18366 paper present awesome airborne wind energy sta... 7313 present safe active incremental feature select... 2648 datacenterbased cloud computing services provi... 2586 intrinsically motivated spontaneous exploratio... 8903 proposal improve routing securityroute origin ... 6576 using different methods laying graph lead diff... 3160 selfadmitted technical debt refers situations ... 11009 braids binfty equipped selfdistributive operat... 3182 developers concerned performance drop improvem... 17416 wavelet frame systems known effective capturin... 2377 paper studies dynamics networkbased sirs epide... 4803 survey technique constructing customized model... 16298 rna secondary structure designable rna sequenc... 5692 number highlevel languages libraries proposed ... 13627 knot floer homology invariant knots discovered... 20167 antiprotontoproton ratio cosmicray spectrum se... 5392 propose multiview network text classification ... 9116 present apply generalpurpose multistart algori... 10615 key part implementing highlevel languages prov... 9371 work novel ring polymer representation multile... 20005 arabic word segmentation essential variety nlp... 15005 paper presents novel approach stability transp... 11853 many parallel machines time lqcd applications ... 15816 aim paper study twoweight norm inequalities fr... 20386 consider geometrical optimization problems rel... 14164 model reduction markov process basic problem m... 8978 demonstrate five vortex equations recently int... 15532 introduce schrdinger model unitary irreducible... 9291 present models embedding words context surroun... 10538 paper begins theoretical explanation spacetime... 20551 let x tx compact connected orientable cr manif... 5372 training automatic speech recognition asr syst... 1879 gc gc two globular clusters gcs remote halo gr... 1613 propose novel computational method extract inf... 5829 consider parametric learning problem objective... 14281 let xnninfty sequence torus mathbbt normalized... 19460 use model aerosol microphysics investigate imp... 19649 report shown cr doped bulk cr deposited surfac... 2015 survival studies classical inferences lefttrun... 15113 interpretable machine learning tackles importa... 20037 rank hierarchically hyperbolic space maximal n... 5756 paper show using delignelusztig theory kawanak... 603 present informal review recent work asymptotic... 5329 megacity analysis high resolution vhr satellit... 9753 give counter example new theorem appeared surv... 17339 statistical inference based lossy incomplete s... 20742 many current scientific advances life sciences... 7012 conical functions appear large number applicat... 10824 purpose present paper show eilenbergtype corre... 243 introduce robust estimator location parameter ... 13340 motile organisms often use finite spatial perc... 11621 work report synthesis structural electronic ma... 8298 homoclinic unstable periodic orbits chaotic sy... 6802 remains challenge efficiently extract spatialt... 10829 approximation power general feedforward neural... 14777 proved every symmetric repetition invariant je... 20951 analyse multimodal timeseries data correspondi... 20125 main limitation constrains fast comprehensive ... 11220 bayesian optimization bo become effective appr... 4830 phasefield approaches fracture based energy mi... 13561 spark new promising platform scalable datapara... 5344 recurrent neural networks rnns sophisticated u... 5202 foundation modern technology uses singlecrysta... 14971 show standard candles provide valuable informa... 19345 supervised machine learning author name disamb... 18468 using implicit loci geogebra eulers rgeq r ine... 14588 main purpose paper propose new preprocessing s... 1186 present paper consider problem estimating thre... 3960 paper propose unified view gradientbased algor... 3873 hanzer matic proved genuine unitary principal ... 179 extremely low efficiency regarded bottleneck w... 12189 group mobile agents given task explore edgewei... 17496 present strongest constraints date anisotropie... 12432 early time regime kardarparisizhang kpz equati... 10370 construct countable bounded sublattice lattice... 4793 according butterfieldisham proposal understand... 7436 investigate cognitive radio system secondary u... 12730 popular word embedding techniques involve impl... 5958 test neutral models evolution english word fre... 1800 private record linkage prl problem identifying... 20212 ongoing innovations recurrent neural network a... 9449 present deep alma co observations main sequenc... 20175 mconvex functions generalization valuated matr... 6038 largescale variations still pose challenge unc... 19972 main aim paper prove rtriviality simple simply... 8221 schmidt wrote seminal paper heights subspaces ... 20229 renormalization method based taylor expansion ... 2801 interactive reinforcement learning irl extends... 18499 widespread interest emerging area predictive a... 17794 recent research shown usefulness using collect... 2922 intensionality phenomenon occurs logic computa... 18618 propose slightly revised millerhagberg mh algo... 7741 paper gives foundational results application q... 11248 paper adopt categorytheoretic approach concept... 8469 representation learning algorithms designed le... 19415 use recent results bainbridgechengendrongrushe... 1245 leastsquares support vector machine frequently... 20815 existing zeroshot learning zsl models typicall... 4537 paper algebraic combinatorial characterization... 4053 deep neural networks dnn excel extracting patt... 5931 majority industrialstrength objectoriented oo ... 3239 possibly unbiased selection process surveys su... 108 object detection wide area motion imagery wami... 15270 deep convolutional neural networks cnns based ... 14112 many modern applications science engineering d... 18210 determined shockdarkening pressure range ordin... 12955 paper provides unified framework deal challeng... 17752 paper introduce raduls fastest parallel sorter... 5844 two classifications second order odes cubic re... 15619 high penetration renewable energy source makes... 4394 present fashionmnist new dataset comprising x ... 5873 paper propose new type graph denoted embeddedg... 19355 article develops novel operational semantics p... 15624 popular strategies capture subjective judgment... 14194 artificial intelligence ai generally machine l... 17241 work introduce new type linear classifier impl... 4348 learning automatically structure object catego... 15803 recent years seen increasing need location awa... 16992 observe standard transfer learning improve pre... 14750 develop unified description via boltzmann equa... 15965 jintegral recognized fundamental parameter fra... 18345 paper consider use structure learning methods ... 13932 mantels test mt association conducted testing ... 5150 exoplanet research carried limits capabilities... 13755 hierarchical models regionally aggregated dise... 19866 describe rigid algebras irreducible components... 12259 one main computational scientific challenges m... 18573 article develop cliquebased method social netw... 12405 present results ks xmmnewton observation galax... 11701 work derive relations generating functions dou... 973 existence weak solutions stationary navierstok... 16105 detailed monte carlostudy satisfiability thres... 4299 long known singlelayer fullyconnected neural n... 3653 method determining quantum variance asymptotic... 5872 simulations charge transport graphene presente... 4838 derive second order rates joint sourcechannel ... 7598 noh verification test problem extended beyond ... 7377 present general analytical formalism determine... 3036 motivated increasing integration among electri... 18373 establish lower bounds volume surface area geo... 3088 theoretically study transport properties onedi... 13504 show every tiling convex set euclidean plane m... 7195 pseudocircle simple closed curve surface arran... 9267 online social platforms beset hateful speech c... 11921 prove space dominantnonconstant holomorphic ma... 7464 paper propose novel sufficient decrease techni... 2825 among manifold takes world literature goal con... 20557 propose alternative framework existing setups ... 6330 address problem generating query suggestions s... 10 present systematic global sensitivity analysis... 15496 study squeezed vacuum field generated hot rb v... 5868 propose stochastic extension primaldual hybrid... 8855 kidney function evaluation using dynamic contr... 1426 blockchains distributed data structures used a... 18897 let mathcali analytic pideal respectively summ... 18651 ccnssim project open source implementation ccn... 18797 researchers national institute standards techn... 4814 study algebraic implications nonindependence p... 18825 toymodel publications citations processes prop... 16878 investigate equilibrium behavior decentralized... 15400 drone delivery hot topic industry past years h... 10585 image semantic segmentation interest computer ... 2784 propose efficient accurate measure ranking spr... 20047 analytical expression received effective inter... 19176 compact connected metric graphs boundary consi... 8515 study fast multipole method fmm used decrease ... 1344 paper problem maximizing blackbox function fma... 19348 designing adaptive classifiers evolving data s... 372 luke p lee tan chin tuan centennial professor ... 909 developers molecular dynamics md codes face si... 3399 study laserdriven isomerization reactions exci... 496 let lk tame galois extension number fields gro... 20691 classical idea evolutionarily stable strategy ... 15693 dustforming nova v oph unique first nova provi... 17446 citizen science projects recruit members publi... 5302 traffic flow prediction important research iss... 11456 paper investigate zeros difference polynomials... 1244 electronic health record ehr designed store di... 4365 background widespread adoption electronic heal... 17499 paper examines speaker identification potentia... 1195 paper investigate integral xnlogmsinx natural ... 2990 consider problem designing risksensitive optim... 4953 microservices architectures become largely pop... 1423 magnetic materials hosting correlated electron... 19232 restricted boltzmann machines rbms class gener... 256 gaussian kernel popular kernel function used m... 8205 present new methodology computing incremental ... 16348 efficiently answer queries datalog systems oft... 8480 describe novel approach computing wave correla... 6287 approaches algorithmic fairness constrain mach... 12998 muonspin rotation data collected ambient press... 16665 mexico per cent urban population lives informa... 15456 every rational number pq defines rational base... 16839 collaborative filtering broad powerful framewo... 20769 develop efficient algorithms estimating lowdeg... 20910 missing data recovery important yet challengin... 19206 motivated posted price auctions buyers grouped... 1232 neural networks allow qlearning reinforcement ... 13618 examine relation gasphase oxygen abundance ste... 15071 comparative molecular dynamics simulations hex... 10867 grasping complex process involving knowledge o... 7522 report exact likelihood computation linear gau... 9304 artificial intelligence ai intrinsically datad... 15944 study discretizations polynomial processes usi... 19442 paper study behavior bidders experimental laun... 7880 many artificial intelligence ai applications o... 18815 longstanding debate concerning absence thresho... 5130 show monochromatic finsler metrics ie finsler ... 5912 tensor decompositions used various data mining... 8459 air pollution becoming largest environmental h... 3923 quantumdot cellular automata qca likely candid... 6127 wardrop equilibria nonatomic congestion games ... 13488 rough grains standard packing conditions disch... 13751 stock market considered one highly complex sys... 12310 first part notes provides new characterization... 7819 commonly used weighted least square state esti... 6507 existence massive solar masses elliptical gala... 20426 would like learn latent representations lowdim... 18336 inductive kindependent graphs generalize chord... 12844 consider problem optimal transportation quadra... 14739 heaviest transuranic elements known superheavy... 1379 topologists sometimes interested spacevalued d... 7689 variability management process models major ch... 3688 pressure increase graduation rates reduce time... 16291 let g connected reductive group previous paper... 4759 work concerned optimal control problems govern... 4512 report first experimental observation graphene... 12147 present optical flow estimation approach opera... 13263 background ab initio manybody methods whose nu... 3790 spin wolfrayet wr stars low metallicity z rele... 8812 feature selection procedures spatial point pro... 5799 economic activities agglomerate others agglome... 652 paper concerned online estimation nonlinear dy... 20234 kriging gaussian process regression applied ma... 20660 consider theoretically ultracold interacting b... 7872 work extends results known delta sets nonsymme... 19078 using maple implement sat solver based princip... 11617 stratum defacto mining communication protocol ... 5328 master equations commonly used model dynamics ... 7219 paper addresses question whether possible gene... 18625 based version dudleys wiener process mass shel... 13418 pseudoedge graph convex polyhedron k connected... 11162 article construct twoblock gibbs sampler using... 12962 survey paper give overview recent works study ... 6152 paper introduce notion omni nlie algebra show ... 10708 work structural stability electronic propertie... 18057 game semantics rich successful class denotatio... 20478 cuore experiment tonscale cryogenic bolometer ... 17931 many baryons galaxy probably lie outside well ... 13759 consider global optimization function continuo... 15730 investigate whether training load monitoring d... 14853 structured prediction ubiquitous applications ... 20966 large interdatacenter transfers crucial cloud ... 12246 improve best known upper bound length shortest... 13010 sparse modeling approach proposed analyzing sc... 2916 derive new estimates number discrete eigenvalu... 18982 use gaugegravity duality write effective low e... 1506 present wellposedness stability result class n... 16271 let rfrakm ddimensional cohenmacaulay local ri... 10588 paper describes method learning lowdimensional... 2130 increase vehicle highways may cause traffic co... 13088 study coupled motion closed elastic string imm... 1648 investigate powerspace constructions topologic... 4890 optical flow estimation rainy scenes challengi... 730 effective communication required teams robots ... 6766 collisions background gas perturb transition f... 20308 among macroeconomic indicators monthly release... 14143 specific value cosmological constant lambda ac... 8201 article proposed new probability distribution ... 19869 live world performing activities interacting o... 20040 firstly suggest new cache policy applying duty... 9937 experimentally studied effects spin hall angle... 5221 study kitaev chain generalized twisted boundar... 18434 generative adversarial networks gans exciting ... 2709 activity developed resource eu space awareness... 13469 large number applications querying sensor netw... 5902 paper explains method calculate coefficients a... 16711 inhomogeneous interacting electronic systems t... 19591 paper present system associates faces voices v... 15482 goal present study develop polymeric matrix fi... 1543 present simple proof fact base independence po... 17389 lanthanum family hightemperature cuprate super... 3126 studied critical properties contact process sq... 1156 lenses crucial lightenabled technologies conve... 20592 covariate shift training source data testing t... 5985 goldbach conjecture one famous open mathematic... 32 recent advancements drone technology researche... 7187 recent years defect prediction received great ... 19791 convolution inner product founding basis convo... 18725 armed conflict led unprecedented number intern... 18645 many technologies developed help improve spati... 9779 correct double spend race analysis given nakam... 9176 article study transfer learning model action a... 15904 paper presents study metaphorism pattern relat... 6300 radioloud highredshift quasars hrqs although k... 1610 persistent spread measurement count number dis... 939 developers increasingly rely text matching too... 15571 wholesale electricity market designs practice ... 4023 main theorem incorrectly stated 16122 define study probability monad category comple... 8749 consider dtimes tensors ax symmetric positive ... 745 let b algebraic numbers exactly one b algebrai... 4083 growing demand efficient distributed optimizat... 19467 effect coulomb repulsion holes cooper instabil... 13593 consider flotation deformable nonwetting drops... 5582 importance sampling become indispensable strat... 2877 study complexity approximations normalized inf... 4701 despite growing popularity wireless networks u... 9933 visual question answering vqa new exciting pro... 17106 paper investigate properties function spaces u... 2651 help transfer entropy analyze information flow... 18328 problem synchronization coupled hamiltonian sy... 12304 conduct depth study performance deep learning ... 5646 open questions respect computational complexit... 11194 recent nobelprizewinning detections gravitatio... 1821 gandalf new hydrodynamics nbody dynamics code ... 15673 paper concerned existence least energy signcha... 7413 conditional independence treatment assignment ... 9522 several domains adopted increasing use iotbase... 18965 organisms earth descend common ancestor consen... 7146 study problem optimal estimation density clust... 957 recent discovery planetary system hosted ultra... 2110 paper consider concentration measure problem r... 12228 understanding spatial extent extreme precipita... 5108 relation cosmological halo concentration mass ... 13381 targeted advertising meant improve efficiency ... 7631 clinical nlp immense potential contributing cl... 20523 deep neural network hierarchical nonlinear mod... 19085 paper introduces fast algorithm simultaneous i... 20195 obtain explicit error expansion solution backw... 7923 distance true numerical solutions metric consi... 17990 investigate electronic structure weyl semimeta... 15182 fairnessaware classification receiving increas... 10960 article study problem controlling highway segm... 8847 present cosmological constraints scalartensor ... 19008 great need stock materials production storing ... 14611 schmidts game similar intersection games playe... 12169 fedorov discovered convex domain form lattice ... 12447 work present numerical method based sparse gri... 15043 chemotherapeutic response cancer cells given c... 10391 paper presents construction particle filter in... 2960 emerging advancement branch autonomous robotic... 4640 paper consider priorbased dimension reduction ... 2399 nearby space surrounding earth densely populat... 7310 purpose paper construct confidence intervals r... 7251 context convectivelydriven flows play crucial ... 5487 deep neural networks dnns revolutionized numer... 19612 lowrank matrix completion mc achieved great su... 18269 paper instead usual gaussian noise assumption ... 17468 diffusionbased communication molecular systems... 11720 introduce simple subuniversal quantum computin... 9597 arithmetic function fields drinfeld modules pl... 17445 despite recent advances face recognition using... 2625 present test quantify well approximate methods... 16424 discuss memory models based tensor decompositi... 10779 present paper study match test extended regula... 9657 scenario generation important step operation p... 11340 given widespread popularity spectral clusterin... 3148 online programming discussion platforms stack ... 7024 present four new examples plane rational curve... 16125 scalable quantum photonic systems require effi... 2873 recent results coupled temporal graphical mode... 13155 investigate evolution decorrelation bandwidth ... 8297 paper consider framework projected gradient it... 16410 water hydroxyl thought found primitive airless... 14317 integrated information theory iit prominent th... 20685 paper presents keypointnet endtoend geometric ... 76 mobile edge clouds mecs bring benefits cloud c... 18250 develop general framework cvectors calabiyau c... 16180 study phase diagram minority game three classe... 6524 study quadratic functionals lmathbbrd generate... 16246 paper propose new robustness notion applicable... 18805 life complex biological phenomenon represented... 6651 construct analyze strongly consistent secondor... 4947 dynamic complexity concerned updating output p... 14468 show low complexity condition gradient hamilto... 10452 routine state space circuit analysis arbitrari... 9967 formulate simple assumptions implying robbinsm... 15611 barber candes introduced new variable selectio... 93 study primordial perturbations hyperinflation ... 5166 measure trends diffusion misinformation facebo... 17375 specify randomized algorithm given large graph... 2731 finite field odd cardinality q show sequence i... 7171 measuring airways chest computed tomography ct... 6791 precision experiments search electric dipole m... 18320 purpose modeling specifying reasoning integrat... 4810 recently fundamental conditions sampling patte... 11373 deep network pruning effective method reduce s... 15459 use boltzmann transport equation study time ev... 20899 recent years reinforcement learning rl methods... 2338 describe list open problems random matrix theo... 12460 investigate extremely luminous dusty galaxies ... 6111 study purpose addressing four questions lie ba... 7844 present several formulae larget asymptotics mo... 14192 paper present method simultaneously segmenting... 1885 notes aim presenting overview bayesian statist... 14490 edited version given text gdels unpublished ma... 5773 demonstrate explicitly correspondence protecte... 4323 longitudinal biomedical studies social network... 8190 propose ensemble clustering algorithm graphs e... 12527 discuss understanding geometry circle ancient ... 20561 paper maximum principle cutoff function invest... 2 introduce develop notion spherical polyharmoni... 12393 super extension wadati konno ichikawa scheme i... 5255 folliclestimulating hormone fsh luteinizing ho... 2759 formalism augment classical models equation st... 14179 cooperation cornerstone human evolutionary suc... 13954 paper study joint functional calculus commutin... 11544 let k algebraically closed field polynomial al... 9629 let lcdot loop let al group automorphisms lcdo... 9425 present systematic study higherorder penalty t... 11391 inflation massive fields contribute power spec... 7849 support scientific visualization multiplemissi... 3175 let g sofic group let sigma sigmanngeq sofic a... 10041 micrornas mirnas small noncoding rnas function... 15968 article discuss verification study operational... 2465 demonstrate random bit streaming system uses c... 1293 aim galactic archaeology recover evolutionary ... 5393 understand multiple relations developers proje... 5404 give algorithms running time osqrtklogk cdot f... 13406 advance state art polyphonic piano music trans... 13492 emergence smart wifi aps access point equipped... 8641 multidimensional item response theory widely u... 7842 give new class multidimensional padic continue... 17187 introduce practical calculation scheme descrip... 14103 measurements highvelocity clouds metallicities... 3621 increasing accuracy automatic chord estimation... 2317 protondriven plasma wakefield acceleration dem... 7086 present work study charged black hole solution... 2185 bound factor large integers dominated computat... 4477 observed field fermi source fgl j optical xray... 10082 explore relationship human migration oecds for... 1155 machine learning shown much promise helping im... 12735 datadriven brain parcellations aim provide acc... 329 deep reinforcement learning atari games maps p... 13061 epitaxial engineering solidstate heterointerfa... 9920 predictions inflationary schemes influenced pr... 11912 reconsider minimization compliance two dimensi... 18138 recorded enclosed room sound signal certainly ... 3227 following seminal work nesterov accelerated op... 6521 recent breakthroughs deep learning dl applicat... 2997 work build recent advances distributional rein... 18543 background many researchers studied relationsh... 15322 deep generative models wildly successful learn... 4392 advent big data nowadays many applications dat... 15326 investigate drag reduction due flowinduced rec... 17690 work closely related theories set estimation m... 14335 study model seed dispersal considers inclusion... 16658 point source detection low signaltonoise chall... 2463 selective classification techniques also known... 17010 paper studies daily connectivity time series w... 2846 deep learning searches nonlinear factors predi... 15359 recent paper ws rossi p frasca f fagnani avera... 16272 free electron lasers fel commonly regarded pot... 7586 recent experimental results point existence co... 9804 jed harrison full professor department chemist... 17895 propose hybrid quantum system lc resonator ind... 2191 provide first analysis nontrivial quantization... 9921 characterize class rfd calgebras containing de... 15097 propose unified framework speed existing stoch... 6668 photonic technologies offer numerous advantage... 2070 image video analysis often crucial step study ... 8163 learning many realworld datasets limited probl... 17554 study unitary representations noncompact real ... 7593 let r homogeneous coordinate ring grassmannian... 6302 availability large idea repositories eg us pat... 3416 analyzing behaviour concurrent program made di... 5909 energyefficiency plays significant role given ... 11808 issue effect interactions topological states c... 20766 accurate diagnosis psychiatric disorders plays... 16325 consider inverse dynamical problem dynamical s... 17298 ecological invasion problem weaker exotic spec... 20347 learning algorithms natural language processin... 12081 multimodal web elements text images associated... 7581 examine relationship social structure sentimen... 4047 present investigation development axial veloci... 12146 metalearning agent extracts knowledge observed... 15741 gene regulatory networks play crucial role con... 18095 many similaritybased clustering methods work t... 5298 present natural general ways building lie grou... 14064 caching popular contents edge cellular network... 2322 graphs important tool model data different dom... 4240 article weak convergence general nonmarkov sta... 18603 consider family commuting local homeomorphisms... 13981 seidel introduced notion fukaya category relat... 6745 inverse problems correspond certain type optim... 10947 learning high quality class representations ex... 2492 paper introduce two new nonsingular kernel fra... 7612 upon thermal annealing room temperature rt hig... 11331 propose two algorithms find local minima faste... 6902 recent years role epidemic models informing pu... 9769 introduce topology space isomorphism types rep... 5234 two parts paper first discovered explicit form... 9069 argue important elements current cosmological ... 3272 lecture notes entanglement topological systems... 10141 paper proposes approach detect emotion human s... 5273 investigate normal state superconducting compo... 12621 work formulated realworld problem related sewe... 2889 generalizedensemble monte carlo simulations mu... 17910 sophisticated gated recurrent neural network a... 788 next generation cosmological surveys operate u... 13825 randomeffects normalnormal hierarchical model ... 3347 accurate modeling light scattering nanometer s... 13060 commonly agreed use relevant invariances good ... 15583 interpretation electroencephalogram eeg signal... 17238 nonlinear wave interactions affect evolution s... 15081 present study impact mn substitution geometric... 14131 spite recent success neural machine translatio... 15325 present complete consistent quantum theory gen... 16042 investigated outofplane exchange bias system b... 18836 becomes increasingly popular perform mediation... 6196 paper presents fast effective computer algebra... 7694 need efficiently calculate first higherorder d... 6028 model pruning seeks induce sparsity deep neura... 3377 strong external difference family sedf general... 583 nowadays online video platforms mostly recomme... 9972 exploratory testing neither black white rather... 16747 plasmonics currently faces problem seemingly i... 11993 automatic questionanswering classical problem ... 9759 paper geometric approach trajectory tracking c... 349 widespread use social media led generation sub... 11884 predicting efficacy drug given individual usin... 13160 blue waters petascalelevel supercomputer whose... 8005 galex detected significant fraction earlytype ... 3349 investigate structure join tensors may regarde... 19140 provide new computationallyefficient class est... 801 network pruning aimed imposing sparsity neural... 3531 volume contains selection papers presented xvi... 14866 learning optimal policy multimodal reward func... 9173 study piecewise linear codimension two embeddi... 11650 describe technical effort used process volumin... 18949 generalized polyhedral convex sets generalized... 12179 many signal processing algorithms operate brea... 5173 remote sensing image processing important geos... 16574 paper derives analyses semidiscrete dispersion... 16503 present data profile evaluation plan second or... 19144 consider problem learning function classes com... 15415 deep neural networks dnns achieve stateofthear... 20161 transitive model zfc called ground universe v ... 3091 one key challenges operations researchers solv... 14614 paper mainly inspired conjecture existence bou... 7709 novel textindependent speaker identification s... 6853 francis steel shown exists nontrivial networks... 2756 design reinforcement learning agents avoid cau... 6458 propose family variational approximations baye... 19165 solve deep neural network dnns huge training d... 1616 paper locally lipschitz regular functions util... 6942 give simple multiplicativeweight update algori... 20924 paper addresses question previously available ... 19010 article interested nonlocal regional schrdinge... 6460 demonstrated novel onchip polarization control... 16519 general approach selective inference considere... 5087 show x abelian variety dimension g geq mathcal... 10025 note remember friend maria krawczyk passed awa... 16556 consider problem recovering ddimensional manif... 8077 word similarities affect language acquisition ... 19476 consider habitability earthanalogs around star... 14786 present sufficient condition irreducibility fo... 19062 nanotechnology semiconductor device scaled dra... 10974 present wifes atlas galactic globular cluster ... 20362 previously controllability problem linear time... 8974 asteroseismic parameters allow us measure basi... 10067 article introduce new geometric object called ... 9481 present numerical implementation infiniterange... 10556 consider several related notions geometric reg... 2401 show empirically optimal strategy parameter av... 8736 regression context relevant subset explanatory... 16227 paper develop system lowcost indoor localizati... 12589 largescale hierarchical classification hc invo... 20329 exploratory analysis network data often limite... 12194 extreme nanowires ens represent ultimate class... 19160 e opdam introduced tool spectral transfer morp... 16168 investigate mean curvature flows class warped ... 11139 paper propose eigenvalue analysis system dynam... 9998 derive naturally important distributions high ... 7232 study statics dynamics stable mobile selfbound... 3878 surface properties examined chiral dwave super... 6912 variational autoencoders vae directed generati... 17663 monolayers transition metal dichalcogenides tm... 1702 scientists engineers commonly use simulation m... 15210 develop general theory construction extended t... 5641 deep learning dl methods show good performance... 12896 establish link trace modules rigidity modules ... 1124 neuralnetwork quantum states recently introduc... 4521 recently distributed processing large dynamic ... 12964 availability large scale event data time stamp... 11215 embedding methods word embedding become pillar... 3541 optimization composition processing obtain mat... 11471 majority yes votes constitutional referendum t... 20750 paper studies approximate null controllability... 7764 practice evidencebased medicine ebm urges medi... 12960 processaware information systems pais system s... 9763 prove low noise assumptions support vector mac... 15772 accelerated gradient ag methods breakthroughs ... 17911 study manybody localization properties disorde... 17397 nonparametric kernel density estimation natura... 20727 typical framework boolean games bg player chan... 2211 consider multidimensional optimization problem... 14023 computation noether numbers groups order less ... 14873 space based loops slnmathbbc also known affine... 11612 theorems techniques form different types trans... 3133 paper investigate emerging application scene u... 15126 linearquadraticgaussian lqg control concerned ... 7972 moedal experiment lhc optimised detect highly ... 15933 deep learning models achieved stateoftheart ac... 20946 paper addresses problem output voltage regulat... 5938 optimizing deep neural networks dnns often suf... 4320 prediction appealing objective selfsupervised ... 10032 quest scalable bayesian computational algorith... 15551 recently proposed learning algorithm massive n... 2107 use monte carlo simulations explore statistica... 16876 let k infinite perfect field provide general c... 9377 randomized rumor spreading problem generates b... 3034 recently flourishing notable interest crystall... 12506 given two independent sets j graph g imagine t... 16957 study nonlocal variant diffuse interface model... 7062 photometric redshifts key component many scien... 4663 dealing brain injury finding difficult work tw... 19593 develop noncommutative polynomial version inva... 11478 markov processes well understood case take pla... 17637 followership generally defined strategy evolve... 2367 finite rank median spaces simultaneous general... 20066 prove meromorphic mapping sends peace real ana... 9721 show dense ogle kmtnet iband survey data requi... 13463 maximum speed liquid wet solid limited need di... 440 largescale extragalactic magnetic fields may i... 19306 paper demonstrates feasibility implementing re... 18863 markov chain monte carlo based bayesian data a... 20432 emphorbit problem consists determining given l... 832 consider ddimensional linear stochastic approx... 18329 semantic segmentation remains computationally ... 3064 describe markov latent state space mlss model ... 7714 interest replace computed tomography ct images... 2587 previous research traditionally analyzed emoji... 1224 present adaptive grasping method finds stable ... 15394 deep neural networks gained tremendous popular... 2592 images spectra open cluster ngc obtained gmos ... 3247 paper presents design control model navigate d... 6849 investigate interplay charge order superconduc... 8023 latent block model lbm modelbased method clust... 15218 precision pulsar timing requires optimization ... 13967 present photometry spectroscopy nine type iipl... 14675 predicting future location vehicles essential ... 12140 ultrafast perturbations offer unique tool mani... 2691 asynchronousparallel algorithms potential vast... 13441 paper classifies equivalence classes irreducib... 17085 study deals contentbased musical playlists gen... 10441 recently graph neural networks gnns revolution... 16362 speech recognition systems achieved high recog... 20243 memristors recently received significant atten... 17666 covariant canonical formalism covariant extens... 11967 paper study class discretetime meanfield games... 20854 lack interpretability remains key barrier adop... 11841 many digital functions studied literature eg s... 18437 h ubiquitous important astronomical species wh... 9148 consider cauchy problem damped wave equation i... 12412 propose new family coherence monotones named e... 13889 many statistical tests verify null hypothesis ... 17544 although majority theoretical literature highd... 9552 show revenueoptimal deterministic mechanism de... 3196 counterfactual learning natural scenario impro... 10229 finding maximum cut fundamental task many comp... 20406 paper describes design implementation audio in... 486 positioning data offer remarkable source infor... 370 describe configuration space mathbfs polygons ... 19211 adaptive methods adam rmsprop widely used deep... 783 compressed sensing cs sampling theory allows r... 6596 probabilistic integration continuous dynamical... 14748 let q power prime p let uq sylow psubgroup fin... 11270 propose intelligent proactive content caching ... 12459 central pattern generators cpgs appear evolved... 17287 determine amalgamated products surface groups ... 3238 positive p unlabeled u data binary classifier ... 16148 textcnn convolutional neural network text usef... 873 block bootstrap approximates sampling distribu... 17452 standard bayesian analyses difficult perform f... 15100 relativistic quantum field theories compact ob... 2047 linear regression models contaminated gaussian... 104 atar chowdhary dupuis recently exhibited varia... 14219 constantstress layer wall turbulence twopoint ... 14816 impact neutral impurity scattering electrons c... 1915 study seasonal evolution titans lower stratosp... 6499 lowtemperature properties certain quantum magn... 5684 link prediction one fundamental problems compu... 6728 let omega csmooth bounded pseudoconvex domain ... 3632 multilabel text classification popular machine... 109 monte carlo tree search mcts famously used gam... 11656 construct new family high genus examples free ... 2138 study randomly initialized residual networks u... 16765 give explicit description weight three generat... 17113 exhibit exact simulation algorithm supremum st... 8934 wellknown komlsmajortusndy inequalities z wahr... 669 detection interactions treatment effects patie... 12754 literature mentions incidentally subdoppler co... 13144 computing steadystate distributions infinitest... 14095 using atomic force microscopy afm investigated... 3324 analyze local convergence proximal splitting a... 20208 hubble space telescope photometry acswfc wfpc ... 4480 present laboratory spectra pd transitions fe f... 11634 present theoretical calculations interpret opt... 6169 cyberphysical software continually interacts p... 1439 integrated waveguides exhibiting efficient sec... 11039 rising number interconnected devices sensors m... 13713 modern perspective cosmology historical scienc... 13538 paper prove lorentz space lqpestimates gradien... 6574 multiagent systems setting paper addresses con... 4811 driven growing interest sciences industry amon... 12166 vertex edge graph critical deletion reduces ch... 17766 economy asymmetric information smart contract ... 9353 introduce seven families stochastic systems in... 6131 paper study existence uniqueness pseudo sasymp... 13632 generating music notable differences generatin... 12033 applied training deep neural networks stochast... 13398 present results systematic search lymanalpha e... 14004 paper consider nonlinear inhomogeneous compres... 19916 voltage deviations occur frequently power syst... 7332 goodnessoffit test discrimination two tail dis... 13548 simulations tidal streams show close encounter... 1834 examine topological solitons minimal variation... 9378 due severe mathematical modeling calibration d... 16039 mechanisms organs acquire functional structure... 11760 charge modulations considered leading competit... 12877 paper describes neuralnetwork model performed ... 15891 paper consider stochastic model incompressible... 12124 happens general closed oscillating universes g... 18305 propose new dynamic stochastic blockmodel focu... 12403 brane construction integrable lattice model pr... 13714 give classification semisimple separable algeb... 13904 introduce study inhomogeneous exponential jump... 19688 epilepsy neurological disorder arising anomali... 3003 two decades ago tsfasman boguslavsky conjectur... 8215 maximum entropy method mem well known deconvol... 11716 j willard gibbs elementary principles statisti... 17984 identifying palindromes sequences interesting ... 5389 elasticity one key features cloud computing at... 16256 directed acyclic graph g v e pseudotransitive ... 1309 paper addresses problem large scale image retr... 19404 elastic scattering cross sections slow electro... 11345 propose conjectural explicit formula generatin... 3475 study ancient khmer ephemerides described fren... 789 playing game heads tails zero gravity demonstr... 18769 subsampling acquire directly passband within b... 13702 use ab initio bethe ansatz dynamics predict di... 7740 measured absolute frequency p transition yb at... 3284 cortex exhibits selfsustained highlyirregular ... 16468 paper introduces novel method perform transfer... 2514 consider reinforcement learning rl setting age... 18519 present opinion recommendation novel task join... 17439 apply sequencetosequence model mitigate impact... 15724 report observations magnetoresistance quantum ... 13791 juno multipurpose neutrino experiment designed... 16102 extend theory computation real numbers continu... 9258 gw method manybody approach capable providing ... 6227 workshop invites researchers practitioners par... 17197 cobaltgermanium coge fascinating complex alloy... 15090 work characterized changes dynamics twodimensi... 8791 subspace learning important problem many appli... 11880 within standard framework quasisteady flight p... 18443 investigate ordinal invariants height length w... 20252 paper extend hermitehadamard type dotiscan ine... 5006 describe dynet toolkit implementing neural net... 6214 recent work bindini de pascale introduced regu... 11249 selfconsistent harmonic approximation effectiv... 9777 introduce discrete affine group regular tree f... 7982 analyze evolution fe xii coronal plasma upflow... 5257 atom interferometers employing optical cavitie... 12284 dermoscopy image detection stays tough task du... 13677 suggest inverse dispersion method calculating ... 14773 paper introduce transformations deep rectifier... 14417 exist general positive correlation important l... 14085 rigorously derive kirchhoff plate theory via g... 12399 degeneracy loci morphisms vector bundles used ... 9986 chromium arsenides bacras bacrfeas thcrsi type... 270 asymptotic variance maximum likelihood estimat... 3301 contribution widen scope extreme value analysi... 19435 introduce nonlinear cauchyriemann equations bc... 6843 microsized cold atmospheric plasma ucap develo... 15720 propose universal experiment measure different... 7990 vortex boseeinstein condensate ring undergoes ... 5406 aim paper design bandlimited optimal input pow... 14603 without access large compute clusters building... 712 control dynamical networked systems continues ... 5783 additive fast fourier transform finite field c... 4409 paper introduce design principle develop novel... 11688 demonstrate existence novel quasiparticle exci... 11409 selfaction features wave packets propagating t... 5260 combination transmission electron microscopy a... 5920 paper aims develop new robust approach feature... 17584 swirlswitching lowfrequency oscillatory phenom... 16663 general theoretical description influence osci... 5411 earlier work constructed almost strict morse n... 17853 systems subject uncertain inputs produce uncer... 550 restingstate functional arterial spin labeling... 14190 propose employ scale spaces mathematical morph... 3241 boundary behavior ring mappings riemannian man... 4005 dark ages universe end formation first generat... 17198 many imagetoimage translation problems ambiguo... 10169 investigate deep neural network performance te... 15356 protection number plane tree minimal distance ... 8493 paper present perturbed lawbased sensitivity i... 18967 provide novel approach model spacetime random ... 3264 paper prove following pointwise curvaturefree ... 9321 metric space phylogenetic trees defined biller... 5061 hydroclimatic processes characterized heteroge... 8444 paper propose opportunistic downlink interfere... 11109 work presents new tool verify correctness cryp... 2098 predicting arctic sea ice extent notoriously d... 7001 consider cauchy problem gradient flow beginequ... 7292 focus cohomology kth nilpotent quotient free g... 11928 work propose effective lowenergy theory large ... 3671 experiment theory indicate upt topological sup... 4968 layered semiconvection possible candidate expl... 12552 automatic testing widely adopted technique imp... 14274 analysis tools like abstract interpreters symb... 10629 provide best knowledge first computational stu... 4416 new method presented modelling physical proper... 18959 propose new approach mirror symmetry conjectur... 14070 matrix divisors introduced work aweil consider... 8940 review problem defining inferring state contro... 20221 computer programs always work expected fact om... 13105 control solute fluxes either microscopic phore... 19233 becoming increasingly clear complex interactio... 22 fault detection isolation tools fditools colle... 2934 study asymptotic behavior homotopy groups simp... 18672 present emphnustar observations neutron star n... 13551 software key component solutions st century pr... 6597 propose generalisation notion centre algebra s... 13215 identifying different varieties language chall... 16379 cryoelectron microscopy provides projection im... 13260 paper give counting results integer polynomial... 4833 propose scheme employ backpropagation neural n... 19086 abridged investigate signatures left cosmic ne... 17934 give rigorous characterization means programmi... 16687 present harp novel method learning low dimensi... 19539 vortices turbulence unsteady nonlaminar flows ... 15230 accurate prediction suitable discourse connect... 15807 among several developments field economic comp... 56 stimuliresponsive materials modify shape respo... 3412 paper strengthen splitting theorem proved prov... 10416 paper presents solution boltzmann kinetic equa... 2855 wide adoption smartphones mobile applications ... 400 convolutional neural networks cnns learn effec... 2986 many realworld binary classification tasks eg ... 10251 among recently introduced new notions real alg... 6605 paper provides holistic study stock prices var... 18861 comments play important role within online cre... 17986 temperature tdependent coarsegrained cg hamilt... 19606 exists various proposals detect cosmic strings... 11632 researched motion gas subnanochannel functiona... 11582 design new algorithms combinatorial pure explo... 14967 motivation automatically testing changes code ... 16735 feature selection facilitate learning mixtures... 15066 present microscopic theory raman response clea... 6554 maximizing sum two generalized rayleigh quotie... 8780 heterosis improved increased function biologic... 17886 paper introduces family local feature aggregat... 7258 formulate notions subadditivity additivity yan... 15120 present thorough tightbinding analysis band st... 20345 one goals scaling sequential machine learning ... 5781 citebickelnonparametric developed general fram... 17583 automatic generation caption describe content ... 12083 airbnb online marketplace accommodations exper... 17787 due excellent shockcapturing capability high r... 7233 lay foundations subject title build another pa... 16601 kinetic inductance detectors kids similar appl... 11736 refine result last two authors diophantine app... 18390 give brief description birchswinnertondyer con... 519 motivated applications cancer genomics followi... 1755 initiate study completely bounded multipliers ... 4508 aim paper present necessary sufficient conditi... 17552 stochastic model excitatory inhibitory interac... 15201 review modify active set algorithm duembgen et... 5263 note show small solutions energy space general... 1069 unveil geometric nature multiplet fundamental ... 8340 present system covert automated deception dete... 8419 article semianalytical approach demonstrating ... 15746 given clustertilted algebra tame type proved d... 15142 present datadriven framework called generative... 6611 photoluminescence polarization experimentally ... 17483 realize test advanced accelerator concepts har... 665 double exponential formula introduced calculat... 15424 paper develop methods extend minimal hypersurf... 716 new synthesis scheme proposed effectively gene... 5780 present first gasgrain astrochemical model ngc... 16562 finite mixture models apart underlying mixing ... 1699 given traveling salesman problem tsp tour h gr... 12035 paper consider bayesian framework making infer... 1877 kalman filter called one greatest inventions s... 15561 present simple generative framework learning p... 19881 recent years citizen science grown popularity ... 7320 novel datadriven stochastic robust optimizatio... 9724 delays important phenomenon arising wide varie... 18554 study structure martingale transports finite d... 6800 depth focus dff one classical illposed inverse... 4916 class quasimedian graphs generalisation median... 7065 theories one vacuum allow quantum transitions ... 7140 sequential estimation delay doppler parameters... 2979 despite appearance numerous new materials iron... 13577 citation sentiment analysis important task sci... 8990 phase retrieval attractive difficult problem r... 6861 one exciting advancements ai last decade wide ... 8168 riesz spotentials kxyxys investigate separatio... 12633 let e arbitrary subset mathbbrn necessarily bo... 15877 deep generative models achieved impressive suc... 8128 conical density theorems used geometric measur... 17570 present review data types statistical methods ... 6592 propose new types models appearance small larg... 8672 intelligent infrastructure critically rely den... 20503 localizationbased imaging revolutionized fluor... 91 interest extracellular vesicles evs rapidly gr... 2577 robust estimation much challenging high dimens... 18545 linked data principles provide decentral appro... 10866 consider basic problem interface two fundament... 8384 online reviews provide viewpoints strengths sh... 12526 paper addresses problem decentralized tubebase... 18206 least absolute shrinkage selection operator la... 13443 intersubband isb polarons result interaction i... 20275 community detection commonly used technique id... 9819 among sequential monte carlo smc methodssampli... 17048 let g adjoint quasisimple group defined split ... 4260 analyze listdecodability related notions rando... 3896 construct continuous time model pricemediated ... 17672 absence lens form image incoherent partially c... 1349 offer general bayes theoretic framework tackle... 13880 study nonlocal venttsel problem nonconvex boun... 13855 nonlinear kleingordon nlkg equation manifold n... 18244 bechgaard salts tmtsfx tmtsf tetramethyl tetra... 3777 present shrinking horizon model predictive con... 20647 scientific explanation often requires inferrin... 3740 paper propose kneelike approximation lateral d... 17923 methodological research rarely generates broad... 4050 ponzi schemes financial frauds promise high pr... 19707 many deep models recently proposed anomaly det... 7705 paper describes approach bosch production line... 18576 study static game played finite number agents ... 2762 surface plasmon waves carry intrinsic transver... 3581 invoke gaussian mixture model gmm jointly anal... 20555 context poor usability cryptographic apis seve... 7105 document consists two papers submitted supplem... 6372 r guralnick linear algebra appl proved two hol... 16147 seek infer parameters ergodic markov process s... 18964 describe approach based direct numerical solut... 11877 paper introduce online service delay problem p... 5062 guiding influence stanley mandelstams key cont... 3602 virtual network vn contains collection virtual... 19039 propose superconducting spintriplet valve cons... 11179 show first order theory lattice open sets natu... 11856 reduce data collection time deep learning robu... 6948 main goal paper design market operator mo dist... 7756 study kernel leastsquares estimation norm cons... 9638 critical overdensity deltac key concept estima... 12846 importance microscopic details cooperation lev... 9212 zvector method relativistic coupledcluster fra... 8897 wellknown theorem eilenberg ganea expresses lu... 13066 batch normalization commonly used trick improv... 18197 expedient design precision components aerospac... 10435 employ grand canonical adaptive resolution mol... 16971 suggested algorithm searching recursion operat... 9761 propose twostage neural model tackle question ... 18616 growing interest learning data representations... 10766 interval subset sum problem issp generalizatio... 9574 success conflict driven clause learning cdcl b... 6017 paper propose sexstructured entomological mode... 15354 explore impact dimensionality scattering small... 2956 ungrammatical sentence key cabinets table know... 7869 consider ysystem functional equations form ynx... 11934 effective approach nonparallel voice conversio... 12106 costs human violence attracted great deal atte... 9670 tf boosted trees tfbt new opensourced framewor... 5409 many sharing economy platforms uber airbnb bec... 9611 adaptive information gathering problem policy ... 7520 nonconvex optimization local search heuristics... 1103 semantic segmentation object detection researc... 12859 elegant accelerator physics particlebeam dynam... 14485 online learning streaming data distributed col... 17310 investigate initialboundary value problem gene... 4690 introduce twisted matrix factorizations quantu... 1558 accreting white dwarfs wd binary systems produ... 13119 let g group rational points reductive connecte... 2488 introduce model anonymous games player depende... 19196 derive cramrrao lower bound variance floquet m... 19441 isogeometric analysis iga used simulate perman... 3523 paper examines limit properties information cr... 4542 analyze open manybody system strongly coupled ... 15828 doublestranded dna may contain mismatched base... 3400 paper theory quandle rings proposed quandles a... 14379 variational autoencoder frameworks demonstrate... 20652 literature survey ontologies concerning securi... 16136 paper develops variational continual learning ... 12255 selfhealing polymers crosslinked solely revers... 2272 present software tool employs stateoftheart na... 2374 deep neural networks dnns emerged core tool ma... 10844 report analysis tev largescale sidereal anisot... 12570 last years contributions general public scient... 13023 let x centered gaussian random variable separa... 8728 problems searchbased software engineering invo... 9843 find plane models xn ngeq observe map modular ... 292 quantum charge pumping phenomenon connects ban... 11028 fitness species determines abundance survival ... 18973 report effects ce substitution structural elec... 11392 lecture notes concerned solvability second bou... 2870 paper present design implementation robust mot... 17062 general video game ai gvgai competition associ... 11401 prove general family congruences bernoulli num... 9964 neuroinflammation utero may result lifelong ne... 17358 introduce minimalrnn new recurrent neural netw... 15533 analysing new emerging infectious disease outb... 14684 report observation magnon thermal conductivity... 20053 complex distribution networks pervasive biolog... 17654 planar linear restricted fourbody problem used... 14827 accurate state estimation largescale lithiumio... 19733 paper propose squeezed convolutional variation... 4879 neural networks central tool machine learning ... 17553 present new monte carlo methodology accurate e... 10542 paper develops meshless methods probabilistica... 20067 cameras widely exploited sensor robotics compu... 19605 hundred spacecraft launched date electric prop... 10420 every graph gve induced subgraph kneser graph ... 14913 show positive integer k kth nonzero eigenvalue... 4418 propose analytical method blind separation abs... 10002 molecular fingerprints ie feature vectors desc... 4647 paper introduces novel parameter estimation me... 12870 paper investigates extent cognitive biases may... 12587 informationally efficient financial markets op... 12007 arrays integers often compressed search engine... 356 many giant exoplanets found near roche limit m... 11553 silicon singlephoton detectors spds key device... 686 present e nergy n et new framework analyzing b... 4584 topological data analysis emerging area explor... 837 existing approaches address multiview subspace... 7013 present approach towards convex optimization r... 8458 analyze isolated resonance curves ircs singled... 16435 coronary ct angiography series ct images taken... 13056 study problem cooperative inference group agen... 10198 study fully gapped chiral mott insulator cmi f... 1726 lengthmatching important technique bal ance de... 20012 describe general framework compressive statist... 17885 map merging component crucial proper functiona... 2362 many problems computer vision recommender syst... 13602 devise approach targeted molecular design prob... 17581 investigate ground state properties ultracold ... 3179 study groundstate properties double layer grap... 10284 consider problem locating pointsource heart ar... 17945 describe algorithms compute elliptic functions... 14756 already developed recommendation system sights... 16863 prove basic results dimension theory algebraic... 17404 stronger selection implies faster evolutiontha... 12726 show newly proposed shannonlike entropic measu... 4223 n distinguishable players randomly fitted whit... 14952 tuning cellular network performance always occ... 12471 imagetoimage translation class vision graphics... 9633 paper study spectral properties dirichlettoneu... 7379 five year posttransplant survival rate importa... 8101 nonrelativistic variational calculation comple... 11258 suggest ultrahighenergy uhe cosmic rays crs ma... 9858 despite numerical challenges finite element me... 10940 multistart algorithms common effective tool me... 14058 goal study test two different computing platfo... 6967 exhaled air contains aerosol submicron droplet... 15645 interaction chchptch methylcyclopentadienyltri... 6166 emissivity common materials remains constant t... 6461 recent literature endtoend speech systems ofte... 3061 bacterial communities rich social lives welles... 889 work provides comprehensive scaling law based ... 966 introduce canonical measures locally finite si... 10481 high quality gene models necessary expand mole... 13104 protein sequence space natural proteins form c... 1963 free loops space lambda x space x become impor... 11317 semiorder model preference relations element x... 9850 determine connected homogeneous kobayashihyper... 12062 theoretical description thermodynamics water c... 9319 crucial problem robotics field cage object usi... 1909 devise new high order local absorbing boundary... 8353 consider spectral clustering algorithms commun... 20529 present bayesian object observation model comp... 9508 present semianalytical correction seminal solu... 16950 article present cut finite element method twop... 13043 deep learning potential revolutionize quantum ... 19995 identifying transport pathways fractured rock ... 2835 spectroscopic surveys require fast efficient a... 9735 paper presents novel datadriven approach predi... 11455 despite outstanding achievements modern cosmol... 10005 loglinear models arguably successful class gra... 7213 sparse matrix multiplication important compone... 7605 study theoretically topological surface states... 975 ultimatum game ug one player named proposer de... 2268 present thorough analysis interplay magnetic m... 3770 fracton order new kind quantum order character... 13712 several experimental reports nonconvex optimiz... 20935 work investigates macroscopic thermomechanical... 132 let compact riemannian manifold let mud associ... 10131 knowledge base completion kbc aims predict mis... 581 chemical enzymatic crosslinking casein micelle... 19971 fundamental questions nature matter energy fou... 9716 optical memory effect wellknown type wave corr... 15909 last decades vaste amount evidence existence d... 6839 paper describes r package mvlsw package contai... 393 lower bounds smallest eigenvalue symmetric pos... 10218 privacy amplification two mutually trusted par... 6558 current data explosion poses great challenges ... 9301 spatial distributions cell interference ocif i... 14341 many real world practical problems formulated ... 3928 paper introduce stochastic projected subgradie... 13617 recently two reports demonstrated amazing poss... 8401 inviscid computational results presented selfp... 4036 paper problem selecting p n available items di... 19743 idea posing command following tracking control... 14306 traditional automatic evaluation measures natu... 8183 reducedorder models roms popular efficiently s... 10469 knowledge regarding function proteins necessar... 225 show every invertible strong mixing transforma... 11426 interplay almost degenerate levels quantum dot... 4211 extend results zhang et al show lambda eigenva... 11690 pumpprobe electron energyloss spectroscopy eel... 20293 realworld dataset provided pulpandpaper manufa... 6777 stochastic minimization method realspace wavef... 4613 leahhamiltonian hxyyx introduced functional eq... 13697 study developed automated system evaluates spe... 19595 note show class finite epistemic programs turi... 8593 clustering data set one core tasks data analyt... 11366 many realworld applications require robust alg... 12687 use insights epidemiology namely sir model stu... 13734 study gapless quantum spin chains spin fredkin... 17693 modeling network traffic gaining importance or... 20407 variational autoencoder vae popular probabilis... 15473 note give socalled representative classificati... 5008 intriguing property deep neural networks inher... 13909 spin waves chiral magnetic materials strongly ... 3403 note give nature action modular group ends inf... 3515 consider problem finding local minimizers nonc... 3883 mobile network operators track subscribers via... 12190 propose sourcechannel duality exponential regi... 20509 adaptive optic ao systems delivering high leve... 6755 idea demonstrate beauty power alexandrov geome... 15462 popular approach semisupervised learning proce... 2908 work consider presence contrarian agents discr... 16770 give elementary combinatorial proof following ... 4261 comparing different neural network representat... 8071 binomial random intersection graphs used parsi... 18255 paper studies dynamic complexity definable cha... 2423 solving global method weighted least squares w... 15783 study higher gradient integrability distributi... 5264 digital economy highly relevant item european ... 15651 prove highly uniform stability almostnear theo... 6163 iterative hard thresholding iht class projecte... 15022 using language riordan arrays study oneparamet... 3548 identifying causal relationships observational... 14408 single cell senses chemical gradient chemotaxe... 19603 order address economical dispatch problem isla... 16513 present first cmb power spectra numerical simu... 20306 pid control architectures widely used industri... 7548 variety realworld processes networks produce s... 17179 deep learning requires data useful approach ob... 20190 dynamical phase transitions crucial features f... 20848 consider hypothesis dark matter dark energy co... 1159 using algebraic methods motivated one variable... 6895 work consider association meromorphic jacobi f... 11930 cell shape important biomarker previously exte... 5501 oddfrequency triplet cooper pairs believed car... 15108 first billion years universe pivotal time star... 8047 discriminative approach classification using d... 809 paper introduces new approach largeeddy simula... 18011 propose new randomized coordinate descent meth... 2650 paper discuss application extreme value theory... 13310 bounded model checking among efficient techniq... 20883 prove generating function overpartition mrank ... 8789 noncommuting graph gammag nonabelian group g d... 3190 order handle undesirable failures multicopter ... 3620 paper present new results existence solutions ... 9894 paper shows conditional independence reasoning... 18231 nature threedimensional reconnection twisted f... 15185 application naitl detectors search galactic da... 3650 study inference model dynamic networks communi... 14954 investigate onset superconductivity magnetic f... 16350 bizarrely shaped voting districts frequently l... 19068 analyze higher rank gauge theories capture phe... 4070 work exploit agglomeration based hmultigrid pr... 8290 paper proposes clustering procedure samples mu... 1394 paper introduce bmt distribution unimodal alte... 5976 paper introduce generalized value iteration ne... 3370 recent years social bots using increasingly so... 20368 previous studies shown intermediate surface te... 12983 minimal surfaces simons cone catenoids using r... 13972 show galois cohomology groups padic representa... 17361 independent component analysis ica one basic t... 16565 novel low cost near equiatomic alloy comprisin... 1764 chapter analyze multiple ionization impact z p... 1054 cafeas exhibits collapsed tetragonal ct struct... 14946 tremendous increase number smart phones app st... 13637 paper introduces youtubem video understanding ... 17374 execution sequential programs allows represent... 13435 propose novel approach parameter estimation si... 8856 problem construction quantum mechanical evolut... 7002 currently thirdgeneration sequencing technique... 12143 recent work encoderdecoder models sequencetose... 7903 kickstarter crowdfunding campaigns successfull... 12231 study pairs projections pifchiif qjf leftchij ... 1736 persistent interest integration latticematched... 11539 permutation tests among simplest widely used s... 1568 threshold carbonloadings initial tiohosts post... 462 study mincost seed selection problem online so... 743 describe year survey carried lickcarnegie exop... 8414 properly benchmarking automated program repair... 20846 predicate encryption new paradigm public key e... 3994 coupling reynolds rayleighplesset equations us... 16398 study mth gauss map sense flzak projective var... 8817 small solids embedded gaseous protoplanetary d... 9308 goal learn semantic parser maps natural langua... 10654 propose novel distributed inference algorithm ... 6284 according report online million unique users s... 14692 let mathbbk algebraic closure finite field mat... 19234 principal component regression linear regressi... 18831 current results coverage control using mobile ... 16339 twopart paper details theory solvability power... 5494 work motivated problem testing differences mea... 14988 current methods optimize vaccine dose purely e... 15690 paper present approach solve physicsbased rein... 8648 intracellular bidirectional transport cargo mi... 10471 let string length n paper introduce notion emp... 8281 present exact analytical results degree distri... 4335 study magnetic field effects diluted spinice m... 10813 study bipartite community detection networks g... 18727 study problem generating adversarial examples ... 13017 let l laplace operator r dgeq laplace beltrami... 19953 machine learning ml models applied variety tas... 5114 present deep generative model learning predict... 7174 year approximately heart valve repair replacem... 8587 introduce concrete autoencoder endtoend differ... 16785 present kband multiobject spectrograph kmos ob... 5212 although rate region lossless manyhelpone prob... 3641 cmshf calorimeters undergoing major upgrade la... 9952 game chess widelystudied domain history artifi... 9034 deforestation detection using satellite images... 19714 paper propose novel approach combine emphcompa... 21 rare regions weak disorder griffiths regions p... 3718 manuscript preprint version part general intro... 2902 advection equation basis mathematical models c... 19469 tendondriven hand orthoses advantages exoskele... 15694 article consists two parts part present formul... 5534 paper present transfer learning approach music... 13485 metasurfaces promising tools towards novel des... 11042 cardiovascular diseases cvds prevalent across ... 779 develop new approach learn parameters regressi... 19066 evolutionary game dynamics structured populati... 7420 motivated recent work straininduced pseudomagn... 19826 state space models system state finite setcall... 14886 propose theoretical framework thinking score n... 6528 consider problem estimating lowrank symmetric ... 3431 according theory urban scaling urban indicator... 20399 springantispring systems investigated possible... 11981 robotic systems moved factory work cells human... 19986 neuromorphic computing come refer variety brai... 12606 characterize fractional dehn twist coefficient... 15964 despite overwhelming capacity overfit deep lea... 4259 nodalline semimetals one topological semimetal... 4725 spectral sparsification general technique deve... 1469 generative model based training deep architect... 14063 claw diamondfree edge deletion problem given g... 15217 comment dependency distance new perspective sy... 19517 analyse spectral properties class compact pert... 18821 study front propagation phenomena large class ... 16421 develop metalearning approach learning hierarc... 18582 learn object detector invariant occlusions def... 8424 recent observations revealed massive galactic ... 368 charts excellent way convey patterns trends da... 19258 order robot generalist perform wide range jobs... 11785 paper third series completes description radia... 9607 evidence surface magnetism observed increasing... 6382 paper study pooled data problem identifying la... 9491 consider situation signal propagating arm inte... 64 report experimentally measured light shifts su... 11384 maxmixture processes defined z maxax ay x asym... 4210 nature societies powerlaw present ubiquitously... 12545 present general framework coupled compound poi... 14624 develop theory based formalism quasiclassical ... 16576 topological data analysis tda novel statistica... 1721 setting nonparametric regression propose study... 15910 nuclear starburst discs nsds starforming discs... 5324 sparsity solution linear regression model comm... 4060 bilinear models provide appealing framework mi... 7280 humans imagine scene sound want machines using... 10683 groundbased telescopes equipped stateoftheart ... 1824 paper studies optimal extraction policy oil fi... 10972 spatiotemporal forecasting various application... 13741 paper presents new algorithm calculating hash ... 2355 telecom companies severely damaged bypass frau... 18673 motivated comparative genomics chen et al intr... 3758 diffusion tensor imaging dti high angular reso... 3232 recent years seen surprising connection physic... 18417 given relatively projective birational morphis... 1918 percusyevick theory monodisperse hard spheres ... 14798 paper considers problem inferring image labels... 20398 develop riemannian stein variational gradient ... 1569 several theorems volume computing polyhedron s... 1831 statistical learning relies upon data sampled ... 8539 cspe specification language runtime monitors d... 1242 clouds play significant role fluctuation solar... 20715 twosample summarydata mendelian randomization ... 9351 study vortex patterns prototype nonlinear opti... 17410 measuring analyzing performance software reach... 12499 recurrent neural networks like long shortterm ... 4656 combine space group representation theory toge... 13278 ic luminous infrared galaxy lirg classified st... 8998 neural network based approximate computing uni... 14569 recent research psycholinguistics provided inc... 13152 provide nontrivial measure irrationality class... 11914 many different volumes could produce xray imag... 13126 senior project typical essential course comput... 1325 propose method ttgp approximate inference gaus... 8343 acousticstoword models endtoend speech recogni... 19154 prove recent breaking zahl frac barrier wolffs... 14073 interest determine exit angle vortex supercond... 8893 users rarely familiar content data source quer... 4859 prove general essential selfadjointness criter... 7490 consider dynamics belief propagation decoding ... 18742 plane poiseuille flow pressure driven flow par... 12511 present analytical numerical studies models su... 11859 short electron pulses demonstrated trigger con... 13934 time delay general leads instability systems s... 1222 bayesian optimization recently attracted atten... 1777 introduce study notion canonical set theoretic... 19370 construct periodic solutions nonlinear wave eq... 16560 motivation wordbased alignmentfree methods phy... 16145 proliferation fake news social media opened ne... 13725 partial representation extension problem intro... 11133 standard kernel quadrature method numerical in... 15174 consider inverse ising problem ie inference ne... 13437 introduce notion dynamical topological order p... 8701 entangled states notoriously nonseparable sube... 18684 paper develops method construct uniform confid... 6400 prove generalized weighted ostrowski ostrowski... 17577 zebrafish pretectal neurons exhibit specificit... 16057 continuity gauge fixing condition ncdotpartial... 748 present new paradigm understanding optical abs... 7271 show finite milnorwitt correspondences satisfy... 5246 implications considering interaction chaplygin... 1259 let bf mmldots mk tuple real dtimes matrices c... 7173 systematic design adaptive waveform wireless p... 1888 statelevel minimum bayes risk smbr training be... 12550 investigate ramifications legendrian satellite... 711 last two decades genetic programming gp largel... 12470 fitting stochastic kinetic models represented ... 20077 present explicitly correlated formalism second... 17012 article propose new class priors bayesian infe... 224 estimating vaccination uptake integral part en... 7937 resources natural environment concepts semanti... 15536 detection planetary ring exoplanets remains on... 4808 pentagram map discrete dynamical system define... 3329 paper discusses time series trend variability ... 3293 show learning methods interpolating training d... 15308 principal component analysis pca welldocumente... 11484 humans increasingly stressing ecosystems via h... 13501 trending topic newspapers indicator understand... 11882 study categories governing infinity wheeled pr... 3845 dynamic mode decomposition dmd emerged powerfu... 12085 process exploring exploiting oil gas og genera... 5551 polarization troubling phenomenon lead societa... 16518 enterprise resource planning erp systems cover... 8296 ricean channel model widely used wireless comm... 15486 work introduces novel reinterpretation structu... 1794 review third edition interferometry synthesis ... 19930 word embeddings generated neural network metho... 5917 twisting binary form fxyinmathbbzxy degree dge... 20321 transition points mark qualitative changes mac... 20409 concept stochastic configuration networks scns... 5024 rate control protocol rcp congestion control p... 12270 seminal work morgan rubin considers rerandomiz... 1658 nonconvex optimization problems arise differen... 212 knot k homology sphere sigma let result qsurge... 17428 paper gives new results synchronization string... 13694 prove omegalanguages nondeterministic petri ne... 4419 paper study optimal output consensus problem m... 20401 given finite honest time derive representation... 5193 study approximations partition function dense ... 9551 incorrect operations multirobot system mrs may... 8526 permutation testing nonparametric method obtai... 2166 paper deals skew ruled surfaces euclidean spac... 3110 introduce coroica confoundingrobust independen... 792 continue investigate binary sequence fu define... 233 categories polymorphic lenses computer science... 20342 study cooperative optical coupling regularly s... 13940 explore random scalefree networks populations ... 17662 variational inference popular technique approx... 209 paper prove difference analogue second main th... 9330 prove bernsteinvon mises theorem general class... 19485 discuss local properties weak solutions equati... 20394 energytransport equations transport fermions o... 4498 semirelativistic densityfunctional theory incl... 13649 coming years residential consumers face realti... 9505 modern large displacement optical flow algorit... 2413 central goal thesis develop methods experiment... 6598 random forests common nonparametric regression... 18751 demonstrated sympathetic cooling single ion bu... 14250 application fuzzy support vector machine stock... 11014 many conventional statistical procedures extre... 834 audiovisual speech recognition avsr system tho... 9063 avian influenza breakouts cause millions dolla... 8074 present model instantaneous collisions solid m... 13924 consider point cloud xn x dots xn uniformly di... 9455 exponential growth cyberphysical systems cps n... 9810 recent measurements geminga b pulsars gammaray... 6035 present novel approach prediction anticancer c... 12537 biclustering techniques widely used identify h... 10606 present memristive device based r puf construc... 14610 develop calculus diagrams knotted objects defi... 1220 focus nonconvex nonsmooth minimization problem... 9957 generating function cubic hodge integrals sati... 12849 brain tumour segmentation plays key role compu... 6552 consider explicit polar constructions blocklen... 11375 vision sensors lie heart computer vision many ... 1387 anthropogenic climate change increased probabi... 2001 study relationship information estimationtheor... 5609 complex computer codes often time expensive di... 11907 conventional secret sharing cheaters submit po... 4581 study adjoint double layer potential associate... 12776 recently hashing methods widely used largescal... 9677 existence string functions polynomial time com... 20781 existing image denoising methods learn image p... 2523 consider problem making distributed computatio... 15189 origin nature extreme energy cosmic rays eecrs... 7259 hermite rank appears limit theorems involving ... 19701 paper propose replay attack spoofing detection... 19749 laser writing ultrashort pulses provides poten... 3078 investigate automatic differentiation hybrid m... 7460 spatial distribution elemental abundances disc... 13334 show communication complexity lower bound find... 16738 let positive real number graph called ttough r... 4782 investigate proving properties curry programs ... 15026 many neural systems display avalanche behavior... 4381 development new greenhouse gas scavengers acti... 18078 fluxsplitting method proposed hyperbolicequati... 20069 chapter forthcoming handbook graphical models ... 14862 notion delegated causality introduced subtle k... 6404 thresholdlinear networks tlns models neural ne... 7642 paper report visualization capabilities explai... 8067 musical intervals multiple semitones note equa... 6452 due increasing urban population growing number... 3308 motion electrons nuclei photochemical events o... 2165 binary stars interact via mass transfer one me... 8809 epileptic seizure activity shows complicated d... 20787 discrete laplace operator ubiquitous spectral ... 3803 study principal component analysis pca mean ze... 12879 homological index holomorphic form complex ana... 18953 recently grynkiewicz et al israel j math bf us... 15366 polarized topics often spark discussion debate... 10618 past years ilsvrc competition imagenet dataset... 16394 yes 16084 wholesale electricity markets increasingly int... 19844 work propose integrate prediction algorithms s... 7637 contribution summarize progress made investiga... 10122 neural networks lowprecision weights activatio... 10196 temporary earth retaining structures ters help... 6854 explore effects expected higher cosmic ray cr ... 10619 suffix trees recently become successful data s... 11239 present parallel forwardbackward pruning pfbp ... 19884 pretrained word embeddings improve performance... 1386 regression classification perhaps basic questi... 18563 performed empirical comparison ica pca algorit... 17619 crystal structures bloch theorem play fundamen... 14454 details image noise may restored removing nois... 16877 momentum simple widely used trick allows gradi... 16414 paper present novel approach initializing deep... 3095 composition web services promising approach en... 18726 deconstruct reasoned way reconstruct concept e... 3285 paper deals relative normalizations skew ruled... 9930 paper presents automated supervised method per... 9166 framework application boundary control method ... 14134 paper studies eigenvalue problem mathbbrd clas... 7847 behavior new hysteretic nonlinear energy sink ... 1313 combustion characteristics ethanoljet fuel dro... 10085 technique propagating spin wave spectroscopy a... 13795 expertise programming traditionally assumes bi... 8420 one key challenges revenue management unconstr... 11095 june turkey held historical election transform... 19838 consider tackling singleagent rl problem distr... 15146 spacefilling designs popular choices computer ... 11525 introduce generalized kfl sequence special kin... 18251 thesis study lateral electrostatic interaction... 11245 theory receptorligand binding equilibria long ... 9631 decide madrid civic technology madrid city cou... 5072 derive compare fractions coolcore clusters em ... 9373 multivariate contaminated normal mcn distribut... 15509 diarization audio recordings adhoc mobile devi... 4749 paper presents novel method allows generalise ... 15975 new numerical solutions socalled selection pro... 2269 android popular smartphone system multiple pla... 14655 fully convolutional neural networks fcn shown ... 14784 rna sequence word alphabet four elements acgu ... 20395 report ab initio density functional calculatio... 17152 consider tuning parameter selection rules nucl... 8598 high dimensional sparse learning imposed great... 1422 paper theoretically study xray multiphoton ion... 19055 group affect emotion image people inferred ext... 1857 study correlations fermionic lattice systems l... 14370 social messages classification research domain... 14592 formation correlated electron pairs oscillatin... 20455 give general method extending unital completel... 10306 present novel methodology enable control neuro... 17064 convex sparsitypromoting regularizations ubiqu... 1541 study stochastic multiarmed bandit mab problem... 12815 past decade asteroseismology become powerful m... 7262 increasing availability big large volume socia... 10794 notion formal duality finite abelian groups ap... 16552 realtime instrument tracking crucial requireme... 4607 urban environments offer challenging scenario ... 18629 derive new variance formulas inference general... 8434 provide counterexample wentes inequality conte... 7111 critical analysis state art necessary task ide... 14858 recent series asp system clingo provides gener... 5538 strong disorder interacting quantum systems gi... 4466 purpose note provide detailed proof nazarovs i... 17579 train multitask autoencoders linguistic tasks ... 18502 transport excitations along proteins formulate... 9037 graphlets small connected induced subgraphs la... 10203 work fits context community microgrids members... 9475 let x compact metrizable group gamma countable... 9284 present gravitational lens models multiply ima... 13280 study convergence rates variational posterior ... 15429 consider decidability problems selfsimilar sem... 7647 report inconsistency found probability theory ... 6123 photonic circuit generally described structure... 8563 introduce nevanlinna classes holomorphic funct... 3771 minseiscluster optimization problem aims minim... 1109 since inception bohmian mechanics generally re... 4655 propose method multiperson detection pose esti... 18820 nine transiting earthsized planets recently di... 9230 system dynamic equations boseeinstein condensa... 16412 recently suggested dust growth cold gas phase ... 8212 skin cancer one major types cancers incidence ... 15117 extensive precise robust recognition modeling ... 8266 although recent progress control multijoint pr... 7095 propose use specific dynamical processes gener... 9126 let z two given topological spaces cal oy resp... 12098 magnetic induction first proposed planetary he... 11723 given geometric path timeoptimal path tracking... 11115 online social networks osns become one importa... 9918 computer aided diagnostic cad system crucial m... 17130 article generalize wellknown result ideals noe... 17451 let consistent ominimal theory extending theor... 9096 codes galois rings studied extensively last th... 1737 define outliers set observations contradicts p... 17488 recent advances deep learning especially deep ... 19858 consider problem performing spoken language un... 561 desire fascination intelligent machines dates ... 13820 design jamming resistant receivers enhance rob... 3345 present method automatically evaluates emotion... 11492 investigate dynamic correlations hardcore boso... 9354 recent studies shown closein brown dwarfs mass... 9628 methods described extend fields reconstructed ... 11911 paper studies problem inverse visual path plan... 8314 ontologybased data access obda popular approac... 9719 prove triangulation theorem semialgebraic sets... 18828 distributed algorithms solving additive consen... 14503 advent deep learning object detection drifted ... 19893 present framework visionbased model predictive... 58 machine learning models especially based deep ... 15765 article jags software program systematically i... 14854 mentioned schwartz cokelet failed gain converg... 8405 detecting light extrasolar planetswe measure c... 12675 discuss maltsev conditions consist one linear ... 10483 computing medoid large number points highdimen... 12558 propose new algorithm finite sum optimization ... 4179 individual neurons nervous systems exploit var... 14845 work exploits logical foundation session types... 16814 interconnected nature graphs often results dif... 3690 present savitr system leverages information po... 1649 numerical method presented conveniently comput... 4636 first order magnetostructural transition ttsim... 2510 paper considers nonstationary responses reduce... 20315 many computationallyefficient methods bayesian... 9828 recently inference highdimensional integrated ... 938 molecular dynamics simulates themovements atom... 15266 cognitive radar adapts transmit waveform respo... 14882 decision making based behavioral neural observ... 395 one advantage decision tree based methods like... 20771 consider capillary condensation transitions oc... 17736 ensemble pruning selecting subset individual l... 10339 transient quantum dynamics interacting fermion... 16338 consider twodimensional ginzburglandau problem... 11759 paper presents transient numerical simulations... 15856 determine three invariants arnolds jinvariant ... 3870 present deterministic algorithm russian inflec... 10174 treating optimization methods dynamical system... 20476 paper addresses challenges flexibly modeling m... 2907 reproducing kernel hilbert space rkhs embeddin... 10292 kiva online nonprofit crowdsouring microfinanc... 16989 objective work take advantage deep neural netw... 11730 probabilistic mixture models widely used diffe... 5993 let inductive limit sequence xrightarrowphi ax... 16737 hierarchical attention networks recently achie... 19974 long shortterm memory lstm achieved stateofthe... 4415 fourier analysis representation circular distr... 18395 paper presents notion andor reduction reduces ... 17947 generative models long dominant approach speec... 20900 paper demonstrate genetic algorithms used reve... 10009 proved graham witten conformal invariants subm... 11300 paper presents generic bayesian framework enab... 17537 paper new restarting method krylov subspace ma... 3949 major histocompatibility complex class two mhc... 20901 derive lower bound location global extrema eig... 14268 note propose new approach towards solving nume... 2072 accurate diagnosis alzheimers disease ad entai... 12122 diffusion magnetic resonance imaging dmri curr... 5822 common data mining task networks community det... 19812 heterogeneity studied one common explanations ... 14819 show every periodic virtual knot realized clos... 3513 many seminal results interactive proofs ips us... 11007 purpose propose phenotypebased artificial inte... 17420 largescale deep convolutional neural networks ... 14906 deep neural networks dnns powerful nonlinear a... 14332 rebut erroneous statements attempt clear misun... 7964 copy article published imrn describe noncommut... 5086 recent observations show population active gal... 7482 word embeddings provide point representations ... 18607 let compact connected smooth riemannian nmanif... 15199 paper investigate metric properties quadrics c... 766 show output residual convolutional neural netw... 14989 consider problem efficiently learning mixtures... 3782 introduce notion cocycleinduction strong unifo... 17820 paper develop bivariate discrete generalized e... 9336 recently experience replay widely used various... 19818 surface metal glass plastic objects often char... 10702 paper reports datadriven interactionaware moti... 14898 prove two sufficient conditions idealised mode... 10465 internet things iot changing daily life rapidl... 2860 study classes atomic models att countable comp... 1221 online discussion communities users interact s... 17883 whittle likelihood widely used bayesian nonpar... 4864 individuals adapt behavior cultural evolution ... 13249 airwater interfaces lifshitz interaction promo... 13984 significant training required visually interpr... 14640 bayesian hierarchical models increasingly popu... 16487 introduce novel loss maxpooling concept handli... 13453 estimate maximumorder complexity binary sequen... 4924 last years model driven development mdd compon... 4532 positrons annihilate every second centre galax... 17810 terrorism become one tedious problems deal pro... 1672 address paper problem modifying profits costs ... 17054 report magnetic calorimetric measurements mk c... 13508 present contribution offers simple methodology... 20790 gaussian processes gps important models superv... 4055 advances mobile computing technologies made po... 6952 obtaining models capture imaging markers relev... 14007 forgotten topological index findex graph defin... 10000 consider characterization well construction qu... 20796 expected progress toward true artificial intel... 10467 steiner forest problem given graph collection ... 16098 give elementary proof fact irreducible hyperbo... 11953 paper show variant colorful tverbergs theorem ... 16502 paper study matrix scaling balancing fundament... 12016 connectionist temporal classification ctc wide... 17060 critical time information spread aftermath ser... 12811 elementary proof twosidedness matrixinverse gi... 10237 dislocationmediated quantum melting solids qua... 16926 seven nine known mars trojan asteroids belong ... 13729 error backpropagation highly effective mechani... 19614 many cognitive sensory motor processes correla... 9487 paper wellposedness realizability kinetic equa... 19843 richclub ordering refers tendency nodes high d... 20085 derive priori estimates incompressible freebou... 16218 internet things iot intended ubiquitous connec... 4317 beginning dynamic game players may exogenous t... 9980 optimization riemannian manifolds widely arise... 19102 prove new pinching estimate inverse curvature ... 7385 quantum walks virtue coherent superposition qu... 5519 express frchet class multivariate bernoulli di... 858 paper present framework risksensitive model pr... 14372 type diabetes mellitus tdm chronic disease oft... 4439 work describe problem refer textbfspotify prob... 9033 li wei studied density zeros gaussian harmonic... 7875 task multilabel learning predict set relevant ... 595 report measurements de haasvan alphen dhva osc... 15357 e unit sphere mathbbr let pie orthogonal proje... 8804 spherical principal series representations pin... 7799 explicitly construct families integrable sigma... 9186 paper addresses problem minimum cost resilient... 12613 define study global okounkov moment cone proje... 10970 recently encoderdecoder neural networks shown ... 9746 discuss computational procedures based descrip... 16849 aim work study intrinsic geometric point view ... 1951 systematic experimental study gilbert damping ... 9120 determine structure wgroup mathcalgf small gal... 1096 paper authors consider leaf spaces singular ri... 15758 logic programming prolog widely used supply pe... 7910 present realtime featurebased slam simultaneou... 6944 mine detection unexplored area optimization pr... 9965 skyrmions disklike objects typically form tria... 7830 work formulate fixedlength distribution matchi... 2513 important novelty g role transforming industri... 6732 brillouin light spectroscopy powerful robust t... 5559 study rank lnormbased tucker ltucker decomposi... 20823 recent work interpretability complex machine l... 7860 high dimensional superposition models characte... 18136 photometric observations planetary transits ma... 11027 thanks modern sky surveys twenty stellar strea... 4700 paper generalized nonlinear camassaholm equati... 16604 robots control systems rely upon precise timin... 2233 point clouds provide flexible natural represen... 11242 note paper superceded blackbox adversarial att... 10296 class labels empirically shown useful improvin... 19727 let irreducible riemannian symmetric space ind... 7956 advancement nanoscale electronics limited ener... 1176 prove dehn invariant flexible polyhedron eucli... 14247 goal graph representation learning embed verte... 14919 review different constructions supersymmetry s... 18671 networks capture pairwise interactions entitie... 14225 core issue blockchain mining requires solving ... 9215 understanding model makes certain prediction c... 11490 give nonparametric methodology hypothesis test... 13181 consider elastic composite material containing... 7478 develop new approach solving classification pr... 16357 tests bl symmetry breaking models important pr... 12740 paper introduce new variant pmedian facility l... 17607 mapreduce framework de facto standard hadoop c... 19337 wilcoxon rankbased tests distributionfree alte... 4241 segmental conditional random fields scrfs conn... 5424 empirically evaluate finitetime performance se... 7447 version information plays important role sprea... 3401 polynomial eigenvalue problem arises many appl... 12456 nonnegative matrix factorization nmf dimension... 20605 let sigma arclength measure ssubset mathbb r t... 7492 since corot observations unveiled low amplitud... 12272 store information extremely highdensity datara... 8995 employing spin degree freedom charge carriers ... 1550 consider variants trustregion cubic regulariza... 1009 biochemical oscillations prevalent living orga... 16415 practical significance define notion measure q... 10939 establishing accurate morphological measuremen... 10929 univalent homotopy type theory hott may seen l... 17618 singular limits ftheory compactifications ofte... 5095 paper argue future artificial intelligence res... 648 offer generalization formula popov involving v... 15875 regularized risk minimization procedure regres... 11054 discerning mutation affects stability protein ... 4975 manuscript method developing novel filtering a... 727 report precise measurement hyperfine structure... 9133 establishing metallic hydrogen goal intensive ... 14458 monotone submodular function maximization appr... 8742 measurement zeta potential ga nface gallium ni... 8169 show algebraically locally finite countable ho... 17840 selection west java governor one event seizes ... 6860 paper consider general twistedcurved spacetime... 331 heating ventilation cooling hvac systems often... 7027 space npoint correlation functions possible ti... 14411 paper concerned radially symmetric solutions s... 8699 biocompatible microencapsulation widespread in... 211 observational data collected experiments plann... 20076 space photometric missions steadily accumulati... 15388 data torrent unleashed current upcoming astron... 6343 knowledge transfer impacts performance deep le... 1781 event structure mathematical abstraction model... 16292 apply generalized kepler map theory describe q... 3543 paper focus finding clusters partially categor... 14753 consider dynamics message passing spatially co... 1438 bestfirst search algorithm finding optimalcost... 10707 geodesic distance matrices reveal shape proper... 2868 consider class magnetic fields defined interio... 2434 deep learning approaches convolutional neural ... 6830 justinfinite calgebras ie infinite dimensional... 4792 paper provides alternate proof parts gouldensl... 9420 inspired matching supply demand logistical pro... 17110 present elladic trace formula saturated admiss... 17269 study numerically constantinlaxmajdade gregori... 11869 recent advances bandit tools techniques sequen... 6475 many technological applications superconductor... 9506 grew lixnhyfetese single crystals successfully... 16581 well known parameters strongly correlated pred... 13211 fermilab committed upgrade accelerator complex... 16062 entropy quantum system measure randomness appl... 14661 data point large graph graph statistics densit... 12171 objective predict patientspecific vitals deeme... 12 study exciton magnetic polaron emp formation c... 13205 proper ideal commutative ring unity called zci... 818 suitable conditions substitution tiling gives ... 10976 develop linear algebraic framework shapefromsh... 20655 effect modification occurs effect treatment ou... 8184 ranking ordered sequence items item higher ran... 9896 tensor train decomposition decomposes tensor t... 453 diffusion maps emerging datadriven technique n... 16150 present probabilistic approach generate small ... 20662 paper consider estimators additive functional ... 9848 describe procedure combine measurements nm ca ... 3457 paper concerned analysis heavytailed data port... 18746 current stateoftheart image restoration enhanc... 19224 present discovery four lowmass modot eclipsing... 659 shown using beam splitters nonequal wave vecto... 19594 introduce integrated meshing finite element me... 14276 unwanted variation including hidden confoundin... 11100 paper describes new algorithm solar energy for... 18075 superneptune exoplanet waspb exciting target a... 940 prove existence optimal feedback controller st... 2739 explored optimal frequency interstellar photon... 9604 develop framework downlink heterogeneous cellu... 11796 paper introduce combinatorial formula ekelandh... 18781 representational similarity analysis rsa aims ... 16826 unsupervised machine learning via restricted b... 20710 explain unusual richness compactness abell pro... 16805 dynamic topic models dtms model evolution prev... 12826 paper use dynamical systems analyze stability ... 20506 paper presents submissions university zurich s... 4071 study detect clusters graph defined stream edg... 1400 detect facial keypoints critical element face ... 7690 propose use threedimensional dirac materials t... 8222 paper establish optimal rates adaptive estimat... 8123 michaelismenten mechanism probably best known ... 6363 primary goal galaxy surveys tighten constraint... 5796 paper considers obtain mcmc quantitative conve... 3677 point clouds obtained photogrammetry noisy inc... 6566 characterization lung nodules benign malignant... 16008 elliptic curve e defined padic field k pisogen... 15220 traffic speed key indicator efficiency urban t... 10967 consider eigenvalue problems elliptic operator... 13015 present absolute frequency measurement unpertu... 15058 process mining allows analysts exploit logs hi... 5188 study existence stability stationary solutions... 16107 planar magnetic structures pmss periods solar ... 1108 characterizing brownian motion bounded domain ... 18388 article considers algorithmic statistical aspe... 10308 theoretically investigate ultrastronglycoupled... 3229 stability important aspect classification proc... 20772 melan equation suspension bridges derived assu... 16695 critical infrastructure physiology human brain... 14759 special type rotarywing unmanned aerial vehicl... 11511 block maxima method extreme value theory consi... 17211 personal electronic devices including smartpho... 5835 university east web portal academic web based ... 4326 selecting right drugs right patients primary g... 75 paper discusses minimum distance estimation me... 1779 parafac demonstrated success modeling irregula... 2553 use grey forecast model predict future energy ... 15607 paper propose novel object proposal generation... 20881 paper study landau damping weakly collisional ... 2686 use kotliarruckenstein slaveboson formalism st... 1040 paper concerned learning mixture regression mo... 19663 natural language symbols intimately correlated... 1563 shrinkage estimation usually reduces variance ... 18267 use empirical normalized smoothed periodogram ... 555 given property representations satisfying basi... 3071 find cusp densities hyperbolic knots sphere de... 17502 consider parabolic equation measure data begin... 18542 let xi function relating riemann zeta function... 4474 prove limit theorems superreplication cost eur... 7529 present several continued fraction algorithms ... 19042 transition metal dichalcogenides tmds interest... 18730 correlation giantplanet mass atmospheric heavy... 20511 wireless engineers business planners commonly ... 16128 waves used probe image unknown medium passive ... 1416 manybody localization mbl commonly related str... 15926 analyze dataset providing complete information... 15682 present first internal delensing cmb maps temp... 18346 show quantale v mathsfsetmonad mathbbt laxly e... 17080 pair density wave pdw superconducting state pr... 14732 present new technique learning visualsemantic ... 4601 yang considered empirical estimate mean residu... 9410 imidazolium based porous cationic polymers syn... 15907 paper prove fundamental theorems holomorphic c... 7961 present novel technique learning mass matrices... 7399 music creation typically composed two parts co... 20185 process designing neural architectures require... 10405 important problem combinatorial optimization p... 1238 ability recognize objects essential skill robo... 3735 hydrogenrich compounds important understanding... 8961 objects may appear arbitrary scales perspectiv... 13372 splashback radius rrm sp apocentric radius par... 10303 inability efficiently tune optical properties ... 19420 alvarezmacovski method alvarez r e macovski en... 15542 phase limitations continuoustime discretetime ... 10057 present development genetic algorithm fitting ... 19342 several recent works proposed implemented cryp... 17667 study cascading failures system comprising int... 14158 paper provides general abstract approach appro... 18612 investigate atmospheric dynamics terrestrial p... 9019 propose method build quantum memristors quantu... 10894 convolutional sparse coding csc improves spars... 18702 angiogenesis growth new blood vessels preexist... 28 consider problem estimating l distance two dis... 18827 developed used collection statistical methods ... 9718 emerging class microfluidic bioreactors posses... 12426 watercovered rocky planets inner habitable zon... 355 paper present combinatorial approach opposite ... 9621 mapreduce programming model used extensively p... 3170 consider estimating parametric components semi... 17683 propose fully distributed actorcritic algorith... 17863 twodimensional materials among promising candi... 19017 recently ecommerce sites launch new interactio... 13371 models observations suggest iceparticle aggreg... 8524 present warp hardware platform support researc... 5643 competing risks data arise frequently clinical... 6865 study computation complexity boolean functions... 17448 complex networks found provide good representa... 14725 present decentralized scalable approach deploy... 3675 consider twodimensional dirac quantum ring sys... 4224 field mathbb k bijection regular spreads proje... 964 letter define homodyne qdeformed quadrature op... 6749 deep neural networks dnns excellent representa... 120 recently new fault tolerant simple mechanism d... 6794 humanoid robots may require degree compliance ... 4228 global style tokens gsts recentlyproposed meth... 5579 study deterministic version one twodimensional... 328 selfsupervised learning ssl reliable learning ... 4710 paper consider distributed optimization design... 3281 contribution show access play strong role crea... 2370 homomorphism graph g graph h function vertices... 5522 determine radio size distribution large sample... 2544 distribution cold gas postreionization era pro... 14944 paper analyzes special cyclic jacobi methods s... 19876 study convergence properties gibbs sampler con... 11077 galactic winds starforming galaxies play key r... 17382 present new local descriptor shapes directly a... 10871 herbertsmithite zndoped barlowite two compound... 2178 deep learning performance strongly affected ch... 16011 construct complexitybased morphospace study sy... 4898 roughly neutron stars known handful substellar... 5153 adopting two independent approaches lorentzinv... 1209 paper consider primitive equations oceanic atm... 14280 paper presents convolutional neural network cn... 13068 recently deep learning approaches various netw... 18173 paper metric reduction generalized geometry in... 14242 recurrent neural networks rnns becoming increa... 3123 aligning sequencing reads graph representation... 78 let k function field finite field k characteri... 9736 impact developmental aging processes brain con... 15011 paper focused problem estimating probability p... 3766 pca one widely used dimension reduction techni... 19765 study primary entanglement effect decoherence ... 13572 phylodynamics area population genetics uses ge... 20228 study follow grossmann lohse phys rev lett der... 13012 identifying undocumented potential future inte... 10892 present detail convolutional neural network us... 600 paper presents fixturing strategy regrasping r... 9137 deep neural networks proved effective way perf... 4550 paper solve problem identification coefficient... 943 neutronic performance investigated potential a... 18981 consider restless multiarmed bandit rmab finit... 18579 main goal modeling human conversation create a... 18090 several realistic situations interactive learn... 16327 due iterative nature nonnegative matrix factor... 9314 treewidth parameter measures treelike relation... 17077 paper present methodology estimate parameters ... 16672 present experimental measurements steadystate ... 1561 urbach tails semiconductors often associated e... 4869 huge influx various data nowadays extracting k... 10189 learning interpretable features complex multil... 6213 notes written supplementary material fivehour ... 14464 excitation waves threelayer acoustic wavegide ... 4541 skills learned deep reinforcement learning oft... 1782 many realworld networks known exhibit facts co... 18028 geospatial semantics broad field involves vari... 1095 applying invariantbased inverse engineering sm... 5544 highresolution satellite imagery increasingly ... 1946 sparse coding crucial subroutine algorithms va... 15727 present spectral inference networks framework ... 20203 currently witness emergence interesting new ne... 19398 prove boundedness results integral operators f... 677 failing distinguish sheepdog skyscraper worse ... 10797 paper novel method using convolutional neural ... 6789 image defined set either open closed image tra... 1392 localization network lineofsight anchors trans... 17336 goal compressed sensing estimate vector underd... 10661 analysis part revealed interesting properties ... 752 study wellposedness velocityvorticity formulat... 19587 work proposes visual odometry method combines ... 3737 let xitx denote spacetime white noise consider... 2976 paper concerned approach shape analysis based ... 6694 using local density approximation plus dynamic... 11980 present two new largescale datasets aimed eval... 3215 describe two recently proposed machine learnin... 16053 paper concerned two frequencydependent sis epi... 12404 measuring corporate default risk broadly impor... 9969 key challenge complex visuomotor control learn... 12305 identify conditional parity general notion non... 1770 programming valuable skill labor market making... 20048 online social networks osn increasingly used p... 17797 editorial board members considered gatekeepers... 10912 paper explore deep reinforcement learning algo... 11675 physical mechanisms laserinduced periodic surf... 3022 monolayer semiconductor transition metal dicha... 12420 given success gated recurrent unit natural que... 5401 paper focus option pricing models based spacet... 7856 consider problem provably optimal exploration ... 11204 letter introduce distributed nesterov method t... 10100 doppler effect shift frequency waves emitted o... 6875 measure planck cluster mass bias using dynamic... 19338 propose method simultaneously detecting shared... 5191 paper focus problem finding optimal weights sh... 4619 investigate intrinsic baldwin effect beff broa... 18009 knowledge graphs structured representations re... 17349 present work prove nikolski inequality trigono... 18436 informationtheoretic bayesian optimisation tec... 17125 stochastic knapsack problem stochastic variant... 8719 pilot system development metrescale negative l... 17954 test gravitational force antimatter field matt... 14937 study harmonic soft spheres model thermal stru... 12516 paper aims finding acyclic graphs given set co... 8146 platinum diselenide ptse exciting new member t... 7968 since multimedia streaming become popular rese... 4264 topological crystalline insulators recently pr... 15136 guarantee security uniform random numbers gene... 12454 let r commutative noetherian ring mathfrak mat... 10652 present nonparametric joint estimation method ... 6825 liquidsvm package written c provides svmtype s... 8113 sparse dictionary learning sdl become popular ... 10111 many successful methods proposed learning low ... 701 javabip allows coordination software component... 6170 consider asymptotic distribution cell x x cont... 20550 reconstruction skilled humans sensation contro... 8159 light pseudoscalar fields promising candidates... 17646 consider using battery storage system simultan... 6870 clostridium difficile infections cdis affect p... 13370 paper studies stochastic optimal control probl... 4423 letter provides simple efficient technique all... 12159 introduce refined sobolev scale vector bundle ... 6862 introduce problem learning distributed represe... 6986 highresolution canopy height map exists global... 4868 paper constructed dark energy models anisotrop... 9490 let q odd prime power set monic irreducible po... 4376 using theorems eliashberg mcduff etnyre et pro... 7282 paper study twelve stochastic input models onl... 9544 actual causation concerned question caused con... 2926 rising need secret image sharing high security... 14518 paper proposes two lowcomplexity iterative alg... 9825 modern datasets models notoriously difficult e... 9479 kernelbased regularization method two core iss... 8733 providing frequency regulation payforperforman... 18260 people change physical contacts preventive res... 19021 provide justifications two questions special m... 4350 present application deep generative models con... 15622 vector autoregressive moving average varma mod... 3697 describe generalization hierarchical dirichlet... 2013 probabilistic representations movement primiti... 17721 one serious issues communication people hiding... 16728 morita theoretic viewpoint computing morita in... 12565 present approach lightweight datatypegeneric p... 16269 program termination undecidable yet important ... 5677 n construct separable metric space mathbbun un... 13525 given koszul algebra finite global dimension o... 15304 suppose sending k robots search real line cons... 2147 prove every n mathbbn delta exists word wn f l... 8788 paper two purposes first study several structu... 2705 accretion planetary material onto host stars m... 7129 despite impressive performance deep neural net... 10086 paper demonstrate genetic algorithms used reve... 16075 inverse problem calculus variations one asked ... 17951 paper present crowdtone system designed help p... 9699 many applications interdependencies among set ... 16890 aims purpose paper detect investigate nature l... 10955 many protostellar gapped binary discs show mis... 17603 paper consider problems covering multiple inte... 6841 order sample marginalized andor hardtoreach po... 10427 study electronic spin structures giant rashbas... 810 consider problem inference causal generative m... 5317 used molecular dynamics simulations path sampl... 17171 biaxial magneticfield setup angular magnetic m... 312 propose sparse neural network architectures ba... 2073 introduce novel approach training adversarial ... 9730 blind deconvolution methods usually predefine ... 18241 hopf gave examples nonround convex spheres euc... 17999 extend rubio de francias extrapolation theorem... 7734 given nsample drawn submanifold subset mathbbr... 885 antiferromagnets dzyaloshinskiimoriya interact... 9669 paper give novel certificates triangular equiv... 1790 developed electron tracking compton camera etc... 14737 use globular cluster kinematics data primarily... 14990 prove p equiv pmod prime cube modulo p equatio... 10200 nature nematic state fese remains one major un... 3454 pca classical statistical technique whose simp... 8874 investigate relation fermi sea fs zerofield ca... 3895 finite word closed contains factor occurs pref... 18887 provide uniform framework study exceptional ho... 15843 discuss ricciflat model metrics mathbbc cone s... 13356 article consider cloaking quasilinear elliptic... 8249 automatic summarisation popular approach reduc... 19959 relativistic protocols proposed overcome impos... 8012 spiking neural networks snns enable powereffic... 13460 deep neural networks excel function approximat... 10591 inelastic neutron scattering measurements itin... 12417 study ferromagnetic layer thickness dependence... 12334 report results nonequilibrium transport measur... 12318 study automorphism group halls universal local... 16033 article presents survey automatic software rep... 19752 note prove conjecture li qu li fu permutation ... 16551 human movement used indicator human activity m... 7925 variety complex decisionmaking tasks doctors p... 1468 show generalized dirac structure survives beyo... 9608 consider content delivery fading broadcast cha... 470 hybrid mobilefixed device cloud harnesses sens... 10550 thesis study interplay phase separation wettin... 2722 paper provides mathematical approach study met... 5419 large batch size training neural networks show... 14099 make case studying complexity approximately si... 20051 derive gaugeon formalism kalbramond field theo... 19368 report dynamical cluster approximation dca inv... 15885 static program analysis used summarize propert... 12717 problem coordinate large fleet trucks given it... 12802 phd thesis considers performance evaluation en... 12349 develop method control discretetime systems co... 12673 entity resolution er task identifying records ... 6041 graph games omegaregular winning conditions pr... 19834 trapping molecular ions sympathetically cooled... 12061 ability physical layer relay caching increase ... 2744 personalized learning system needs large pool ... 4569 study angular dependence dissipation supercond... 13344 sparse subspace clustering ssc popular unsuper... 19373 study systematic numerical approximation class... 2161 consider spin manifold equipped line bundle l ... 18669 current flow closeness centrality cfcc better ... 4674 determining relative importance environmental ... 7456 persistent homology studies evolution kdimensi... 9247 work present novel framework uses deep learnin... 18721 machine learning qualifies computers assimilat... 16442 formalism reduced density matrix pursued lengt... 18112 paper consider stochastic dual coordinate sdca... 14234 computability power distributed computing mode... 10116 connectivity patterns relevance neuroscience s... 6379 paper study fundamental solution vargammatxtau... 15225 propose new type hopf semimetals indexed pair ... 13099 graph g sequence vvdotsvm vertices grundy domi... 18224 highfrequency measurements images acquired var... 3876 mathematical models physiological processes ai... 1075 show propositional intuitionistic logic comple... 9307 one big restrictions brain computer interface ... 3936 recently social media seen promote democratic ... 11725 study statistical inference smallnoiseperturbe... 19397 osirisrex visible infrared spectrometer ovirs ... 17765 deep neural networks family computational mode... 7141 maximally recoverable codes codes designed dis... 11224 covariate shift relaxes widelyemployed indepen... 4207 use function field analogue method selberg der... 6713 gpus accelerators popular devices accelerating... 9747 directedloop quantum monte carlo method genera... 14625 present dataset models articulated objects com... 9644 federated clouds raise variety challenges mana... 2149 motivated applications biological science prop... 8511 deep learning based speech enhancement source ... 14353 vis instrument board euclid mission weaklensin... 14183 paper construct equivariant coarse homology th... 10114 software engineering considers performance eva... 9485 spin atomic gas optical lattice unitfilling mo... 74 study effect domain growth orientation striped... 16871 let g reductive algebraic group field positive... 20827 considering nests given space explore orderthe... 7339 main focus analysts deal clustered data usuall... 20223 paper shows simple baseline based bagofwords b... 15749 propose rescaled lasso premultipying lasso mat... 13041 laboratory measurement alphadecay halflife pt ... 10321 visual perception surroundings ultimately limi... 13753 present observations occulted active region ar... 19852 stabilization lasers absolute frequency refere... 17944 micro aerial vehicles mavs limited operation o... 19639 bayesian inverse modeling important better und... 19601 pipelines used huge range industrial processes... 2509 understanding tie strength social networks fac... 7281 interdisciplinary discipline data mining dm po... 9244 let mathbbg locally compact quantum group give... 16731 survey short version chapter written first two... 17441 free energy principle proposed unifying theory... 4067 world wide web conference wellestablished matu... 20354 compare electronic structures single fese laye... 9648 random attacks jointly minimize amount informa... 17379 keplerb currently best example earthsize plane... 18740 briefly recall history nijenhuis torsion tenso... 13100 provide comments article highdimensional simul... 11434 concept hybrid readout time projection chamber... 3145 paper study variant framework online learning ... 14915 propose dynamic programming solution image dej... 15409 complexity size software projects increases re... 16030 recently intervention calculus dag absent ida ... 11600 one prevalent symptoms among elderly populatio... 13539 prove sharp density upper bounds optimal lengt... 5131 transcriptional repressor ctcf important regul... 7926 network embedding aims projecting network data... 18594 main aim article give necessary sufficient con... 18819 consider estimation parameters gaussian stocha... 540 screened modified gravity smg kind scalartenso... 4235 paper discuss first order partial differential... 5507 show neural network functions width less equal... 20487 massive content users social personal professi... 11857 mechanical behaviors monolayer black phosphore... 15918 consider prehomogeneous vector space pairs ter... 16158 complexity knowledge production complex system... 11560 report observation unusual kind solar microfla... 754 database minima transition states corresponds ... 14718 large synoptic survey telescope lsst generate ... 17668 geodesic current associated quasimetric space ... 2542 propose study problem fewshot learning prism i... 6073 motivated recent experiments investigate press... 15411 one fundamental tasks understanding genomics p... 15948 doppler tracking data change lunar mission use... 5218 wellknown result study convex polyhedra due mi... 14093 generalization emdenfowler equation presented ... 17005 introduce problem simultaneously learning powe... 237 model compression essential serving large deep... 4271 present generalisation c bishop p jones result... 5875 efficiency game typically quantified price ana... 6657 consider bounded block operator matrix form ll... 100 humans learn continuous manner old rarely util... 14751 paper define notion calibration equivalent app... 17856 well known initialization weights deep neural ... 16813 present simplified description spindependent e... 13555 using katorosenblum theorem describe absolutel... 5362 inspired river networks structures formed lapl... 4766 model size distribution supernova remnants inf... 7503 new generation silicon pixel detectors small p... 13072 nodes residing different parts graph similar s... 1620 article concerns class elliptic equations carn... 8793 concept balance two state preserving quantum m... 16784 triangulation planar polygon n sides one assoc... 1308 one defining characteristics human creativity ... 1582 deep neural networks nn extensively used machi... 19022 competitive alternative least squares regressi... 2431 paper describes faraday room shields cuore exp... 1044 present calibratedprojection matlab package im... 18505 prediction popularity profound impact social m... 9749 paper unravel fundamental connection weighted ... 5009 latent dirichlet allocation lda models trained... 19189 introduce concept requilateral mgons prove exi... 1487 philosophers ancient times modern economists b... 7633 article deals markov process related fundament... 20669 mean objective cost uncertainty mocu quantifie... 10931 aqinmathbbq estermann function defined dsaqsum... 17196 phase retrieval algorithms become important co... 10307 introduce variants frankwolfe style algorithms... 5795 constant pairing hamiltonian holds exact solut... 5491 simulation study energy resolution position re... 17651 last part series three papers entitled fourdim... 618 hybrid automata action languages formalisms de... 3799 paper presents concept situ fabricator mobile ... 11797 paper describe novel approach cocktail party p... 14305 bibliometrics offers particular representation... 11588 paper shows perturbed form gradient descent co... 1600 derive uniqueness weak solutions shigesadakawa... 18120 parents teachers often express concern extensi... 1849 describing dimension reduction dr techniques m... 9807 prove sharp schwarz type inequality weierstras... 1752 functional data analysis typically conducted w... 15678 formation large voids cosmic web initial adiab... 2040 define new invariants manifolds using space ta... 2083 paper use gaussian process gp regression propo... 7965 propose new expression response quadrant detec... 20518 monero privacycentric cryptocurrency allows us... 546 study determine modular curves xn admit infini... 6199 complexity analysis becomes common task superv... 18159 paper new smartphone sensor based algorithm pr... 19204 probabilistic modeling provides capability rep... 1356 present results spectroscopic photometric foll... 5147 intermediate level task connecting image capti... 18157 let k simply connected compact lie group tastk... 8867 randomized experiments gold standard evaluatin... 10737 underpotential deposition transition metal ion... 16181 complexity philip wolfes method minimum euclid... 19182 computational geometric problems involving rot... 12191 provide new version delta theorem takes accoun... 10694 prove choice parameters ktlambda class finite ... 6014 nested chinese restaurant process ncrp topic m... 17017 study vcdimension short formulas presburger ar... 7169 widespread use big social data pointed researc... 175 propose family nearmetrics based local graph d... 20495 propose new variational bayes estimator highdi... 2208 consider randomly distributed mixtures bonds f... 19504 sales forecast essential task ecommerce crucia... 18623 backgroundforeground classification fundamenta... 3787 deriving optimal safety stock quantity meet cu... 12546 global partial synchronization two distinctive... 19755 study class anomalies associated timereversal ... 10417 first step realize automatic experimental data... 16739 vitro vivo spiking activity clearly differ whe... 15574 paws tool analyse behaviour weighted automata ... 9318 deep neural networks impressive classification... 15024 portfolio analysis traditional approach replac... 20486 propose minority route choice game investigate... 17967 medicine visualizing chromosomes important med... 2441 stellar evolution models uncertain evolved mas... 13719 recently methods proposed perform texture synt... 1322 integrable nonlocal nonlinear schrodinger nnls... 1603 highindex dielectric nanoparticles become powe... 12402 ionization relativistically intense short lase... 9945 shearing transitions multilayer molecularly th... 8014 brownian motion served pilot studies diffusion... 10944 meta distribution signaltointerference ratio s... 4065 give definition viscosity solution minimal sur... 1294 propose general framework entropyregularized a... 13199 generative adversarial networks gans form gene... 2000 interactive music systems ims introduced new w... 17712 many realworld systems characterized stochasti... 2063 let omega pseudoconvex domain mathbb cn satisf... 12263 paper prove gaussian structural equation model... 1507 paper consider graphical lasso gl popular opti... 15650 binomial system electoral system unique world ... 1559 facecycles vertices map surface type map calle... 16054 gravitational clustering nonlinear regime rema... 5577 classification problems security settings usua... 13553 automation computer intelligence support compl... 17112 superconducting bulk rebacuox materials rerare... 10688 experiments optical stm injection carriers lay... 14399 define wirtinger number link invariant closely... 13709 according wellknown principle thermodynamics t... 18650 deep learning dl newgeneration artificial neur... 5611 microblogging sites direct platform users expr... 20821 prove negative infinitesimal generator l semig... 15062 belief propagation approximation cavity method... 5335 ghys sergiescu proved thompsons group hence f ... 9546 machine learning become pervasive multiple dom... 20597 despite significant functional roles betaband ... 4141 paper presents easy efficient face detection f... 7938 propose novel technique analyzing adaptive sam... 19989 location terrestrial magnetopause mp subsolar ... 3549 telepresence necessity present time cant reach... 13036 paper propose novel approach obtaining reliabl... 12915 study authors develop structural model combine... 6016 improved wetting boundary implementation strat... 6906 investigate fundamental modeltheoretic dividin... 15483 several independent algorithms computercalcula... 12224 work present method compute kantorovich distan... 6720 ability accurately predict simulate human driv... 1235 consider firm sells large number products cust... 17636 planetary cores consist liquid metals low pran... 15067 show distribution symmetry naturally reductive... 10643 article presents weak law large numbers centra... 19837 analyze effect intersiteinteraction terms stab... 12949 paper new class frequency hopping sequences fh... 2251 paper proposes family weighted batch means var... 9217 overview dataflow matrix machines turing compl... 3670 bl lacertae prototype blazar subclass known bl... 18605 study problem recovering structured signal mat... 15105 given list k sourcesink pairs edgeweighted gra... 9793 many aspects progenitor systems environments e... 13706 revisit question reducing online learning appr... 20777 principal component analysis continues powerfu... 8505 twisted torus knot knot obtained torus knot tw... 8828 every university introductory physics course c... 15460 obtain formula turaevviro invariants link comp... 13436 several prolog implementations include facilit... 9909 word embeddings use vectors represent words ge... 19147 define holographic dual donaldsonwitten topolo... 947 investigate bias voltage effects spindependent... 11689 future grid scenario analysis requires major d... 6985 explore emergence persistent infection closed ... 14752 present design manufacturing high fidelity uni... 2970 construct energydependent potentials schroedin... 16341 quantum moves citizen science game investigate... 15564 discuss three spacetime dimensional mathbbcmat... 3885 online learning algorithms widely used power s... 20577 show khovanov complex rational tangle simple r... 18476 problem nonparametric estimation signal gaussi... 12963 completely determine commutative semigroup var... 14326 analyze clustering problem flexible probabilis... 11910 convergence speed stochastic gradient descent ... 6697 relative orientation filamentary structures mo... 13630 quasars high redshift provide direct informati... 20698 recent advances bioinformatics made highthroug... 18219 epithelial cell monolayers exhibit traveling m... 11079 even though sequencetosequence neural machine ... 18810 use markov state models msms analyze dynamics ... 7131 generalize work bourgainkontorovich zhang prov... 6058 remote sensing image classification fundamenta... 1840 size weight power constrained platforms impose... 12210 investigate homological subsets prime spectrum... 1564 continuous integration ci tools integrate code... 3673 define triangulated factorization systems tria... 20404 topological superfluid exotic state quantum ma... 4311 consider chain abelian klebanovtarnopolsky fer... 4698 ability model generative process learn latent ... 10750 topological states matter root fascinating phe... 3320 present first theoretical evidence zero magnet... 5192 alternative proof given existence greatest low... 10464 mining relationships treatments medical proble... 4468 eigenstates fully manybody localized fmbl syst... 12446 wide range learning tasks require human input ... 4773 noninstitutive polynomial chaos expansion pce ... 6575 compact portable insitu nmr spectrometers dipp... 17265 paper formulate analogue warings problem algeb... 4709 assume mathsfmn ndimensional permutation modul... 847 namedentity recognition ner aims identifying e... 14239 paper energy harvesting scheme multiuser multi... 838 p eventrelated potential erp evoked scalprecor... 8740 order understand mechanisms behind emergence s... 11125 investigate resistive switching behaviour math... 7532 show social dynamics responsible formation con... 17565 let k mathbbfqt rational function field finite... 7759 continuation completion program initiated cite... 4597 kisin pappas constructed integral models hodge... 9609 dynamics nonlinear conservation laws long pose... 5785 order fully function human environments robot ... 20904 photometric stereo method estimating normal ve... 19153 consistent treatment coupling surface energy e... 20324 paper present cosimulation pid class power con... 604 consider problem learning sparse polymatrix ga... 15734 note shall compute categorical entropy autoequ... 15575 measurements plasma electric fields essential ... 10270 article propose two classes semiparametric mix... 18392 present denotational account dynamic allocatio... 7225 emission properties pbte single crystal extens... 2311 stochastic matching problem given general nece... 13075 recent work developing novel integral equation... 12535 fallback authentication used retrieve forgotte... 16124 aim paper show analytically numerically existe... 15019 paper present new significant theoretical disc... 1982 robotic motion planning problems typically sol... 13301 propose novel blockrow partitioning method ord... 12658 quantum ising model random couplings random tr... 8391 paper present method initialize feasible point... 8677 causal effects commonly defined comparisons po... 11462 paper address cardinality estimation problem i... 12916 empirical mode decomposition emd provides tool... 5728 let tmf toeplitz quantization real cinfty func... 2823 paper analyses detail dynamics neighbourhood g... 4551 nonlinear optics especially frequency mixing u... 5336 consider problem estimating entries unknown me... 11437 investigate dynamics coupled waveguide system ... 4453 paper compute number zclasses conjugacy classe... 8186 let randomized query complexity relation error... 12093 symmetric matrix robinsonian rows columns simu... 11353 present day aes one widely used secure encrypt... 3749 develop new class path transformations onedime... 10394 computational astrophysics comes pressure beco... 14968 study xxz spin systems general graphs particul... 8001 address general mathematical problem computing... 18989 modern biomedical research ubiquitous multiple... 10986 effective interaction itinerant spin degrees f... 11574 hylleraasbsplines basis set introduced paper u... 17460 extended kalman filter ekf guarantee consisten... 9079 recent years noticeable interest study shape d... 524 paper fundamental problem distribution proacti... 17612 saga fast incremental gradient method finite s... 9139 casual conversations involving multiple speake... 8450 revisit algebraic description shape invariance... 18860 fuel cells batteries thermochemical energy con... 19283 recent literature deep learning offers new too... 16504 illustristng project new suite cosmological ma... 122 first transiting planetesimal orbiting white d... 4366 piscine orthoreovirus strain prv causative age... 17902 study relationship ultraproduct crossed produc... 14556 develop tensor network technique solve univers... 2302 present visiononly model gaming ai uses late i... 7397 upstroke normal eye blink upper lid moves pain... 11609 largearea simcm films vertical heterostructure... 18220 context complexanalytic structure within unit ... 5820 ability cool atoms doppler limit minimum tempe... 9197 estimating cascade size nodes influence fundam... 11652 prove winding number pattern p winding number ... 13646 era big data reducing data dimensionality crit... 18186 numerically study behavior selfpropelled liqui... 8880 let regular matroid jacobian group rm jacm fin... 3055 patientspecific cranial implants important nec... 3566 increase network connectivity also resulted se... 48 following recent progress image classification... 10324 vehicletovehicle communications change driving... 501 batch codes first introduced ishai kushilevitz... 3185 gradient reconstruction key process spatial ac... 15116 new variation blockchain proof work algorithm ... 229 measure centrality point set multivariate data... 16004 pair recent papers andrews fraenkel sellers pr... 12193 paper present new algorithm parallel monte car... 2824 paper deals existence regularity positive solu... 8772 provide novel accelerated firstorder method ac... 969 interbank markets often characterised terms co... 3007 paper address problem electing committee among... 15450 statistical performance bounds reinforcement l... 12779 chondrules dominant bulk silicate constituent ... 17998 one kind skin cancer melanoma dangerous dermos... 4305 content analysis news stories whether manual a... 20513 consider abstract evolution equations onoff ti... 1074 paper brief review delay population models app... 10942 problem threeuser multipleaccess channel mac n... 16207 foveal vision makes less visual field peripher... 14483 investigate time evolution towards asymptotic ... 7653 gaussian process gp regression powerful interp... 7210 rational filter functions used improve converg... 12568 cospark matrix cardinality sparsest vector col... 2944 nowadays availability largescale data disparat... 13948 study problem learning onehiddenlayer neural n... 10910 style transfer methods achieved significant su... 11554 many statistical applications concern mathemat... 18164 paper introduce notions iterated planar lefsch... 8638 prove every set n points mathbbr spans onepsil... 10362 obtain first polynomialtime algorithm exact te... 4433 covalentorganic frameworks cofs intriguing pla... 17573 classification performances supervised machine... 16214 lobachevski entertained possibility multiple r... 4161 current trends nextgeneration exascale systems... 3117 programming computable functions pcf simplifie... 18455 rotational hyperfine spectrum xsigma rightarro... 6878 present complete optical transmission spectrum... 18191 listed among one hundred famous unsolved probl... 10260 simulate stresses induced temperature changes ... 11232 consider question accurately efficiently compu... 5322 paper considers optimal design input signals p... 16101 let p graph vertex v pbackslash v forest let q... 15153 signaltonoiseplusinterference ratio sinr outag... 2419 consider population n agents communicate decen... 19677 scaling clustering algorithms massive data set... 18051 number trees random forest rf algorithm superv... 13303 exact lower upper bounds best possible misclas... 7170 paper introduce concept singular finsler folia... 13059 improved understanding turbulence essential ef... 16358 gradient boosted decision trees popular machin... 18119 sas introduced type iii methods address diffic... 1017 direct experimental investigations lowenergy e... 16541 computational quantum technologies entering ne... 12469 deep convolutional networks become popular too... 8540 study properties entanglement twodimensional t... 7743 hyperspectral analysis gained popularity recen... 1928 consider josephson junction consisting superco... 19572 generating structured input files test program... 350 vortex method common numerical theoretical app... 20414 polynomial chaos expansions pce seen widesprea... 223 support vector machines svms important tool mo... 6030 paper presents estimator semiparametric models... 20316 optical properties multilayer system dielectri... 20279 hydrogen bonding nucleobases produces diverse ... 9179 propose method efficiently coupling finite ele... 19841 knowledge transfer tasks improve performance l... 2500 mechanisms underlying cardiac fibrillation inv... 19993 construct examples finite covers punctured sur... 3258 paper addresses boundary stabilization flexibl... 564 given collection data points nonnegative matri... 9774 study energy transport properties heterogeneou... 10367 important class realworld networks directed ed... 8089 much combinatorial optimisation problems const... 18310 inner surface superconducting cavities plays c... 19379 magnetic resonance imaging mri proposed compli... 3385 combining shannons cryptography model assumpti... 3933 paper introduces new probabilistic architectur... 7959 plants monitor surrounding environment control... 2707 infraredir astronomical databases namely iras ... 2790 years many different indexing techniques searc... 20619 paper introduce use personalized gaussian proc... 3446 mean motion commensurabilities multiplanet sys... 16486 propose novel design parallel manipulator stew... 3535 propose dtcwt scatternet convolutional neural ... 10920 compare following two sources poor coverage po... 16891 introduce perfect half space games goal player... 16571 given constant data density rho velocity ubf e... 11931 explore use evolution strategies es class blac... 20784 note investigate representation type cambrian ... 18596 boolean matrix factorisation aims decompose bi... 7525 establish correspondence riemann surface hyper... 821 let r twosided noetherian ring nilpotent rbimo... 10255 graph matching quadratic assignment problem la... 19411 past years futures market successfully develop... 8278 oxidation process simulated bundle metal tubes... 8273 framework statistical inference successfully u... 13611 earliest socalled class phase sunlike lowmass ... 17078 introduce problem variablelength source resolv... 20232 polymer model given terms beads interacting ho... 10889 learning encoding feature vectors terms overco... 9023 data augmentation usually used supervised lear... 12766 establish zeroone laws convergence laws monadi... 12018 propose novel diminishing learning rate scheme... 7645 unsupervised data generation tasks besides gen... 9589 study testing highdimensional covariance matri... 17414 game theory literature appears little research... 2833 prove upper bounds mean square remainder prime... 11238 prove characterization tquery quantum algorith... 10372 aim study investigate reason low productivity ... 7406 reproducing experiments important instrument v... 16233 paper determine optimal convergence rates stro... 20030 present term rewrite system formally models me... 13363 geometric phases well known noiseresilient qua... 8240 study inhomogeneous neumann boundary value pro... 11940 school bus planning usually divided routing sc... 13973 paper continuation ctcmf efficient algorithm c... 3932 paper propose finite element method solving el... 9979 market research generally performed surveying ... 14008 show problem deleting minimum number vertices ... 7768 machine learning models vulnerable adversarial... 18217 federated learning recent advance privacy prot... 4095 show fundamental groups compact orientable irr... 2689 paper propose new approach cwikel estimates eu... 1189 machine learning classifiers give predictions ... 9285 variable selection plays fundamental role high... 4845 paper analyzed parasitic coupling capacitance ... 5210 consider problem estimating mean noisy vector ... 3990 cooperation difficult proposition face darwini... 8060 construct examples modular rigid calabiyau thr... 10565 examine whether extended scenario twoscalarfie... 5676 notes constitute chapter lecole de physique de... 1574 describe latest results calculations flexpde c... 10950 changes capital structure global financial cri... 17128 present work analyzes distribution function fi... 6065 assuming three strongly compact cardinals cons... 2785 paper study learn stochastic multimodal transi... 16434 simulate rotating bec study melting vortex lat... 15074 convolutional neural networks cnns shown great... 15851 demonstrate presence chaos stochastic simulati... 14864 paper consider numerical approximations hydrod... 3880 contribution ions antiferromagnetism laxaexcuo... 17097 recommender systems play crucial role mitigati... 15952 generative modeling high dimensional data like... 14080 present new large samples galactic cepheids rr... 4934 probability functions figure prominently optim... 16219 graphs naturally sparse objects used study man... 20135 report close stellar companions detected highr... 11975 ultrasound diagnosis routinely used obstetrics... 7746 paper develops nonparametric rotation invarian... 16375 paper extend state art model predictive contro... 5235 paper bring anonymous variables imperative lan... 3945 volume contains final revised selection papers... 10121 general formalism introduced allow steady stat... 2164 give simple proof standard zerofree region tas... 2886 various sectors likely carry set emerging appl... 10109 present alma observations system young binary ... 8714 continue study problem modeling substitution p... 8708 present novel humanaware navigation approach r... 18565 last decade digital footprints used cluster po... 13856 review studies superintense laser interaction ... 5666 recently shown problem testing global convexit... 172 identify estimand missing data problems observ... 639 statistical behaviour smallest eigenvalue impo... 17624 let kf finite extension number fields degree n... 16111 alternating minimization heuristics seek solve... 19574 developed simple physical selfconsistent cloud... 15776 let sigmadelta quasi derivation ring r mr righ... 5065 numerical simulations artificial terms applied... 9335 note describe objects generalized geometry app... 1548 bilevel hierarchical clustering model commonly... 7435 state ramsey property classes ordered structur... 8684 dwarf stars masses less per cent sun make per ... 10932 gametheoretic risk management framework put fo... 10024 investigate level spacing distribution quantum... 1036 suppose data consist set points xj leq j leq j... 17590 many analysis machine learning tasks require a... 11878 influence superheat treatment microstructure d... 8919 examine nonlinear dynamical systems ordinary d... 19987 study junctions wilson lines refined sun chern... 12729 distributed algorithms often beset straggler e... 20123 revisit classical scenario communication theor... 8418 greek aperitif ouzo famous specific aniseflavo... 9026 modern biotechnologies produced vast amount hi... 2486 automated program repair apr attracted widespr... 9322 social media offer great communication opportu... 9582 designing logo new brand lengthy tedious backa... 16457 nand flash memory ubiquitous everyday life tod... 10713 paper studies numerical approximation solution... 12282 give survey results covering last years concer... 16586 optimized spatial partitioning algorithms corn... 20366 supervised learning based methods source local... 17115 topological superconductor tsc hosting majoran... 8257 article propose novel technique classification... 12467 binary sidelnikovlempelcohneastman sequences s... 17608 consider topic multivariate regression manifol... 17362 study weighted hinfty spaces analytic function... 2024 paper present new method determining optimal d... 1872 recurrent neural networks rnns used stateofthe... 354 investigate neural network learn perception ac... 5360 rural areas developing countries predominantly... 20961 present numerical evidence twodimensional surf... 16317 describe category integrable sln modules posit... 5904 two main families reinforcement learning algor... 12954 introduce unified disentanglement network ufdn... 1164 russell logical framework specification implem... 18923 identify organization human social group commu... 19679 study estimators generalized lasso penalties w... 3395 quantum anomalous hall qah phase novel topolog... 16409 work jointly address problem text detection re... 12760 recent publication proposed new methodology de... 16569 derive general statistical model interactions ... 3127 new strouhalreynolds number relationship stabr... 9694 similar real world data ubiquitous presence no... 8501 paper presents distributed model predictive co... 15332 prove following conjecture leighton moitra let... 9383 present transductive boltzmann machines tbms f... 17594 bin packing problems widely studied broad appl... 7160 semiparametric nonlinear regression model pres... 10563 estimating domain attraction da nonpolynomial ... 4354 graph games provide foundation modeling synthe... 17513 explore possibility discovering extreme voting... 17137 present experimental results controlled deexci... 14825 paper continuation arxiv present certain new a... 3587 gaussian processes popular flexible models spa... 13905 evidence accumulation models simple decisionma... 17621 paper introduce study motives rational homotop... 12564 consider wave equation boundary condition memo... 10962 paper extends conventional general framework o... 13004 problem paramount importance pure restricted i... 18907 study optimally doped bisrcaycuodelta bi using... 10185 demonstrate creation electroformingfree taox m... 18812 orientation effects resistivity copper grain b... 324 longterm load forecasting plays vital role uti... 7890 cholanaikkans diminishing tribe india populati... 5171 following text prove finite pgeq exists topolo... 5648 original imagenet dataset popular largescale b... 6743 american cities devote significant resources i... 7398 kmappability problem given string x length n i... 3209 paper proposes new algorithm gaussian process ... 11267 give new constructions two classes algebraic c... 12097 stochastic optimal control problem driven abst... 20044 instanton bundles mathbbp core research algebr... 16089 hohenbergkohn theorem plays fundamental role d... 15303 synthesis physical photocatalytic antibacteria... 4752 causal effect estimation observational data im... 8879 rgtsvm provides fast flexible support vector m... 11356 despite ubiquity daily lives ai starting make ... 2379 community analysis important way ascertain whe... 17557 due one representative contributions energy di... 16097 st century astrophysicists confronted herculea... 12361 obtain sufficient necessary condition finite g... 8021 pose graph optimization involves estimation se... 15640 lambdacalculus peculiar computational model wh... 6658 work devoted study first order operator xtmxt ... 19394 one perspective main theme research revolves a... 13727 propose estimation method conditional mode con... 8177 wildland fire dynamics complex turbulent dimen... 11620 objectivity often considered ideal scientific ... 7857 citehillmotegi present new general asymptotic ... 4421 paper presents new method medical diagnosis ne... 1101 internal states atoms manipulated using cohere... 17540 probabilistic modeling fundamental statistical... 14540 generative adversarial networks gan goodfellow... 8609 present generative framework generalized zeros... 8061 consider infinitebuffer singleserver queue int... 3250 machine learning extract information neural re... 12601 propose simple general variant standard repara... 12332 recently separated fragment sf firstorder logi... 3557 danish computer gier played vital role develop... 709 recently introduced composition operator creda... 118 paper considers actorcritic contextual bandit ... 10214 new definition continuoustime equilibrium cont... 4598 paper gives new flavor peter jagers coauthors ... 2042 recently developed bagofpaths framework consis... 7419 waist size cusp orientable hyperbolic manifold... 6130 conjecture lehmer proved true proof mainly rel... 16472 firstly derive dimension one new covariance in... 317 recent advances adversarial deep learning dl o... 19796 propose graph priority sampling gps new paradi... 5315 paper present family conjectural relations tau... 17821 new people united states diagnosed colorectal ... 13419 paper focus learning structureaware document r... 15455 let mathcala subhopf algebra mod steenrod alge... 6606 inference learning probabilistic generative ne... 12873 complete characterization spatial coherence di... 19948 paper studies optimal trading problem incorpor... 5003 present approach automate process discovering ... 6523 study ground state kitaevheisenberg kh model u... 9573 many physical problems involve spatial tempora... 14780 supervisory signals help topic models discover... 4273 hierarchical searches continuous gravitational... 5739 paper presents work developing parallel comput... 20061 experimental efforts detect redshifted cm sign... 5470 standard lstm recurrent neural networks powerf... 5816 quantum mechanics postulates measurement influ... 15894 paper examines behavior price anarchy function... 87 fundamental group pi kodaira fibration definit... 7630 let x g asymptotically hyperbolic manifold hat... 4163 report fabrication cm long cavity directly nan... 3382 social dilemmas regarded essence evolution gam... 10917 main goal study extract set brain networks mul... 13180 prove nonvanishing twisted central critical va... 403 describe design implementation extremely scala... 4911 chinese societies superstition paramount impor... 11542 advances remote sensing technologies made poss... 11422 ordered l feni phase tetrataenite recently con... 9365 superregular sr breathers nonlinear wave struc... 2765 problem construction ladder operators rational... 6378 propose use high brightness electron beam mev ... 2241 let g quasisimple algebraic group defined alge... 18652 paper new approach proposed automated software... 3483 simultaneous localization mapping slam problem... 14218 investigate extension monadic second order log... 3539 active galactic nuclei agn energetic astrophys... 6310 technological advancements field mobile device... 9219 purpose develop rapid imaging framework balanc... 10397 used brillouin light scattering spectroscopy i... 15677 deep convolutional neural network cnn inferenc... 5517 mlpack opensource c machine learning library e... 2436 paper propose novel method estimate characteri... 4689 ongoing debate literature whether present glob... 2594 study instability standing wave solutions nonl... 19931 say abelian group gamma order n memphzerosumpa... 9470 report development multichannel microscopy who... 15664 bitcoin cryptocurrencies surged popularity las... 6856 consider online nonparametric detection abrupt... 16776 role phase separation emergence superconductiv... 16908 diffusionbased classifiers relying personalize... 6654 fundamental purpose present research article i... 13349 let xi crown domain associated noncompact irre... 1425 paper analyze depth simplicial decomposition l... 5027 using lagrangian floer theory study tropical g... 5281 study performance limits solutions utility max... 1789 paper concerned qualitative properties bounded... 1502 study focuses formation two molecules astrobio... 11061 deep learning models consistently outperformed... 9799 worldwide web webpages connected source code s... 10667 photonics sensing long valued tolerance harsh ... 14815 bayesian inference models intractable partitio... 19484 paper use replica analysis determine investmen... 678 achieving goals title others relies cardinalit... 6673 current understanding critical outbreak condit... 5851 paper demonstrates use genetic algorithms evol... 7194 propose theoretical framework capture incremen... 10095 transitions multiple stable states nonlinear s... 13457 four years national aeronautics space administ... 15264 skeletonbased human action recognition attract... 12390 prove strongly pseudoconvex domain dsubsetmath... 5053 p stckel proved existence transcendental funct... 20575 review based lectures given th saasfee advance... 1850 many practical problems characterized preferen... 6522 erdh os unit distance conjecture plane says nu... 1070 present selective review statistical modeling ... 14573 deep neural networks achieve unprecedented per... 6784 hyperspectral imaging important tool remote se... 10672 consider dihedral cover f yto x x fourmanifold... 2772 recent results laca raeburn ramagge whittaker ... 3392 work offers design video surveillance system b... 1099 policy evaluation crucial step many reinforcem... 13676 undetected overfitting occur significant redun... 7378 intrinsic stochasticity induce highly nontrivi... 11034 rational projective plane mathbbqp simply conn... 1749 prove x x threefold terminal flip cxcxleq cxcx... 418 tidal streams disrupting dwarf galaxies orbiti... 16709 demonstrate technique obtaining density atomic... 5819 prove certain conditions function pair varphi ... 15986 dramatic increase data connectivity demand add... 10139 provide physical definition new homological in... 17972 social dilemmas mutual cooperation lead high p... 10491 current searches dark photon mass range gev re... 18980 learning graphical models data important probl... 16450 expository survey recent sumproduct results fi... 20758 consider task collaborative preference complet... 8400 neural networks generally built interleaving a... 14958 trying maximize adoption behavior population c... 19070 galactic orbits constructed long time interval... 11978 fundamental characteristic computer networks t... 14851 construct explicit projective bimodule resolut... 4893 paper address inverse problem statistical mach... 8720 paper propose novel methodology static analysi... 17500 paper using idea linearizing maximal operators... 8971 admittance two types josephson weak links calc... 722 let fxyaxbxycy binary quadratic form integer c... 5176 propose analyze variational wave function popu... 10153 existing brain network distances often based m... 1860 consider variation problem prediction expert a... 19375 paper consider nonlinear equations involving f... 1687 measuring quadratic values representative rand... 8498 revisit wellknown objectpool design pattern ja... 20019 spectrum first order sentence set alpha gn nal... 1992 magnetic trilayers large perpendicular magneti... 10524 study carrier transport magnetic properties gr... 16963 article deals connection second postulate eucl... 17102 allgoals updating exploits offpolicy nature ql... 15955 consider problem optimal budget allocation cro... 15355 new type quadrature developed gauss quadrature... 6117 extreme ultraviolet variability experiment eve... 3459 verify conjecture perelman states exists canon... 18055 paper consider threenode cooperative wireless ... 6567 motion electrons near solids liquids gases tra... 20658 exploiting wealth imaging nonimaging informati... 5670 network embedding methods aim learning lowdime... 9296 classic sparsitydriven problems fundamental l ... 15838 paper consider general matrix factorization mo... 2810 nextgeneration ax wlans make extensive use mul... 8949 paper propose multivariable lstm capable accur... 5492 paper study multiround influence maximization ... 15610 general thus popular model autonomous systems ... 12710 reliable consistently reproducible technique f... 19266 analyses randomised trials incomplete outcomes... 13330 people rely social media primary sources news ... 14881 study analytically numerically envelope solito... 574 present clusteringbased language model using w... 8449 exponential growth smartphone adoption contrib... 18770 give moment map interpretation relatively bala... 18276 transition metal oxide memristors resistive ra... 9232 lda method selfenergy correction powerful tool... 18808 paper present new dataset distracted driver po... 16836 article study automorphisms toeplitz subshifts... 3625 paper introduces two classes totally real quar... 18748 making right decision traffic challenging task... 18193 paper conducts secondorder variational analysi... 19938 present novel approach achieve adaptable band ... 8695 paper compute laplacian spectrum noncommuting ... 6354 surface energy magnetic domain wall dw strongl... 10514 paper focus applications machine learning opti... 13633 study synaptically coupled neuronal networks i... 19463 study evolution eccentricity inclination proto... 848 blocking objects blockages transmitter receive... 2248 paper prove characterization k inftysuper pere... 5616 problem automatically generating computer prog... 8564 current article explores interesting significa... 19899 mongekantorovich distances otherwise known was... 13509 provide thermodynamic analog braess roadnetwor... 20273 lowrank modeling many important applications c... 20004 deep neural network models proven successful i... 8118 obtain hlder regularity time derivative soluti... 5303 nonequilibrium theory optical conductivity dir... 4052 typical neural machine translationnmt decoder ... 12129 tensor factorization models offer effective ap... 10923 carbon nanotubes modeled point configurations ... 14723 paper continuation second authors previous wor... 19276 best known manifestation fermidirac statistics... 4076 implementing modal method electromagnetic grat... 997 article derive bayesian model learning sparse ... 4332 magnetic skyrmions topological spin structures... 12926 shown equiprobability hypothesis leads scenari... 9368 examine lagrangian techniques computing undera... 11586 needed ensure integrity systems process sensit... 551 propose novel endtoend neural network architec... 17442 paper study setting features added change inte... 18855 determine abundances neutroncapture elements s... 4372 explore polarization around controversial topi... 3497 games timing aim determine optimal defense str... 14649 present smooth distributed nonlinear control l... 14151 reinforcement learning ai commonly uses reward... 8032 work investigate surface thermophysical proper... 1407 consider wellknown facts syntax physics perspe... 16618 research implemented use arduino uno r microco... 19286 paper presents motion planner systems subject ... 18535 designing new drug lengthy expensive process s... 14021 bigdatalog extension datalog achieves performa... 14440 undirected weighted graph gvew n vertices edge... 1812 propose introduce concept exceptional points i... 11780 deep neural networks known difficult train due... 16831 show whenever delta eta real constants lambdai... 19756 present new model redshiftspace power spectrum... 693 disentangle individual degrees freedom quantum... 10725 consider numerical approach incompressible sur... 5011 let x separable banach function space unit cir... 3443 paper cluster classical music pieces collected... 9174 problem population recovery refers estimating ... 11501 introduce gradient flow formulation linear bol... 4175 human attribute analysis challenging task fiel... 4222 paper concerned existence least energy solutio... 8283 paper first introduce new kinds weighted amalg... 13844 secretary problem classic model online decisio... 10458 paper investigate parametric knapsack problem ... 17802 wind farms wake interaction leads losses power... 13382 prove gaussbonnet formula xg sumx kx kxdimx xs... 16757 recalculate leading relativistic corrections g... 20290 propose reinforcement learning rl based closed... 261 common problem largescale data analysis approx... 20246 migration main process shaping patterns human ... 11529 velocity anisotropy parameter beta measure kin... 5497 avalanche photodiodes apds practical option sp... 3875 concerned unbounded sets mathbbrn whose bounda... 4016 network studies rely observed network differs ... 3626 present elementary foundational results concer... 19810 context planet formation pebbles proposed solv... 445 investigate spin structure uniaxial chiral mag... 6752 one major drawbacks modularized taskcompletion... 5111 machine learning essentially sciences playing ... 3555 analyze new farultraviolet spectra quasars z c... 10386 unmanned aircraft decreased cost required coll... 13886 theory proposed basic elements reality assumed... 7338 recent years supervised learning using convolu... 13989 nonnegative matrix factorization basic tool de... 3367 prove rungetype theorems universality results ... 17143 gyrokinetic reduction based specific ordering ... 11059 recent years quantum phenomena experimentally ... 2526 composition lattice join transitive closure un... 17233 optimization becoming crucial element industri... 14965 learning rich diverse representations critical... 17325 characterization uncertainty robotic manipulat... 1168 present results search faint galaxies near end... 4144 existing methods arterial blood pressure bp es... 7892 using high energy electron beam imaging high d... 17918 present largefield times deg mapping observati... 8276 synchronous computation models simplify design... 3149 prior works tallinn manual international law a... 16289 diverse fault types fast reclosures complicate... 880 butlerportugal algorithm obtaining canonical f... 6747 paper present result similar shiftcoupling res... 9408 bacterial dna gyrase introduces negative super... 7572 brazilian ministry health selected openehr mod... 20524 identify describe main dynamic regimes occurri... 13439 paper study non strictly systems conservation ... 1467 software startups face multiple technical busi... 8154 extend idea conformal attractors inflation non... 17968 based agile transformation cases years article... 13833 reinforcement learning powerful paradigm learn... 6537 music highlights valuable contents music servi... 12153 existing works extracting navigation objects w... 452 markerbased markerless optical skeletal motion... 12518 visual question answering vqa received lot att... 19409 process control systems pcss operating core cr... 13608 paper deal robust stackelberg strategy naviers... 4137 selfadaptive system sas capable adjusting beha... 3039 simulation systems become essential component ... 15832 article characterize possible cases may occur ... 4150 paper provides sufficient conditions existence... 15184 stateoftheart static analysis tools verifying ... 14017 learning representation relative similarity co... 14923 policy said robust maximizes reward considerin... 17409 short message service sms spam serious problem... 579 twodimensional bidisperse granular fluid shown... 18667 infants experts playing amazing ability genera... 6571 modeling spatial overdispersion requires point... 12024 due accuracy generality monte carlo radiative ... 7467 work prove existence result optimal partition ... 20330 algorithms increasingly inform influence decis... 15928 paper propose novel generative models creating... 13779 space telescope optical reverberation mapping ... 867 networks vertically coriented prism shaped inn... 17357 compute physical properties across phase diagr... 4157 paper introduces new effective algorithm learn... 6349 secrecy distributedstorage system passwords st... 17687 review discuss channel simulation used simplif... 17970 hess j unidentified hard spectrum source disco... 402 swarm systems constitute challenging problem r... 4428 begin discussion summarizing methodology propo... 10276 robotic systems working together team becoming... 3057 paper give account dans reduction method reduc... 10190 recent years witnessed growing demands resolvi... 7060 give elementary combinatorial proof basss dete... 164 ensemble data assimilation methods ensemble ka... 17224 consider truncated circular unitary matrix pn ... 10390 transfer learning popular practice deep neural... 12494 meshfree solution schemes incompressible navie... 11347 bubbly flows present bubble column reactors si... 12212 study causal waveform estimation tracking time... 3317 data driven activism attempts collect analyze ... 12118 black hole xray transients show variety state ... 7865 nonlinear modal decoupling nmd recently propos... 15932 gaussian graphical models used determining con... 12126 algorithms lattice fermions package provides g... 6851 show standard perturbative ie cubic descriptio... 1847 assuming conjecture factorization homology adj... 18698 study classes borel subsets real line mathbbr ... 1334 supervisory control synthesis encounters compu... 8779 neuronal correlates parkinsons disease pd incl... 19747 replicator equation one fundamental tools stud... 17458 find evidence strong thermal inversion dayside... 8945 aims present new iram plateau de bure interfer... 11256 optical nearinfrared photometry optical spectr... 19583 significant parts cultural heritage produced w... 6997 role asymptomatically infected individuals pla... 706 generative adversarial networks gans intuitive... 3491 deterministic optimization line searches stand... 4573 present solution scale spectral algorithms lea... 13247 magnetic resonant coupling mrc enabled multipl... 17440 investigate use ghz ho masers characterization... 7706 spherical symmetry radial coordinate r classic... 7054 paper studies remote state estimation denialof... 5580 operational semantics enormously successful la... 14233 gaussian random fields grf fundamental stochas... 3151 motivated recent advance machine learning usin... 6617 design optimization engineering systems multip... 4784 modern learning algorithms excel producing acc... 11991 repulsive fermi hubbard model square lattice r... 4022 lot scientific works published different areas... 15980 knowledge graphs versatile framework encode ri... 9266 investigate role tachysterol photophysicalchem... 2607 discrete modeling approach hybrid control syst... 17523 study numerically bloch electron wavepacket dy... 11630 study twoplayer inclusion games played wordgen... 9118 paper set forth ocean model radioactive trace ... 11502 present constraints masses active sterile neut... 9182 paper describes efficient algorithm computing ... 2429 paper proposes deep convolutional neural netwo... 246 identify components bioinspired artificial cam... 3815 robust fast motion estimation mapping key prer... 15128 paper computing constrained approximate nash e... 18807 handcrafted features extracted dynamic contras... 9089 discovered formal analogy nevanlinna theory di... 2262 dependency parses effective way inject linguis... 10438 well known store language every pushdown autom... 835 goal survey article explain elucidate affine s... 13256 present paper new algorithm urban traffic ligh... 8624 show duality relation sum multiple zeta values... 11395 present study proposes litstoryteller interact... 1173 ability continuously learn adapt limited exper... 19235 propose efficient metaalgorithm bayesian estim... 6437 perform postprocessing radiative feedback anal... 16972 best knowledge paper presents first largescale... 12848 one challenges information retrieval providing... 19839 dissipation smallscale perturbations early uni... 8102 formulate optimization problem control large n... 5289 purpose article investigate relations wsuperal... 20516 introduce notion z r gmixed cage z r gmixed ca... 8098 performed realistic atomistic simulations fini... 4951 using stochastic gradient search optimal filte... 250 study decomposition multivariate hankel matrix... 16759 people simultaneously belong several distinct ... 7952 following success type ia supernovae constrain... 20767 accurate model patientspecific kidney graft su... 7334 interpolation jointly infeasible predicates pl... 2793 goldstone modes massless particles resulting s... 14602 introduce novel approach perform firstorder op... 14653 autoencoding generative adversarial networks g... 7795 linear complementarydual lcd short codes linea... 19421 using results lorentzian kacmoody algebras ari... 3407 present new method called analysisofmarginalta... 20839 precipitation hardening relies high density in... 11291 information extraction ie text largely focused... 19346 recent successes word embedding document embed... 8625 statistical pattern recognition methods provid... 15853 work proposes study quality service qos cognit... 7422 consider two polytopes quadratic assignment po... 8963 paper studies complexity solving two classes n... 1997 traveling fronts describe transition two alter... 4200 realworld machine learning applications often ... 16919 unsupervised node embedding methods eg deepwal... 17585 key advance learning generative models use amo... 18717 derivation generating function gaudin hamilton... 11326 traffic forecasting particularly challenging a... 5629 singleparticle reconstruction spr cryoelectron... 4002 wide variety phenomena engineering scientific ... 15687 unbiased estimator ellipticity object noisy im... 4753 show poset slnorbit closures product two parti... 19949 explore relationship features planck temperatu... 17212 study least squares regression function estima... 16050 decisionmakers faced challenge estimating like... 4196 study generation magnetic fields inflation mak... 9635 statistical tts systems directly predict speec... 3681 paper deals establishment inputtostate stabili... 3019 understanding ideas relate fundamental questio... 4310 paper proposes computerbased recursion algorit... 7448 multiband systems ironbased superconductors su... 13091 give sufficient conditions nonnegative inverse... 14664 use functional brain imaging research diagnosi... 15194 penaltybased variable selection methods powerf... 3985 investigate use optimization compute bounds ex... 10243 temperate climates mortality seasonal winterdo... 9205 calculate scrambling rate lambdal butterfly ve... 19775 knowledge graph structure web important unders... 2569 million scholarly articles published constitut... 4402 study differences equivalences nonperturbative... 4277 nearby exoplanet proxima centauri b prime futu... 3666 lowrank modeling plays pivotal role signal pro... 8412 paper consider soft measure block sparsity kal... 20880 layered cuprate bicuo investigated using magne... 2446 highdoserate brachytherapy tumor treatment met... 6821 variational problem comes boundary conditions ... 14395 polarization exchange effect twistednematic fa... 6520 let us given two graphs gamma gamma n vertices... 19279 construct doublewell potential schrdinger equa... 17830 shown using similarity transformations set thr... 18425 paper proposed nonuniform power delivery netwo... 8959 study signs fourier coefficients newform let f... 3172 latent tree models graphical models defined tr... 1223 propose mapaided vehicle localization method g... 15209 derive asymptotic formulas solution derivative... 12358 report thermodynamic magnetization muon spin r... 544 researchers often interested analyzing conditi... 1204 modeling agent behavior central understanding ... 14838 samples two characteristic semiconductor senso... 8613 propose experimentally demonstrate enhancement... 9257 quasicyclic qc lowdensity paritycheck ldpc cod... 7242 understanding influence product crucially impo... 2637 dynamic neural network toolkits pytorch dynet ... 8761 concepts sketching subsampling recently receiv... 14834 supersymmetry plays important role superstring... 1388 paper boundary regularity pharmonic functions ... 19006 motivated understanding majorana zero modes to... 19644 report first detection sodium absorption atmos... 877 reconsider classic problem estimating accurate... 10721 instrumental variable analysis widely used met... 8388 well known multivariate rogersszeg polynomials... 98 bound exponential sum appears study irregulari... 11575 revival south equatorial belt seb organised di... 4379 great interest realizing quantum simulators ch... 11957 microrobots potential impact many areas micros... 2803 study systematically investigate impact class ... 11189 paper proves irreducible subfactor planar alge... 3908 study fielddriven magnetic domain wall dynamic... 10763 demonstrate usefulness adding delay infinite g... 7688 theoretically propose weyl semimetals may exhi... 15365 program schema defines class programs identica... 6496 fractional stochastic volatility models widely... 19538 stability instability synchronization importan... 8447 aim thesis find solution nonparametric indepen... 20546 study variational ginzburglandau type model de... 17782 present scheme deterministically prepare noncl... 8075 todays highperformance computing hpc systems h... 13161 consider time series measurements state evolvi... 6964 automatic meshbased shape generation great int... 6479 study question presence kohn points yielding l... 4711 increasing uptake distributed energy resources... 18089 bayesian neural networks bnns recently receive... 14386 every constraint programming cp solver exposes... 12476 sequel earlier papers three authors obtain new... 989 highenergy nonthermal universe dominated power... 19902 domain adaptation actively researched recent y... 2682 paper study fractional poisson process fpp tim... 15631 one puzzling features hightemperature cuprate ... 2508 paper argue adoption normative definition fair... 14701 rapid progress significant successes wide spec... 9702 paper consider multivariate hawkes processes b... 4314 two popular classes methods approximate infere... 16689 current generation radio millimeter telescopes... 20510 progress made understanding spontaneous toroid... 5356 paper proposes new concurrent heap algorithm b... 6639 generative adversarial networks gans class dee... 5972 part public evaluation challenge detection cla... 9436 kimura yoshida treated model finite variation ... 3734 solution path fused lasso ndimensional input p... 15966 revealed preference theory studies possibility... 11196 player selection one important tasks sport cri... 12313 statistical relational models recently probabi... 7787 consider double layered prestrained elastic ro... 19430 skorobogatov constructed bielliptic surface co... 13187 examine gradient descent unregularized logisti... 19665 let q prime power estimate number tuples degre... 10949 mev acceleratordriven subcritical system ads i... 1876 theoretically study scheme develop atomic base... 19088 using firstprinciples monte carlo methods syst... 5262 timedependent generator coordinate method tdgc... 8446 generalize notion selfsimilar groups infinite ... 15971 short circuit ratio scr widely applied analyze... 12703 developed automated deep learning system detec... 11163 understanding excited carrier dynamics semicon... 5159 advances image processing computer vision late... 19098 persons weight status profound implications li... 16525 global modelspriors example using wavelet fram... 759 using panama papers show beginning media repor... 5481 paper consider divergence parabolic equation b... 654 turbulent rayleightaylor system rotating refer... 18498 background played important role xray missions... 5812 paper deal multiplicity concentration positive... 5288 note analyze classification problem compact me... 2892 paper presents graph fourier transform gft sig... 19634 present atacama large millimeter submillimeter... 5636 market rough markovian meanreverting stochasti... 9612 report experimental numerical demonstration di... 3044 correct classification breast cancer subtypes ... 19141 biology several questions translate combinator... 10783 propose efficient method generate whitebox adv... 8520 observe electricdipole forbidden srightarrows ... 17360 analyzing arraybased computations determine da... 8445 let n nonnull positive integer dn number posit... 17188 prove h topological group closed subgroups h s... 7318 present new parallel corpus jhu fluencyextende... 6159 fixing bugs important phase software developme... 13515 study stochastic control approach managed futu... 15609 independent component analysis ica cornerstone... 12569 neural networks based vocoders typically waven... 6022 recent discovery gravitational waves ligovirgo... 5092 present deep graph infomax dgi general approac... 13569 victory ie underlinevienna underlinecomputatio... 11211 quasinormal modes qnm ringdown phase gravitati... 11221 study networks firms leontief production funct... 19112 coreperiphery networks structures present set ... 19713 boundedness properties function spaces conside... 16777 primordial black holes pbhs long suggested can... 1131 introduce inversefacenet deep convolutional in... 11210 r version patched issue random sampling functi... 11137 study complexity geometric problems spaces low... 3659 codrep machine learning competition source cod... 3326 holy grail deep learning come automatic method... 9465 integration largescale renewable generation ma... 19093 galaxy clusters thought grow accreting mass la... 2663 describe global embeddings fractional branes o... 20107 next investigations program transition atom co... 5378 four types explicit estimators proposed estima... 10012 concentration biochemical oxygen demand bod st... 9554 study static spherically symmetric black hole ... 15110 introduce concept floquet topological magnons ... 5533 network local disturbance propagate eventually... 11673 dark matter search project means ultra high pu... 4 fouriertransform infrared ftir spectra samples... 4152 present simple apparatus femtosecond laser ind... 15947 degenerate autonomous kirchhoff equation set m... 1927 paper first discuss relation vbcourant algebro... 16799 largescale gaussian process inference long fac... 14132 machine learning data analysis finds scientifi... 14618 machine learningguided protein engineering new... 16588 basic goal complexity theory understand commun... 10379 noncritical softfaults model deviations challe... 2880 present deep generalized canonical correlation... 5839 physical adaptive quantumenhanced metrology sc... 3381 let fn denote nth term fibonacci sequence pape... 13562 known every graph g exists smallest helly grap... 9494 biological plastic neural networks systems ext... 15854 introduce notion kideals associated kuratowski... 4957 chapter present literature survey emerging cut... 13028 paper aims decrease time complexity multioutpu... 17741 highly principled data science insists methodo... 18676 proxies regulatory reforms based categorical v... 11305 study pumping lemma wordtree languages generat... 5720 riemannian gstructure compute divergence vecto... 18794 autonomous driving electric vehicles nowadays ... 4620 hivaids spread depends upon complex patterns i... 942 torsion complexity finite edgeweighted graph d... 19924 machine learning algorithms applied sensitive ... 3235 quantify uncertainties location magnitude extr... 3257 relatively little attention incorporating ling... 18286 mixtures mallows models popular generative mod... 20615 number articles deal bohrs phenomenon whereas ... 8368 demand response aims stimulate electricity con... 8627 obtain estimates mean squared error mse multit... 14496 companies increase efforts retaining customers... 308 consider continuoustime markov chains display ... 1565 amyloid precursor amino acids dimerizes aggreg... 12156 optimization highdimensional blackbox function... 6727 lhc run alice increase data taking rate signif... 2135 nonparametric fuel consumption model developed... 17494 examine meaning complexity probabilistic logic... 10861 underwater machine vision attracted significan... 19709 paper extend theory two weight ap bump conditi... 20544 despite recent advances memoryaugmented deep n... 15570 paper investigate power law pagerank component... 13169 paper develops compares two motion planning al... 15606 consider orthogonal decompositions invariant s... 3874 article explores geometric algebra minkowski s... 18369 haptic feedback essential acquire immersive ex... 7393 automl serves bridge varying levels expertise ... 2276 positive impacts platooning travel time reliab... 7072 recent surge interest uavs civilian services i... 12817 construction ambiguity set robust optimization... 16718 computers increasingly used make decisions sig... 13524 paper present detailed computational study ele... 18411 wellknown every nonnegative univariate real po... 16115 challenge isogeometric analysis constructing a... 19795 dual control problem presented optimal stochas... 2623 work present novel astrid method investigating... 5918 defects gapped boundaries provide possible phy... 12764 consider piecewise deterministic markov decisi... 8534 study learning problems involving arbitrary cl... 20102 consider system nonlinear partial differential... 231 many applications involving large dataset onli... 8371 audeep python toolkit deep unsupervised repres... 14526 robust stable marriage rsm variant classical s... 737 fq finite field q elements investigate followi... 2838 report measurements de haasvan alphen effect l... 15293 use programming languages wax wane across deca... 8216 paper construct green function classical orrso... 16945 effects including hubbard onsite coulombic cor... 14057 present temperature dependent inelastic neutro... 14249 study means densitymatrix renormalization grou... 20763 spectral clustering singular value decompositi... 15798 paper prove gradient ideal morse polynomial ra... 8301 neuronal network dynamics depends network stru... 5705 forefront nanochemistry exists research endeav... 15302 interpreting smallscale clustering galaxies ha... 9513 resilience complex interconnected system conce... 5935 recent character phonemebased parametric tts s... 10187 paper propose new loss function called general... 6495 concepts gross domestic product gdp gdp per ca... 755 asynchronous distributed machine learning solu... 19257 study problem learning rank multiple sources t... 20353 provide criteria cyclotomic quiver hecke algeb... 8119 based third allotropic form carbon fullerenes ... 15123 paper establish squarefunction estimates doubl... 8992 start recently conjectured bosonization dualit... 18285 propose direct estimation method rnyi fdiverge... 17398 applied machine learning predict whether gene ... 13693 study diffusion properties inertial brownian m... 6200 resonance energy transfer ret inherently aniso... 16791 regularization one crucial ingredients deep le... 69 paper interested class nary operations arbitra... 5367 lead halide perovskite solar cells recently em... 8084 autonomous control systems onboard planetary r... 5682 recent progress applying machine learning jet ... 20131 inverse problem determining unknown potential ... 20930 consider inverse problem recovering unknown fu... 13362 study algebraic analytic structure feynman int... 1680 everincreasing productivity targets mining ope... 7557 describe method reconstructing air showers ind... 8569 paper presents preliminary results work major ... 9661 using image context effective approach improvi... 5961 differencetosum power ratio proposed used supp... 2603 nowadays quite evident knowledgebased society ... 19217 paper present comprehensive view prominent cau... 13867 consider space x singular locus zsingx positiv... 7868 twotimescale stochastic approximation sa algor... 15911 despite vast morphological diversity many inve... 5413 consider use deep learning methods modeling co... 13733 great concern produce numerically efficient me... 12697 paper discuss machine learning could used prod... 17116 consider henselian rank one valued field k equ... 12422 representing word cooccurrences words context ... 16263 study multiarmed bandit mab problem agent rece... 19615 paper sharpen earlier work first author luca m... 11283 spatially resolving immediate surroundings you... 10918 combinatorial filters subject increasing inter... 8669 anyons exotic quasiparticles fractional charge... 20277 explore notion quantum auxiliary linear proble... 2283 paper propose analyze finite element method ha... 3732 ages masses young stars often estimated compar... 9045 consider problem optimally designing body wire... 20913 purpose provide fast computational method base... 14065 introduce orbital graphs discuss basic propert... 16073 paper considers novel framework detect communi... 8943 principle material frame indifference shown in... 20382 big finegrained enterprise registration data i... 15668 performancecritical machine learning models ro... 20706 work decay estimates derived solutions linear ... 17641 paper presents thorough evaluation several wid... 6620 prove exist nonlinear binary cyclic codes atta... 19448 investigate effects social interactions task a... 5127 previous work shown onedimensional inviscid co... 9327 one central notions emerge study persistent ho... 17399 paper investigates algorithmic dimension spect... 12756 present clustering comparison galaxy formation... 1545 architecture community reasonable simulation t... 739 study ultimate bounds estimation temperature i... 11572 trigram love expected followed positive words ... 10875 granular gases dilute ensembles particles rand... 1674 let k nonperfect separably closed field let g ... 2567 step expert taxa recognition currently slows r... 13313 purpose work introduce general class cgsimulat... 6984 threeway data conveniently modelled using matr... 6795 paper establish baseline object symmetry detec... 11134 quasirelativistic twocomponent approach effici... 3518 paper give negative answer problem presented b... 14635 paper discuss stability properties convolution... 10546 according wienerhopf factorization characteris... 4732 consider kitaev chain model finite infinite ra... 12679 central problem understanding brain mind neura... 773 apply method combines tightbinding approximati... 865 paper propose new method speaker diarization e... 8521 paper propose integrated framework autonomous ... 5200 paper present lossbased approach change point ... 18719 paper consider network agents monitoring spati... 641 study nearinfrared properties mira candidates ... 18 investigators seek estimate causal effects oft... 15425 concentration inequalities form essential tool... 11089 consider connect set disjoint networks optimiz... 3203 paper study problem discovering timeline event... 7288 article proved existence similarity solutions ... 12501 given holomorphic principal bundle q longright... 5204 use weighted variant frequency functions intro... 14441 readout chips hybrid pixel detectors use low p... 9057 counting formulae general primary fields free ... 13708 let g finite solvable symmetric group let b bl... 11177 simulationbased image quality metrics adapted ... 20535 last decade remarkable neutrino physics partic... 16778 consider highdimensional inference problem sig... 6923 given graphical model one essential problem ma... 3840 paper deep domain adaptation based method vide... 17713 field biomedical imaging undergone rapid growt... 11998 important yet challenging problem understandin... 11197 probabilistic modeling enables combining domai... 9154 motivated multihop communication unreliable wi... 13968 sharing economy se growing ecosystem focusing ... 19402 grigni hungcitegh conjectured hminorfree graph... 12921 paper devoted uniqueness problem power meromor... 6665 clusters galaxies gravitationally lens cosmic ... 3240 fundamental goal network neuroscience understa... 19686 algorithms working linear algebraic groups oft... 3309 advent public access small gatebased quantum p... 10358 neuromorphic hardware tends pose limits connec... 363 advocate use curated comprehensive benchmark s... 14117 article dedicated late giorgio israel rsum aim... 3723 investigate problem truth discovery based opin... 11017 examine asymptotics spectral counting function... 15695 data stream mining problem caused widely conce... 7670 problem gas detection relevant many realworld ... 11789 undertake systematic comparison implied volati... 4726 analyze statistics shortest fastest paths road... 8738 physical unclonable function puf analogous hum... 2940 success deep learning numerous application dom... 471 despite numerous studies exact nature order pa... 1641 note proposes simple general framework dynamic... 19717 paper introduce modified version gaussian stan... 18891 paper concerned minimization fourthorder linea... 19157 future application automated vehicles public t... 17431 two fundamental prototypes greedy optimization... 1172 cassava third largest source carbohydrates hum... 4500 recently increasing interest research interpre... 13465 vector field called beltrami vector field btim... 6085 present sound automated approach synthesize sa... 14428 work part iclr reproducibility challenge try r... 9602 volume contains proceedings fourteenth interna... 19497 consider numerical schemes root finding noisy ... 1032 report experimental realization statedependent... 3364 meaningful climate predictions must accompanie... 18796 show solutions obtained paper exact solution a... 16820 present deep illumination novel machine learni... 12665 stress applied flat face apex prismatic piezoe... 1410 study demand response problem utility also ref... 12479 mathbbz topological phase quantum dimer model ... 142 introduce large class random young diagrams re... 6666 present theory seebeck effect nanoscale ferrom... 11332 mean growth rate state vector evaluated genera... 8634 recent experiments revealed striking asymmetry... 17987 paper present libdirectional matlab library di... 815 data analytics data science play significant r... 6500 neural speech synthesis models recently demons... 7322 software processes improvement spi challenging... 2131 vslam visual simultaneous localization mapping... 1797 important problem training deep networks high ... 7727 propose novel approach using unsupervised boos... 4575 compressing convolutional neural networks cnns... 5190 important goal common domain adaptation causal... 8167 consider problem diagnostic pattern recognitio... 3122 nmda receptors nmdar typically contribute exci... 14045 uv absorption studies fuse observed h molecula... 5365 complex projective structure sigma surface thu... 12410 paper continues research started citelw framew... 4275 online systems based machine learning offered ... 523 drivable free space information vital autonomo... 3089 lasso elastic net linear regression models imp... 16444 advances unsupervised learning enable reconstr... 11619 paper introduces new free library python progr... 20956 ambiguities definition stored energy within di... 1996 many brown dwarfs exhibit photometric variabil... 5253 central theme classical algorithms reconstruct... 18945 random differential equations provide natural ... 1532 interesting proofs mathematics contain inducti... 11819 single star systems like solar system comets d... 15164 let vvv triple even dimensional vector spaces ... 11602 mobile phones identification built components ... 2831 continually increasing number documents produc... 8269 spatially dependent parameters twocomponent ch... 9727 scaling regression large datasets common probl... 7489 transform methods like laplace fourier frequen... 12071 report la cu nmr investigation successive char... 13494 arithmetic matroid weakly multiplicative multi... 15339 generalise notion separating intersection link... 18379 statistical model assuming preferential attach... 15285 construction anisotropic triangulations desira... 1299 rotating radio transients rrats loosely define... 6273 present study investigate solutions fractional... 5499 mmo arxiv reworked generalized equivariant inf... 6447 seminal paper n page phys rev lett page proved... 3276 empirical scoring functions based either molec... 9294 princess kaguya heroine famous folk tale every... 6230 propose method learning markov network structu... 1480 reexamine notion stress peridynamics based ide... 19227 propose general yet simple theorem describing ... 1601 main task oil gas exploration gain understandi... 10151 consider dirichlet laplacian straight three di... 5091 paper introduce durrmeyer type modification me... 7067 analyze sample complexity thresholding bandit ... 17653 important task many scientific domains efficie... 10987 human collaborators coordinate effectively act... 18541 express coefficients hirzebruch lpolynomials t... 19702 linear inverse problem gaussian random noise s... 15691 acquisition labeled training samples affective... 3661 recently significant interest hard attention m... 6048 present first approach pointcloud image transl... 8747 novel frequency domain training sequence corre... 4825 high luminosity lhc hllhc integrate times lumi... 9355 dirac equation requires treatment step potenti... 5680 tensor decompositions canonical format tensor ... 11549 volunteer computing vc distributed computing p... 12907 describe dynamical symmetry breaking system ma... 397 generalise wellknown graph parameters operator... 1537 druryarveson space consider subspace functions... 2506 present microscopic theory raman scattering tw... 20898 existing shape estimation methods deformable o... 15987 techniques known nonlinear set membership pred... 17049 bboundary mathematical tool used attach topolo... 5555 cognition depend bottomup sensor feature abstr... 3010 much attention given literature effects astrop... 17394 many realworld data mining applications need v... 723 numerical availability statistical inference m... 300 one popular approaches lowrank tensor completi... 3192 report chandra xray observations optical weakl... 18664 partial differential equations central describ... 7328 powerful tool asynchronous event sequence anal... 12486 optical music recognition omr important techno... 14735 experiments simulations established dynamics c... 4185 deep narrowband hst imaging iconic spiral gala... 2713 present nearinfrared direct imaging search acc... 9549 hybrid unmanned aircraft combine hover capabil... 11496 lineage tracing joint segmentation tracking li... 11334 machine learning ml deep learning dl models ac... 13647 well known neural networks rectified linear un... 19912 prove hilbert scheme points smooth threefold i... 18185 painleveiv equation three families rational so... 19992 malware constantly adapting order avoid detect... 13147 examine problem searching sequentially desired... 4582 structural coefficient restitution describes k... 20009 present kepler object interest koi catalog tra... 7367 consider fundamental open problem parametric b... 10681 argued based results numerical modelling exper... 143 explicitly compute critical exponents associat... 2511 investigation social influence dynamics requir... 20013 bandit structured prediction describes stochas... 7433 paper presents design experimental evaluations... 19032 thermal effects already important currently op... 9344 graphene zerobandgap twodimensional semiconduc... 14141 common approach analyzing categorical correlat... 6965 sunyaevzeldovich sz effect powerful probe evol... 1212 object present paper study types ricci pseudos... 12695 brillouin processes couple light sound optomec... 7055 semantic understanding localization fundamenta... 14764 mahlmann schindelhauer defined markov chain ca... 2349 collection arbitrarilyshaped solid objects mov... 9261 study geometry finsler submanifolds using pull... 14086 advent microcontrollers enough cpu power analo... 17942 investigate extent mobile use patterns predict... 16239 discovery topological states matter profoundly... 18131 introduce new probabilistic approach quantify ... 5427 high pressure provoke spin transitions transit... 16688 signal recorded enclosed room typically gets a... 3426 disk migration higheccentricity migration two ... 8857 numerous geological observations evidence inel... 12854 understanding information processing brain req... 7216 paper studies optimal timebounded control mult... 5994 study problem detecting change points cps char... 8834 paper proposes novel nonoscillatory pattern no... 11070 conditional generative adversarial networks cg... 3767 associating image regions text queries recentl... 4272 flexible estimation heterogeneous treatment ef... 20640 inference tails performed applying results ext... 14315 study blackbox attacks machine learning classi... 17973 casimir free energy dielectric films freestand... 786 research propose deep learning based approach ... 11049 propose contextualbandit approach demand side ... 14304 let k algebraically closed field characteristi... 20952 key idea variational autoencoders vaes resembl... 16684 apply method nonlinear steepest descent comput... 16080 surfacefunctionalized nanomaterials act theran... 6481 using shallow water model timedependent forcin... 12379 research data alliance international organizat... 7853 propose three properties related stationary po... 19767 motivated recent progress analog computing sci... 17437 give necessary sufficient conditions manifold ... 13016 similarity search essential many important app... 14259 study minus order algebra bounded linear opera... 2905 synchronization occurs nonchaotic chaotic syst... 4626 study effect different feedback prescriptions ... 15250 transformer lifetime assessments plays vital r... 996 paper consider graph model message passing pro... 18413 numerous embedding models recently explored in... 154 let fldotsfk mathbbn rightarrow mathbbc multip... 7246 propose practical method l norm regularization... 11468 persistent currents bose condensates scalar or... 14600 subordinate diffusions constructed time changi... 6250 present properties advantages new magnetooptic... 16413 paradigm shift shallow classifiers handcrafted... 8055 paper addresses problem multiview people occup... 20499 strongly interacting manybody systems consisti... 5523 investigate transport properties pristine zigz... 17463 first time intermodulation distortion microele... 7505 practical impact abstractionbased controller s... 14467 information spreading models consider individu... 8926 report versatile highly controllable hybrid co... 156 previous papers threshold probabilities proper... 3504 minimal constructed language conlang useful ex... 3085 role portfolio construction implementation equ... 18162 develop variant multiclass logistic regression... 1552 bangla handwriting recognition becoming import... 13393 era big highdimensional data readily available... 15809 perform ultrasound velocity measurements singl... 2148 theoretically address spin chain analogs kitae... 11987 electron density highly crystalline thin films... 495 schoofs classic algorithm allows pointcounting... 18079 address unsupervised optical flow estimation e... 2321 paper generally formulate dynamics prediction ... 912 paper introduce simple yet powerful pipeline m... 17784 recent years attack leverages register informa... 8777 present gofmm geometryoblivious fmm novel meth... 151 rework generalize equivariant infinite loop sp... 15837 paper propose dynamical systems perspective ex... 20728 let x connected open riemann surface let oka d... 17588 work study multiagent coordination problem age... 1364 paper proposes datadriven approach means artif... 1738 propose dc proximal newton algorithm solving n... 3001 global historical climatology networkdaily dat... 12455 industrial control systems devices programmabl... 9309 object transfiguration replaces object image a... 16529 internet things iot promises improve areas ene... 6961 present hidden fluid mechanics hfm physics inf... 19946 let p prime k field characteristic p investiga... 20475 classical secretary problem one attempts find ... 2883 show within linear approximation bcs theory we... 3720 sensing magnetic fields important applications... 7127 let x del pezzo surface degree defined field f... 9533 neurons networks cerebral cortex must operate ... 10235 alien alice environment file catalogue global ... 888 extension complexity mathsfxcp polytope p mini... 5471 paper apply extended landaulifschitz equation ... 3201 core many important machine learning problems ... 20633 proofcarryingcode proposed solution ensure tru... 10468 antenna current optimization often used analyz... 4823 matrices phiinrntimes p satisfying restricted ... 4704 let xomega compact hermitian manifold complex ... 12653 diffusion tensor imaging dti effective tool an... 343 habitable exoplanet world maintain stable liqu... 12716 paper sets framework designing massive multipl... 4136 energy consumption hot water production major ... 3237 accretion phase corecollapse supernovae large ... 3188 measured magnetization organic compound bipbno... 4522 variational inference methods often focus prob... 2223 literature inverse reinforcement learning irl ... 12388 exhibit equivalence modeltheoretic framework u... 17050 lattice quantum chromodynamics lattice qcd qua... 2121 phylogenetic networks generalise phylogenetic ... 6858 key common bottleneck stencil codes data movem... 992 jacob steiner christian rudolfs request proved... 13273 paper introduce algorithm determine equivalenc... 10686 build systems essential part modern software e... 17469 modified hamiltonian monte carlo mhmc methods ... 16071 reconstruction species phylogeny genomic data ... 3672 appearance nanojet microsphere optical experim... 10252 revise operatornorm convergence trotter produc... 7366 investigate timeoptimal control problem sir su... 6257 present approach towards robust lane tracking ... 4734 atrial fibrillation af common form arrhythmia ... 19300 significant halogenation effects essential pro... 1465 generative adversarial networks gans shown abl... 4593 present work explore potential spinorbit coupl... 19652 research analysis microblogging platforms expe... 3565 present efficient score statistic called texts... 12095 markov chain monte carlo mcmc methods gibbs sa... 5840 paper shows generalizations operads equipped r... 283 present unified categorical treatment complete... 20609 recurrence networks powerful tools used effect... 15057 new type endtoend system textdependent speaker... 11790 propose novel method directly learn stochastic... 6175 simplified approach proposed investigate conti... 20677 effective riverine flood forecasting scale hin... 8911 distributed generation dg units increasingly i... 4151 article second series two presenting scale rel... 14271 vocal joystick vowel corpus washington univers... 14130 mobile robots cyberphysical systems cyberspace... 20635 investigate problem guessing discrete random v... 16217 misunderstanding driver correction behaviors d... 13502 magneticallydriven disk winds would alter surf... 10313 paper present short scientific biography guido... 14959 study superconducting transmission line tl for... 7376 paper devoted study infinite horizon optimal c... 15395 paper construct regular sequences arise natura... 20255 modern computer architectures share physical r... 13204 inverse reinforcement learning irl task learni... 19142 multipartite viruses replicate puzzling evolut... 8861 paper investigate called phantom barrier cross... 15793 study connected locally compact metric spaces ... 3161 better understanding anticipation natural proc... 2630 reproducibility scientific research become poi... 18731 cooperative geolocation attracted significant ... 3174 applications use human speech input require sp... 2565 inverse reinforcement learning irl aims explai... 18762 shown ch implies existence compact hausdorff s... 1203 work devoted constructing wide class different... 6413 background newborn infants critical care conti... 17345 paper studies secrecy rate maximization proble... 616 using holography model experiments strange met... 10118 study translation invariant stochastic process... 3114 many phenomena collisionless plasma physics re... 10833 paper studies robust regression problems assoc... 18916 evolutionary algorithms recently used create w... 20055 increasing impact robotics industry society un... 7481 describe relation mostly conjectural seibergwi... 18999 living information communications system genom... 6726 endtoend ee systems achieved competitive resul... 15684 todays cyberenabled smart grids high penetrati... 2728 recent studies show fast growing expansion win... 14504 paper examines cosmic ray c nuclei spectra gev... 13920 explore hunters rabbits game hypercube process... 15231 although reinforcement learning methods achiev... 2460 study model two species onedimensional linearl... 16221 probabilistic framework proposed optimization ... 14914 paper proposed modified markerandcell mac meth... 10318 large synoptic survey telescope lsst enable re... 11810 present novel affinegradient based local binar... 19082 investigating friedel oscillations ultracold g... 8092 syntactic structure sentence modelled tree ver... 1357 given projective hyperkahler manifold holomorp... 16802 propose algorithm adaptation learning rate sto... 7798 family quasiarithmetic means natural partial o... 8997 developed datadriven magnetohydrodynamic mhd m... 12886 early layers deep neural net fewest parameters... 18480 paper presents new methods estimate cardinalit... 7776 apply basic statistical reasoning signal recon... 14201 predictable feature analysis pfa richthofer wi... 1590 technology extremely potent tool leveraged hum... 20686 general theoretical framework derived recently... 3140 modelfree deep reinforcement learning shown ex... 12472 consider challenging problem statistical infer... 5338 version gromovs cup product lemma one factor p... 8895 brownian motion twodimensional wedge negative ... 8758 certain systems inviscid fluid dynamics proper... 15487 stateoftheart automatic speech recognition asr... 547 framework multibody dynamics successive encoun... 7118 generalize results citecapistran expected baye... 7264 assertion every definable set definable elemen... 6937 understanding protein function one keys unders... 26 present novel sound localization algorithm non... 1067 let theta theta irrational numbers b matrices ... 3918 lowpower widearea networks lpwans successfully... 12678 paper propose simple variant original stochast... 6604 work demonstrates potential deep reinforcement... 5529 operating dynamic real world environment requi... 6678 stationary nonlinear schrdinger equation delta... 5398 context describe new sepia swedisheso pi instr... 11360 treatment effects estimated observational data... 14380 geochemical studies planetary accretion evolut... 15568 blind deconvolution ubiquitous problem recover... 8081 derive representation formula tensorial wave e... 14546 weaklycoupled tevscale particles may mediate i... 9413 study threefolds fibred k surfaces admitting l... 18389 privacy become serious concern modern informat... 10740 show entropysgd chaudhari et al viewed learnin... 20441 present several upper bounds height global res... 437 letter study motion wakepatterns freely rising... 16201 develop optimization model corresponding algor... 11112 symbolic computation important approach automa... 20052 work authors give new method phase determinati... 5269 one key g scenarios devicetodevice dd massive ... 1861 subsequence clustering multivariate time serie... 10891 novel approach unsupervised domain adaptation ... 20849 demand mobile electronics continue shrink size... 17564 prove every bushnellkutzko type satisfies cert... 8316 discuss emergence pwave superfluidity identica... 10673 introduce new sample complexity measure refer ... 9225 shown mathbbzcolorable link diagram admits non... 1 rotation invariance translation invariance gre... 2706 use cotrapped ion mathrmsr sympathetically coo... 19329 smartphones become pervasive devices peoples l... 8518 medical applications challenge todays text cat... 13327 graphbased semisupervised learning one popular... 14925 aperture synthesis simulator simple interactiv... 5325 generalization error defines discriminability ... 10691 type ii weyl semimetal three dimensional gaple... 9196 achieving relativistic flight enable extrasola... 6957 using unfolding method given citehl prove conj... 7329 studies response sid silicontungsten electroma... 5966 address important question whether newly disco... 15951 numerically investigate electronic transport p... 3398 dynamics system general depends initial state ... 4011 decentralized payment system secure transactio... 3462 study continuum schrdinger operators real line... 534 survey old new results modular representation ... 11962 study laser cooling mg atoms dipole optical tr... 12152 present analytical studies bosonfermion mixtur... 15764 show nonlinear stability instability results s... 5823 advancements technology culture lead changes l... 585 automatic speech processing systems speaker di... 11875 paper describe simode separable integral match... 12352 recent research demonstrated brittleness machi... 18263 paper propose quantum variation combinatorial ... 15697 positively resp negatively associated point pr... 13991 statistical inference model selection requires... 16796 recently showed several local group lg galaxie... 17319 exploitation excellent intrinsic electronic pr... 8683 paper consider blocksparse signals recovery pr... 9743 grouping objects clusters based similarities w... 14260 dynamics fully flexible polymer ejecting capsi... 6362 study computational complexity short sentences... 9088 proposed computerized method calculating relat... 15426 consider four structures mathbbz mathrmsqfmath... 6464 graphical user interfaces guis integral parts ... 10148 yttriastabilized zirconia ysz zroyo solid solu... 18630 paper propose method solve kadomtsevpetviashvi... 11740 given straightline drawing gamma graph gve eve... 20284 establish concrete criteria fully supported ab... 18526 introduce pipeline including multifractal detr... 1916 multiagent approach become popular computer sc... 11377 electrical conductivity dielectric properties ... 19865 motivated problems data clustering establish g... 9697 along advance opinion mining techniques public... 8107 objectives discussions fairness criminal justi... 14904 neural networks known vulnerable adversarial e... 8082 consider problem sequential detection change s... 1910 describe necessary conditions existence hamilt... 17117 report first observation magnonpolariton bista... 20263 investigate integration planning mechanism enc... 15683 introducing programmability automated verifica... 1133 present convolutional neural network cnn based... 18806 study truncated point schemes connected graded... 18205 goal present manuscript introduce reader nonst... 10710 classify torsion actions free wreath products ... 17825 model selection mixed models based conditional... 1317 revisit classification problem focus nonlinear... 4368 consider learningbased variants c mu rule sche... 8313 consider pac learning probability distribution... 18401 risk analysis models systematically underestim... 10641 define action extended affine dstrand braid gr... 15590 general class contractions variety x base disc... 7325 paper algorithm multicolor image compressionen... 13854 net asset value nav calculation validation pri... 6080 paper investigate impact diverse user preferen... 18951 order handle intense time pressure survive dyn... 2601 paper study behavior fractions factorial desig... 6568 present hardware mechanism called hourglass pr... 18069 paper study problem finding small safe set gra... 20588 pulsedlaser dry printing noblemetal microrings... 2173 archetypal analysis type factor analysis data ... 20169 thicket density new measure complexity set sys... 12746 paper studies improving solvers based past sol... 3605 present numerical simulations magnetic billiar... 13276 echo chambers ie situations one exposed opinio... 6429 consider cloudbased control scenarios clients ... 12861 revisit masseys method rating ranking sports c... 15273 evolution superconducting litiodelta insulatin... 7995 give proof conjecture raised michael finkelber... 9142 noninvasive steadystate visual evoked potentia... 3768 open closed textitsymmetrized polydisc textits... 5077 propose demonstrate selfcoupled microring reso... 8274 x real valued random variables first moments x... 12230 propose novel architecture kshot classificatio... 19950 estimating individualized treatment rules cent... 9599 note concerned accurate computationally effici... 4631 prototypical magnetic memory shape alloy nimng... 15779 taobao largest online retail platform world pr... 240 paper presents overview discussion magnetocapi... 18008 analyze effect quenched disorder spin quantum ... 19310 topological data analysis method concurrence t... 13722 introduce condition garside groups call dehorn... 15878 face recognition fr methods report significant... 10771 finance durations successive transactions usua... 16795 addition hardware walltime restrictions common... 11461 let omegasubsetmathbb rn lipschitz domain give... 10930 analyze dynamics periodicallydriven floquet ha... 7602 inference presence outliers important field re... 17352 considering limiting case kroneckertype identi... 1867 expository work discuss asymptotic behaviour s... 13742 generative adversarial networks gan one promin... 15866 accurate calculation proton ranges phantoms de... 20889 recently efforts made improve ptychography pha... 15755 paper study rotabaxter modules emphasis role p... 2521 paper introduce concept virtual machine grapho... 18934 advances artificial intelligence ai transform ... 1820 bytewise approximate matching algorithms recen... 2410 introduce new method building models ch togeth... 8243 investigate impact external pressure structure... 18675 games friendship links behaviors propose kplay... 6637 paper provide analytical framework analyze upl... 5187 number statistical estimation problems address... 17234 paper study convergence properties gradient ex... 11769 paper introduce notion auslander modules inspi... 4565 starting covariant expressions gauge independe... 14917 paper theoretically address three fundamental ... 13607 dynamics waves generated scopes gas centrifuge... 7942 widespread use information technologies inform... 13929 kriging based gaussian random fields widely us... 19075 reduce exponent error term prime geodesic theo... 6391 provide local approximation result nonholomorp... 2118 paper concerned finite sample approximations s... 10050 last years microblogging platforms twitter giv... 3779 topological effects typically discussed contex... 19559 monte carlo methods approximate integrals samp... 4961 compiled catalog candidates type quasars redsh... 2809 correct one erroneous statement made recent pa... 19015 consider binary branching process structured s... 498 let gh groups phi g rightarrow h group morphis... 11445 consider theoretical properties model encompas... 918 virtual network functions service vnfaas curre... 20442 shale gas plays important role reducing pollut... 13390 intersections hazardous places threats arise i... 13264 paper existence uniqueness estimates solution ... 8617 consider controlconstrained parabolic optimal ... 4284 animal telemetry data often analysed discrete ... 19546 study loss functions measure accuracy predicti... 16171 present technique efficiently synthesizing ima... 228 paper present novel methodology identifying sc... 15789 consider problem enabling robust range estimat... 19586 analysis quantification brain structural chang... 2741 note study seifert rational homology spheres t... 13329 study whitehead torsions inertial hcobordisms ... 11703 mixedness quantum state usually seen adversary... 14348 alfaburst searching fast radio bursts frbs com... 14960 relativistic newtonian dynamics rnd introduced... 9271 lsst software systems make extensive use pytho... 16752 paper introduces new approach automatically qu... 11113 present general model allowing quantum simulat... 6001 occasionally developers need ensure compiler t... 5718 quantile estimation problem presented fields q... 4897 let frak g semisimple lie algebra frak ksubset... 5583 consider problem call secure grouping dividing... 19308 wide usage machine learning ml lead research a... 11845 increasing number twodimensional materials inc... 7867 statistical analyses directional angular data ... 16477 infrastructure touches daytoday life fellow ci... 15703 using focused electronbeaminduced deposition f... 1128 hardware acceleration enabler ubiquitous effic... 18931 recent years great deal interest focused condu... 10523 study classical complexity exact boson samplin... 10400 provide compositional coalgebraic semantics st... 1567 paper introduce method adapting stepsizes temp... 10298 propose new method detect offpulse unpulsed an... 1706 recent studies show widely used deep neural ne... 7450 paper present unified endtoend approach build ... 3153 investigate banach algebras convolution operat... 10364 general expressions stored energies timeharmon... 11523 monadic programming datatypes presented free a... 7299 ananthnarayan avramov moore gave new construct... 17760 todays researchers field pulmonary embolism pe... 512 componentbased design different way constructi... 6240 experiment shows thermal emission phonon contr... 13182 propose method implementation oneway quantum c... 7104 nonnegative matrix factorization nmf prob lem ... 10566 address key open problem higher dimensional ge... 14865 kleinkramers equation governing brownian motio... 9824 computational methods predict differential gen... 2925 article study role green function laplacian co... 10490 increasing body evidence suggests trialtotrial... 20726 information carrier modern technologies electr... 12444 show reduct zariski structure algebraic curve ... 15642 paper proposes new algorithm recovery belief n... 2721 present results first measurements timecorrela... 7445 many biological data analysis processes like c... 7893 developmental robotics offers new approach num... 15167 emphvitality arcnode graph respect maximum flo... 7509 paper brings novel idea paying utility winning... 18376 source code plagiarism detection problem addre... 8042 advent new materials van der waals heterostruc... 15855 given functional data samples survival process... 5953 investigate deep generative models exchange mu... 16657 present vlacosmos ghz large project based hour... 18496 speech enhancement model used map noisy speech... 9928 na fixedtarget experiment cern sps dedicated m... 13799 nbody simulations study dynamics n particles i... 11428 dictionaries collections vectors used represen... 13928 suppose given set n elements clustered k unkno... 15154 one important tools development smart grid sim... 17388 transformation optics methods gradient index e... 14783 though suicide major public health problem us ... 20724 explore borel complexity basic families subset... 7236 mit supercloud portal workspace enables secure... 6468 pilot unit closed loop gas cls mixing distribu... 13286 community detection problem graphs asks one pa... 10832 paper present spectral graph wavelet approach ... 9053 describe opensource global fitting package gam... 1505 tick statistical learning library python parti... 6054 large class orthogonal basis functions recent ... 596 statistical inference computationally prohibit... 4225 optimization problem behind deep neural networ... 2550 exploiting sparsity enables hardware systems r... 19813 magnetorotational instability mri thought powe... 13135 recent years rtbreal time bidding becomes popu... 7440 correspondence propose new receiver design hig... 19648 consider problem segmenting large population c... 6768 deep learning popular machine learning approac... 3199 electronic structure energetic stability abx h... 2681 inspired recent work baoulina give simultaneou... 6449 curvature estimates quotient curvature equatio... 7951 propose use optical antennas made natural hype... 20249 paper investigates phenomenon emergence spatia... 14626 relate minimax game generative adversarial net... 1045 use atomic fountain clock measure quantum scat... 13044 propose generalized magnetic mirrors achieved ... 2644 quantile ratio index introduced prendergast st... 4435 gravitationally collapsed objects known biased... 11357 grigorievg koshevoy recently proved tropical s... 11831 click rate ctr prediction important native adv... 19261 distance covariance two random vectors measure... 13668 retina complex nervous system encodes visual s... 18481 turlab facility laboratory equipped diameter d... 14645 highresolution imaging delivered new prospects... 4487 paper study leveraging confidence information ... 2061 present spectroscopic redshifts smjy submillim... 4645 consider distribution free path lengths distan... 9112 high order reconstruction finite volume fv app... 11004 study examine collection healthrelated news ar... 3775 successful grasp requires careful balancing co... 19549 neural networks known vulnerable adversarial e... 5596 human relations driven social events people in... 19927 unsupervised learning growing interest unlocks... 10741 learning sophisticated feature interactions be... 9297 work propose contentbased recommendation appro... 7265 scientific community use pdes model range prob... 9080 propose new approach model ground penetrating ... 10573 consider variants classical berz sublinearity ... 19443 internet become central medium networked publi... 4174 present manuscript consider practical problem ... 16924 esa gaia mission producing accurate source cat... 8737 cavitybased axion dark matter search experimen... 9216 consider largescale markov decision processes ... 19187 machine learning models benefit large diverse ... 13040 work provides performance guarantees greedy so... 16121 past decade discovery active pharmaceutical su... 17172 investigate dynamics dilute suspension hydrody... 10143 cone spherical metrics conformal metrics const... 19911 superconducting detectors wellestablished tool... 8543 study thermal diffusivity dt models metals wit... 5607 prove several results chordal graphs weighted ... 983 consider fundamental integer programming ip mo... 8033 present new approach generating cluster states... 5480 article consider conditions projection operato... 5068 phenomenon amplitude death explored using vari... 14894 present baseline approach crossmodal knowledge... 4797 henonheiles system originally proposed describ... 4482 fabrication devices industrial plants often in... 3662 many problems signal processing require findin... 20160 mass segmentation provides effective morpholog... 10486 celebrated integer relation finding algorithm ... 6947 study biplane graphs drawn finite planar point... 4657 statistics cumulants defined functions measure... 6414 generating large quantities quality labeled da... 17724 generalize kobayashis example noether inequali... 3150 observe derived equivalent k surfaces isomorph... 16656 direct comparison areal profile roughness meas... 16068 remotesensing system determine position hidden... 4813 goal semantic parsing map natural language mac... 9265 paper devoted development control procedures g... 5969 introduce framework statistical analysis funct... 14998 paper presents novel framework integration vis... 11891 emerging single elemental layered material low... 13335 consider graph turing machines model parallel ... 2939 erdsginzburgziv constant abelian group g denot... 14096 article discuss architecture polynomial neural... 12702 delaycoordinate maps widely used recently stud... 1340 consider generalizations familiar fifteenpiece... 20435 widespread use machine learning ml techniques ... 1391 major challenge brain tumor treatment planning... 16904 show smallest nonabelian quotient mathrmautfn ... 7437 homophily put minority groups disadvantage res... 16522 neural machine translation nmt achieved notabl... 8802 overhead depth map measurements capture suffic... 17930 introduce novel approach predicting progressio... 5806 application domains civilian unmanned aerial s... 16264 weyl points monopole charge pm extensively stu... 6146 propose new algorithm computation singular val... 16894 inverse uncertainty quantification uq bayesian... 9775 theoretical paper introduces new way view char... 1412 epicurean philosophy commonly thought simplist... 15725 frchet mean variance provide way obtaining mea... 12002 maintenance important activity industry perfor... 2256 many applied settings empirical economics invo... 382 short note present novel method computing exac... 17806 peer review foundation scientific publication ... 6120 paper additive bifree convolution defined gene... 2212 graph powerful concept representation relation... 5603 let q positive integer recently niu liu proved... 10814 paper demonstrates endtoend neural network arc... 8881 collaborative filtering cf widely adopted tech... 6004 aim paper establish metrical coincidence commo... 5417 nurbs curve widely used computer aided design ... 4938 paper presents two visual trackers different p... 13434 article modeled mortality rates peruvian femal... 3624 report measurements magnetoresistance charge d... 3158 recurrent neural networks rnns powerful sequen... 4267 developed fft beamforming techniques chime rad... 9158 recent study entitled cell nuclei lower refrac... 463 propose new splitting criterion metalearning a... 1754 galaxy crosscorrelations highfidelity redshift... 15786 identifying arbitrary topologies power network... 17321 article demonstrates convolutional operation c... 13830 interstitial content online content grays othe... 16262 deep learning applies hierarchical layers hidd... 6380 work presented paper focuses translation termi... 3829 work initiates general study learning generali... 12674 tree adjoining grammars tags provide ample too... 378 parametric resonance among efficient phenomena... 11298 paper complete study started pi evolution inve... 12995 gaussian processes gps highly flexible functio... 8181 p speller braincomputer interface enables peop... 1335 agents vote choose fair mixture public outcome... 13511 soft random geometric graphs srggs widely appl... 20665 scattering obliquely incident electromagnetic ... 2716 uncertainty computation deep learning essentia... 16847 data warehouse performance usually achieved ph... 19524 surface parameterizations widely applied compu... 17170 surface stress surface energy fundamental quan... 13638 sepsis condition caused bodys overwhelming lif... 19251 effective teams crucial organisations especial... 19966 internet things iot continuously growing conne... 3183 present novel controller synthesis approach di... 10003 present generalized times matrix formalism des... 6322 let frak f class group subgroup finite group g... 13639 contribution devoted cover technical aspects r... 16493 introduce algebraic fourier transform quantum ... 7389 todays education systems deep concern importan... 1894 september hurricane irma made landfall florida... 9399 investigate birth diffusion lexical innovation... 4661 cancellation theorem grothendieckwittcorrespon... 14356 magnetised exoplanets expected emit radio freq... 16917 eulerpoissonalignment epa system appears mathe... 7769 paper propose novel energy efficient adaptive ... 7090 wide range electrochemical reactions practical... 6221 control spins spin charge conversion organics ... 5308 one major challenges object detection propose ... 9381 identification differentially expressed genes ... 17906 digital era one thing still holds convention p... 17210 vaccine hesitancy recognized major global heal... 19275 resolvent krylov subspace method builds approx... 19503 componentbased development software engineerin... 7037 paper address problem generating elements obta... 11646 work concerned prime factor decomposition pfd ... 10570 study problem defining maps link floer homolog... 15021 imaging assays cellular function especially us... 14160 deep qnetwork dqn returnbased reinforcement le... 19829 oxygendeficient tio rutile structure well tio ... 19281 analyze spectral properties two mutually relat... 15667 paper construct nonautonomous version hietarin... 14620 utilizing hirsch index h variants exploratory ... 15573 goal making highresolution forecasts regional ... 6358 information stored encrypted format definition... 913 purpose focus attention new criterion quantum ... 12805 lorentz force law classical electrodynamics st... 3992 microservice architectures potential increase ... 6691 recently richter rogers proved convex geometry... 19428 lung nodule classification class imbalanced pr... 1030 training model generate data increasingly attr... 9164 use chandra xray data measure metallicity intr... 2220 recommender systems rs help users navigate lar... 11966 article gives overview gammaray bursts grbs re... 9488 note construct series small subsets containing... 1577 agentbased internet things iot applications re... 20157 derive closed formula determinant hankel matri... 9947 graphene emerged promising building block mode... 3793 choice tuning parameter bayesian variable sele... 3655 consistency bootstrap resampling scheme classi... 17600 local existence uniqueness theorem odes specia... 4327 temperature dependence electrical resistivity ... 19437 participants enrolled randomized controlled tr... 8302 study beurlingselberg problem finding bandlimi... 20451 present compilation lego technic parts provide... 10544 new physics traditionally expected highpt regi... 14802 multiagent system transitioning centralized di... 7686 prove functor associating rigid analytic varie... 5731 decline mars global magnetic field billion yea... 2917 recently low displacement rank ldr matrices so... 5586 introduce novel framework adversarial training... 7088 chatbots one class intelligent conversational ... 14605 setting finite type invariants nullhomologous ... 6326 local induction equation binormal flow space c... 15286 principal component analysis pca singular valu... 1515 present radio observations ghz local objects s... 20422 javascript code deployed wild minified process... 11278 accurate automated detection anomalous samples... 2371 consider spatially homogeneous boltzmann equat... 3432 living cells move thanks assemblies actin fila... 2263 motion mechanical system defined path configur... 4479 nonparametric estimation mutual information us... 4239 majority everyday tasks involve interacting un... 19387 proceedings icml workshop human interpretabili... 1390 finding actions satisfy constraints imposed ex... 893 consider problem estimating sample paths absol... 1490 recent progress variational inference paid muc... 18838 key challenge multirobot multiagent systems ge... 10042 shape completion problem estimating complete g... 14037 aa tau archetype class stars peculiar periodic... 16887 experiments reported performance pitching heav... 8516 present quantitative characterization electric... 9407 advancement treatment modalities radiation the... 15187 work considers stochastic nash game player sol... 2933 experimentally study steady marangonidriven su... 12881 prove bilinear fractional integral operators s... 19620 paper explore role duality principles within p... 10937 machine learning applications often require hy... 19290 prove tildethetak varepsilon samples necessary... 20144 lurking variables represent hidden information... 11638 direct numerical simulation performed study co... 1129 propose new localized inference algorithm answ... 731 discovery u oumuamua provided first glimpse pl... 11110 consider layered decorated honeycomb lattices ... 16076 let mathbbk algebraically closed field charact... 3084 web portals served excellent medium facilitate... 15000 first approach study systems coupling finite i... 7297 existing dimensionality reduction methods adep... 4588 bi films thicknesses several bilayers bls grow... 12496 blooming availability traces social biological... 2795 traditional medicine typically applies onesize... 8979 humans develop common sense style compatibilit... 7601 coherent uncertainty quantification key streng... 798 current understanding contractility emerges di... 6232 study proposes control strategy efficient semi... 734 many complex systems share two characteristics... 16727 enhancement spinspace symmetry usual mathrmsu ... 2244 humanintheloop machine learning user provides ... 178 neuroscientists classify neurons different typ... 11469 generality one main advantages heuristic algor... 11932 passive radiofrequency identification rfid sys... 1174 investigate use alternative divergences kullba... 13798 propose nonlinear discrete duality finite volu... 18734 consider problem given data pair mathbfx mathb... 10023 main purpose article fix several aspects aspec... 9830 show known classical adversary lower bounds ra... 790 variational autoencoder vae popular model dens... 19530 despite progress high performance computing co... 9973 paper suggest framework category theory possib... 11393 text contains three hundred specific open ques... 198 study band structure topology engineering inte... 14643 consider kepler problem dimension two three ti... 18957 paper addresses problem selecting choice possi... 12279 present communityled assessment solar system i... 7675 show artintits group spherical type intersecti... 13385 multiplayer multiarmed bandits mab extensively... 548 capsule networks envision innovative point vie... 3339 describe new training methodology generative a... 12940 paper consider novel machine learning problem ... 4471 recent years many new interesting models succe... 9379 employ generic threewave system chi interactio... 7465 unified gas kinetic scheme ugks direct modelin... 11772 study problem detecting humanobject interactio... 19252 given semigroup zero leftcancellative sense st... 15663 turmit turing machine works twodimensional gri... 10506 two dimensional materials provide unique platf... 18050 field neuroimaging grows difficult scientists ... 13277 applying many mode floquet formalism magnetica... 19089 note present fast algorithm finds r number nr ... 15103 truncated fourier operator mathscrfmathbbr mat... 7533 fusion iterative closest point icp reg istrati... 15489 researchers often datasets measuring features ... 66 establish c regularity quasipsh envelopes kahl... 18308 coefficient determination known r commonly use... 4712 generative adversarial networks gans powerful ... 5214 prove risk bounds binary classification highdi... 11452 show discovery robust scalable numerical solve... 18832 selfadjoint first order system hermitian piper... 5033 quantum non demolition measurements sequence o... 6915 environmental impacts medium large scale build... 2572 aim finegrained recognition identify subordina... 17408 note prove selection commutativity theorems va... 17829 paper study natural special case traveling sal... 622 paper considers timeinconsistent stopping prob... 20869 fast timing capability xray observation astrop... 6222 recent research shown potential utility deep g... 787 present evaluate technique computing pathsensi... 3332 show closed almost khler manifold globally con... 14582 todays era big data robust leastsquares regres... 16537 feature aided tracking often yield improved tr... 20595 present algorithm rapidly learning controllers... 6008 recent advances microelectromechanical systems... 17673 multiview video supports observing scene diffe... 8334 sapirovskii proved xleqpichixcxpsix regular sp... 19673 largescale agile projects product owners under... 11472 paper discusses efficient bayesian estimation ... 18080 autonomous driving requires perception vehicle... 17647 nervous system encodes continuous information ... 13448 prove smallest nontrivial quotient mapping cla... 17846 viterbilike decoding algorithm proposed paper ... 15659 computational fluid dynamics cfd hugely import... 12478 paper describes method nonlinear wavelet thres... 515 lowpass envelope approximation smooth continuo... 17745 symbol used describe springer correspondence c... 478 class partially observed diffusions sufficient... 13640 present visibility based estimator namely tape... 4476 present natural families coordinate algebras n... 9971 theoretically analyze effect parameter fluctua... 10839 android os become popular mobile operating sys... 19030 material recognition enables robots incorporat... 19732 according magnetohydrodynamics mhd encounter t... 6899 let mathcalc finitely complete small category ... 10232 precise modeling subatomic particle interactio... 15956 study unsupervised generative modeling terms o... 1033 prove versions khintchines theorem approximati... 16579 propose deep learningbased approach problem pr... 14622 collaborations integral part scientific resear... 2598 machine learning quantum computing two technol... 1514 work proposes variable exponent lebesgue modul... 6191 paper applied multifractal detrended fluctuati... 19716 previous research unstable footwear suggested ... 14175 convolutional neural networks cnns applied gra... 7237 propose estimator prediction error using appro... 5753 vector embedding foundational building block m... 2068 convolutional neural networks cnns widely used... 19506 let f padic fied e quadratic extension f fdivi... 8236 study stability pwave superfluidity quantum fl... 8536 paper proves tamed closed almost complex fourm... 5521 study multiperiod demand response problem smar... 1462 consider multilabel ranking approach multilabe... 15207 p let function varphipx x xle varphipx pxp p x... 7915 junior machado zuluaga studied model understan... 1871 derive semianalytic formula transition probabi... 17250 predicting highrisk vascular diseases signific... 4576 consider dilute fluorinated graphene nanoribbo... 19164 review replica symmetric solution classical qu... 7209 optical diffraction tomography odt tomographic... 9856 biintuitionistic stable tense logics bist logi... 11080 tutorial introduces new powerful set technique... 17253 unsupervised learning lowdimensional semantic ... 7349 set bousfield classes important subsets distri... 4623 navigating search rescue environments challeng... 7192 article presents multiple sound source localiz... 4818 paper study slant submanifold complex space fo... 14230 consider problem computing firstpassage time d... 16453 colloidal migration temperature gradient refer... 220 generative adversarial networks gans excel cre... 9953 discuss monotone quantity related huiskens mon... 14223 ocean flows routinely inferred lowresolution s... 12632 degree splitting problem requires coloring edg... 19180 prove szegwidom asymptotics chebyshev polynomi... 12778 present article family new combinatorial ident... 11389 early universe dominated nonminimally coupled ... 16229 electronic magneto transport properties reduce... 19113 last decade seen surge interest adaptive learn... 2476 intentional unintentional contacts bound occur... 4248 article present idea using liquid scintillator... 6115 effects surface tension fullynonlinear long su... 20108 important emerging component planetary explora... 10941 estimation number endmembers existing scene co... 19253 generalization classical determinant inequalit... 19797 paper studies optimal investment problem rando... 6487 considered generic case pretransitional materi... 7036 consider fock spaces fpellalpha entire functio... 10099 columnsparse packing problems arise several co... 9456 standard web browser programming model thirdpa... 16941 clustering problems wellstudied variety fields... 12433 subject article relationship modern cosmology ... 5650 present paper part series articles dedicated e... 15930 atmospheres exoplanets reveal properties beyon... 20042 aim paper analyze array synthesis g massive mi... 17859 realtime monitoring functional tissue paramete... 8052 mobile adhoc networks manets identified key em... 20143 investigate two arithmetic functions naturally... 17593 carry study statistical distribution rainfall ... 20520 networks represent agents interactions arise m... 2881 main question graphical models causal inferenc... 1677 demonstrate use semantic object detections rob... 16081 nyquist ghost artifacts epi images originated ... 6060 paper proposes lowlevel visual navigation algo... 901 set function f finite set v submodular fx fy g... 20084 work propose approaches effectively transfer k... 7164 phasechange materials based gesbte alloys wide... 2296 functional version kato oneparametric regulari... 11594 high purity zinc selenide znse crystals produc... 15873 observed constraints variability proton electr... 8488 high coefficient performance zero local emissi... 9713 quantum machine learning witnesses increasing ... 19020 largescale systems arrays solid state disks ss... 13848 present stabilized microwavefrequency transfer... 18330 motivated applications mixed longitudinal stud... 17165 paper present new approach visual servoing rob... 8219 prove transversality result necessary defining... 16273 family exponential maps faz eza fundamental im... 18068 superconducting energy gap rm dynibc investiga... 6772 spirit recent work lamm malchiodi micallef set... 18046 additive models produced gradient boosting ful... 14436 rotabaxter operator algebraic abstraction inte... 11923 paper interested problem image segmentation gi... 14678 finding similar user pairs fundamental task so... 11440 imaging modalities recording diffraction data ... 16886 present millimetre dust emission measurements ... 18724 paper considers joint design user power alloca... 20668 let xxiiinmathbbz dotsxixixidots sampling set ... 7257 paper investigate performance analysis synthes... 2580 lack diversity genetic algorithms population m... 7966 paper propose novel algorithm combine two cell... 2156 study liouville heat kernel l phase associated... 4340 celebrated time hierarchy theorem turing machi... 12936 users organize communities web platforms commu... 9562 since majority massive stars members binary sy... 20835 paper prove one level density results lowlying... 10586 kinds mixed data personal data panel scientifi... 2387 joint sparse recovery problem generalization s... 13743 propose estimate metamodel sensitivity indices... 1073 paper investigate umbral representation fubini... 5254 paper investigates novel task generating textu... 681 twostage leastsquares sls estimator known bias... 4530 general purpose correctbyconstruction synthesi... 12967 many machine learning applications important e... 13614 english indian language machine translation po... 3159 paper propose deep learning architectures fnn ... 18350 navigation unknown chaotic environments contin... 2987 researchers attempted model information diffus... 4908 study explore peerinteraction effects online n... 1882 article hopf parametric adjunctions defined an... 15626 random network models play prominent role mode... 14950 singleparticle mobility edge spme marks critic... 19877 point unique mechanism produce relic abundance... 1940 parabolic equations form fracpartial upartial ... 3296 large organizations often users multiple sites... 3534 paper study selected argument forms involving ... 5974 small bodies solar system like asteroids trans... 3729 correlated oxide heterostructures pose challen... 490 improved phantom cell new scenario introduced ... 5708 paper discusses discretetime maps form xk fxk ... 1181 source localization ocean acoustics posed mach... 1375 advent era artificial intelligenceai deep neur... 5014 given closed riemannian manifold pair multicur... 15274 classes locally compact groups qualitative unc... 11606 magnetism ordered disordered lanimno explained... 12351 paper investigates effects price limit change ... 626 numerous studies carried measure wind pressure... 4758 present method drawing isolines indicating reg... 13957 environmental changes failures collisions even... 10304 traditionally blind speech separation techniqu... 3560 rising topic computational journalism enhance ... 6040 discovery first transiting extrasolar planetar... 12372 study regularity properties locally stationary... 17981 communication presents longitudinal modelfree ... 2841 automatic welding tubular tky joints important... 4180 part study spherical functions compact symmetr... 19396 study problems clustering locally asymptotical... 15817 say algorithm stable small changes input resul... 19071 motion planning underwater vehicles must consi... 18763 information intrinsic dimension crucial perfor... 2887 let g circulant graph cns ssubseteq ldotsleft ... 17292 work novel subspacebased method blind identifi... 8876 study model described single real scalar field... 4539 attentionbased models recently shown great per... 12706 paper presents new method action recognition s... 12271 present approach agents learn representations ... 6683 propose demonstrate ultrasonic communication l... 6671 assumption defining graph coxeter group admits... 14997 magnetic oxyselenides topic research several d... 6453 analyze general class difference operators hva... 9211 paper presents longhcpulse software enables he... 1366 consider problem diagnosis set simple observat... 12108 present accurate mass thermodynamic profiles s... 12581 oblivious computation one free direct indirect... 2639 deep learning models require extensive archite... 1191 study data reliability problem community devic... 5602 let finite von neumann algebra resp type ii fa... 19973 present nearinfrared interferometry carbonrich... 13921 quantifying relation gut microbiome body weigh... 5730 study mechanisms characterize asymptotic conve... 14745 extend constructive dependent type theory logi... 7204 paper initiate study new problem termed functi... 5296 nanotechnology nodes feature size shrunk rapid... 3197 bit mersenne twister generator mt widely used ... 20664 provide surprising answer question raised ahma... 12979 paper present gated convolutional recurrent ne... 2938 transfer learning potential reduce burden data... 18190 develop onedimensional notion affine processes... 17406 stochastic gradient descent sgd central workho... 19573 using setup deformation categories talpo visto... 8890 analyzing multivariate time series data import... 10171 analyze subway arrival times new york city sub... 5979 define switch function function interval finit... 11995 show evolution twocomponent particles governed... 4534 friendship antipathy exist concert one another... 17299 nonlocality key feature many physical systems ... 10065 note provide conceptual explanation wellknown ... 11538 study least squares regression problem beginal... 7669 recently review concluded google scholar gs su... 7607 assistive robotics particularly robot coaches ... 11926 adaptability convolutional neural network cnn ... 6869 paper present characterize nearestneighbors co... 16620 develop algorithm forecasts cascading events e... 17041 properties galaxies like absolute magnitude st... 18194 interpreting performance deep learning models ... 12992 article study stabilizing primitive pattern be... 10472 purpose review paper presents review current s... 16328 open access nature wireless communications wir... 16902 continuous attractor neural networks generate ... 14892 paper study asymptotic behavior secondorder un... 12661 clinical electroencephalographic eeg data vari... 13325 computations rational numbers often suffer int... 20700 planetesimals may form gravitational collapse ... 6681 report compact simple robust high brightness e... 5428 lsh locality sensitive hashing emerged powerfu... 9190 virtual reality simulation becoming popular tr... 12322 distributed word representations widely used m... 5266 paper propose stochastic recursive gradient al... 3786 paper proposes novel tests absence jumps univa... 3510 propose new methods support vector machines sv... 1784 present new class polynomialtime algorithms su... 11374 propose systematic learningbased approach gene... 13425 paper first present birmanmurakamiwenzl type a... 7116 study equation beginequation deltasuvxu ialpha... 494 paper discuss characteristics operation astro ... 16367 recent surge interest studying permutationbase... 10046 nodal effectively relativistic dispersion feat... 15814 community structure describes organization net... 11052 positive definite kohnsham kinetic energykske ... 2038 lifeexpectancy complex outcome driven genetic ... 4041 background modelbased analysis movements help ... 9281 present first realworld application methods im... 2897 semisupervised learning deals problem possible... 8558 survey article dedicated families fractals int... 9041 paper proposes application discrete wavelet tr... 17001 note short summary workshop energy time measur... 16305 paper review recent progress indefinite string... 7876 iterative supervised learning algorithms commo... 3340 supersymmetric theories gravitinos mass suppre... 16070 paper discusses challenges faceted vocabulary ... 2653 previous article derived detailed asymptotic e... 19064 representing largescale motions topological ch... 5911 compact multipleinputmultipleoutput mimo anten... 19202 online social network osn discussion groups ex... 9733 prove positive integer n exist boundarysum irr... 15819 investigate basic thermal mechanical structura... 11161 natural microswimmers interplay swimming activ... 8514 adsorption hydrogen nonpolar gan surfaces impa... 2031 demonstrate electromechanical control onchip g... 5089 many inverse problems involve two sets variabl... 13560 several methods checking admissibility rules m... 813 recently established integral inequalities con... 7235 background componentbased modeling language mo... 18659 paper claims new field empirical software engi... 10971 approximate dynamic programming algorithms app... 12755 recent high angular resolution observations pr... 15327 success deep learning led rising interest gene... 18298 study cauchy problem effectively hyperbolic op... 6280 considering advantages dealing highdimensional... 4206 eliminating negative effect nonstationary envi... 13983 given polynomial p cx show set irreducible mat... 13466 couder fort discovered droplets walking vibrat... 1079 obtain upper bounds composition length finite ... 2226 introduce notion depth finite group g defined ... 15451 proper semantic representation encoding side i... 18581 work design proposed active permanent magnet b... 20088 recent years seen tremendous growth many onlin... 17322 due success deep learning solving variety chal... 20918 define address problem unsupervised learning d... 10897 present simple yet useful result expected valu... 18168 paper reproduces text part authors dphil thesi... 15977 one interesting features bayesian optimization... 9356 recent years real estate industry captured gov... 3261 group h non empty subset gammasubseteq h commu... 5649 particle gibbs pg sampler markov chain monte c... 11288 hair cells auditory vestibular systems capable... 9642 design general purpose processors relies heavi... 15300 two meromorphic functions fz gz sharing small ... 17276 chapter explain briefly fundamentals interacti... 12421 propose new learning rank algorithm named weig... 14506 total mass mgcs globular cluster gc system gal... 3862 propose fast method statistical guarantees lea... 2936 aim work study existence periodic solutions th... 8611 develop simulation scheme class spatial stocha... 7080 field analytic combinatorics studies asymptoti... 3917 study soliton solutions matrix kadomtsevpetvia... 13679 manifolds infinite cylindrical ends continuous... 9709 de trevisan tulsiani crypto show every distrib... 1689 oeljeklaustoma ot manifolds complex nonkhler m... 17759 designing exoskeleton reduce risk lowback inju... 11728 use variant technique laca give sparse lplogl ... 15704 developing efficient numerical algorithms solu... 14347 recent versions observed cosmic starformation ... 305 sequence pathological changes takes place alzh... 4056 interfacing ferromagnet polarized ferroelectri... 20481 present synkhronos extension theano multigpu c... 2999 single equation system linear equations estima... 16783 study suggests classification technologies bas... 9837 paper present study critical behavior stochast... 1231 eigenvector centrality standard network analys... 9706 feval fetisn full heusler compounds nonmagneti... 2313 paper show attain capacity discrete symmetric ... 14336 propose new integral probability metric ipm di... 9643 traditional video summarization methods design... 18868 propose new tabletop experimental configuratio... 18660 propose automatic diabetic retinopathy dr anal... 16947 functional risk curve gives probability undesi... 20701 covering system integers finite collection mod... 3496 deep reinforcement learning rl recently emerge... 4321 manifold learning based methods widely used no... 9829 online communities become increasingly importa... 9030 using risk dependence measures based given und... 2062 paper treats several aspects truncated matrici... 6470 consider dualhop wireless network energy const... 20902 paper presents inscript corpus narrative texts... 7500 deep neural networks coupled fast simulation i... 6477 recent lens experiment fermi gas reported nega... 3899 transformation models important tool applied s... 20739 many realworld networks known attributed netwo... 3567 increasing popularity smart devices rumors mul... 11458 investigate modulational instability mi asymme... 5452 report results implementation quantum key dist... 11279 magnetic properties pyrochlore iridate materia... 8022 extending notion frobeniussplitting prove ever... 13447 program dependence graph pdg represents data c... 556 novel adaptive local surface refinement techni... 12738 semantic instance segmentation remains challen... 12884 due low xray photon utilization efficiency low... 9906 strong product efficient way construct larger ... 18736 learningbased binary hashing become powerful p... 4270 considering problem color distortion caused de... 8531 defining mth stratum closed subset n dimension... 19401 coexistence newtype antiferromagnetic afm stat... 4086 inherently abstract nature source code makes p... 6663 review concept support vector machines svms di... 9095 controlling confining light exciting plasmons ... 3138 paper studies density estimation pointwise los... 19724 one big challenges machine learning applicatio... 19880 paper revisit classic board games like pachisi... 588 present representation learning algorithm lear... 3365 situational awareness vehicular networks could... 2670 active learning relevant challenging highdimen... 5515 traditional activity model selection aims disc... 11781 main aim paper extend one main results iwaniec... 20923 unification generalization operations two term... 15310 compressive sensing cs combines data acquisiti... 8220 let mu measure mathbb rd compact support conti... 2395 sequential monte carlo smc methods class monte... 17462 paper multiagent coordination problem steadyst... 16431 propose formal approach relating abstract sepa... 5506 map phasespace trajectories externalcavity sem... 10094 interface phonon modes cplane oriented alngan ... 2170 years recursive neural networks rvnns shown su... 924 paper introduces method based deep reinforceme... 8134 paper presents stochastic logic time delay res... 16587 paper addresses problem handling spatial misal... 9081 glass corrosion crucial problem keeping conser... 12070 bilateral trade fundamental economic scenario ... 11514 propose approach showing rationality algebraic... 20371 open case vizings conjecture every planar grap... 11706 report detailed study transport coefficients b... 20251 consider minimization problems calculus variat... 3124 ensembles classifier models typically deliver ... 5673 paper presents widely applicable approach solv... 14532 paper introduces deep neural networks dnns add... 2774 recently shown architectural regularization re... 7620 present study dark soliton dynamics inhomogeno... 6559 consider two player dynamic game played leq in... 11925 combinatorial auctions designer must decide al... 16594 let hqp p vq degree freedom mechanical hamilto... 9145 efficient sublineartime indexing algorithms hi... 8456 ultracold atomic gases realised numerous parad... 12720 associated every quaternionic representation c... 9846 present family mutually orthogonal polynomials... 18295 recently dynamics signed networks ties among a... 8411 wild bootstrap resampling method choice surviv... 20338 work develops techniques sequential detection ... 9627 work investigates geometry nonconvex reformula... 5798 energyconserving angular momentumchanging coll... 20283 study mass imbalanced fermifermi mixture withi... 5982 first hardy rellich inequalities defined subma... 12431 paper presents framework controlled emergency ... 5882 method moments mollification method study cent... 9782 given large number unlabeled face images face ... 11348 paper study problem sampling given probability... 11448 several studies shown stellar activity feature... 6646 hexagonal structure graphene gives rise proper... 3096 present automatic measurement platform enables... 18359 despite recent advances large scale visual art... 2181 modern statistical inference tasks often requi... 12670 due lack enough generalization statespace comm... 3243 work provides simplified proof statistical min... 1473 many internet ventures rely advertising revenu... 18536 paper deals feature selection procedures spati... 6103 exploration complex domains key challenge rein... 6748 quantifying image distortions caused strong gr... 16803 generalizations hermite polynomials many varia... 20745 point simple variant syk model call csyk slr i... 11459 discovering automatically semantic structure t... 13009 problem retrosynthetic planning framed one pla... 9082 abridged infrared rovibrational emission lines... 16439 thesis study deformation problem coisotropic s... 16129 investigate anderson localization nonhermitian... 14713 paper considers optimal modification likelihoo... 14699 deep learning models effective source separati... 9401 largescale wireless testbeds setup last years ... 16095 new upper limit mixing parameter hidden photon... 421 past decade information security threat landsc... 9963 novel matching based heuristic algorithm desig... 9898 sparse exchangeable graphs resolve pathologies... 9350 giant vortices higher phasewinding pi usually ... 2306 emergence intellectual property academic issue... 8465 limitations matrix factorization losing spatia... 171 shown recently changing fluidic properties dru... 3956 paper shall prove equality zetanzetanzetan con... 5606 liu et al provide comprehensive account resear... 5811 increasing demands applications virtual realit... 18759 goal note show also bounded domain omega subse... 8462 survey explores procedural content generation ... 11380 last decade neural network kernel adaptive fil... 1725 heckehopf algebras defined berenstein kazhdan ... 8938 present contribution study landaulifshitzgilbe... 1184 boron subphthalocyanine chloride electron dono... 9756 present systematic study coreshell aufeo nanop... 9974 accurately predicting ambulance callouts occur... 9035 distributed computation recent trend engineeri... 20325 paper considered sub family exponential family... 1269 gammaray fastneutron imaging performed novel l... 904 convolutional neural networks cnns recently in... 3494 consider closed chain even number majorana zer... 8346 internal diffusionlimited aggregation idla sto... 16952 present model evolution supermassive protostar... 7797 theoretically investigate possibility achievin... 9739 monocular visualinertial system vins consistin... 7396 neural machine translation models rely beam se... 6089 paper focus numerical simulation phase separat... 2080 develop theory nonlinear dimensionality reduct... 7928 optical properties photonic crystal covered pe... 13853 paper introduces novel deep learning framework... 18178 analyzed effects bulk shear viscosities pertur... 7933 recent planet nine hypothesis led many observa... 10846 propose modification standard inverse scatteri... 12177 paper investigate numerical approximation anal... 9316 unsupervised machine learning data mining tech... 17045 practical biologically motivated case protein ... 2645 paper considers practical scenario classical e... 18060 propose new method embedding graphs preserving... 9927 last decade deep learning contributed advances... 7211 maps parameter space expressing distribution f... 4677 method constructing lax pairs nonlinear integr... 6533 fast energyefficient deployment trained deep n... 12012 although number semilinear stochastic wave equ... 5209 game towers hanoi generalized binary trees fir... 2646 persistence diagram cohensteiner edelsbrunner ... 10073 paper prove smooth projective variety x charac... 18398 hand one complex important parts human body de... 10622 deep learning textitdepth well textitnonlinear... 17975 new form variational autoencoder vae developed... 20950 playing parrondos game qutrit subject paper sh... 1478 paper propose novel application generative adv... 12542 article discusses relationship emergence reduc... 692 consider withdrawal ball fluid reservoir under... 17720 present feature functional theory binding pred... 13841 motivated wideranging applications video deliv... 14115 dynamic adaptive streaming http dash recently ... 6365 electric field effect magnetic anisotropy stud... 18494 deep neural networks dnns achieved great succe... 2155 explore problem intersection classification us... 17959 consider certain quotient polynomial ring cate... 7370 credal network epistemic irrelevance generalis... 1301 paper analyse interaction centralised carbon e... 7837 acceptable quantum gravity theory must allow u... 14877 many policy search algorithms proposed robot l... 3715 demand lowdissipation nanoscale memory devices... 18087 paper establishes general equivalence discrete... 19239 r package optimparallel provides parallel vers... 8111 paper studies contraction properties nonlinear... 20642 discovered previously topological order parame... 5037 examine kinematics gas environments galaxies h... 4399 concerned multidimensional nonlinear stochasti... 3622 blooms taxonomy bt used classify objectives le... 13840 infinitely smooth convex body mathbb rn called... 4516 paper correct inaccuracy appears proof theorem... 14595 gibbs sampler particularly popular markov chai... 11294 electron ptychography seen recent surge intere... 7354 paper drawing intuition turing test propose us... 8750 purpose siemens developed several iterative re... 17493 consider spectral dirichlet problem laplace op... 10767 kernel methods powerful flexible approach solv... 1436 increase customer expectation terms cost servi... 507 propose novel class dynamic shrinkage processe... 5275 inspired andrews colored generalized frobenius... 12664 eventdriven programming frameworks android bas... 10061 several recent studies reported different intr... 5663 consider problem transferring policies real wo... 5402 built twostate model asexually reproducing org... 5930 paper considers problem fault detection isolat... 20016 datatarget pairing important step towards mult... 8947 consider rosenzweigporter model h v sqrtt phi ... 20753 obtained lowresolution optical micron nearinfr... 2339 proposed semiparametric estimation procedure o... 12242 hasimoto map various dynamical systems mapped ... 17056 use cnns build system classifies images faces ... 12028 research objects ros semantically enhanced agg... 15879 ellenberg gijswijt gave recently new exponenti... 4386 onchip twisted light emitters essential compon... 14524 recent cnn architectures use average pooling f... 12744 magnetoelectric effects surface states ti extr... 18556 wellknown question classical differential geom... 14813 widely perceived correlation effect may play i... 10310 electron cryotomography ect allows visualizati... 7680 wide class hermitian random matrices limit dis... 18457 article study plasmonic resonance infinite pho... 18277 paper deep neural network dnn utilized improve... 8693 negative index materials artificial structures... 16126 tasks search recommendation become increas ing... 643 consider problem dynamic spectrum access netwo... 16827 study thermodynamics ideal bose gas well trans... 1539 new search strategy detection elusive dark mat... 9121 principal component pursuit pcp stateoftheart ... 1211 paper formulates timevarying socialwelfare max... 15284 paper provides alternative approach theory dyn... 18035 background nuclear structure cluster bands ne ... 2560 motivated current interest understanding mott ... 8864 let g real linear semisimple algebraic group w... 13107 clustering problem many variants numerous appl... 6106 objective work augment basic abilities robot l... 13029 lpmln recent addition probabilistic logic prog... 11569 important problem many domains predict system ... 12668 group law said detectable power subgroups copr... 5615 devise approach calculation scaling dimensions... 390 prove lefschetz duality intersection cohomolog... 1464 prove quantitative fourth moment theorem wigne... 12937 recurrence networks associated statistical mea... 12617 malaysian airlines flight mh veered course une... 1192 paper studies meanvariance portfolio selection... 15344 inception network shown provide good performan... 11985 paper tackle accurate consistent structure mot... 10064 virtual reality immersive technology replicate... 15637 aid variety research studies propose twirole h... 3590 show every finitely generated closed subgroup ... 16922 power press shape informational landscape popu... 6360 many scenarios language identification task us... 11350 difficult problems described terms interacting... 20614 highresolution noninvasive study intact spine ... 12709 prove banach strong novikov conjecture groups ... 8697 paper proposes centralized distributed subopti... 8435 let mathfrako complete discrete valuation ring... 15605 investigate problem learning discrete undirect... 6719 origin lifecycle molecular clouds still poorly... 15540 nominal transition systems ntss parrow et al d... 13870 present largescale study gender bias occupatio... 506 work apply amplitude modulation spectrum ams f... 10857 lindelfs hypothesis one important open problem... 14693 study continuous phase transitions triggered s... 946 consider refined topological vertex iqbal et a... 15576 r popular language programming environment dat... 14327 comparison data arises many important contexts... 12909 use game theory design control large scale net... 19505 study provide mathematical practicedriven just... 17193 strong mode probability measure normed space x... 16568 paper provides outline algorithms submitted ws... 2547 given combinatorial design mathcald block set ... 15773 use energy packet network paradigms investigat... 1773 show every hminorfree graph light epsilonspann... 13007 multiagent pathfinding mapf problem recently r... 11202 applying principle equivalence analogous einst... 272 provide comprehensive study convergence forwar... 18994 many scenarios require robot able explore envi... 8989 using modification shapiro scaling approach de... 3618 predictive power neural networks often costs m... 2381 introduce new critical value cinftyl tonelli l... 11021 analyse limiting behavior eigenvalue singular ... 17623 selfconsistent treatment cosmological structur... 7008 matrix inversion interesting topic algebra mat... 16817 design differentially private algorithms probl... 15900 work propose simple effective method interpret... 9269 describe sofic groupoids elementary terms prov... 920 paper considers problem decentralized optimiza... 4633 penalized least squares estimation popular tec... 8504 present phase induced transparency based schem... 14702 neural architecture search nas proposed automa... 746 note establishes inputtostate stability iss pr... 7707 audio events quite often overlapping nature pr... 3569 rna sequencing allows one study allelic imbala... 8982 show assuming mild settheoretic hypothesis abs... 10668 inductive inference process extracting general... 20058 paper solve inverse problem class mean field m... 14312 establish sharp growth rate terms cardinality ... 18166 peer code review locates common coding rule vi... 11611 using variational bayes neural networks develo... 10762 theoretically investigate generation intense k... 13945 better understand energy response antineutrino... 8557 set economic entities embedded network graph c... 14342 various economic environments people observe s... 6448 describe fast closedloop optimization wavefron... 5599 materialbased ie lagrangian methodology exact ... 9290 paper studies mechanism preconcentration charg... 12547 goals results pinpoint shots pivotal decision ... 15989 paper considers network sensors without fusion... 10355 boltzmann exploration widely used reinforcemen... 3637 young starburst galaxies xray population expec... 17834 double machine learning provides sqrtnconsiste... 8572 rogue waves periodic counterparts shown exist ... 17678 mixed manna contains goods everyone likes bads... 9484 phase compensated optical fiber links enable h... 1912 paper shall prove subset overlinemathbb qcap b... 16484 leclerc zelevinsky motivated study quasicommut... 599 highpressure neutron powder diffraction muonsp... 3892 spatially extended population dynamics models ... 12333 survey theory poisson traces zeroth poisson ho... 5540 report detection confidence optical counterpar... 1652 paper based framework traditional spectrophoto... 17031 greedy optimization methods matching pursuit m... 8106 study complementary information set codes leng... 14987 direct impact excitation precipitating electro... 14189 generalised hydrodynamics predicts universal b... 1893 paper introduces combinatorial boolean model c... 7833 opposed manual feature engineering tedious dif... 20344 present accurate electrical resistivity measur... 11587 network support key success factor talented pe... 19602 quadratic unconstrained binary optimization qu... 6502 survey goodnessoffit symmetry tests based char... 4362 recent publications presented novel formal sym... 262 unusually high surface tension room temperatur... 375 coupled excitonvibrational dynamics threesite ... 1966 present paper study existence solutions nonloc... 3957 demonstrate subpicosecond wavelength conversio... 17318 zoonotic diseases major cause morbidity produc... 1466 show ladic realization functor conservative re... 12615 dynamically crosslinked semiflexible biopolyme... 13543 understanding influence hyperparameters perfor... 5696 bots social media accounts controlled software... 1243 predicting response system perturbations key c... 8105 spin torque oscillators placed onto nonmagneti... 17122 investigate timedependent spatial vectorhost e... 18876 nathan fine gave beautiful product number bino... 17534 online advertising product recommendation impo... 941 enable novice users create effective task plan... 2949 given set data one central goal group clusters... 9663 present novel approach robust manipulation hig... 3346 legal professionals worldwide currently trying... 12714 design conduct present results highly personal... 2657 tdistributed stochastic neighborhood embedding... 11045 study single value shatter function set system... 15882 earlier decade socalled feast algorithm releas... 12698 important difficult challenge building computa... 13353 study integral transform appeared different fo... 10905 complex contagion models developed understand ... 20757 given discrete group gammagldotsgm number kinm... 20940 coupon collectors problem one mathematical pro... 16988 paper show different body parts play equally i... 19739 paper introduce metallic maps metallic riemann... 5326 report detection linear polarization forbidden... 18772 paper presents two novel control methodologies... 6578 introduce new class monte carlo based approxim... 13862 paper contributes techniques topoalgebraic rec... 2799 investigate problem testing equivalence two di... 4306 new social economic activities massively explo... 14775 prove superhedging duality discretetime financ... 18042 investigate constraints sum neutrino masses si... 19720 recently researchers discovered stateoftheart ... 18456 domain name system translates human friendly w... 7244 clustering undirected graph paper presents exa... 298 paper proposes nonparallel manytomany voice co... 19726 three dimensional topology optimization proble... 9241 trilobites exotic giant dimers enormous dipole... 6770 study existence homoclinic type solutions seco... 3823 cultural activity inherent aspect urban life s... 17126 study problem using iid samples unknown multiv... 7977 classic approach learning bayesian networks da... 11463 consider nonstationary sequential stochastic o... 2035 classical mechanics wellknown cryptographic al... 4039 paper propose welljustified synthetic approach... 10450 purpose paper show functions derivate twovaria... 17004 establish rate region extended graywyner syste... 12117 various defense schemes determine presence att... 15212 understanding nature bulges disc galaxies prov... 10164 design controllers formal specifications posit... 17822 users online social networks osns interact eve... 10291 applications require substantial computational... 1499 exploiting property rbm loglikelihood function... 13397 introduce geometry interaction model mazzas mu... 3512 atmospheric moist available potential energy m... 20897 present simplified treatment stability filtrat... 14220 consider class variational problems densities ... 8844 paper propose new method joint nonparametric e... 8362 analyze stylized model coevolution two purely ... 6828 three types orbits theoretically possible auto... 7130 paper citelau shown restriction pseudoeffectiv... 18029 paper continue study citemiaotxdnlsstab use pe... 7954 entropy search es predictive entropy search pe... 4085 wet etching essential complex step semiconduct... 242 metabolic flux balance analyses standard tool ... 18901 paper revisit primaldual dynamics convex optim... 13990 paper solves problem optimal portfolio choice ... 3144 define newman property bldmappings study conne... 12563 consider problem optimizing heat transport inc... 1644 study connections dykstras algorithm projectin... 14547 present generalized versions concepts seniorit... 7371 mollow spectrum light scattered driven twoleve... 18610 rasch model widely used item response analysis... 5594 known connected translation invariant ndimensi... 10948 gradient coding technique straggler mitigation... 19510 recent works shown social media platforms able... 16885 present computerassisted proof heteroclinic co... 14466 filling dehn surface manifold generically imme... 18212 paper analyzes publication efficiency terms hi... 18939 number forehead nof multiparty communication m... 5231 important problem phylogenetics construction p... 2076 report first result ge neutrinoless double bet... 4103 applications deep reinforcement learning robot... 7493 certain analytical expressions feel divisors n... 9043 study charge spin transport along grain bounda... 12188 importanceweighting popular wellresearched tec... 12993 investigate extremal problems fourier analysis... 5968 among ntype metal oxide materials used planar ... 8320 rapid growth social media massive misinformati... 15470 many applications systemssynthetic biology par... 18716 various approaches proposed learn visuomotor p... 10297 high performance computing often performed sca... 3966 family subsets ldotsn called intersecting two ... 2240 formulated implemented procedure generate alia... 20770 present data streaming algorithms kmedian prob... 20351 article discuss mass transference principle du... 16629 study twodimensional stochastic nonlinear wave... 6754 fundamental theory energy networks different e... 2575 deep learning involves difficult nonconvex opt... 14041 derive expressions configurational forces kohn... 14389 excluding regions eigenvalue matrix contained ... 4042 study propose new statical approach highdimens... 19173 paper consider role nonmodal instabilities dyn... 12853 electrophysiological recordings spiking activi... 4078 distribution matter universe first order logno... 14246 demand response dr costeffective environmental... 7754 prove two knots concordant involutive knot flo... 12895 develop hybrid system model describe behavior ... 14166 superconductor subjected strong inplane magnet... 17897 learning latent representation data unsupervis... 16083 adam optimizer exceedingly popular deep learni... 8832 lregularized models widely used sparse regress... 9462 paper explores design development class robust... 16491 online reviews provided consumers valuable ass... 15960 planning motions two robot arms move object co... 2778 define integral form deformed walgebra type gl... 4603 aim clarify role absorption plays nonlinear op... 4932 propose general index model survival data gene... 14252 chemical substitution growth wellestablished m... 1985 neural network nn model chemistries mcs promis... 3861 batygin brown suggested existence new solar sy... 7774 introduce physics informed neural networks neu... 11672 investigate galaxy overdensity around protoclu... 9726 paper deal task building dynamic ensemble chai... 325 many empirical studies document power law beha... 16156 propose novel metropolishastings algorithm sam... 15560 initializing elements array specified value ba... 13956 well known thanks laxwendroff theorem local co... 10530 neural style transfer based convolutional neur... 7891 light transport simulation reinforcement learn... 6394 classical difficult isomorphism testing proble... 12172 one key challenges visual perception extract a... 18208 whitebox test generator tools rely code test s... 19889 multiplicative exponential linear logic mell p... 4054 paper introduce algorithm performing spectral ... 2237 study connection synchronizing automata set mi... 5229 paper study frequentist convergence rate laten... 12370 study annealing stability bottompinned perpend... 4571 construct labeling homomorphisms cubical homol... 8976 early approaches multipleoutput gaussian proce... 13666 study attractors class holomorphic systems irr... 7454 neodeterministic seismic hazard assessment nds... 1268 boolean network finite state discrete time dyn... 864 schottky structure handlebody genus g provided... 18919 main aim present paper represent exact simple ... 4942 let widetildemathcal mlangle mathcal prangle e... 2253 dirichlet process mixture models dpmm cornerst... 6010 last decade use simple rating comparison surve... 6911 inverse problem spectroscopy considered object... 615 consider task generating draws markov jump pro... 6998 many methods automatic music transcription inv... 371 paper discusses metropolishastings algorithm d... 17808 show mild topological assumptions small oscill... 10348 use resonant depolarization suggested precise ... 7940 spatial point process context kernel intensity... 609 reduction communication efficient partitioning... 4651 key performance characteristics demonstrated m... 19238 method brackets efficient method evaluation la... 19417 present unifying framework solve several compu... 8872 consider problem variable selection highdimens... 19794 spread online reviews ratings opinions growing... 20908 learning model parameters multiobject dynamica... 15886 major challenge solar heliospheric physics und... 5919 present paper second part twofold work whose f... 19790 onedimensional systems obtained lowenergy limi... 14022 present longbaseline alma observations strong ... 2364 work compare thermophysical properties particl... 11405 paper stochastic model regime switching develo... 7766 paper investigates lateral pullin effect inpla... 7148 graph g called sum graph socalled sum labeling... 13648 aim paper introduce notion fantastic deductive... 9103 paper improve previously best known regret bou... 10635 dipole moments simple global measure accuracy ... 19925 recently fabrication cdse nanoplatelets became... 3789 unsupervised domain mapping attracted substant... 17969 symboliccomputational algorithm fully implemen... 12006 phenomenon hardly found accompanied physical p... 5581 particlehole ph symmetry halffilled landau lev... 5874 analysis entanglement entropy subsystem onedim... 11367 recombination charges important process organi... 18874 multicomponent nanoparticles synthesized eithe... 15811 opensource vehicle testbed enable exploration ... 5060 paper study ability make shortterm prediction ... 20198 atacama large millimetersubmilimeter array alm... 9615 fastdeclining type ia supernovae sn ia separat... 4218 article give approach define continuous functi... 8044 generative adversarial networks gans transform... 8671 bounce universe model known coupledscalartachy... 662 shock wave interactions defects pores known pl... 8386 manuscript discusses still preliminary conside... 14629 prove dimension function h h prec xd countable... 17353 paper consider temporal pattern traffic flow t... 12435 real world phenomena sunlight distribution for... 12451 language change involves competition alternati... 11180 cloud server spent lot time energy money train... 18316 differential event rate weakly interacting mas... 9311 paper develop novel paradigm namely hypergraph... 2776 word embeddings powerful approach unsupervised... 4535 review recurrence intervals function ground mo... 13667 graphene honeycomb lattice carbon atoms ruled ... 17307 studying anomalous diffusion pulsed field grad... 16854 article provides short review structural resul... 20922 prove existence solution semirelativistic hart... 7189 utility markov chain monte carlo algorithm lar... 13731 era next generation giant telescopes requires ... 19095 develop novel policy synthesis algorithm rmpfl... 16946 present construction multiscale gaussian beam ... 5573 study portfolio selection problem continuousti... 6135 contribution present numerical experimental re... 13461 many earth science applications require data h... 4427 aspectbased sentiment analysis existing method... 10553 show problem counting homomorphisms fundamenta... 5247 present galario computational library exploits... 17530 develop theory hydrodynamic charge heat transp... 3981 classic algorithm bodlaender kloks j algorithm... 9943 paper concerned channel estimation problem mul... 7825 thermoelectric te measurements performed workh... 14180 show classical equivalence bmo norm l norm lac... 11085 object detection provided imagelevel labels in... 2669 article presents framework develops formulatio... 3977 advent numerous online content providers utili... 17571 provide sufficient conditions guarantee transl... 279 deep convolutional neural networks cnns recent... 13158 short account recent existence multiplicity th... 2172 metabolic fluxes cells governed physical bioch... 15699 present finite difference time domain fdtd mod... 17694 quantum coherence phenomena driven electronicv... 10852 modern radio telescopes square kilometre array... 19518 tradeoffs current sharing among distributed re... 8718 let x smooth manifold smooth involution sigmax... 7452 article describes motivation design progress j... 15553 way nonequilibrium greens function simulations... 5197 erosion deposition flow porous media lead larg... 12856 rate change calculations literature involve de... 9886 neural networks equal excitatory inhibitory fe... 19842 grand unification theory gauge theories strong... 13210 quench dynamics active area study encompassing... 18109 analyze invariant measures two coupled piecewi... 11671 paper investigates identify requirement develo... 19073 surface scattering key limiting factor thermal... 15995 titanium dioxide tio wide band gap semiconduct... 20115 detection intermediate mass black holes imbhs ... 12608 regular ordered semigroup called right inverse... 20282 develop online learning method prediction impo... 4155 modification geometry interactions twodimensio... 19680 according data united nations people died day ... 4883 introduce mathcaldlr extension nary propositio... 5807 opinion polls bridge public opinion politician... 3809 report optimization process synthesize epitaxi... 17119 study performed initial investigation evaluati... 10079 living organisms process information interact ... 8713 obtaining magnetic resonance images mri high r... 12488 consider conditionalmean hedging fractional bl... 16505 paper present fast implementation singular val... 4683 order autonomous robots able support peoples w... 7240 let finitely generated subsemigroup z derive g... 5543 intelligent network selection plays important ... 17801 dual energy ct dect enhances tissue characteri... 15681 recent work demonstrated neural networks vulne... 11864 motivation scratch assay standard experimental... 5593 goal dissertation study sequence polymorphism ... 15519 associate iterated function system consisting ... 10401 anytime almostsurely asymptotically optimal pl... 12623 modeling longitudinal data often requires diff... 5672 study threecomponent fermionic fluid optical l... 13594 work study crystalline nuclei growth glassy sy... 17264 wave motion two threedimensional periodic latt... 6897 present framework simultaneously align smooth ... 4563 interplay electrochemical surface charges bulk... 8376 note show backwards uniqueness theorem mean cu... 16547 consider hyperkhler reduction describe via fra... 16681 advanced brain imaging techniques make possibl... 8745 phase power control methods satisfy requiremen... 1384 document data transfer workflow data transfer ... 16635 unsupervised clustering one fundamental challe... 9036 context use defect prediction models classifie... 13095 controllers robotics often consist expertdesig... 297 paper mainly discusses diffusion complex netwo... 8635 establishing connection bidirectional helmholt... 20188 consider path planning problem link robot amid... 16880 among proposals joint disease mapping shared c... 3867 generative adversarial networks gans shown rem... 16857 indexing massive data sets extremely expensive... 2077 keywords important information retrieval used ... 15029 introduce connection scan algorithm csa effici... 15675 evacuation one main disaster management soluti... 14209 main aim survey paper gather together results ... 20646 hyperuniform disordered photonic materials hdp... 15216 face deidentification active topic amongst pri... 2537 pressure driven flow contact interface elastic... 16395 endtoend training scratch current deep archite... 7362 present regression technique data driven probl... 6636 task determining item similarity crucial one r... 7498 paper introduces generalization convolutional ... 13482 artificial intelligence increasingly affecting... 9009 present interpretable neural network predictin... 20380 unconventional superconductivity superfluidity... 6553 present article classical problem electromagne... 10770 interested dynamics quantum manybody systems c... 16131 background pairwise network metaanalyses using... 4654 paper present neural phrasebased machine trans... 320 paper prove mean value formula bounded subharm... 7135 present machine learning framework multiagent ... 11984 paper analyzes simple game n players fix mean ... 2654 work propose novel robot learning framework ca... 12142 conceptual design quantum blockchain proposed ... 13721 administrators academic organizations across w... 886 disordered elastic systems driven displacing p... 5002 consider dissipation surface waves fluids view... 17679 explain predictions blackbox model paper use i... 19274 paper presents provably correct method robot n... 244 glass forming liquids close glass transition p... 14758 optical clocks benefit tight atomic confinemen... 8207 light carrying orbital angular momentum oam sh... 5983 purpose analysis optimized spin ensemble traje... 2363 classical novae show rapid rise optical bright... 1161 aim study investigate magnetospheric disturban... 287 study diagrammatic categorification antispheri... 13650 recent work follow perturbed leader ftpl algor... 16637 ensemble kalman filter enkf monte carlo based ... 10068 consider problem adversarial nonstochastic onl... 10680 gaussian mixture models one studied mature mod... 12450 describe method generating minimal hard prime ... 17704 investigate problem dynamic portfolio optimiza... 8681 construct imaginary quadratic number fields cl... 1170 fundamental question systems biology combinati... 19610 lorenzens algebraische und logistische untersu... 10374 experimental particle physics forefront analyz... 20138 short note prove f weak upper semicontinuous a... 6792 paper presents investigation relation positivi... 19143 collective cell migration highly regulated pro... 277 paper study performance two crosslayer optimiz... 17099 work presents algorithm changing latitudinal l... 15946 present extragalactic survey using observation... 3121 pointed nonsingular cosmological solutions sec... 8579 note contains additions paper clustered cell d... 8339 present strain temperature dependence anomalou... 3406 star clusters interact interstellar medium ism... 15475 introduce spreading technique deduce finitenes... 13861 consider scenario broadcasting information net... 19005 address problem executing toolusing manipulati... 13128 broad set deep generative models dgms achieved... 931 deep learning successfully applied various tas... 691 paper detail changes operational paradigm ferm... 17199 paper addresses optimal control problem known ... 6364 weakly dependent time series regression model ... 9021 resonant inelastic xray scattering n k edge re... 10273 paper proposes novel representation decomposab... 20418 quality experience qoe known subjective contex... 16428 paper propose encoderdecoder convolutional neu... 9141 consider surface let msubset ssetminus connect... 7108 biophysical model epimorphic regeneration base... 8975 polarised drellyan experiment compass facility... 4319 study standard nonlocal nonlinear schrdinger n... 2965 generating music medleys finding optimal permu... 3969 interpretability become important issue machin... 4926 bipartite envyfree matching befm relaxation pe... 17105 winogradbased convolution quickly gained tract... 14616 product distribution matching pdm proposed gen... 13971 measure mass function sample young star cluste... 3092 optimization algorithm hyperparameters crucial... 12748 bayesian optimization proposed automatic learn... 16490 siliconvacancy color centers nanodiamonds prom... 15790 incentivized advertising new ad format gaining... 12515 atomistic rigid lattice kinetic monte carlo ef... 3982 let tii sequence independent identically distr... 1404 single ion solvation free energies one importa... 6124 early researchers began focus security importa... 1094 paper enumerate newton polygons asymptotically... 15972 work addressed issue applying stochastic class... 2843 neural models become ubiquitous automatic spee... 4815 layout hotpot detection one main steps modern ... 16473 present algorithms real complex dot product ma... 5956 hybrid cloud integrated cloud computing enviro... 13374 robotic systems increasingly relying distribut... 18852 blind gain phase calibration bgpc bilinear inv... 13179 proved category mathbbem extended multisets du... 12205 fracton models collection exotic gapped lattic... 14407 novel capsule target design improve hotspot pr... 4686 new management system snd detector experiments... 4922 work focuses quantitative representation trans... 15833 base station cooperation heterogeneous wireles... 6785 work addresses onedimensional problem bloch el... 5877 reduction restricting spectral parameters k k ... 9548 compute leading postnewtonian pn contributions... 16459 recent advances weakly supervised classificati... 2345 adversarial example example adjusted produce w... 8430 odd prime p conjecture distribution ptorsion s... 4586 computed tomography ct reconstruction fundamen... 18439 test case prioritization tcp techniques aim pr... 14597 article sets forth results existence priori es... 20594 demonsrtate electrical spin injection detectio... 16884 fog computing seen promising approach perform ... 8378 paper use inverse mean curvature flow establis... 19175 paper consider timeinhomogeneous branching pro... 6197 detecting weak seismic events noisy sensors di... 13097 paper deals cellular eg lte networks selective... 14456 membrane proteins lipids selfassemble membrane... 15179 deep neural network models used medical image ... 6401 intuitive analogy organic chemists understandi... 5695 entropy principle formulation mller liu common... 2941 show discourse structure defined rhetorical st... 7381 well known functions involution respect poisso... 18878 paper consider zerosum repeated games maximize... 13834 cegar loop software model checking notoriously... 5578 liouville domain w whose boundary admits perio... 10338 volume eptcs contains proceedings fifth worksh... 9993 adversarial examples perturbed inputs designed... 7905 potential functionals introduced recently impo... 17670 paper investigate casacore table data system c... 17052 describe results qualitative study journalists... 1048 estimate spin distribution primordial black ho... 6782 autonomous robot manipulation often involves e... 12662 paper presents first emphconcurrencyoptimal im... 17215 paper concerns low mach number limit weak solu... 1609 random tensor networks provide useful models i... 2415 autonomous robots increasingly depend thirdpar... 2017 develop notion higher cheeger constants measur... 2971 paper intended introduction algebraic geometry... 12317 time series frequently case neuroscience rarel... 14038 paper describes verifying methods medical spec... 13567 study problem modeling spatiotemporal trajecto... 2931 participating electricity markets owners batte... 15406 consider online oneclass collaborative filteri... 19199 increasing interest accelerating neural networ... 16508 social networks contain implicit knowledge use... 13001 show textod invariant matrix theories containi... 1814 show poisson centre truncated maximal paraboli... 14586 let sf x symplectic orbifold groupoid sf sympl... 14448 derive algorithm compute satisfiability bounds... 11533 report longitudinal epsilonnearzero lenz film ... 2123 unprecedented human mobility driven rapid urba... 13704 study problem matrix estimation matrix complet... 20471 aim paper give explicit formula nonsymmetric h... 7701 recommenders become widely popular recent year... 18404 artificial intelligence methods solve continuo... 16703 alastair graham walker cameron astrophysicist ... 9170 size modern data sets exceeds disk memory capa... 808 work introduce time memoryefficient method str... 18302 guarantee integrity security data transmitted ... 16595 comprehensive theoretical analysis photoinduce... 17562 advanced gravitationalwave detectors laser int... 4906 lowmass stars plentiful universe often host sm... 3722 sexual violence product organized crime social... 13122 approximate ripple carry adders rcas carry loo... 12734 although motility flagellated bacteria escheri... 3962 diagnosis risk stratification cancer many dise... 18514 using formalism based twobody smatrix study tw... 2671 last decades psychologists developed sophistic... 16775 general relativistic effects long predicted su... 9417 rising interest construction quality business ... 4552 microcanonical grosspitaevskii aka semiclassic... 6009 present embedding approach semiconductors insu... 5737 present extension effective field theory frame... 8479 paper proposes novel joint computation communi... 3164 create database composed hours multimodal reco... 6763 present lowfrequency spectral energy distribut... 1657 address problem lightly doped spinliquid large... 20139 monte carlo tree search mcts extended many imp... 7549 search binary sequences low autocorrelations l... 4266 weyl dirac semimetals three dimensions robust ... 19705 traceroute main tools explore internet path pr... 20569 partial differential equations random inputs b... 5316 study datadriven representations threedimensio... 9673 determine connected homogeneous kobayashihyper... 19734 stateoftheart graph kernels take local graph p... 1001 development spintronic technology increasingly... 4198 paper study robustness network topologies use ... 2418 study statistical computational aspects kernel... 3575 modified cholesky decomposition commonly used ... 9772 achieving high spatial resolution contact sens... 3558 several recent papers investigate active learn... 18791 increasing interest applying methodology diffe... 12458 scientific knowledge constantly subject variet... 3854 investigate association musical chords lyrics ... 4887 recent experiments schaeffer shown lithium pre... 13058 cutelimination one famous problems proof theor... 19203 image stitching challenging consumerlevel phot... 5313 show certain onedimensional spin chains open b... 16223 one consequences passing mass production mass ... 17817 circ video requires human viewers actively con... 4524 propose swarmbased optimization algorithm insp... 13699 future electricity distribution grids host con... 4827 present companion paper contemporary look herm... 16906 paper show category module spectra cbmathcalgm... 807 chapter presents hinfinity filtering framework... 3907 moon often appears larger near perceptual hori... 14333 demonstrate weakly disordered metal shortrange... 17288 understanding shading effects images critical ... 7023 study spreading information wide class quantum... 1956 report summarizes discussions open issues take... 10637 estimating causal effects intervention presenc... 9343 paper studies optimal outputfeedback control l... 15161 design sparse spatially stretched tripole arra... 11404 electronic magnetic properties dna structures ... 18987 calgebras b generalize notion quasihomomorphis... 2402 compare longterm fractional frequency variatio... 5184 ultracold atomic physics experiments offer nea... 14698 interface two distinct materials desirable pro... 20083 remarkably strong chemical adsorption behavior... 10283 paper presents novel method describe battery d... 12719 family multiscale hybridmixed mhm finite eleme... 8095 using enthalpybased thermal evolution loops eb... 9890 dynamic patterning specific proteins essential... 15086 let sxxdotsxn set distinct positive integers l... 17991 purpose study analyze cyber security security ... 7566 determination morphology galaxy clusters impor... 11126 paper proposes convolutional neural network cn... 14719 monte carlo method based geant toolkit develop... 20199 endowing robots capability assessing risk maki... 5368 establish bijective correspondence certain non... 6928 prove universal limit theorem halting time ite... 9603 paper considers mean field games multiagent ma... 17156 work higsonroe fundamental role signature homo... 8901 paper introduce study coprime quantum chain ie... 18299 uniform electron gas finite temperature high c... 11795 paper combine concepts riemannian optimization... 11268 paper investigates problem fitting protein com... 7384 measured resistivity thermopower specific heat... 17560 report results simultaneous xray reflectivity ... 19814 individual subjected exposure developed outcom... 16951 explore problem learning selective labels cont... 20340 ordinary differential operators periodic coeff... 9460 long assumed high dimensional continuous contr... 2462 investigate holonomy group singular khlereinst... 17754 work relates famous experiments performed wern... 12942 let x normal algebraic variety finitely genera... 11708 newage directionsensitive darkmattersearch exp... 16455 sensor fusion fundamental process robotic syst... 9454 selfsupported electrocatalysts generated emplo... 18958 derive estimators density event times current ... 6509 work study problem exploring surfaces building... 589 consider social network nodes agents meaningfu... 13136 graphstructured data social networks functiona... 16549 prove inverse theorem gowers unorm maps gtomat... 8848 government agencies offer economic incentives ... 4624 point current textbooks modern physics century... 6845 currently deep neural networks deployed lowpow... 14343 paper proposes new architecture speaker adapta... 10850 consider following kolmogorov type hypoellipti... 8869 propose madgan intuitive generalization genera... 19083 variational methods among powerful tools solvi... 9424 propose single neural probabilistic model base... 5454 current action recognition methods heavily rel... 1449 large datasets often unreliable labelssuch obt... 17023 machine scheduling problems longtime key domai... 15849 consider asymptotic normality linear rank stat... 11454 although bayesian inference immensely popular ... 17948 hidden markov models one popular estimates hid... 9803 monograph aims providing introduction key conc... 1587 debate deliberation play essential roles polit... 6686 agile denoting quality agile readiness motion ... 13558 previous work defined studied sigmamodules cla... 8806 fuzz programming language reed pierce uses ele... 3961 almost three decades taup conference seen rema... 8923 introduce family tensor network states term se... 6078 fast algorithms optimal multirobot path planni... 10956 study supersymmetric version gardner equation ... 19942 last decade tremendous strides achieved unders... 4006 project propose novel approach estimating dept... 4939 digital memcomputing machines dmms nonlinear d... 19104 experiment conducted framework euhit project d... 5898 approximate full configuration interaction fci... 14365 semantic segmentation constitutes integral par... 18246 introduce new natural generalizations classica... 14011 echocardiography essential modern cardiology h... 11460 present new method generating mixture models d... 13157 paper study asymptotic properties bayesian mul... 1260 main goal paper full proof cardinal inequality... 14391 consider problem nonparametric regression shap... 310 report discovery three small transiting planet... 1716 big data streaming applications require utiliz... 2052 prove length function perverse sheaves algebra... 4668 incremental methods structure learning pairwis... 4298 education key factor ensuring economic growth ... 3783 auxiliary variables often needed verifying imp... 1008 generalized cross validation gcv one important... 7347 formation singularity compressible gas describ... 10377 present detailed spectral analysis brightest a... 18318 numerical analysis diffraction features render... 9878 visual tracking fundamental problem computer v... 13159 convex penalty promoting switching controls pa... 2773 manufacture steel metals mainly cut shaped fab... 13026 work explores maximum likelihood optimization ... 12948 study ginzburglandau equations riemann surface... 16474 unsupervised representation learning tweets im... 1987 study photoinduced breakdown twoorbital mott i... 17880 predictions parameteric property models uncert... 7279 la transformoj de schwarzchristoffel mapas kon... 2672 comprehensive two dimensional gas chromatograp... 16260 topological metrics graphs provide natural way... 9175 consider first exit time shiryaevroberts diffu... 249 paper develop position estimation system unman... 8185 dark matter axions generate peculiar effects s... 5884 venusian surface studied measuring radar refle... 18516 concerned regularity solutions lighthill probl... 18314 deep reinforcement learning achieved many rece... 6589 machine learning emerged invaluable tool many ... 13780 present grasping system design approach behind... 17121 paper defines homology homotopy type theory pr... 627 study problem constructing near uniform random... 17244 present quantization isomorphism mirkovi vybor... 13272 column subset selection problem provides natur... 4765 timelimited functions bandlimited functions pl... 19320 classification algorithm called linear central... 16512 collective motion intriguing phenomenon especi... 18811 current induced magnetization manipulation key... 17545 paper use iterative algorithm solving fredholm... 13782 random walks heart many existing deep learning... 12427 context fitness coaching rehabilitation purpos... 6995 online dominating set problem online variant m... 17777 present latetime optical rband imaging data pa... 6305 order avoid wellknow paradoxes associated self... 19491 study quartic double fivefolds perspective fan... 17240 purpose article determine explicitly complete ... 17807 generating random variates highdimensional dis... 12392 prove representation fundamental group quasipr... 17632 despite significant advances artificial intell... 15472 paper addresses problem coordination fleet mob... 10703 skiroc asic readout silicon pad detectors elec... 9220 generalization use graphs describe pairwise in... 4247 traditionally categorical data analysis eg gen... 20522 search flatband solidstate realizations crucia... 11273 characteristic feature differentialalgebraic e... 9107 solve tensor balancing rescaling nth order non... 9497 method introduction secondorder derivatives lo... 11241 markovchain model developed purpose estimation... 1273 paper introduce new classification algorithm c... 5698 text representations using neural word embeddi... 7678 customer retention campaigns increasingly rely... 10988 consider phenomenon boseeinstein condensation ... 9590 exist several successful techniques supporting... 3358 mazur rubin stein recently formulated series c... 16567 report two general concepts proper efficiency ... 16899 study neuronal interactions currently center s... 17725 study continuity space translations nonparamet... 15235 paper models vector probabilities whose elemen... 6513 derive online learning algorithm improved regr... 16079 confidence interval procedures used low dimens... 4567 develop asymptotical control theory one simple... 13255 article represents first step toward understan... 10848 define variety abstract termination principles... 18195 apply acyclicity theorem hess kerdziorek riehl... 1961 short communication study fluid queue finite b... 4992 hyperbolic systems pdes solved arbitrary order... 4891 among many additive manufacturing processes me... 14330 finetuning deep convolutional neural network c... 6226 millimeter wave communications rely narrowbeam... 17707 problem object localization recognition autono... 1251 study principal component analysis pca setting... 3176 visual localization mapping crucial capability... 3359 increasing demand formal methods design proces... 307 fragility curves commonly used civil engineeri... 19509 sampling large networks represents fundamental... 17900 coherent control resonant response spatially e... 12580 propose high signaltonoise extended depthrange... 19840 multisubject fmri data analysis interesting ch... 18296 stagnation grain growth often attributed impur... 12225 elastic dissipation radiation towards substrat... 1051 convolutional neural networks recently demonst... 14519 paper describe routine photometric calibration... 11410 propose network independent handheld system tr... 9221 paper consider class k surfaces defined hypers... 10234 paper present several values nexttominimal wei... 4763 recent work considered theoretical models beha... 9062 treat emerging power systems direct current dc... 1874 celebrated nadarayawatson kernel estimator amo... 17084 present study continuum polarization nm range ... 13682 quasirandom walks show similar features standa... 20862 quantitative methods familiar geophysicists di... 5831 study subblockconstrained codes recently gaine... 18946 given set attributed subgraphs known different... 191 often recommended identifiers ontology terms s... 12901 review recent results geometric equations lore... 13233 let real analytic riemannian manifold adapted ... 12629 report synthesis structural characterisation m... 4485 major obstacle understanding neural coding com... 9783 study problem identifying causal relationship ... 3924 two major momentumbased techniques achieved tr... 9940 automatically determining optimal size neural ... 20444 tracking divergence two initially close trajec... 17228 finite difference methods traditionally used m... 15198 databased policy iterative control task presen... 16061 various measures used estimate bias unfairness... 3303 propose novel approach generation polyphonic m... 15549 order automate verification process regulatory... 13304 big graph database model provides strong model... 1806 using movement primitive libraries effective m... 3871 objective clinical decision support tool autom... 3791 surprisingly little known agenda setting inter... 19703 light carries momentum induces atoms recoil ph... 14154 infinite chain drivendissipative condensate sp... 2786 publication trend physics education employing ... 9259 paper considers problem predicting number clai... 1717 interest higher derivatives field theories ori... 2696 describe algorithms symbolic reasoning executa... 1848 discover population shortperiod neptunesize pl... 10623 define quantity cmnk generalization notion com... 17021 data augmentation essential part training proc... 12852 machine learning ml techniques deep artificial... 6622 manufacturing increasing involvement autonomou... 3435 characterize certain noncommutative domains te... 16526 prove new upper lower bounds vcdimension deep ... 6771 racetrack memory nonvolatile memory engineered... 18274 elastic weight consolidation ewc kirkpatrick e... 6992 introduce exit time finite state projection et... 17024 conditional mutual information ixyz measures a... 19067 paper study robust consensus problem set discr... 17937 deep learning models often successfully traine... 11601 nonconvex penalty methods sparse modeling line... 1117 sensor setups consisting combination range sca... 1756 blackbox risk scoring models permeate lives ye... 6751 paper presents system based twoway particletra... 870 variability response function vrf generalized ... 9104 variational inference powerful approach approx... 721 paper show construct graph theoretical models ... 10997 report survey molecular gas galaxies xmmxcs j ... 19162 coordinate descent methods usually minimize co... 8347 groundbased observations thermal infrared wave... 15588 ground state diatomic molecules nature inevita... 10938 finish classification begun two earlier papers... 18986 secular approximation hierarchical three body ... 17465 paper study integral type deltaagammarhobx gam... 314 numerical analysis heat conduction cover plate... 19872 freeplay significant source nonlinearity aeroe... 17378 many existing methods learning joint embedding... 18172 electronic charge carriers ionic materials sel... 5850 one major issues interconnected power system l... 6129 knights landing knl code name secondgeneration... 5447 inference hidden markov model challenging term... 3129 recent discovery direct link sharp peak electr... 16279 method transmitting information interstellar s... 15632 thermal noise expected one noise sources limit... 910 obtain nonlinear generalization sachswolfe int... 3968 training deep neural network policies endtoend... 17443 contextual bandit algorithms sensitive estimat... 10165 progress deep learning slowed days weeks takes... 336 explore whether useful temporal neural generat... 19247 measurable function mu unit disk mathbbd compl... 17524 sequential monte carlo become standard tool ba... 2985 paper addresses hydrodynamic behavior sphere c... 10878 employ recently developed computational manybo... 15916 polyethylene naphtalate pen mechanically favor... 11669 grow nearly freestanding singlelayer twte grap... 13907 two fundamental processes describing change bi... 11001 experimentally investigate bursting dynamics c... 4820 cuprate hightemperature superconductors among ... 16691 kenmotsus formula describes surfaces euclidean... 12100 present vortex image processing vip library py... 16732 optimization fidelity control operations criti... 19715 topic lifecycle analysis twitter branch study ... 7243 emergence oscillations models elnio effect utm... 14079 paper illustrates calculate moments cumulants ... 11874 common approach designing scalable algorithms ... 14520 report electronic transport impact spinfilteri... 8263 classicalinput quantumoutput cq wiretap channe... 6855 news recommender systems aimed personalize use... 8597 fermionic natural occupation numbers obey paul... 17799 introduce flexible robust functional regressio... 6901 sinc approximation shown high efficiency numer... 9949 work present analysis burst failure effect hin... 16436 let mathcala finitedimensional subspace cmathc... 1445 many stochastic optimization algorithms work e... 17033 article offers personal perspective current st... 14821 women become better represented business acade... 1695 multiple imputation mi inference handles missi... 11084 human lifespan impenetrable biological upper l... 16152 feature extraction becomes increasingly import... 13383 social media transforming global communication... 1630 study statistical models onedimensional diffus... 269 processing human produced text using natural l... 1881 many social economic systems naturally represe... 14523 problem faced many instructors designing exams... 13900 modern society generates incredible amount dat... 5074 generating novel graph structures optimize giv... 5509 present example quadratic algebra given three ... 19753 recently speaker recognition performance degra... 17333 paper proposes xmldefined network policies xdn... 17739 datadriven anomaly detection methods suffer dr... 2535 health care one exciting frontiers data mining... 11069 multiple planet systems provide ideal laborato... 19581 learning preferences implicit choices humans m... 14680 gathering information forest variables expensi... 186 social media changed ways communication everyo... 11971 swelling media eg gels tumors usually describe... 5558 article review authors concerning construction... 20549 leibniz algebras certain generalization lie al... 18447 potential lack fairness outputs machine learni... 6587 paper deals study principal lyapunov exponents... 20926 todays telecommunication networks become sourc... 3915 present silverrush program strategy clustering... 446 several natural satellites giant planets shown... 19768 crucial challenge imagebased modeling biomedic... 14031 world succinctly compactly described structure... 7124 present family selfconsistent axisymmetric rot... 2440 work presents innovative application wellknown... 3103 enactive approach cognition typically proposed... 11088 dissertation focus several important problems ... 7692 many modern applications deal multilabel data ... 6094 present lymanalpha flux power spectrum measure... 9486 paper prove existence classical solutions seco... 18839 work study extent structural connectomes topol... 13223 robustness statistics depends upon number assu... 16913 several studies shown network traffic generate... 687 finding dense regions graph relations among fu... 5208 unknown exists locally alphahlder homeomorphis... 8417 refractory organic compounds formed molecular ... 10345 propose theoretically effective scheme braidin... 4920 division ring denote mathcal md dring obtained... 19617 paper proposes speaker recognition sre task tr... 5462 consider problem graph matchability nonidentic... 13757 investigated magnetic structure heavy fermion ... 18611 one directly observable features transiting mu... 18306 context visual aesthetics increasingly seen es... 1289 stacking general approach combining multiple m... 12773 necessary conditions existence normal extremal... 19520 networks powerful instruments study complex ph... 10692 present simple model development shear layers ... 10335 introduce emphpnrandom qnproportion bulgarian ... 20514 spectral properties turbulent cascade fluid ki... 18132 tropical cyclone windintensity prediction chal... 19996 analyse archival cgrobatse xray flux spin freq... 11905 precise local measurements h rely observations... 20562 paper extend improved pointwise iterationcompl... 15830 paper characterize surjective linear variation... 15735 development widespread use wireless devices re... 12158 propose method semisupervised training structu... 12453 testing regime switching regime switching prob... 6079 argue hierarchical methods become key modular ... 5457 develop magnetoelastic coupling model interact... 17738 study shimura curves pel type mathsfag generic... 11349 madry lab recently hosted competition designed... 12057 rainfall ensemble forecasts skillful low preci... 4131 laser communication advances compared radio fr... 16351 disordered manyparticle hyperuniform systems e... 15408 autonomous ai systems entering human society n... 17273 show solutions large class partial differentia... 4134 conservative scheme formulated verified gyroki... 9275 classify cubic extensions field arbitrary char... 861 examine discrete vortex dynamics twodimensiona... 13404 discuss design optimisation two types junction... 16575 deep learning models aka deep neural networks ... 1942 provide complete classification algebras gener... 10295 xray emission spectrum liquid ethanol calculat... 4331 conditional term rewriting intuitive yet compl... 14119 devaney krych showed exponential family lambda... 3970 propose optimal sequential methodology obtaini... 18790 synapses real neural circuits take discrete va... 12851 velocityspace moments often troublesome nonlin... 13193 accelerate research adversarial examples robus... 2775 define secondorder neural network stochastic g... 4145 explore ramifications arising superflares evol... 19125 realm delone sets locally compact second count... 2411 paper propose hamiltonian approach gapped topo... 15457 many efficient algorithms strong theoretical g... 1546 neighborhood regression successful approach gr... 6953 recent advances derivativefree optimization al... 3135 paper considers version wiener filtering probl... 13232 discuss connection colorings link diagram goer... 15627 largescale dipolar surface magnetic fields det... 20181 two families symplectic methods specially desi... 14715 examine effect carrier localization due random... 3805 introduce variational obstacle avoidance probl... 19637 match analytic results numerical calculations ... 17108 maximum gap gf polynomial f maximum difference... 15160 rise usercontributed open source software oss ... 6774 paper present set simulation models realistica... 14062 learn connectome constructed simplified model ... 16848 bayesian optimization bo methods useful optimi... 10020 precisely measure radon concentrations purifie... 3327 shown given ordered nodelabelled tree size n m... 7382 decades contextdependent phonemes dominant sub... 1262 analyze rich dataset including subarusuprimeca... 13117 multiplicative theory set numbers could natura... 13455 study interactions bright matterwave solitons ... 6582 program synthesis class regression problems on... 5021 consider gated onedimensional quantum wire dis... 12583 yarkovsky effect thermal process acting upon o... 14995 challenge understanding hightemperature superc... 11413 cyberphysical system cps defined unique charac... 9802 paper introduce notion cdpfunctor waldhausen c... 4108 candecompparafac cp tensor decomposition popul... 5213 correlated topic modeling limited small model ... 3255 paper derives new formulations designing domin... 7323 analysis bayesian mixture model matrix langevi... 2690 uncertainty analysis form probabilistic foreca... 14501 ade dynkin diagram gives rise family algebraic... 4627 first direct detection asteroidal yorp effect ... 18147 wellknown fact adding noise input data often i... 1319 consider cauchy problem incompressible naviers... 16590 investigate interplay modality controlling beh... 5162 consider modelbased clustering methods continu... 7226 every instance hospitalsresidents problem admi... 17504 brief note highlights basic concepts required ... 12192 interior tomography regionofinterest roi imagi... 4529 singular actions calgebras automorphic group a... 11667 trained classifiers must often operate data co... 12380 paper reports new results fe mssbauer measurem... 9941 traffic internet video streaming rapidly incre... 17140 fully programmable valve array fpva emerged ne... 6336 report present new reinforcement learning rl b... 6982 molecular dynamics md simulations allow explor... 10066 examine effect stress tensor quantum matter fi... 917 present new code astrophysical magnetohydrodyn... 13288 complex statistical machine learning models in... 570 work motivated particular problem modern paper... 3414 significant parts recent learning literature s... 18976 consider alternate formulations recently propo... 14806 analyse families codes classical data transmis... 7031 synergies evolutionary game theory statistical... 6837 consider simultaneous blind deconvolution r so... 13878 least square monte carlo lsm algorithm propose... 14026 lintersection graphs graphs representation int... 14232 introduce dynamic deep neural networks dnn new... 2217 provide microeconomic framework decision trees... 19896 propose novel approach towards adversarial att... 17527 targeted attacks network infrastructure notori... 2827 roles played learning memorization represent i... 18105 phase transformations ruled nonsimultaneous nu... 4996 many applications requiring multiple inputs ob... 3262 using energy method investigate stability pure... 6838 study around musical compositions western clas... 19532 surface icy dust grains dense regions interste... 5741 ability reliably predict critical transitions ... 650 given importance crystal symmetry emergence to... 11094 study phase diagram triangularlattice qstate p... 15407 controlling nanocircuits single electron spin ... 5395 online sparse linear regression online problem... 7082 paper presents novel framework accurate pedest... 18551 prove theorem completeness root functions schr... 3521 acoustic wave attenuation due vibrational rota... 10922 spatially extended systems support local trans... 18235 consider nonnegative solutions delta ufu halfp... 4478 markov random fields mrfs find applications va... 5660 multiple changes earths climate system observe... 9788 small cells deployment one significant longter... 67 let complex manifold dimension n smooth connec... 10776 introduce novel generative formulation deep pr... 13519 ambientpressuregrown laofbis superconducting t... 17158 consider discrete quadratic phase hilbert tran... 3839 work concerned unique combination high order l... 15715 propose class intrinsic gaussian processes ing... 8305 distribution scientific citations publications... 919 zika virus found individual cases confirmed ca... 10701 denial service attacks especially pertinent in... 165 paper consider tensor robust principal compone... 18722 network classification variety applications de... 17068 projection factor p key quantity used baadewes... 6644 paper present novel method obstacle avoidance ... 14334 epidemiological sirv model based study designe... 16285 based ab initio evolutionary crystal structure... 14282 conventional generators power grids steadily s... 4594 paper revisit extend interesting case bounds q... 10698 stereodynamics nepar penning associative ioniz... 13299 introduce pvscdtm parallel vectorized stencil ... 2850 inspired biophysical principles underlying non... 12638 advances technology provided ways monitor meas... 20882 deep learning revolutionised many fields still... 4460 crowdsourcing important avenue collecting mach... 14908 measurements subset boundary common electrical... 6623 explore inflectional morphology example relati... 9306 using nbody hydrodynamical cosmological simula... 19341 wasserstein distance two probability measures ... 8490 betweenness centrality important index widely ... 9867 xray magnetic circular dichroism xmcd measurem... 2735 classical coupling constructions arrange copie... 5669 increasing complexity distribution network cal... 12031 knowledge transfer kt techniques tackle proble... 2378 every qin mathbb n let textrmfoq denote class ... 15623 investigating information flow general parityt... 4172 introduce new class graphical models generaliz... 12391 define ring r geometric objects g generated fi... 12742 paper proposes new method solving wellknown ra... 16103 capsule networks shown encouraging results tex... 17167 study help computer program polish algorithm f... 14010 time crystals quantum manybody systems due int... 365 deconstruction theme fqxi essay contest alread... 2103 accurate assessment risk extreme environmental... 689 unique among alkalidoped textit ac fullerene c... 18851 multimodal sensory data resembles form informa... 9732 consider three notions connectivity interactio... 5710 give infinitely many component links unknotted... 16034 technical details balloon stratospheric missio... 15228 paper provides set sensitivity analysis activi... 1093 maximizing product use central goal many busin... 6718 paper presents nonmanual design engineering me... 20820 propose automatic method infer high dynamic ra... 15899 present tutorial determination physical condit... 16544 formation vortices usually considered main mec... 203 study explores validity chain effects clean wa... 18786 proportional mean residual life model studied ... 19875 assume fmathbbcn mathbbc analytic function ger... 4933 dealing problem simultaneously testing large n... 10006 recent quantumgas microscopy ultracold atoms s... 20934 paper shows statistical analysis khz omega bro... 1230 paper first one series three dealing concept i... 15796 direct imaging exoplanets requires detection f... 7957 article studies recovery graphons convolution ... 20215 triggered star formation around hii regions co... 18760 rapid advancement highthroughput techniques fu... 17874 drug repositioning dr refers identification no... 4251 sentiment analysis natural language processing... 15020 question selecting best amongst different choi... 13440 onedimensional symmetric exclusion process sim... 12226 proceedings application fuzzy support vector m... 4334 present new walking footplacement controller b... 10744 conditional fourier restriction estimates elli... 20473 note commentary modeltheoretic interpretation ... 16767 objective learning health system lhs requires ... 13680 give construction real number normal integer b... 7485 present approach accelerating wide variety ima... 12945 paper study several aspects related solutions ... 4886 theoretically investigate stability linear osc... 857 present affine analog evaluation map quantum g... 16754 linear feast algorithm method solving linear e... 6539 show noiseinduced transition josephson junctio... 19454 condensed matter systems simultaneously exhibi... 12682 address mbestarm identification problem multia... 10539 h hevc contextadaptive binary arithmetic codin... 8841 paper introduce powerful technique leaveoneout... 6859 algebraic variety x introduce generalized firs... 10973 recently machine learning used every possible ... 17386 paper consider derivation kadomtsevpetviashvil... 10625 robots typically created security main concern... 954 large european array pulsars combines europes ... 7404 propose fundamental techniques obtain effectiv... 5944 sealevel rise slr magnifying frequency severit... 16999 certain quasisplit reductive groups g general ... 53 many people suffering voice disorders adversel... 6410 temporal networks increasingly used model dive... 3516 syntax errors generally easy fix humans parser... 11748 investigate constraint results inflation model... 489 baker harman pintz showed weak form prime numb... 13145 paper presents discretetime option pricing mod... 15935 lyapunov rank proper cone k finite dimensional... 20948 overset methods commonly employed enable effec... 20617 increasingly polarized world demagogues reduce... 17950 periodic supercell models electric double laye... 11705 experimentally explore topological maxwell met... 2972 principle common cause claims improbable coinc... 19392 consider minimax setup twoarmed bandit problem... 2942 grid based binary holography gbh attractive me... 3163 present new extensible divisible taxonomy open... 2618 multiple classifiers fusion localization techn... 8235 initialboundary value problems bounded rectang... 11618 paper provides comparison kstructure unipotent... 11763 demonstrate new approach calibrating spectrals... 11577 maximum coercivity achieved given hard magneti... 2854 recently twodimensional canonical correlation ... 3439 study neurallinear bandit model solving sequen... 1892 propose novel approach address simultaneous de... 20299 hard problem consciousness dismissed illusion ... 15768 theory hitchin systems something like global t... 13006 intense spindown flows allow one reach high rm... 11767 past decade seen increasing body literature de... 670 limitations performance present rich system lh... 20403 realworld networks difficult characterize vari... 15240 recall first gallaisimplicial complex deltagam... 14896 van der waals vdw heterostructures receiving g... 9471 trinity socalled canonical wallbounded turbule... 18326 predicting epidemic dynamics great value under... 897 waveforms gravitational waves provide informat... 3306 paper study properties applications weighted h... 8026 coresets compact representations data sets mod... 10858 complex systems wide variety areas biological ... 2890 compared positions gaia first data release dr ... 14394 study local asymptotic normality mestimates co... 19048 introduce fisher consistency sense unbiasednes... 8397 recent successes deep learning led wave intere... 14005 poisson distribution used modeling noise photo... 16386 spinelperovskite heterointerface gammaalosrtio... 14162 exhibit first explicit examples salem sets mat... 11996 present search optical bursts repeating fast r... 634 consider wireless sensor network uses inductiv... 12508 exponential scaling wave function fundamental ... 16915 obtain strong consistency asymptotic normality... 19529 packet scheduling adversarial jamming packets ... 6476 basin attraction uniformly attracting sequence... 15169 ability mammalian ear processing high frequenc... 4177 consider k surfaces arise double covers ellipt... 19365 present new nonarchimedean model evolutionary ... 20682 work present parallel fullydistributed finite ... 11064 paper compare performance various homomorphic ... 10531 quantized physical framework called fiveanchor... 5991 propose adaptive bandwidth selector via cross ... 17512 experimentally demonstrate ring geometry allfi... 2581 work analyze problem adoption mobile money pak... 19210 nowadays security information event management... 11999 paper study classic problem fairly allocating ... 8385 develop local theory construction singular spa... 10674 inability interpret model prediction semantica... 9447 web request query strings queries pass paramet... 2104 answer question extent homotopy colimits categ... 20271 document describes submission localization tra... 18074 let mathcalk subseteq universal class lsmathca... 3764 paper consider testing homogeneity proportions... 4234 paper introduces dex reinforcement learning en... 4994 adaptive classification interference covarianc... 5057 currently two main approaches exist distinguis... 17042 stochastic gradient langevin dynamics sgld pop... 4434 filters convolutional neural network cnn conta... 11676 ssds currently replacing magnetic disks many a... 717 present machine learning based information ret... 3816 existing theories dark energy andor modified g... 6773 robust pca methods typically batch algorithms ... 11186 deep convolutional neural networks cnn stateof... 10738 many real world tasks reasoning physical inter... 14671 galaxyscale outflows nowadays observed many ac... 9813 event cameras bioinspired vision sensors outpu... 20402 paper study implications conference program co... 9288 gambler moves vertices ldots n graph using pro... 6811 paper analyzes properties solutions generalize... 3893 consider problem learning policy markov decisi... 9359 bandit framework designing sequential experime... 15129 promising paradigm achieving highly efficient ... 10655 pebps phosphatidylethanolamine binding protein... 3700 subject polynomiography deals algorithmic visu... 7374 companies populating stock market along connec... 6314 position paper question current practice calcu... 12816 deep optical photometric data ngc region colle... 3645 differential privacy promises enable general d... 192 deep learning methods achieved high performanc... 13414 investigate fine selmer groups elliptic curves... 816 paper present new task investigates people int... 20196 combine spitzer groundbased kmtnet microlensin... 15810 propose oneclass neural network ocnn model det... 6160 give simple recursion computes triply graded k... 15641 paper viewed sequel authors long survey zimmer... 4390 general consensus learning representations use... 11164 robots gained relevance society increasingly p... 4927 offdiagonal aubryandr aa model recently attrac... 5552 turbulence remains unsolved multidisciplinary ... 10799 lowtextured image stitching remains challengin... 20026 javascript systems becoming increasingly compl... 238 nm thick sio layers grown si substrates ge ion... 12207 let mathcalvplambda collection functions f def... 20237 alzheimers disease prediction longitudinal evo... 11169 investigated tunneling current suspended graph... 17422 study contextual multiarmed bandit problems li... 4236 prove genusone restriction allgenus landauginz... 5618 decayatrest experiment deltacp violation labor... 17878 consider privacy implications public release d... 8640 observations solar photosphere ground encounte... 5097 takeuchi showed conjugation exactly arithmetic... 14665 presentation scineghe conference past achievem... 2242 let fn rightarrow boolean function certificate... 17485 cloud computing helps reduce costs increase bu... 3552 present novel method measure precisely relativ... 19898 present framework calculate cascade size evolu... 8328 emerging problem computer vision reconstructio... 5628 aim study investigate dynamics possible comets... 10602 pigeonhole principle states n items contained ... 4507 weardriven structural evolution nanocrystallin... 19336 work addressed issue applying stochastic class... 12174 paper presents acceleration framework packing ... 14453 paper study adaptive learnability decision tre... 16530 weakly compact reflection principle textreflte... 15093 sufficient statistics derived population size ... 20578 study shocks forwardlooking expectations inves... 2294 paper propose framework crosslayer optimizatio... 11803 propose novel formulation approximating reacha... 20819 recent works shown synthetic parallel data aut... 19325 lowfrequency vibrational lowtemperature therma... 14318 let compact oriented threemanifold whose inter... 17832 artificial neural network ann useful tool solv... 8690 introduce low complexity machine learning base... 7081 strong progress made image captioning last yea... 4733 study motion isentropic gas nozzles major subj... 8912 little little newspapers revealing bright futu... 13045 present performances characterization array ma... 17433 assigning satisfactory truly concurrent semant... 20124 motivated contemporary rich applications anoma... 11281 present singlechannel phasesensitive speech en... 14955 study boundary behavior socalled ring qmapping... 20126 consider cauchy problem repulsive vlasovpoisso... 16980 training object detectors autonomous driving l... 20038 recurrent neural networks showing much promise... 11510 paper construct global actionangle variables c... 5520 use bonahonwongs trace map study character var... 11821 boseeinstein condensate confined ring shaped l... 2700 formaldehyde megamaser emission mapped three h... 1700 many modern machine learning applications outc... 13596 man island individuals interact influence one ... 6968 expressive variations tempo dynamics important... 19535 surrogate model approximates computationally e... 16322 paper proposed novel twostage optimization met... 6219 paper investigates effects finite flat porous ... 17812 wellknown gans difficult train several differe... 86 investigate crack propagation simple twodimens... 19035 consider quantum complexity computing schatten... 19014 recent paper baker bowler introduced matroids ... 15346 present efficient practical algorithm online p... 136 particles undergoing anomalous diffusion diffe... 6972 study thick subcategories defined modules comp... 11087 study application polar codes deletion channel... 15721 derive explicit formula scalar curvature twoto... 1200 distinguishing index simple graph g denoted dg... 6121 characterise finite axiomatisability intractab... 15748 conventional methods estimating latent behavio... 12127 disruptive technology blockchain particularly ... 18463 paper introduce provide short overview nonnega... 14125 planning safe paths major building block robot... 13622 give new arithmetic algorithm compute generali... 6296 paper einstein metrics compact simple lie grou... 3927 residents flint learned lead contaminated wate... 14387 restricted boltzmann machine network stochasti... 19759 discuss numbertheoretic properties distributio... 3606 wellknow drawback lpenalized estimators system... 2330 problem suppressing scattering conductive obje... 11707 realworld scenarios appealing learn model carr... 2187 evolution cellular technologies toward g progr... 195 relate concepts used decentralized ledger tech... 12356 recently reported enhanced superconductivity r... 17186 extend classic convergence rate theory subgrad... 15954 paper prove explicit formulas willmore surface... 14638 population systems modeled agestructured hyper... 2668 critcal exponent omega evaluated ddimensions g... 16625 construct exact solutions representing friedma... 15195 last three decades seen significant increase t... 2761 annual cost cybercrime global economy estimate... 2032 people speak different levels specificity diff... 17028 convex cocompact subgroups slz consider congru... 5103 electron tracking based compton imaging key te... 13652 linear fractional map fz fracaz bcz riemann sp... 1637 show blackhole highmass xray binaries hmxbs bt... 8312 study point sources astronomical images specia... 11173 investigate butterfly effect charge diffusion ... 19490 egeneralization computes common generalization... 3074 generalize natural cross ratio ideal boundary ... 7296 threedimensional couette flow parallel plates ... 3278 present study superheating treatment applied r... 8003 dual fabryperotcavitybased optical refractomet... 17744 work nonparametric statistical inference provi... 8326 derived geometry defined universal way adjoin ... 13516 face recognition made great progress developme... 7352 present aircode technique allows user tag phys... 13450 research employ accurate timedependent density... 10751 consider large scale empirical risk minimizati... 7829 manuscript discuss construction covariant deri... 16446 cities across united states undergoing great t... 7697 unconventional spinrotation mode emerging quan... 14427 paper deal null controllability population dyn... 5668 developing applications interactive space diff... 17892 define new method estimate centroid text class... 10659 paper describe concept cryptocurrency issuance... 17063 paper consider pure infiniteness generalized c... 8933 using situ grazingincidence xray scattering me... 5307 solve completely irrigation problem dirac mass... 18108 autonomous robots dynamic environments mixed h... 18978 show given compact discrete quantum group g cl... 12855 one find dimensions multivariate data reliably... 11035 progress probabilistic generative models accel... 5488 recent advances neural word embedding provide ... 16678 consider optimal designs general multinomial l... 8024 note point basic link generative adversarial g... 10748 investigate differential equation jacobitype p... 16873 paper contains nontrivial generalization haris... 690 improving performance superconducting qubits r... 12013 consider problem learning lowrank matrix const... 16986 paper discuss possible usage compressive sampl... 10103 present characterword long shortterm memory la... 1014 introduce new paradigm important community det... 869 paper presents simple agentbased model economi... 1993 grain boundary diffusion severely deformed alb... 10626 paper considers general datafitting problem ne... 11949 level consensus property preferenceprofile int... 14839 databases widespread yet extracting relevant d... 14924 vector bundle e projective variety x called fi... 10558 motivated recent result farhi show nequiv pm p... 7610 pore space characteristics biochars may vary d... 5283 study definably compact definably connected gr... 4370 computational paralinguistic analysis increasi... 1361 popular alternating least squares als algorith... 1629 field cold atom inertial sensors present analy... 12625 propose new indexing structure parameterized s... 1551 analyze space differentiable functions quadmes... 8252 prove free boltzmann quadrangulation simple bo... 10442 people participate activate online social netw... 14631 discuss averagefield approximation trapped gas... 5039 inspired katoks examples finsler metrics small... 20260 paper introduce new concept stability crossval... 5694 paper propose two novel physical layer aware a... 5119 firstorder iterative optimization methods play... 1134 fluctuating currents nonequilibrium steady sta... 10996 paper derive nonsingular greens functions unbo... 10278 goal improve variance reducing stochastic meth... 10451 rnio perovskites known order antiferromagnetic... 4017 let cal x xxprime random matrix associated cen... 10409 recently czumaj etal arxiv presented parallel ... 2424 work builds earlier results define universal e... 4138 intelligent transportation system targets coor... 12048 research investigated potential improving peer... 859 groundbased astronomical observations may limi... 2962 advances deep learning led substantial increas... 2426 second generation gravitational wave detectors... 19461 opinion formation population attracted extensi... 7674 statistics derived eigenvalues sample covarian... 20098 though growing body literature fairness superv... 16753 propose datadriven filtered reduced order mode... 4937 investigate initialboundary value problem inte... 10896 propose effective method creating interpretabl... 5285 provide explicit unified formulas cocycles deg... 8367 classic arcsine law number nnnsumknmathbfsk po... 12905 recommendation systems recognised hugely impor... 2093 origin sociology social network analysis sna q... 19319 magnetic thermodynamic dielectric properties g... 11336 homographs words different meanings surface fo... 11683 mathcalgi distribution able characterize diffe... 7817 classify ulrich vector bundles arbitrary rank ... 1920 framework matrix valued observables low rank m... 82 elasticity cloud property enables applications... 17200 deep neural networks dnns transformed several ... 13318 bayesian information criterion bic akaike info... 18517 european space agency esa defines earth observ... 4396 measured xray magnetic circular dichroism xmcd... 8475 wake behind sphere rotating axis aligned strea... 1813 paper consider location model form mx varepsil... 1271 hydrogeologic models commonly oversmoothed rel... 15226 present extensive study key problem online lea... 2994 qualgebra g set two binary operations satisfy ... 19922 information overloaded web personalized recomm... 15674 study action monads categories equipped severa... 15438 paper describes pressure ulcers online website... 19302 present theoretical assessment expected tempor... 18518 minimum error correction mec approach used met... 2642 understanding structure zno surface reconstruc... 9280 main goal article compare performance penaltie... 17538 paper nil extensions special type ordered semi... 4195 features collaboration patterns often consider... 13032 soft set theory rough set theory mathematical ... 12768 formation membrane necks crucial fission fusio... 12360 describe main scientific developments lead lig... 3849 show tight upper lower bounds switching lemmas... 20826 spin hall effect found strong heavy transition... 19265 consider system randomly generated updates tra... 16194 collecting training data physical world usuall... 15253 purpose compare two methods use xray spectral ... 16193 muon g experiment plans use fermilab recycler ... 3554 article describes sequence rational functions ... 13237 proliferation smallscale renewable generators ... 2600 paper study analytical approach selecting expa... 18106 work considers resilient cooperative state est... 1518 enumerate circulant good matrices odd orders d... 4117 prove critical metric volume functional fourdi... 10825 context theoretically possible rings formed ar... 5755 paper present novel joint approach optimising ... 5633 caofes semiconducting oxysulfide polar layered... 8399 wavefronts nonlinear nonlocal bistable reactio... 19053 study properties quantim wires spinorbit coupl... 13065 virtual learning environments vles spaces desi... 7162 discussion randomprojection ensemble classific... 14256 mathematical physics spacefractional diffusion... 11737 trace norm regularization widely used approach... 15441 major challenges automatic track counting dist... 1988 draw formal connection using synthetic trainin... 7737 packing kcoloring integer k graph gve mapping ... 16901 peridynamics pd represents new approach modell... 10561 many machine learning problems formulated cons... 201 purpose paper formulate study common refinemen... 20031 complex networks static evolve along time give... 15166 spiking neural network snn naturally inspires ... 4855 neural networks successfully applied applicati... 19788 accurate demand forecasts help online retail o... 9741 theoretically study threedimensional weaklyint... 12502 propose study equivariance deep neural network... 15950 propose topic compositional neural language mo... 3765 exhibit borel probability measures unit sphere... 20741 letter principal weakness published article li... 13452 article make case systematic application compl... 6432 network navigability key feature complex netwo... 7846 propose expected policy gradients epg unify st... 12253 present adaptive strategies antenna selection ... 16402 largescale instance dramatic collective behavi... 16433 atacama millimetersubmillimeter array alma pha... 887 search superconductor nonswave pairing importa... 6261 world global trading maritime safety security ... 6989 lately wireless sensor networks wsns become em... 6043 concept evolutionarily stable strategy ess int... 10808 data noising effective technique regularizing ... 1424 large amount image denoising literature focuse... 16523 internet things iot enables numerous business ... 15924 conduct extensive empirical study shortterm el... 112 class stochastically selfsimilar sets contains... 8160 tor lowlatency anonymity system intended provi... 19596 motivated problem domain formation chromosomes... 16199 developing algorithms solving highdimensional ... 4559 present design implementation custom discrete ... 18485 shown ising distribution treated latent variab... 11442 issue time reversible microscopic dynamics giv... 11254 automatic segmentation liver lesions fundament... 18784 topological optical states exhibit unique immu... 8566 kinematics robot manipulator described terms m... 16311 largescale study human mobility significantly ... 10758 quantum mechanics quantum states values physic... 17266 many realworld multilayer systems critical inf... 16835 space probability measures positive density fu... 3731 consider task automated estimation facial expr... 19887 tragedy commons toc occurs individuals acting ... 4986 use inelastic light scattering study srxnaxfea... 2763 work introduce declarative statistics suite de... 13794 due possible lack primaldualtype error bounds ... 19197 lack moderation online communities enables par... 1855 use computers statistical physics common sheer... 15599 conformal coating technique nanocarbon develop... 12812 richclub ordering dyadic effect two phenomena ... 999 introduce shifted quantum affine algebras map ... 389 cmo council reports internet users us influenc... 11599 high luminosity lhc cms detector need charged ... 6426 propose novel bayesian approach modelling nonl... 10578 rapid anisotropic modification fermisurface sh... 20091 present study investigates way design dykes fi... 8112 let h hopf quasigroup bijective antipode let a... 17376 paper prove modularity results taylor coeffici... 4997 topos theory wellknown nucleus j gives rise tr... 14211 let omegaleft abright subsetmathbbr min lleft ... 20136 exploit recently derived inversion scheme arbi... 4796 using stateoftheart microscopy spectroscopy ab... 4769 desired closure property bayesian probability ... 11065 paper consider burgers equation uncertain boun... 4173 argue turning logic program set completed defi... 20082 article deals first detection gravitational wa... 1907 erasure codes play important role storage syst... 4946 decodoku project seeks let users get handson c... 8560 paper hybrid measurement modelbased method pro... 6033 heterogeneous wireless networks hwns composed ... 7619 discuss existence ground state solutions choqu... 1151 show sufficient condition weak limit sequence ... 19130 performed angleresolved photoemission spectros... 9689 paper analyse profile land use population dens... 7106 show two hamiltonian isotopic lagrangians cpom... 19772 covalently linked acene dimers interest candid... 4287 among underwater perceptual sensors imaging so... 2230 generating realistic artificial preference dis... 174 understanding smart grid cyber attacks key dev... 8752 predictive process monitoring concerned analys... 3408 shelf coastal sea processes extend atmosphere ... 1538 paper present results sim hour airborne gammar... 2292 novel delaybased spacing policy control vehicl... 9523 demand metals modern technology shifting commo... 1363 study two colored operads configurations littl... 4357 introduce general framework allowing apply the... 680 paper presents novel generative model synthesi... 13050 report detection water absorption features day... 3664 study develop theoretical model strategic equi... 508 monitoring lifestyles may performed based syst... 166 galaxies local universe known follow bimodal d... 13689 locomotion low reynolds numbers topic growing ... 19515 syntaxguided synthesis aims find program satis... 1914 develop general polynomial chaos gpc based sto... 7263 definition fractional integral may codified ri... 10728 dantzig selector ds lasso problems attracted p... 1104 matrix factorization key tool data analysis ap... 12067 let mathcalbd unital calgebra generated elemen... 2610 propose new smoothed median wilcoxons rank sum... 9944 policy maker faces sequence unknown outcomes s... 5310 embedding complex objects vectors low dimensio... 18270 complex spatiotemporal patterns called chimera... 11108 free presentation r f g leibniz algebra g baer... 11156 study poolbased active learning abstention fee... 152 prove open subset u semisimple simply connecte... 13422 encouraged recent studies performance tidal tu... 2832 present method efficient learning control poli... 20868 develop unified continuum modeling framework v... 17682 family mathcalm means natural partial order po... 3551 prove following continuous analogue vaughts tw... 19364 paper tackle problem visually predicting surfa... 19471 software reusability become much interesting i... 12541 investigate effect annealing temperature cryst... 4538 paper show stochastic heavy ball method shb po... 14367 highresolution observations solar chromosphere... 19076 paper introduces primal general privacypreserv... 10014 tte approach computable analysis study socalle... 12278 demonstrate autoparametric excitation two dist... 18245 introduce inhomogeneous bosonic mixture compos... 15088 suppose omega subseteq rrsetminusset two sets ... 19951 finetuning physics cosmology often used eviden... 5141 present new paradigm simulation arrays imaging... 11814 analyze time evolution statistical distributio... 19624 generating detection coherent highfrequency he... 3450 provide mathematical analysis thermodiffusive ... 16589 effective gauge fields allowed emulation matte... 13156 lyngso pedersen proposed conjecture stating ev... 2749 physical layer security uplink wireless commun... 12707 given equivalence relation set u two abstract ... 13131 andersons paving conjecture known hold due res... 12251 behavioral annotation using signal processing ... 10179 paper reconsider unfoldingbased technique intr... 5810 chimera states example intriguing partial sync... 5634 lowfrequency polarisation observations pulsars... 11580 kiyota murai wada conjectured largest eigenval... 13926 present novel notion complexity interpolates g... 20095 paper describes new modelling language effecti... 1380 ancient repertoire uv absorbing pigments survi... 19537 work explores tradeoff number samples required... 14901 consider sis contagion processes networks clas... 3832 paper studies directed exploration reinforceme... 19632 device new method calculate large number melli... 4776 many algorithms parameter tuning remains chall... 4276 show every p diamond kfree graph colorable mor... 4958 mode connectivity recently introduced frame wo... 20563 paper presents novel deep learningbased method... 18478 work study degradation clofibric acid cfa aque... 16662 game theory gt used significant success formul... 7415 magnetic resonance image mri reconstruction se... 3252 supervised learning based deep neural network ... 17785 report discovery system two superearths orbiti... 16673 summary infectious disease outbreaks plants th... 18961 paper realtime channel data acquisition platfo... 18681 overview recent work defining studying normal ... 14300 intermetallic semiconductor fega acquires itin... 15523 paper propose implicit gradient descent algori... 14270 groups enterprises guarantee form complex guar... 12327 develop approach unsupervised learning associa... 11546 article discuss probabilistic interpretation m... 15639 studied peculiarities selective reflection rb ... 15042 affine lambdaterms lambdaterms bound variable ... 14208 encrypted database systems provide great metho... 2468 search signature universal properties extreme ... 18776 deal problem maintaining shortestpath tree roo... 16654 classical cuntz semigroup important role study... 11757 measure field dependence spin glass free energ... 13869 renormalization method based newtonmaclaurin e... 16998 among many anticipated roles robots future hum... 9583 study notion consistency shape observation pro... 6696 paper consider linear regression model arp err... 3180 propose novel approach loss reserving based de... 15089 modern investigation economics sciences requir... 8275 classical involutive division theory janet dec... 9065 review cohomological aspects complex hypercomp... 11030 study vortex patch problem dstratified naviers... 18708 paper prove weyls law asymptotic formula diric... 4557 shown one uses notion infinity nilpotent eleme... 7812 means present geometrical dynamical observatio... 12839 propose online convex optimization algorithm r... 6297 prove quasiisometric map generally coarse embe... 20829 strong submeasure compact metric space x subli... 14534 motivated truncated em method introduced mao n... 20778 nonlinear systems whose outputs directly propo... 1132 partial information decomposition pid arxiv pr... 10642 introduce new shapeconstrained class distribut... 10521 aim present paper contribute development study... 18561 explore existence global weak solutions hookea... 20121 question paper whether rd efforts affect educa... 2871 recent years number prominent computer scienti... 12996 prediction experts advice setting consider met... 1772 article address general approach calculating d... 10593 models collective decisionmaking considered pa... 1913 present textttbhm tool restoring smooth functi... 14212 study structure stability vortex lattices twoc... 9256 graphenebased spindiffusive grsd neural networ... 12602 complete set maxwells hydrodynamic equations c... 14188 study electroweak scale dark matter dm whose i... 15417 define holomorphic quadratic differentials spa... 1105 mild cognitive impairment mci mental disorder ... 17076 notion entropyregularized optimal transport al... 18624 investigate problem computing nested expectati... 4956 compare two important bases irreducible repres... 8307 architecture patterns capture architectural de... 20392 ami observations towards ciza j comparison obs... 3696 propose scheduled auxiliary control sacx new l... 7778 neural networks shown remarkable ability uncov... 17869 synthetic aperture imaging systems achieve con... 628 begin introducing main ideas paper discussion ... 2451 carmesin federici georgakopoulos arxiv constru... 19322 formation interaction multiple cavities induce... 20933 aim paper generalize notion conformal blocks s... 2176 consider general relation fixed point stabilit... 20416 prove gromovwitten theory gwt projective bundl... 2787 selforganization natural phenomenon emerges sy... 12297 excitement convergence tweets specific topics ... 1196 past three years conducting survey wr stars la... 7618 redis inmemory data structure store often used... 4444 provide new proof super duality equivalence in... 11128 consider problem learning onehiddenlayer neura... 15514 paper parameter estimation problem multitimesc... 5722 main result paper rate convergence hermitetype... 18570 propose new ccg parsing model probability tree... 10695 paper survey recent results adaptive robust no... 4967 hole diffusion length ningaas extracted two sa... 10410 present eldar new method exploits potential me... 4009 graph g let oddg omegag denote number odd comp... 15515 introduce new method qualify goodness fit para... 3583 recent years logic questions dependencies inve... 20756 article focuses quasilinear wave equation plap... 12424 study multifrequency quasiperiodic schrdinger ... 8277 swarms robots revolutionize many industrial ap... 3667 accurate delineation left ventricle lv importa... 12474 potential failure energy equality solution u e... 12782 characterize information dynamics strongly dis... 10211 physical emergence crystals rocks sandpiles tu... 3423 construct firstly complete list five quantum d... 10717 approximate bayesian computing powerful likeli... 8199 transition metal carbides include wide variety... 19459 introduce selfannotated reddit corpus sarc lar... 5366 paper concerned paraphrase detection ability d... 17313 paper initiate rigorous theoretical study clus... 2895 interpretability deep neural networks recently... 14122 evolution smart microgrid demandresponse chara... 1296 analyzed longitudinal activity nearly editors ... 3642 ambitious goals precision cosmology widefield ... 18747 let mu ge dotsc ge mun mu dotsm mun let x dots... 19263 number optimal decision problems uncertainty f... 20661 overview research laserplasma based accelerati... 20467 use coarse version fundamental group first int... 8548 discovery pluto presaged discoveries kuiper be... 5451 propose novel hierarchical generative model si... 10685 paper focuses new task ie transplanting catego... 15449 present work consider multifidelity surrogate ... 7866 report discovery keltb transiting hot jupiter ... 12867 demand side management dsm strategies often as... 14607 present brief review integrability multispecie... 9797 study sequences scaled edgecorrected empirical... 11755 given important role galaxy bispectrum recentl... 13979 present work analyze necessary conditions igni... 9738 prove general existence result stochastic opti... 14385 structure certain subgroup automorphism group ... 6474 paper investigate multiwavelengths properties ... 8811 developed efficient active galactic nucleus ag... 492 people make risky decisions everyday life know... 11691 consider families symmetric linear programs lp... 18816 complete family solutions onedimensional react... 1116 intel software guard extension sgx offers soft... 5637 due interdisciplinary nature devices controlle... 5085 present quantitative analysis human word assoc... 1757 improve efficiency elderly assessments influen... 11486 analyzing empirical data often find global lin... 18085 interpretability emerged crucial aspect machin... 19988 stochastic gradient algorithms studied since d... 6353 compartmental equations primary tools disease ... 20871 nested weighted automata nwa present robust co... 20954 performance deep learning natural language pro... 3644 causal inference multivariate time series chal... 14350 paper develop way obtaining greens functions p... 12001 new horizons spacecrafts nominal trajectory cr... 11185 mobile payment systems increasingly used simpl... 1696 given samples distribution many new elements e... 2295 many important problems modeled system interco... 14794 paper construct simultaneous confidence band s... 14696 shown continuously changing effective number i... 5939 well accepted knowing composition orbital evol... 19919 tolman paradox well known base demonstrating c... 9968 holstein model describes motion tightbinding t... 11033 channelreciprocity based key generation crkg g... 3313 analyze largescale data sets collaborations tw... 14824 dropout effective way regularizing neural netw... 9784 unlike organs thymus gonads generate nonunifor... 9915 paper proposes new algorithm controlling class... 215 rosat survey alpha per open cluster detected b... 1072 paper propose simple effective method training... 8682 increased application modelbased wholebody con... 7006 recently reported population protostellar cand... 13379 consider tate twist tau hs mod cohomology moti... 8652 cell division timing critical cell fate specif... 13705 developing position sensitive silicon detector... 15384 fracinstitutions introduced extension institut... 25 efficient methods proposed computing integrals... 20387 time delay neural networks tdnns effective aco... 10601 paper investigates asymptotic behaviors gradie... 7659 competitive equilibrium equal incomes ceei wel... 13401 advances robotic technology research humanrobo... 5690 freiberg zhle introduced developed harmonic ca... 9744 edge structure graphene significant influence ... 20164 sachdevyekitaev syk model concrete solvable mo... 19527 let delta simplicial complex matroid paper exp... 12721 model studied paper stochastic extension socal... 9171 hybrid inflation driven fayetiliopoulos fi ter... 10847 paper investigates estimation mean vector inva... 11908 paper presents center mass com based manipulat... 630 work present experimental study spin mediated ... 19590 investigate inverse problem timefrequency loca... 8707 new model thermal inflation introduced mass th... 19391 review andr luiz barbosas paper p np proof cla... 6614 paper study receiver performance physical laye... 5243 new era web known semantic web web data semant... 1102 modern processors highly optimized systems eve... 2204 basic combinatorial invariant convex polytope ... 20764 solving linear programs using entropic penaliz... 12903 paper second twopart series presents method me... 11477 paper investigate parametric weight knapsack p... 11308 arbitrarily many pairwise inequivalent modular... 13767 qensembles modelfree approach input images fed... 15064 packet parsing key step sdnaware devices packe... 12512 study optimal design electricity contracts amo... 20964 study us operations researchindustrialsystems ... 17356 asymptotic behaviour commonly used bootstrap p... 14890 ecir halfday workshop taskbased aggregated sea... 719 beam search desirable choice testtime decoding... 13839 adaptive gradient methods adagrad variants upd... 6155 generalized yangian mean yangianlike algebra o... 4025 prove artin groups class containing largetype ... 8224 work derive generic overcomplete frame thresho... 15493 introduce several new constructions perfect pe... 16093 sampling random graphs essential many applicat... 5818 paper examines association household healthcar... 11956 convolutional neural networks provide visual f... 3866 lisa proposed spacebased laser interferometer ... 2745 paper contribution study universal horn fragme... 11867 article considers minimal nonzero indecomposab... 10343 efficiently exploiting gpus increasingly essen... 18940 key challenge online learning classical algori... 11950 sparsely spaced highly permeable fractures gra... 18985 planar equilateral restricted fourbody problem... 4214 build deep reinforcement learning rl agent pre... 12096 hurricanes cyclones circulating defined center... 15193 background silico drugtarget interaction dti p... 1401 one initial essential question magnetism wheth... 12828 paper analyzes pedestrians behavioral patterns... 3253 propose monte carlo algorithm sample highdimen... 19542 present numerical modelling granular flows mui... 2158 chapter revisits concept excitability basic sy... 8578 explore recently proposed variational dropout ... 17058 engine likelihoodfree inference elfi python so... 18348 tangent categories provide axiomatic approach ... 7011 key requirement routing telecommunication netw... 18012 investigate performance standard greedy algori... 10197 subset mathcalg generating calgebra said hyper... 3841 ambient conditions directly observed nacl crys... 11849 animal groups exhibit emergent properties cons... 2100 distributional approximations bi linear functi... 1673 marginbased classifiers popular machine learni... 10293 ics wut platform simulation cooperation physic... 4213 recurrent neural networks show stateoftheart r... 7480 kaplansky zero divisor conjecture states g tor... 14562 introduction serious games pedagogical support... 17873 building recent work bhargavaelkiesschnidman k... 11515 availability large databases recent improvemen... 8547 exist wide range effective methods community d... 14823 creating tetrahedral meshes anatomically accur... 16923 selecting representative vector set vectors co... 16363 adhoc social networks become popular support n... 14609 adapt wellknown spectral decimation technique ... 9388 customarily inplane auxeticity synclastic bend... 10070 planar object tracking actively studied proble... 10860 additive regression provides extension linear ... 2005 artifical neural networks particular class lea... 15887 paper construct explicit smooth solutions stro... 15233 paper establishes equality condition immse pro... 13411 study homotopy groups generic leaves logarithm... 2257 periodograms used key significance assessment ... 17949 paper considers insertion deletion channels ad... 5574 present ongoing systematic search extragalacti... 9083 elections seem simplearent counting unique cha... 5355 simulation wave propagation microearthquake en... 6093 consider strictly stationary stochastic proces... 7935 random forests become important tool improving... 1519 spectral mapping uses deep neural network dnn ... 1378 paper focus subspace learning problems grassma... 15206 paper consider witten laplacian forms give suf... 18710 develop approximate formula evaluating crossva... 13200 paper analyzes market impacts expanding califo... 19081 notes correspond minicourse given poisson conf... 5842 dynamical dark energy recently suggested promi... 7122 simplified trisection trisection map manifold ... 16211 clustering one universal approaches understand... 12820 note show voevodskys univalence axiom holds mo... 5832 prove arbitrarily large values zetait geq egam... 9821 increasing evidence shown theorybased health b... 12718 many recent approaches polyphonic piano note o... 522 reactiondiffusion equations appear biology che... 15372 densitybased clustering relies idea linking gr... 234 present efficient algorithm compute euler char... 12180 study hyperplane arrangements associated via m... 6318 kineticrange turbulence magnetized plasmas par... 11992 key phase bridge design process selection stru... 19450 cascading failures critical vulnerability comp... 1948 find asymptotic formulas error probabilities t... 6361 examplebased mesh deformation methods powerful... 20374 wheeled ground robots limited exploring extrem... 19422 study elementary characteristics turbulence qu... 11684 present novel optimization method named combin... 15927 present systematical study via scanning tunnel... 20034 consider onedimensional model spin glass indep... 2224 recent work shown recursive factorisation cert... 19985 unconventional dwave superconductors pairbreak... 15246 prove equivalence infinitesimal torelli theore... 16209 let mathbbfp prime field order p set mathbbfp ... 5571 phast software package written standard fortra... 4523 discrete cosine transform dct widelyused impor... 5793 adversarially trained deep neural networks sig... 5738 build collaborative filtering recommender syst... 4728 internet infrastructure relies entirely open s... 7818 paper show kshellable simplicial complex expan... 8859 vertices graph edges may partitioned two parts... 20894 search engine tightly coupled social networks ... 15275 additively separable hedonic games fractional ... 2437 work novel approach presented solve problem tr... 14087 work prove growth artin conductor exponential ... 11989 develop new optimization methodology planning ... 3167 given conjunctive boolean network cbn n statev... 13752 article notion bimonotonic independence introd... 15920 derivation approximate wave functions electron... 14027 classical problem scheduling unrelated paralle... 7016 update issue found correctness algorithm worki... 13386 paper consider estimation generalized linear m... 15998 control electron spin external means key issue... 12641 show article holomorphic vector bundle nonnega... 20046 work propose train deep neural network distrib... 4945 correlation magnetic properties microscopic st... 15649 cloud storage systems hot data usually replica... 12237 compare various notions weak subsolutions dege... 6046 prime p let hat fp finitely generated free pro... 9227 recommender systems play important role many s... 5585 according eurobarometer report eu media use ma... 5590 theory statistical inference along strategy di... 1228 consider class measurable functions defined ma... 13341 study asymptotic behaviour twisted first momen... 13333 querying graph databases recently received muc... 14743 highorder parametric models include terms feat... 8244 pumpprobe experiments turned powerful tool ord... 18500 using dimensional bosonvortex duality nonlinea... 16237 recently along emergence food scandals food su... 6555 dirichlet processes dp widely applied bayesian... 15373 report provides introduction machine learning ... 12145 paper study principal components analysis regi... 159 study problem causal structure learning set ra... 1589 david berlinski writes existence nature mathem... 15369 let mathbb qnc complete simplyconnected ndimen... 5565 research humanrobot collaboration humanrobot t... 7190 paper presents one analytical tidal theory vis... 18243 lightmatter interaction processes significantl... 10576 central limit theorems play important role stu... 15061 several literatures authors give new thinking ... 13364 segmented aperture telescopes require alignmen... 1556 new bayesian framework presented constrain pro... 2828 evaluating return ad spend roas causal effect ... 436 road networks cities massive critical componen... 15592 realize scattering states lossy chaotic twodim... 20625 investigate dependence transmission losses cho... 2780 plasmons collective excitations electrons bulk... 3701 brainer using bicycles commute sustainable for... 5686 previously designed cryogenic thermal heat swi... 4727 work investigate optimal proportional reinsura... 17622 work extends elsner wandelt iterative method e... 2951 many applications machine learning example hea... 2555 randomized experiments critical tools decision... 10350 generalize translation invariant tensorvalued ... 18003 manuscript investigates selfconsistent solutio... 17881 split manufacturing promising technique defend... 12737 obtain solutions generic bilinear master equat... 6465 human brain network modularcomprised communiti... 7355 origin phobos deimos giant impact generated di... 15717 many settings important model capable providin... 7823 training step variational autoencoder vae requ... 12449 sheep pox highly transmissible disease cause s... 19462 given data variables xxm consider problem find... 15271 introduce bayesian approach modeling voigt pro... 5185 consider solving convexconcave saddle point pr... 8549 study strichartz estimates schrdinger equation... 5242 emerging field intersection quantitative biolo... 2092 work addresses problem robust attitude control... 10207 phylogenetic effective sample size parameter g... 11948 development big data cloud data sharing privac... 187 let enfalphabetagamma denote error best approx... 18196 study aims analyze methodologies used estimate... 18422 apply firstorder reversal curve forc method bo... 1381 output impedances inherent elements power sour... 18591 paper studies deterministic consensus networks... 8605 paper propose unsupervised reinforcement learn... 15743 present paper demonstrate results statistical ... 11528 present full results decadelong astrometric mo... 15038 roxs mass j young star hosting directly imaged... 19405 predicting finegrained interests users tempora... 8448 present novel tractable generative model exten... 11390 examine relationship double schubert polynomia... 20876 propose dynamic edge exchangeable network mode... 7295 boltzmann provided scenario explain individual... 8068 show knowledge dirichlet neumann map rough q d... 12935 past work relation extraction focused binary r... 9959 prove counting copies graph f another graph g ... 9764 propose kernel mixture polynomials prior bayes... 24 let x partially ordered set property family or... 3363 report raman sideband cooling single sodium at... 1088 real complex clifford bundles dirac operators ... 12866 structured populations spatial arrangement coo... 10886 currently environment fraction automated vehic... 11590 reliable uncertainty estimation time series pr... 20110 study fundamental group complement singular lo... 10503 object tracking systems play important roles t... 12306 consider caching cellular networks base statio... 17079 dpolarized light imaging dpli reconstructs ner... 15906 determine joint limiting distribution adjacent... 11944 article based series lectures toric varieties ... 6337 observations astrophysical objects galaxies li... 17611 study problem ranking set items nonactively ch... 276 novel unseen classes formulated extreme values... 12413 present passivitybased wholebody control appro... 3906 give criterion characterizes homogeneous real ... 5845 problem learning structural equation models se... 20671 curating labeled training data become primary ... 1137 main challenge online multiobject tracking rel... 13324 propose novel technique make neural network ro... 2490 show forming connected sum homotopy sphere jco... 16165 paper introduces new member family variational... 7742 identifying meaningful signal buried noise pro... 14482 present implementation automated vlbi data red... 13127 study tensor network theory important field pr... 3935 growth variety volume oltp online transaction ... 15072 study nonstationary stochastic multiarmed band... 2384 determining redshift distribution nz galaxy sa... 8016 owing connection generative adversarial networ... 7084 pressing need build architecture could subsume... 16499 idea combining different twodimensional crysta... 1863 recently advancement industrial automation hig... 15688 several spectral bounds percolation transition... 364 article study orbifold constructions associate... 9094 reported growth mmsized singlecrystals lowdime... 18371 recently continuous cache models proposed exte... 3802 propose method recognizing moving vehicles usi... 15309 single molecule magnets smms singleion anisotr... 3536 let taun number divisors n give elementary pro... 3825 conditional expectiles becoming increasingly i... 6642 context series papers study major merger two d... 19558 line spectral estimation problem consists reco... 12991 occurrence drugdruginteractions ddi multiple d... 18382 theory influence thermal fluctuations electric... 13527 work introduce idea primary application topolo... 7269 basis quasipotential method quantum electrodyn... 18585 refraction deflects photons pass atmospheres a... 7929 many settings involve sequential decisionmakin... 12982 continuum approximation ca efficient parsimoni... 7166 investigate class multidimensional twocomponen... 12869 classification clustering algorithms proved su... 5867 classical problem causal inference matching tr... 4761 fundamental frequency f estimation polyphonic ... 882 model threedimensional elastic medium represen... 13893 consider partial torsion fields fields generat... 19468 multiplayer online battle arena moba games rec... 557 paper introduces general method approximate co... 1960 study duality spectral sequences weierstrass f... 13331 quantum sensors solid state electron spins att... 1207 clause learning one important components confl... 7684 one challenging tasks flying robot autonomousl... 16859 closedloop field development clfd optimization... 12021 article recent progress mlrandomness respect c... 10485 sampling logconcave functions arising statisti... 3630 paper construct entire solutions cahnhilliard ... 1708 given suitable ordering positive root system a... 1140 discovery multiple stellar populations milky w... 6207 corruptive behaviour politics limits economic ... 19295 paper give three functors mathfrakp cdotk math... 18491 article investigate inexact iterative regulari... 2660 paper propose novel ranking framework collabor... 14852 modern deep neural networks dnns spend large a... 1307 prove unique assembly unique shape verificatio... 16212 discuss parametric oscillatory instability fab... 12452 user modeling plays important role delivering ... 6905 object present paper study certain properties ... 11927 ylinked twosex branching process mutations bli... 14072 direct comparison specific heat magnetoresista... 9429 report large linear magnetoresistance cuxte re... 2151 pbw degenerations particularly nice family fla... 19057 study sharp detection thresholds degree correc... 13283 calgebra set x give stinespringtype characteri... 5004 parental gametes unite form zygote develops ad... 15996 generative adversarial nets gans represent imp... 1627 present measurements hyperfine splitting yb sp... 9714 introduce recurrent additive networks rans new... 358 capacitive deionization cdi fastemerging water... 138 study minimal model growth phenotypically hete... 8491 design gaits robot locomotion daunting process... 16766 prove moore myhill property strongly irreducib... 11181 study smallscale highfrequency turbulent fluct... 340 generic closed curve plane transformed simple ... 4857 scanning superconducting quantum interference ... 17823 present approach path following using socalled... 9569 correct treatment vibronic effects vital model... 13865 working scalable interactive visualization sys... 17330 paper extend work ryuzo sato devoted developme... 10582 recent observations identify valley radius dis... 5498 interested development surrogate models uncert... 8556 despite originally inspired central nervous sy... 10913 key issues pertaining collection epidemic dise... 1932 work consider diffusionbased molecular communi... 2352 work describes development highresolution tact... 15848 paper propose novel scheme data hiding fingerp... 3236 pollution urban centres becoming major societa... 12355 study flows calgebras rokhlin property show ev... 9493 emphab initio langevin dynamics approach devel... 19121 real energy spectrum ptsymmetric hamiltonian h... 3807 representation learning rl make learned repres... 1936 uranium beryllium heavy fermion system whose a... 5619 present kernelindependent method applies hiera... 14973 extend standard bayesian multivariate gaussian... 18403 consider learning fundamental properties commu... 6139 decomposability cartesian product two nondecom... 785 many realworld data sets especially biology pr... 8036 semantic textual similarity sts measures meani... 8315 multiplex networks describe large number compl... 20430 dynamical systems found nature rarely isolated... 2169 nearly autonomous robotic systems use form mot... 17294 article study existence strong consistency gee... 14138 conduct realistic evaluation virtualized netwo... 11826 demonstrate electric fields arbitrary time pro... 16346 population protocols well established model co... 6591 seminal paper formality conjecture kontsevich ... 4458 introduce kbanded cholesky prior estimating hi... 14325 diluted meanfield models spin systems whose ge... 7597 goal machine learning automatically learn data... 9370 paper study nystrm type subsampling large scal... 4652 privacy crucial many applications machine lear... 442 show elliptic curve e defined number field k g... 9591 show certain family cohomogeneity one manifold... 19669 local model differential privacy emerging refe... 19676 present method synthesizing frontal neutralexp... 9649 paper present alternative strategy finetuning ... 5744 powerlawdistributed species counts clone count... 15747 article discusses automation tensor algorithms... 17438 photoelectric effect established einstein well... 15845 carried molecular dynamics simulations md usin... 11951 purpose paper investigate asymptotic behavior ... 929 learning make decisions observed data dynamic ... 20117 modeling inverse dynamics crucial accurate fee... 8767 determine modular curves xdeltan curves lying ... 11120 work considers inclusion detection problem ele... 14730 present approach automatic detection alzheimer... 11738 reaction networks mainly used model timeevolut... 13790 positiveunlabeled pu learning considers two sa... 20041 shapeconstrained density estimation important ... 18970 paper consider dense vehicular communication n... 2011 comes searches extensions general relativity l... 17297 pomsets model concurrent computations introduc... 7611 present firstprinciplesbased manybody typical ... 16028 optimal transport recently gained interest mac... 18464 paper presents randomized algorithm computing ... 20768 introduce framework modeling sequential data c... 6564 study classification problems string data hypo... 18972 stateoftheart methods convex nonconvex optimiz... 16390 classical spectral analysis based discrete fou... 11172 nowadays many companies available large amount... 7835 present hybrid neural network rulebased system... 3361 study indices geodesic central configurations ... 12966 detecting strong ties among users social infor... 10135 present experimental data simulations effects ... 18019 program slicing provides explanations illustra... 1141 establish large deviation theorem empirical sp... 19513 study generalization crossdiffusion problem de... 19651 hierarchical neural architectures often used c... 15007 fix quadratic order ring integers embedding qu... 15434 antibodies critical part immune system functio... 16743 pairwise comparison data arises many domains i... 3134 prove finitely generated field infinite perfec... 6990 present new frankwolfe fw type algorithm appli... 20653 logicbased event recognition systems infer occ... 17858 change point analysis statistical tool identif... 1823 design good heuristics approximation algorithm... 10081 kinetic plasma turbulence cascade spans multip... 3259 study vertex colourings digraphs outneighbourh... 10213 acoustic scene classification researches audio... 4020 probit regression first proposed bliss study m... 19764 paper proposes new samplingbased nonlinear mod... 3500 letter establish yangian symmetry planar n sup... 2658 winds arising galaxies star clusters active ga... 17514 recently integrability conditions ics mutistat... 13749 studied two dimensional lattice model coulomb ... 10516 paper study entire radial solutions quasilinea... 1819 biological networks convenient modelling visua... 7461 doseresponse functions drfs widely used estima... 5624 report terahertz spectroscopy quantum spin dyn... 17815 paper introduce finite field analogue appell s... 18995 jpmorgan accumulated usd billion loss credit d... 7064 cloud manufacturing cm concept using manufactu... 9342 show deciding whether given graph g size uniqu... 12336 frequency responses krbne comagnetometer magne... 4669 theoretically investigate charge transport ele... 9428 paper presents research polar cap ionosphere s... 5476 study problem guarding orthogonal polyhedron r... 20817 analysis noiseinduced synchronization opinion ... 15670 fractional quantum hallsuperconductor heterost... 1856 consider helical system fermions generic spin ... 2282 designing decentralized policies wireless comm... 13392 mms observations recently confirmed crescentsh... 6439 formal ontologies axiomatizations logicbased f... 6031 propose new sentence simplification task split... 386 new index authors popularity estimation repres... 1628 address issue limit cycling behavior training ... 11777 paper examines problem adaptive influence maxi... 20297 preprint consider compare different definition... 13851 although deep learning historical roots going ... 7718 paper aims solving onedimensional backward sto... 7544 many modern video processing pipelines rely ed... 11381 memory great impact evolution every process re... 4658 freely available python code modelling snr evo... 12497 advances artificial intelligence renewed inter... 9101 constraining linear layers neural networks res... 10058 large datasets represented multidimensional da... 1842 show hardness geodetic hull number chordal graphs 16585 present novel time phaseresolved backgroundfre... 3868 provide examples operators tdv decaying potent... 5054 consider classifiers highdimensional data stro... 5889 consider onedimensional two component extended... 14376 differential privacy dp received increasing at... 19970 paper studies dimension effect linear discrimi... 16715 consider compact lie group g closed subgroup h... 3808 distributed storage systems suffer significant... 19565 floer theory originally devised estimate numbe... 935 develop theory nondegenerate parametric resona... 10651 present method identifying coherent structures... 1774 generative adversarial networks gans gathered ... 18678 show relative property abelianization nilpoten... 3744 minkowski inequality classical inequality diff... 17373 consider boseeinstein condensate bec attractiv... 5443 analytically study spontaneous emission single... 19195 paper introduce new class nonsmooth convex fun... 13969 hypothesis computational models reliable enoug... 1875 consider problem bandit optimization inspired ... 3760 finding optimal correction errors generic stab... 19623 crowdsourced gps probe data become major sourc... 3052 paper extension monadic secondorder logic infi... 13654 let p finite pgroup p odd prime let mathcalapp... 13146 performance single channel source separation a... 19642 machine learning models shown vulnerable adver... 4615 every genus ggeq construct infinite family str... 15812 consider minimization nonconvex functions typi... 3321 present simple electromechanical finite differ... 19061 recent work shown stateoftheart classifiers qu... 3311 paper develop linear transfer perron frobenius... 18558 quasigray code dimension n length ell alphabet... 18482 electrical machines employing superconductors ... 18670 work paper presents animation extension chrvis... 12743 paper study probability distribution position ... 12871 report highpressure study heavily electron dop... 11595 algorithms equilibrium computation generally m... 8210 investigate series learning kernel problems po... 11431 define koszul sign map encoding koszul sign co... 17740 selfsimilarity recently introduced measure int... 16018 use secular model describe nonresonant dynamic... 1517 r gompf defined homotopy invariant thetag orie... 20808 paper characterize several lower separation ax... 4492 antiferromagnet afm ferromagnet fm interfaces ... 3112 canonical correlation analysis family multivar... 16566 project tritium endpoint neutrino mass experim... 16294 online interval coloring variants important co... 11834 conformally variational riemannian invariants ... 2866 cosmic ray intensities cris recorded sixteen n... 855 nge well known moduli space mathfrakmn unorder... 19309 analyse linear regression problem nonconvex re... 4912 magnetic fieldinduced giant modification proba... 13860 pioneering work brezismerle lishafrir li barto... 5463 university curriculum campus level permajor le... 18184 paper study smoothness regularization method v... 5482 exhibit hamel basis concrete algebra mathfrakm... 12605 functional data analysis nonlinear manifolds d... 19193 thirdorder threedimensional symmetric traceles... 3828 image registration process aligning two images... 18979 identification dynamical systems prediction er... 4697 convolutional recurrent deep neural networks s... 15200 transition metal dichalcogenides tmds exhibit ... 4987 paper study problem learning mixture gaussians... 4650 phase transition temperature tc simeq k heb mi... 17543 demonstrate diffusive superconductorferromagne... 17709 recently deep learning community given growing... 10288 collisionionization mechanism nonsequential do... 6796 consider paper regularity problem timeoptimal ... 5808 use standard robotic platforms accelerate rese... 17839 study extremal algorithmic questions subset ca... 5410 study generalized fermat equation x zp solved ... 8333 latetype star beta cmi remarkably stable compa... 2800 physicallayer group secretkey gsk generation e... 9836 growth interest network data across fields exp... 10332 cloud computing new era remote computing inter... 12728 explaining reasoning processes underlie observ... 13778 internet mobile things encompasses stream data... 7815 social networks often provide binary perspecti... 4378 syntax modal graphs defined terms continuous c... 8921 last decade digital media web app publishers g... 6716 given convex integrands gammai snto mathbbr fu... 2261 minimum kenclosing ball problem seeks ball sma... 7429 researchers often interested assessing impact ... 9302 order understand underlying processes governin... 19910 work demonstrates nanoscale magnetic imaging u... 11190 latest techniques neural networks support vect... 17569 recently shown yield amorphous solids oscillat... 2007 internetofthings iot architectures connecting ... 193 propose lineartime singlepass topdown algorith... 13803 book chapter introduces problem extent search ... 19832 autonomous agents must often detect affordance... 8770 propose effective method solve event sequence ... 16300 fault localization popular research topic many... 771 social media users often make explicit predict... 10587 incremental improvements accuracy convolutiona... 17862 paper present algorithm sparse signal recovery... 18230 intriguing properties emergent materials typic... 12466 present generalpurpose method train markov cha... 18813 applying classic telescoping summation formula... 14868 shunt facts devices static var compensator svc... 14567 investigate structural electronic transport th... 16789 risk prediction central clinical medicine publ... 20684 interaction proteins dna key driving force sig... 10088 work devoted elaboration idea use block term d... 16910 introduce torchbearer model fitting library py... 6317 paper present technique using bootstrap estima... 11851 randomized quasimonte carlo rqmc sampling brin... 6581 let g mu pair reductive group g padic integers... 1447 central theme work stable levitation denser no... 342 let l l two distinct rays emanating origin let... 13319 analyze low rank tensor completion tc using no... 11328 paper characterizes capacity region gaussian m... 17111 present results extensive spectroscopic survey... 9168 present method systematically study multiphoto... 19975 welcome contribution falessi et al hereafter r... 7368 adaptive gradientbased optimization methods ad... 2044 study vladimirov fractional differentiation op... 7156 lifted relational neural networks lrnns descri... 16288 deep learning revolutionized vision via convol... 7851 highaltitude watercherenkov hawc experiment te... 10178 transparency user trust human comprehension po... 12132 consider one important problems directional st... 13615 quantitative composition metal alloy nanowires... 17732 determine value search games goal find hidden ... 17044 combination strong correlation emergent lattic... 1492 study structure mathfrakgkmodules principal se... 778 consider problem sequential learning categoric... 9885 decoding human brain activities via functional... 9277 challenging develop stochastic gradient based ... 2524 present straightforward sourcetosource transfo... 5374 many robotic applications searchandrescue requ... 20050 present results first observations hubble spac... 16232 introduce persistent homotopy type distance dh... 14849 one dimensional hybrid systems play important ... 17371 robust data association necessary virtually ev... 8259 work establish relation optimal control traini... 18858 ab initio description spectral interior absorp... 40 meanfield variational bayes mfvb approximate b... 11240 detection gravitational waves gws generated me... 18146 let smooth manifold let om poset open subsets ... 19201 grid cells medial entorhinal cortex mec respon... 14424 axon guidance crucial process growth central p... 11639 development spiking neural network simulation ... 6816 developers use question answer qa websites exc... 20092 fraction earlytype dwarf galaxies virgo cluste... 18990 improving distant speech recognition crucial s... 10704 dominance annual plants traditionally consider... 14140 recent studies show interest materials asymmet... 1460 survival analysis developed applied number are... 19475 combinatorial interaction testing important so... 4493 blockage pores particles found many processes ... 13074 spatialsign covariance matrix sscm important s... 17915 network growth processes understood generative... 13686 study class flat bundles finite rank n arise n... 13947 paper presents automated approach interpretabl... 11002 discuss low energy ee collider production yet ... 15432 attributed graphs model real networks enrichin... 7230 emergence cloud computing sensor technologies ... 15686 geodetic vlbi technique capable measuring suns... 10412 propose general framework interactively learni... 5075 given small mobility coefficient liquid argon ... 9641 hubble catalog variables hcv year esa funded p... 19449 powerful data transformation method named guid... 4088 let g connected complex reductive algebraic gr... 18351 artificial intelligence ai effective science e... 19736 present updated halodependent haloindependent ... 14949 signed cyclic graph g construct unique virtual... 4249 paper contributes new machine learning solutio... 16807 modularity military vehicle designs enables on... 20241 wellknown harishchandra transform fmapstomathc... 10096 sieve rational points suitable varieties devel... 20472 algorithm irreducible decomposition representa... 12109 article study linearized anisotropic calderon ... 6142 generative adversarial networks gan approximat... 5661 field distributed constraint optimization gain... 13970 report growth ndfeasof thin films tilt mgo bic... 15037 consider corotational wave maps ddimensional m... 9031 twoway relay nonorthogonal multiple access twr... 2659 neural models enjoy widespread use across vari... 141 develope twospecies exclusion process distinct... 2597 recent focus accessibility field researchers a... 6701 extend classic multiarmed bandit mab model set... 15223 develop family reformulations arbitrary consis... 17761 point classical thermodynamics results paper k... 20872 study regularity solutions second order bounda... 7418 study topological dynamics horocycle flow hmat... 17522 determined new relations ubv colors masstoligh... 10449 let pi irreducible smooth complex representati... 18171 commented translation paper universelle bedeut... 12130 work first examine transverse longitudinal flu... 19616 bilevel optimization defined mathematical prog... 16843 analyzing temperature dependent photoemission ... 16013 study polyhedron n vertices fixed volume minim... 8179 evaluating computational reproducibility data ... 11565 analyze interiors hdb c among coolest super ea... 17332 orionis group discovered almost decade ago des... 9528 new radical cnn design approach presented pape... 6370 cooperative hierarchical structure common sign... 4628 study convergence loglinear nonbayesian social... 14478 electrical conductivity high dielectric consta... 441 predicting future state system always natural ... 9794 paper proposes novel approach stereo visual od... 9046 negatively charged nitrogenvacancy nv center d... 3830 graph hfree induced subgraph isomorphic h char... 19997 investigate basic applications fractional calc... 6344 primitive dirichlet character chi modulo q def... 19149 develop commuting vector field method general ... 1958 locally repairable code availability property ... 155 apparent gas permeability porous medium import... 10487 tensor completion problem filling missing unob... 19413 public transports provide ideal means enable c... 4578 problem quantizing activations deep neural net... 1089 next generation transit survey ngts operating ... 12576 present luminosity function z quasars based hy... 9122 kepler photometry hot neptune host star hatp s... 7950 millisecond pulsars msps great potential set s... 11101 determine group strucure rd homotopy group pig... 18058 present proposal applying nanoscale magnetomet... 19786 closecontact melting refers process heat sourc... 6416 shown adiabatic bornoppenheimer expansion sati... 16021 paper introduces new surgical endeffector prob... 9087 practical solutions bootstrap security todays ... 11439 longlead forecasting spatiotemporal systems of... 7096 study thermalization holographic dimensional c... 1098 noise inherent part neuronal dynamics thus bra... 5433 grids allow users flexible ondemand usage comp... 13230 passivity imperative concept widely utilized t... 6450 convolutional neural networks achieved great s... 12328 paper prove dichotomy conjecture complexity no... 10785 model instability poor prediction longterm beh... 18099 leastsquares models linear regression linear d... 3348 joselli et al introduced neighborhood grid dat... 4079 workhorse theories throughout physics derive e... 9177 barocaloric effect still incipient scientific ... 20322 provide hybrid method captures polynomial spee... 587 paper investigates multiplicative spread spect... 9346 bcml system beam monitoring device cms experim... 13269 auxetic materials great engineering interest f... 13537 present measurements velocity power spectrum c... 18686 class lqregularized least squares lqls conside... 10964 paper concerned behavior ergodic constant asso... 13675 explore lattice structures integer binary rela... 16299 consider f h homeomorphims generating faithful... 645 deep convolutional neural networks liberated e... 11749 classical mechanics light particle bound stron... 9587 human visual object recognition typically rapi... 16648 lz dark matter detector like many rareevent se... 11739 paper introduce notions rm fpninjective rm fpn... 15036 paper study electron wavepacket dynamics elect... 226 development mesoscale neural circuitry map com... 3864 image matting longstanding problem computation... 10592 study problem finding maximum function defined... 19599 present numerical study aims shedding light me... 20786 consider linear groups contain unipotent eleme... 16154 review paper discusses context used neural mac... 8438 side channel attacks major class attacks crypt... 1529 multiindexed orthogonal polynomials meixner li... 19047 present new kind structural markov property pr... 923 deep learning demonstrated tremendous potentia... 18647 paper show polynomial walks used establish twi... 17053 problem low rank matrix completion considered ... 10102 investigate relation disk mass mass accretion ... 7183 despite significant progress made last years s... 12150 consider selfavoiding lattice polygons hypercu... 19862 apply theory partial flag spaces developed pre... 2591 texture characterization key problem image und... 5906 graphene graphene like two dimensional materia... 11205 one important features mobile rescue robots ab... 7133 provide asymptotic expansion value function mu... 2307 paper consider cubic fourthorder nonlinear sch... 17071 analyze proprietary dataset trades single asse... 14203 many studies show acquisition knowledge key bu... 612 paper presents distancebased discriminative fr... 11168 efficient bayesian technique estimation proble... 6629 given two infinite sequences known binomial tr... 4135 study variant stochastic multiarmed bandit mab... 1898 empirical bayes versatile approach learn lot t... 13937 central question neuroscience develop realisti... 282 paper devoted study construction new quantum m... 258 difficulty modeling energy consumption communi... 11116 stochastic variancereduced gradient method svr... 20405 process liquidity provision financial markets ... 4943 effective implementations samplingbased probab... 14721 automata expressiveness essential feature unde... 11531 let n compact connected nonorientable surface ... 6971 nonequilibrium workhamiltonian connection micr... 14889 areal level spatial data often large sparse ma... 13521 present systematic evaluation jpeg isoiec tran... 5223 empirical paper addresses role bilateral multi... 2285 introduce study ternary fdistributive structur... 8078 prove weighted lpqestimates divergence type hi... 6710 current fleet spacebased solar observatories o... 20301 dirac equation relativistic electron waves par... 10403 selection appropriate collective variables enh... 475 variational bayesian neural nets combine flexi... 16391 modern corporations physically separate sensit... 6411 unlike classical causal inference often averag... 2551 densitybased clustering techniques used wide r... 6852 accurate measurement galaxy structures prerequ... 5546 range sensitivity algorithmic decisions expand... 13489 nonstationary domains unforeseen changes happe... 18943 datadriven predictive analytics use today acro... 9203 recent years number artificial intelligent ser... 17961 meaningful laws nature must independent units ... 10183 superconducting nanowire single photon detecto... 13565 fairness critical trait decision making machin... 16280 application domains healthcare want accurate p... 19296 define notion hierarchically cocompact classif... 7193 paper present scalable approach robustly compu... 18489 give new formulation proof theorem halmos wall... 6823 music source separation deep neural networks t... 20222 vector composition vector mathbfell matrix mat... 781 article develop notion quillen bifibration com... 14939 recent advances visual tracking showed deep co... 18133 given pairwise distinct vertices alphai betaik... 10983 existence elliptic periodic solutions perturbe... 6519 introduce rigorous definition general powerspe... 5774 paper introduce variational autoencoder vae en... 13171 objective establish performance several drive ... 9283 simulationbased training sbt gaining popularit... 9369 domainspecific languages dsls increasing impor... 20111 spectral clustering sc widely used data cluste... 10271 apply convolutional neural network cnn classif... 5055 establish dictionary group field theory thus s... 10800 propose new method input variable selection no... 19954 introduce fraud deanonymization problem goes b... 1727 yeast saccharomyces cerevisiae one best charac... 16994 pattern matching powerful tool part many funct... 16009 android apps cooperate message passing via int... 4666 topological phases typically encode topology l... 8535 open new field one define means infinite sets ... 3750 visual representation concepts ideas use simpl... 12924 textdependent speaker verification becoming po... 12722 compared basic forkjoin queues job n k forkjoi... 11407 early accurate identification parkinsonian syn... 97 motivated perelmans pseudo locality theorem ri... 3137 report several purposes first report written i... 13368 give description weighted reedmuller codes pri... 14357 present new algorithm time complexity log n de... 17921 paper introduces acoustic scene classification... 13140 paper provide first analysis research question... 15177 sleep plays vital role human health mental phy... 3648 show ck diffeomorphism ktorus semiconjugate mi... 10849 problem search satellites exoplanets exomoons ... 18648 prove global existence unique mild solution ca... 17901 recently demonstrated presence spinorbit toque... 1633 space gm varphi infinitely differentiable func... 12464 airborne lidar point cloud representing forest... 11861 shockleyqueisser limit one fundamental results... 20713 order understand physical hysteresis loops cle... 18474 conventional theory hydrodynamics describes ev... 6171 paper explores dimensional topological quantum... 7521 performed joule power loss calculations flat d... 572 transition metal dichalcogenides tmds emerging... 9879 design deterministic polynomial time cn approx... 20021 introduce refinement classical liouville funct... 597 mitochondrial oxidative phosphorylation moxpho... 15352 forthcoming applications concerning humanoid r... 7345 study cubic wave equation adsd closely related... 6304 show active transport ions interpreted entropy... 20417 introduce concept numerical gaussian processes... 16376 study relationship geometry capacity measures ... 19001 right assortment shipping boxes fulfillment wa... 18322 fashion industry establishing presence number ... 1753 work explore straightforward variational bayes... 5432 let walphat talphaet alpha laguerre weight fun... 13183 let x compact connected strongly pseudoconvex ... 18683 numerical simulations einsteins field equation... 20437 working context muabstract elementary classes ... 11929 selfcontained method obtaining effective theor... 18628 electroencephalogram eeg provides noninvasive ... 19455 paper presents application variational autoenc... 9135 present paper generic parameterfree algorithm ... 19731 extend notion localic completion generalised m... 1171 address problem temporal action localization v... 15562 paper presents probabilistic method capturing ... 7927 research aims identify bitcoinrelated news pub... 20236 deep learning stateoftheart fields visual obje... 19855 problem estimation relevance set histograms ge... 20526 since introduction knyazev toward optimal prec... 18910 reinforcement learning rl often powerful suffe... 14531 entry discusses problem describing communities... 15892 describe set tools services strategies latin a... 20120 paper describes applications incremental imple... 17258 neural networks used prominently several machi... 20276 electronic friction ensuing nonadiabatic energ... 2643 paper consider problem determining two tensor ... 5347 introduce new operation copolar addition unbou... 9032 show two involutions variety nn upper triangul... 16965 show iterated identity satisfied finite groups... 204 developing neural network image classification... 7896 modelbased reinforcement learning rl methods b... 9833 derive flow equations cold atomic gases one ma... 2014 access transverse spin light unlocked new regi... 17289 let power series ring polynomial ring field k ... 17015 present reinforcement learning framework calle... 8461 increasing practice engaging crowds organizati... 1974 prediction market individuals sequentially pla... 162 codes algebraic decoding algorithm derived ree... 4998 modulating amplitude phase light heart many ap... 19090 investigate role transition metal atoms group ... 9557 simple analytically correct algorithm develope... 4713 understanding pseudogap phase holedoped high t... 9067 paper introduce new form amortized variational... 1431 recent paper claimed homogeneous finsler space... 15261 analysis molecular processes estimation timesc... 12835 building intelligent transportation systems ta... 13975 proposed new penalized method paper solve spar... 20090 paper gives thorough overview solar car optimi... 7710 argue hardware modularity plays key role conve... 7736 present analyze new spacetime finite element m... 4283 present new proof fundamental result concernin... 7531 paper considers problem statistical inference ... 14139 information systems experience evergrowing vol... 17069 united states spends b year initiatives americ... 13493 abella interactive theorem prover proven effec... 10053 paper studies heat equation utdelta u bounded ... 10851 constraint answer set programming promising re... 3384 work perform empirical comparison among ctc rn... 2839 associate albert form pair cyclic algebras pri... 19194 strang splitting well established tool numeric... 15078 present test determining substochastic matrix ... 15941 neural networks capable learning rich nonlinea... 10595 monitoring structural changes ferroelectric th... 15433 thermochemical models used past constrain deep... 2096 complex electric modulus ac conductivity carbo... 10195 recent media blitz cohort mathematicians valia... 7999 complex lie superalgebras mathfrakg type da al... 19557 present statistical analysis variability broad... 5017 report superkekb phase operations large angle ... 17833 determinantal point processes dpps wideranging... 18284 study dynamical properties one twodimensional ... 2757 introduce state classification problem scp hyb... 6397 paper revisit weighted likelihood bootstrap me... 10077 construct examples flat fiber bundles hopf sur... 13930 study problem maximizing monotone submodular f... 14082 study leinsters notion magnitude compact metri... 2097 uniform convergence rates provided asymptotic ... 8329 earlier work katz exhibited simple one paramet... 9028 nearly previous work smallfootprint keyword sp... 3471 political social polarization significant caus... 12889 discuss blackbody radiation within context cla... 14472 one main advantages prolog potential implicit ... 16230 new types machine learning hardware developmen... 18555 branched covering surfaceknot surfaceknot form... 18509 study effect coupling spin bath environment sy... 1733 state space models smoothing refers task estim... 18394 restricted threebody problem consecutive colli... 20774 give sufficient condition verdier quotient ctc... 1283 bells inequalities one formal expression show ... 12485 hawc gamma ray observatory consists water cher... 12448 problem textitvisual metamerism defined findin... 10028 coprime hypergraph integers n vertices chikn d... 1019 work compares several node network criticality... 16184 many organisms repartition proteome circadian ... 19374 fundamental challenge vast disciplines link pr... 9518 timetriggered eventtriggered control strategie... 17520 paper show recent integration statistical mode... 1651 paper proposes exploration method deep reinfor... 830 building insights jovanovic subsequent authors... 1169 recent paper x guo mandelis j tolev k tang j a... 10720 generic text embeddings successfully used vari... 6256 reductive group g defined algebraically closed... 5469 twopart paper addresses design retail electric... 16044 complex event processing cep emerged unifying ... 10258 plate motions governed equilibrium basal edge ... 16063 studying tropical cyclones using fplane axisym... 17251 understanding evolution human society complex ... 11166 main theorems paper least transitive model kel... 20396 making sense wasserstein distances discrete me... 5093 investigation paper nonisospectral variable co... 541 selective weed treatment critical step autonom... 9324 electronic health records ehrs contributed com... 17047 alvarezmacovski method line integrals xray bas... 12693 eigendeomposition nearestneighbor nn graph lap... 20311 neurons process information transforming barra... 3390 interactive information retrieval researchers ... 12080 describe highperformance implementation lattic... 11154 objective coupling neuronal populations magnit... 14226 general conjecture stated cone automorphic vec... 16977 study problem utility maximization terminal we... 16029 present novel analysis metalpoor star sample c... 20907 construct oneparameter family laplacians sierp... 10775 train inference network jointly deep generativ... 11005 seminal work robust replication volatility der... 3959 mapreduce popular programming paradigm develop... 6643 paper measure systematic risk new nonparametri... 16100 browsing finding relevant information banglade... 16087 radially outward flow fluid porous medium occu... 3586 magnetic frustration low dimensionality preven... 20776 detecting activities untrimmed videos importan... 2563 weakstrong uniqueness result proved measureval... 10822 auction method developed bertsekas late relaxa... 18715 hllhc federates efforts rd large international... 5036 paper study optimal estimates two functionals ... 1080 article present bernstein inequality sums rand... 5891 paper study general alphabetametrics alpha rie... 14537 timed pattern matching problem actively studie... 2023 casebased reasoning cbr widely used generate g... 13109 paper investigate problem grasping novel objec... 19918 traditional neural network approaches traffic ... 7909 highthroughput biological sequencing becomes f... 19650 present technique automatically transforming k... 16610 standard probabilistic linear discriminant ana... 1013 paper investigate coverage extension scheme ba... 14871 paper obtain description grothendieck group co... 18313 present haloindependent determination unmodula... 9235 study family spins quantum spin chains nearest... 5251 work use semiempirical atmospheric modeling me... 9596 categorical equivalences block algebras finite... 2179 propose ultranarrow dynamical control populati... 17081 neuroscience carried domain big data high perf... 17508 problem classification local field potentials ... 12087 effects pressure crystal structure three known... 5110 e elliptic curve point order two work klagsbru... 1778 number internet things iot devices keeps incre... 18793 paper consider x multiuser multipleinputsingle... 15379 efficient simulation isotropic gaussian random... 7604 online games provide rich recording interactio... 13944 considering granular fluid inelastic smooth ha... 17421 report evidence enstrophy cascade largescale p... 19003 article presents rigorous analysis efficient s... 20915 paper studies optimal communication coordinati... 10473 study problem testing community structure netw... 14933 availability data sets large numbers variables... 5132 many multiplanet systems discovered date notab... 2159 give first examples closed laplacian solitons ... 11329 lifestyles valuable model understanding indivi... 14042 realtime safety analysis become hot research t... 14566 fifth generation mobile communications anticip... 6445 efficient electrooptic eo modulators crucially... 3967 magnetic skyrmions swirling spin textures topo... 1428 give simple optimistic algorithm easy derive r... 3081 periodic array atomic sites described within t... 2520 given zerodimensional ideal polynomial ring ma... 11754 graphene nanoribbons armchair edges studied ex... 10047 predicting outcome sports events hard task qua... 18993 lowrank structures play important role recent ... 6019 work verifies instrumental characteristics ccd... 16832 compositional game theory new recently introdu... 16898 let g finite simple connected graph arithmetic... 3727 linear parametervarying lpv models form powerf... 8553 paper focuses recently introduced successive c... 20381 problem controlling mean variance species inte... 9496 former paper concept bipartite pagerank introd... 6251 prove bchi topology automatic topology polish ... 5926 neural network training relies ability find go... 16406 set points x xb cup xr subseteq mathbbrd linea... 18450 realworld setting visual recognition systems b... 18037 meta learning optimal classifier error rates a... 8894 crystal plasticity mediated dislocations form ... 8706 prove two general theorems determine lie noeth... 1376 artificial intelligence field learning often c... 1724 let g undirected graph edge g dominates edges ... 3754 cmorder reduced order equipped involution mimi... 10517 automatically detecting sound units humpback w... 19964 virtualization technologies evolved along deve... 4082 robots ability understand ground natural langu... 11870 modern reinforcement learning algorithms reach... 19332 traditionally kernel learning methods requires... 12500 trackbeforedetect tbd powerful approach consis... 13057 optimal subset selection important task numero... 16140 windowed orthogonal frequencydivision multiple... 10773 stateoftheart knowledge compilers generate det... 9951 study time evolution onedimensional interactin... 14571 discourse parsing long treated standalone prob... 17030 first study discrete schrdinger equations anal... 20670 artificial neural networks popular effective m... 14215 paper study special case completion cusp khler... 15997 present cloud storage used searchable symmetri... 7165 let infty infty two points infty real hyperell... 18800 network embeddings learn lowdimensional repres... 11182 hormozgan province located south iran faces se... 20384 recurrent neural networks rnns drawing much at... 4875 paper develop upper bound sparseva sparse esti... 10736 formal verification techniques widely used det... 19498 inspired recent evolution deep neural networks... 15990 recently open geometry fourier modal method ba... 12258 large majority high energy sources detected fe... 18544 achieve explicit construction lowest landau le... 685 paper presents novel contextbased approach ped... 11435 introduce describe results novel shared task b... 19343 proof concept high speed nearfield imaging sub... 14291 advent th generation wireless standards increa... 2461 positive semidefinite rank convex body c size ... 12275 paper consider use deep neural networks contex... 11889 signed network network link associated positiv... 7128 padic kummerleopoldt constant kappak number fi... 16377 developed control visualization programs yui h... 5946 cosmological surveys far infrared known suffer... 4583 explore phase diagram finitesized dysprosium d... 12232 paper concerned following fractional schrdinge... 13070 review three principal methods assign meaning ... 16905 paper explores informationtheoretic limitation... 19863 robustness dynamical properties neuronal netwo... 3983 paper presents intelligent home energy managem... 14686 present oncilla robot novel mobile quadruped l... 6303 object paper study etaricci solitons varepsilo... 9908 energy increasingly generated collected differ... 780 intricate interplay optically dark bright exci... 17153 todays internet traffic mostly dominated multi... 5978 interferenceaware resource allocation time slo... 2196 paper presents continuoustime equilibrium mode... 14089 short paper generalise theorem due kani rosen ... 20859 population control policies proposed places em... 19240 key results obtained joint research projects a... 9832 estimation tail quantities expected shortfall ... 6979 usually applying mimetic model early universe ... 18211 paper study global fluctuations block gaussian... 11824 paper propose first homomorphic based proxy re... 2376 rapid improvements machine learning past decad... 17630 prove two results concerning ulamtype stabilit... 11483 data driven research android gained great mome... 6511 territorial control key aspect shaping dynamic... 13279 random key graphs introduced study various pro... 20104 paper changepoint problems long memory stochas... 14473 superconductivity recently observed cras helim... 5439 paper present efficient computational framewor... 10759 known set correlated equilibria nplayer noncoo... 6493 designed tested experimentally morphing struct... 8964 angle spin star planets orbital planes traces ... 5510 let mlm total space sbundle classified element... 5330 multiattributed graph matching problem finding... 18956 often significant tradeoff formulation strengt... 4531 study explicit differential equations represen... 9866 introduce novel numerical method integrate par... 15587 examine gammaray optical light curves three br... 16749 economic evaluations individuallevel data impo... 10142 article basic principles put basis algorithmic... 12089 paper studies intelligent ultimate technique h... 16531 techniques ensembling distillation promise mod... 18052 study investigates shortcrested wave breaking ... 11280 report discovery analysis planetary microlensi... 19780 sortition ie random appointment public duty em... 7788 heterogeneous information networks hins ubiqui... 3456 study orbital properties dark matter haloes co... 4940 describe broadly applicable experimental propo... 9223 consider set bp parametric block correlation m... 19833 revisit question whether steady states arising... 14916 consider dynamics overdamped mems devices unde... 7099 synopsis offered properties discrete integerva... 8080 phase retrieval refers problem recovering real... 16462 deep learning refers set machine learning tech... 18631 key idea current deep learning methods dense p... 20925 risk diversification one dominant concerns por... 19132 using novel rewriting problem show several nat... 18663 article construct additional perturbative quan... 9312 set points ddimensional euclidean space almost... 6172 expand cross section geodesic flow tangent bun... 3631 wave turbulence equation effective kinetic equ... 16955 explore properties bytelevel recurrent languag... 6272 measuring entity relatedness fundamental task ... 392 paper study stochastic nonconvex optimization ... 3191 method inverse design horizontal axis wind tur... 16 process leads formation bright star forming si... 20517 technique levitate measure threedimensional po... 19410 quantum kinetic system modelling boseeinstein ... 7394 presence renewable resources distribution netw... 593 study stochastic primaldual method constrained... 4719 sample matrix inversion smi beamformer impleme... 5827 let k field g finite group let g act function ... 10749 xray absorption spectroscopy measured ledge tr... 18739 axiomatize molecularbiology reasoning style ve... 4798 study large time behaviour mass size particles... 10634 give first example locally quasiconvex even co... 4795 distribution regression recently attracted muc... 11234 reinterpret kims nonabelian reciprocity maps a... 8656 demonstrate approach face attribute detection ... 163 motivated study nishinounoharaueda floer thoer... 671 given klt singularity xin x show quasimonomial... 14308 traditionally classifying large hierarchical l... 20760 study multiarmed bandit problem rewards realiz... 16052 study entanglement entropy gapped phases matte... 14828 goal paper introduce single algorithm method m... 5542 additional experimental cross sections deduced... 7993 largescale deep neural networks memory intensi... 10900 learning approaches recently become popular fi... 7758 paper show motive hpn quaternionic grassmannia... 4837 embedded realtime systems rts pervasive many m... 18677 apply theory ground states classical finite he... 6548 coupling vocal fold source vocal tract filter ... 4481 paper propose novel method register football b... 3716 licas lightweight internetbased communication ... 10837 search reliable methodology prediction light a... 6140 magic system two imaging atmospheric cherenkov... 9956 fractons emergent particles immobile isolation... 1549 generalized lambdasemiflows abstraction semifl... 14818 transfer learning tl aims transfer knowledge a... 18428 type inference application domain natural fit ... 767 detecting attacks control systems important as... 5693 linear logic introduced girard resourcesensiti... 9700 detecting defection alarming partners possible... 20886 propose evaluate new techniques compressing sp... 4517 present work aim taking step towards spectral ... 12411 recently technique called layerwise relevance ... 20027 phononic bandgaps parylenec microfibrous thin ... 18896 investigate quantifier alternation hierarchies... 3292 diet design vegetarian health challenging due ... 9011 purpose present paper investigate generalized ... 1403 estimates population size hidden hardtoreach i... 1382 quest observe gravitational waves challenges a... 10340 prove automorphism group topological paralleli... 1638 study syzygies maximal cohenmacaulay modules o... 14083 paper show edge connectivity distanceregular d... 8800 demonstrate fabrication photonic crystal nanob... 6406 observation electric dipole moments edms atomi... 9074 study effects assuming power series ring dx vd... 17563 design spacecraft trajectories missions visiti... 5448 kinetic inductance detectors kids become attra... 12168 work present adaptive newtontype method solve ... 5078 report measurements p p scalar tensor polariza... 13564 area handwritten signature verification broadl... 17073 zrse band semiconductor studied long time ago ... 3850 kinetic effects electrons important long wavel... 6488 burr iii distribution used wide variety fields... 10145 new upper bounds pointwise behaviour christoff... 13828 suggest method represent general directed unif... 7154 let rhoellell system elladic representations a... 19291 present heuristic based algorithm induce texti... 6610 consider adaptive algorithm finite element met... 5179 give concise presentation univalent foundation... 12330 modelbased approach forecasting chaotic dynami... 18268 ultracold atomic fermi gases twodimensions inc... 20349 introduce new sublinear space sketchthe weight... 2494 number studies analysis remote sensing images ... 845 instructional labs widely seen unique albeit e... 8734 let real bott manifold khler structure using i... 11916 performed highresolution powder xray diffracti... 11871 antiferromagnetic ising chain transverse longi... 12415 consider problem multiobjective maximization m... 7967 paper discuss nacuteeel kekulacutee valence bo... 7340 magnetic anisotropies ferromagnetic thin films... 13891 testing whether probability distribution compa... 19943 develop polynomialtime heuristic methods solve... 19122 virtually realworld networks dynamical entitie... 7137 consider restricted light ray transforms arisi... 2964 collisional shift transition constitutes impor... 15751 redox flow batteries rfbs potential solutions ... 18913 asymmetric segregation key proteins cell divis... 15476 deep learning algorithms connectomics rely upo... 5772 review topics theory cellular automata dynamic... 17432 study problem subsampling differential privacy... 18344 observe effects three different events cause s... 2530 cell migration fundamental process involved ph... 11138 present unified framework analyze global conve... 20971 recently optional stopping subject debate baye... 14716 information neural networks represented weight... 8429 quanta image sensor qis binary imaging device ... 4917 propose doubly nested networkdnnet neurons rep... 5901 opera experiment designed search numu rightarr... 8286 online job boards one central components moder... 19470 years security machine learning research promi... 5656 unambiguous nondeterministic finite automata i... 16127 investigate groundstate properties collective ... 5907 skilled robotic manipulation benefits complex ... 7373 extreme mass ratio inspiral emri events vulner... 6721 topological nodal line semimetals characterize... 20230 numerical approximation elasticity problems co... 12686 across variety scientific disciplines sparse i... 8264 alternative voting scheme proposed fill democr... 7693 training robots operation real world complex t... 8325 medical research facilitates acquire diverse t... 20903 alphabedtttfi prominent example charge orderin... 12265 investigate limiting behavior solutions nonhom... 11421 let x smooth projective manifold dimmathbbc xn... 1826 developer preferences language capabilities pe... 12329 report experimental investigation effect finit... 560 advancements deep learning years attracted res... 4107 semisupervised node classification graphs fund... 5435 paper present approach extract ordered timelin... 4437 difficulty large scale monitoring app markets ... 10382 paper describe evaluate mixed reality system a... 17826 study ground state energy neumann magnetic lap... 4406 following paper fundamental aspects probabilis... 20504 within standard model manybody localization ie... 18073 paper proposes neural network architecture tra... 9917 introduce novel method defining geographic dis... 19926 advances gnc particularly miniaturized control... 18880 let r commutative ring unity module r let gset... 15096 materials design development typically takes s... 2817 many modern machine learning applications stru... 16724 analyze origins luminescence germaniasilica fi... 18792 penetration distributed renewable energy dre g... 5782 last decades dispersal studies benefitted use ... 16163 manuscript generalize fcalculus apply fractal ... 9715 origin colossal magnetoresistance cmr still co... 10699 consider tunneling spinless electrons singlech... 20369 generative adversarial networks gans highly ef... 17396 restricted isometry property rip universal too... 4895 study turbulent square duct flow dense suspens... 19383 complement characterization graph products cyc... 148 resolving relationship biodiversity ecosystem ... 16669 let icd c qin c irightarrowinfty function give... 18752 determine stability instability sufficiently s... 8555 article introduce variable exponent fock space... 15463 applying machine learning techniques problems ... 4443 geophysical inversion ideally produce geologic... 7446 study josephson effect rmt f junction consisti... 236 crossover bardeencooperschrieffer bcs supercon... 15901 adversarial learning probabilistic models rece... 20559 understanding global optimality deep learning ... 10754 paper analyzes coexistence performance wifi ce... 7123 many localization algorithms use spatiotempora... 10123 stable marriage fundamental problem computer s... 13711 recent advancements complex network analysis e... 3083 transient stability simulation largescale inte... 632 measurement error observational datasets lead ... 18877 noisy environments achieve robust performance ... 2665 consider problem proving point given set state... 19382 discuss distributed matching scheme accelerato... 19292 manipulation deformable objects ropes cloth im... 10526 studies theories ideas influenced eugene garfi... 15836 study question natural interpretations quantum... 10060 grip control robotic inhand manipulation usual... 14788 recovering pairwise interactions ie pairs inpu... 12075 letter propose algorithm recovery sparse low r... 19356 provide compact unified treatment power spectr... 14109 propose novel tree classification system calle... 9686 functional significance resting state networks... 5249 study use randomized value functions guide dee... 8533 traditional models question answering optimize... 7426 look bohemian matrices specifically entries sp... 12345 well known affine matrix rank minimization pro... 20604 create fermionic dipolar nali molecules triple... 7979 show nonempty open set hyperbolic surface prov... 20165 ward identities associated spontaneously broke... 1735 given n vectors mathbfxiin mathbbrd want fit l... 14484 coded caching scheme effective technique incre... 4255 consider problem estimating counterfactual qua... 19622 autoignition experiments stoichiometric mixtur... 2475 prove free noncyclic group f hhat fmathbb q ma... 10756 since introduction locally linear embedding ll... 20955 article presents novel breakthrough general pu... 3713 recent years randomized methods numerical line... 6704 parametric geometry numbers new theory recentl... 18188 recently introduced method approximate functio... 17091 viral zoonoses emerged key drivers recent pand... 20155 paper presents simple approach increase normal... 5189 paper present new algorithm compressive sensin... 19618 governing equations twodimensional inviscid fr... 16456 growth electronic magnetic properties gammafen... 14210 contactrich manipulation tasks unstructured en... 7843 present new sinfoni nearinfrared integral fiel... 12640 heart disease one leading causes mortality wor... 14052 due recent advances compute data models role l... 13031 image effective tool conveying emotions many r... 20627 elementary introduction infinitedimensional pr... 6764 scalable framework developed allocate radio re... 10793 using representation theory elliptic quantum g... 1125 reported usage gratingbased xray phasecontrast... 17625 consider class rudinshapirolike polynomials wh... 20712 last decade witnessed increase interest spatia... 18733 paper investigates impact link formation pair ... 11543 multiresolution analysis matrix factorization ... 4358 paper presents rigorous optimization technique... 14114 declination quantitative method identifying po... 17727 formulate bayesian updates markov processes me... 20958 queueing networks systems theoretical interest... 7421 abstract separation logics family extensions h... 6652 proven chen f dillen j van der veken l vrancke... 17484 investigated magnetic behavior metal hydrides ... 9160 clearly one likes webpages poor quality experi... 7622 perform polarimetry analysis active galactic n... 987 partially observed environments useful human p... 16014 develop theory weakly interacting fermionic at... 2852 paper consider solving class nonconvex nonsmoo... 11695 twolayer shallow water type model proposed des... 8853 android users suffering serious threats variou... 16336 simple reading report professor weiping zhangs... 14996 work apply coles nonstandard form fdtd solve t... 17014 recent years widespread concern scientific com... 17633 paper generalises moris famous theorem project... 16866 propose new generic type stochastic neurons ca... 9654 map fcolon kto mathbb rd simplicial complex al... 3040 investigate schemetheoretic variant whitney co... 16035 selfdriving technology advancing rapidly albei... 5010 issue buckling mechanism droplets stabilized s... 19660 paper considers alternative method fitting car... 3273 paper study existence stability sense lyapunov... 7227 describe procedures converging characterizing ... 3683 bayesian networks directed acyclic graph dag m... 6807 paper consider problem optimizing quantiles cu... 12337 coded caching scheme technique reduce load pea... 1316 generative adversarial networks gan received w... 3225 consider bradlow equation vortices recently fo... 17456 hilberts th problem studies finite generation ... 19333 dense suspensions nonnewtonian fluids exhibit ... 9852 explosion number experimentally determined ato... 5752 paper addresses structures state space quasipe... 10617 one essential prerequisites detection earthlik... 16393 deep neural networks currently among commonly ... 4616 objective absolute images important applicatio... 20411 address problem multiclass classification case... 1300 lowdimensional plasmonic materials function hi... 15222 approximate model counting bitvector smt formu... 20565 fast efficient motion planning algorithms cruc... 13673 let lambda oplus c trivial extension algebra a... 9900 characterize cesroorlicz function spaces cesva... 5495 synchronized magnetization dynamics ferromagne... 9600 investigated morphology lateral surfaces pbte ... 1798 recent large cancer studies measured somatic a... 12149 manuscript present exponential inequalities sp... 9667 context transit events extrasolar planets offe... 6441 consider set categorical variables mathcalp le... 8636 consider fiberwise singly generated fellbundle... 15600 context th release sdss moving object catalog ... 18743 exponentially growing number scientific papers... 3654 virtual heart models proposed enhance safety i... 7052 contact processes form large highly interestin... 15945 paper propose new method estimation constructi... 11371 consider ibvp exterior domains plaplacian para... 15710 report magnetic thermodynamic properties mo ma... 1286 paper proposes modal typing system enables us ... 2137 winds northwest quadrant lack precipitation kn... 10828 future sealevel rise drives severe risks many ... 12208 loss functions deep neural networks complex ge... 12289 study theoretically usefulness spin bose conde... 9873 every observation astrophysical objects involv... 16489 internal gravity waves play primary role geoph... 13467 investigate languages recognized wellstructure... 6894 many works collaborative robotics humanrobot i... 9884 although compelling assessments examined recen... 3610 exponentialtime hypothesis eth states sat solv... 7151 generating versatile appropriate synthetic spe... 17347 naturally associate measurable space paths cou... 6012 report preparation interface graphene strong r... 13645 sustained interest bifacial solar cell technol... 14113 study address question whether extent respecti... 4882 treat boundary union blocks jenga game surface... 16524 use positive sequivariant symplectic homology ... 13076 high temperature hightc superconductors like c... 12611 diffusion processes driven fractional brownian... 12046 several active areas research novel energy sto... 4146 quantum fluctuations frustration trigger quant... 8906 fiducial unique general prove restricted class... 6542 paper analyze local global boundary rigidity p... 4431 environments scarce resources adopting right s... 20582 present olog kcompetitive randomized algorithm... 406 recently software development companies starte... 19237 consider spontaneous breaking translational sy... 13178 let p denote problem existence point plane giv... 16173 artificial intelligence federates numerous sci... 8234 paper centers comparison three different model... 11022 active communication robots humans essential e... 14051 work introduce online model communication comp... 11563 luminous efficiency meteors poorly known criti... 11556 empirical relation indicates increase living s... 16353 approaches machine learning electronic health ... 11 three crowd old proverb applies much social in... 4760 show glr equivariant point markings orbit clos... 1177 skillful mobile operation threedimensional env... 10693 materials composed two dimensional layers bond... 2863 paper investigate possibility applying plan tr... 6471 trust publicly verifiable certificate transpar... 9218 neural machine translation nmt models usually ... 12040 concept dynamical compensation recently introd... 2989 develop method study implied volatility exotic... 11207 solve spectrum scarcity problem cognitive radi... 7010 purpose note give simple proof fact certain su... 11530 computational flow pair consisting sequence co... 14437 mass function galaxy clusters sensitive tracer... 8927 planetary systems orbital periods two members ... 12592 plancherel decomposition l pseudoriemannian sy... 17824 theoretically study scattering process superco... 20722 planning problems partially observable environ... 2875 metric measure space treat set distributions l... 12178 according result ehresmann torsions integral h... 9108 consider problem learning unknown markov decis... 2190 investigate spatial evolutionary games deathbi... 19728 microscopy imaging plays vital role understand... 3726 order optimize performance crv reflection stud... 19156 synchronizations processing elements pes massi... 16838 present work use information theory understand... 9013 understanding structural controllability compl... 8189 explicitly describe isomorphism two combinator... 1367 work explores feasibility steering drone recur... 3712 diabetes leading worldwide public health conce... 5450 many optimization algorithms converge stationa... 17772 iin recent years growing interest applying dat... 15638 protection user privacy important concern mach... 1000 analysis mixed data raising challenges statist... 7761 consider interaction distinct superradiance sr... 3553 show mntz spaces subspaces c contain asymptoti... 4114 protoplanetary disks undergo substantial massl... 1667 phylogenetic networks becoming increasing inte... 3173 program synthesis process automatically transl... 15740 concepts unitary evolution matrices associativ... 20373 known initialboundary value problem certain in... 488 consider problem related clustering gammaray b... 19567 study simple root flows liouville currents hit... 12975 zinc oxide aluminum ferrite prepared chemical ... 7848 paper demonstrates designing developing ultral... 5704 foss acronym free open source software foss su... 20613 study stochastic multiarmed bandits many playe... 8133 fairness decisionmakers believed auditable thi... 17087 paper deal problem extending zadehs operators ... 5105 draft addendum ich e released public consultat... 19819 oscillatory behavior solutions differential eq... 3291 growing importance utilization measuring brain... 8125 graphene potential make significant impact soc... 11865 robust analysis coauthorship networks based hi... 13380 reliable diagnosis depressive disorder essenti... 9519 study lipschitz positively homogeneous finite ... 13965 computational ghost imaging robust compact sys... 14287 upgrade atlas experiment high luminosity phase... 13598 consider several notions genericity appearing ... 19955 types instability interacting binary stars rev... 4440 smooth compact connected riemannian manifold l... 10055 novel device used tunable supportfree phase pl... 17370 present neural model representing snippets cod... 20474 work ask following question visual analogies l... 20210 gdeformability maps projective space character... 20365 aiming financial applications study problem le... 15504 recently ciufolini et al reported test general... 15577 humans routinely asked evaluate performance in... 5238 development speech synthesis techniques automa... 14646 recent paper alberucci c jisha n smyth g assan... 15552 consider recovery regression coefficients deno... 17582 recent determination hubble constant via cephe... 12373 understanding patterns demand fundamental flee... 20017 present calipso interactive method editing ima... 13669 emholm proc roy soc stochastic fluid equations... 7519 work studies storage mechanisms automata permi... 9991 mue experiment search coherent neutrinoless co... 9206 recently blanchet kang murhy showed several ma... 9556 chemical evolution essential understanding ori... 10225 online advertisement main source revenue inter... 4470 automated vehicles change society improved saf... 17275 study heating mechanisms lyalpha escape fracti... 10985 well known euler vortex patch mathbbr remain r... 1969 lecture notes short course spectral sequences ... 12595 reciprocity fundamental principle governing va... 5757 study formal properties correspondences curves... 6294 given manifold hatm two homeomorphic surfaces ... 12115 eigenstructure discrete fourier transform dft ... 13605 radiofrequency multipole traps used decades co... 7595 word embeddings representations individual wor... 9110 revival structures xm exceptional orthogonal p... 3249 paper present family bivariate copulas transfo... 6570 object ranking learning rank important problem... 6638 paper explain sharp phase transition phenomeno... 15398 larger deeper neural network architectures del... 12504 recent developments autonomous vehicle av tech... 125 spite andersons theorem disorder known affect ... 16170 work propose ontology support automated negoti... 5370 work investigated detection gravitational wave... 1239 convert standard brownian motion z positive pr... 2289 logistic linear mixed model widely used experi... 19124 merging mobile edge computing mec emerging par... 8467 recent years witnessed widespread increase int... 1229 carried bayesian homogeneous determination orb... 9200 using observations made mosfire keck part zfir... 6980 equilibrium thermodynamic kinetic information ... 5178 time learner selfpaced online course trying an... 10724 complex high dimensional unstructured data oft... 1058 novel data acquisition schemes emerging need s... 6262 describe design cci cryptocurrency index 15360 runtime monitoring lightweight dynamic verific... 281 cyclotron resonant scattering features crsfs f... 14846 study radiative neutrino pair emission deexcit... 968 affordability pressures tight rental markets g... 16001 paper presents selfsupervised method detecting... 1939 multivariate time series mts become increasing... 20714 finding reduceddimensional structure critical ... 17658 define class surfaces surface pairs correspond... 619 paper enthalpybased multiplerelaxationtime mrt... 18309 gpsdenied uav agent b localised ins alignment ... 1742 astonishing success alphago zerocitesilveralph... 17774 mendelian randomization uses genetic variants ... 18587 argument component detection acd important sub... 14135 report targeted groups subject matter experts ... 9847 automatic differentiation ad essential primiti... 3568 ricci iteration discrete analogue ricci flow a... 15563 mobileedge computing mec emerging paradigm pro... 6116 characterization relative weak mixing wdynamic... 20944 years twitter become one largest communication... 3178 analysis airborne laser scanning als data ofte... 9499 reliable realtime reconstruction localization ... 6099 extend framework kawamura cook investigating c... 16959 let l nth order linear differential operator l... 10552 reinsurance contract address conflicting inter... 13994 show verdier quotients realized subfactors hom... 19740 hashing learning binary embeddings data freque... 15635 hybrid digitalanalog hda systems resource allo... 6276 prove pointwise decay solutions three linear e... 9472 paper consider problem learning object manipul... 13149 current article unveils analyzes important fac... 11083 application programming interfaces apis often ... 5724 difficulty validating largescale quantum devic... 10831 robots autonomous underwater vehicles auvs aut... 16653 introduce new class sequential monte carlo met... 629 time series shapelets discriminative subsequen... 11970 paper study online learning algorithm without ... 6430 simple finite dimensional kantor triple system... 3374 propose novel computational strategy de novo d... 12588 present new method combines alchemical transfo... 13760 years many multiprocessor locking protocols de... 10238 mechanical properties deformation mechanisms c... 2113 realvalued word representations transformed nl... 3216 polyphonic sound event detection polyphonic se... 13125 work concerned alaloxidealoxallayer systems im... 3814 article advance divideandconquer strategies so... 8321 setidentified models often restrict number cov... 3155 suicide important often misunderstood problem ... 14296 based properties nsubharmonic functions show c... 2278 paper presents novel method reduce scale drift... 4599 braincomputer interfaces bcis based functional... 13 classical eilenberg correspondence based conce... 1646 introduce dynamic nested sampling generalisati... 17909 let b autx doldlashof classifying space orient... 2365 recovering lowrank structures via eigenvector ... 4648 paper applies multibond graph approach rigid m... 12197 understanding emergence biological structures ... 374 study scale tidy subgroups endomorphism totall... 19412 deep neural networks playing important role st... 525 highmass stars expected form dense prestellar ... 9131 event cameras paradigm shift camera technology... 11561 study commutative positive varieties languages... 13910 moran wrightfisher processes probably well kno... 12765 multiplex networks offer important tool study ... 529 proxima centauri known closest star sun recent... 15596 introduce algebra model study higher order sum... 9461 sampling errors nested sampling parameter esti... 12473 visual tasks relationship unrelated instance c... 17778 article consider markov chain monte carlomcmc ... 12201 mendelian randomization mr method exploiting g... 12582 inverse compton scattering ics unique mechanis... 11171 many different relatedness measures based inst... 20840 multiband phase variations principle allow us ... 12003 stochastic gradient methods workhorse algorith... 6563 kernel regression popular nonparametric fittin... 4703 present algorithm ensures finite time gatherin... 15282 ensemble kalman filter enkf important data ass... 18096 paper apply shrinkage strategies estimate regr... 15921 oumuamua first bonafide interstellar planetesi... 20731 generalized linear bandits glbs natural extens... 955 paper discuss suitable family tensor kernels u... 6675 consider attacks twoway quantum key distributi... 3453 study problem delta vlambda v v pvtext omega t... 12803 paper consider polytopes given systems n inequ... 15140 propose mixed integer programming mip model it... 8595 paper focus online reviews employ artificial i... 2071 give survey recent results weakstrong uniquene... 956 deep learning models vulnerable adversarial ex... 16542 paper mixedeffect modeling scheme proposed con... 14036 providing longrange forecasts fundamental chal... 7005 discuss latest results numerical simulations f... 352 arbitrary finite family semialgebraicdefinable... 13518 purpose work construct simple efficient accura... 16309 multibugs https url new version generalpurpose... 6236 paper presents novel design crawler robot capa... 12732 paper discuss maximum principle timefractional... 8946 recent years mobile devices eg smartphones tab... 14025 models percolation processes networks currentl... 19890 multi robot systems potential utilized variety... 2920 gaussian mixture models widely used statistics... 15711 paper introduce concept eventness audio event ... 4644 smartphones ubiquitously integrated home work ... 661 recent years research done applying recurrent ... 16082 classical binary search path aim detect unknow... 7057 classify finite pgroups upto isoclinism two co... 10181 random fourier features one popular techniques... 16690 first paper estimates price determinants bitco... 4790 agricultural robots expected increase yields s... 2356 observed many thin superconducting films high ... 11894 analyze dynamics online algorithm independent ... 18311 recent paper lasseux valdsparada porter jfluid... 20626 standard interpolation techniques implicitly b... 17650 let commutative noetherian ring containing fie... 13612 consider cosmological dynamics theory gravity ... 1560 consider dynamics porous icy dust aggregates t... 11787 hamiltonian dynamics applied study slipstackin... 10326 observations nine transits wasp k mission reve... 7179 paper consider probabilistic setting probabili... 15349 define causal estimands experiments single tim... 15313 give brief overview arxiv history describe cur... 13258 investigated reliability applicability socalle... 4109 given increasing competition mobile app ecosys... 514 help first principles calculation method based... 894 stateoftheart sota mixed precision training do... 8601 study stability recently proposed model scalar... 16405 regret bound optimization algorithms one basic... 20916 study quadruple interrelated subexponential su... 899 paper presents vecnbt variation unsupervised g... 207 present mixed galerkin discretization distribu... 19979 present novel condition term net work nullspac... 458 goal article provide useful criterion positivi... 2430 recurrent neural networks rnns attention mecha... 13629 experiments handling rydberg atoms near surfac... 3389 numerical approximation solution fokkerplanck ... 3911 investigate entanglement properties infinite c... 552 collective magnetic excitations spinorbit mott... 6917 sky models used past calibrate individual low ... 18440 birhythmicity occurs many natural artificial s... 1925 retrieving similar objects largescale database... 17018 traffic accident data usually noisy contain mi... 6082 present new modelbased integrative method clus... 20245 letter investigate performance multipleinput m... 18279 socalled binary perfect phylogeny persistent c... 19496 morava etheory e einftyring action morava stab... 105 bilayer van der waals vdw heterostructures mos... 3041 vo samples grown different oxygen concentratio... 16369 cyber defence exercises intensive handson lear... 10361 implemented optimization specializes typegener... 18093 construct two infinite series moufang loops ex... 89 paper derives two new optimizationdriven monte... 15525 solitary waves propagation baryonic density pe... 10433 cyclic proof system gives us another way repre... 17301 various approaches learning notably domain ada... 14451 suppose ffldotsfn system random nvariate polyn... 18333 paper presents contributions nonlinear trackin... 12236 graph signal processing gsp promising framewor... 14056 siberian solar radio telescope upgraded upgrad... 6368 mapping spatial distribution poverty developin... 16385 investigate nightly mean emission height width... 9127 consider spherical mean generated multidimensi... 8905 establish conceptual framework identification ... 2720 control electric currents solids origin modern... 16019 note investigates stability linear nonlinear s... 13621 electronic medical records contain multiformat... 8783 let omega bounded open set mathbb rn nge paper... 15822 signature closed oriented manifolds wellknown ... 20795 many methods automated software test generatio... 20440 reliable accurate affordable positioning servi... 10640 bilipschitz geometry one main subjects modern ... 9768 paper propose novel endtoend approach scalable... 13399 paper study geometry syz transform semiflat la... 3762 safe natural effective humanrobot social inter... 213 sparse feature selection necessary fit statist... 17162 report magnetoresistance nonlinear hall effect... 18427 long range frequency chirping bernsteingreenek... 8920 provide algorithm computes set generators comp... 6154 deep convolutional neural networks cnns demons... 8357 levelsensitive latches widely used high perfor... 17773 propose analyze efficient spectralgalerkin app... 4167 selfbound quantum droplets newly discovered ph... 16967 partial least squares pls methods heavily expl... 20957 construct hall algebra elliptic curve mathbbf ... 16500 construct examples cohomogeneity one special l... 5109 effects structural distortion associated rm os... 20748 contamination covariates measurement error cla... 20793 robot awareness human actions essential resear... 8712 unified modeling framework nonfunctional prope... 1763 paper prove arithmetic automorphic periods gln... 18259 wikipedia communitycreated online encyclopedia... 13547 developer forums contain opinions information ... 11536 prove moment inequalities class functionals ii... 15069 field reinforcement learning recent progress t... 3224 massive network exploration important research... 526 lennardjones lj potential cornerstone molecula... 15251 future projection climate typically obtained c... 19330 blockchain technology distributedly managing l... 12091 provide direct construction poletsky discs via... 5655 paper consider interior transmission eigenvalu... 8884 consider fractional version heston volatility ... 6059 quasitriangular hopf algebra exists universal ... 17343 detect segment salient objects accurately exis... 6342 paper gives definitions extra superincreasing ... 13997 present paper devoted description finitedimens... 17434 propose technique multitask learning demonstra... 8782 general small bodies solar system eg asteroids... 8711 motivation integratively analyze largescale mu... 3380 consider schrdinger equation nondegenerate met... 3676 study arithmetically cohenmacaulay acm propert... 5776 article analyze generalized trapezoidal rule i... 19982 dominant approaches action detection provide s... 6573 study estimation covariance matrix sigma pdime... 1607 present new variable selection method based mo... 20734 determine symmetrized topological complexity c... 20969 present new approach identifying situations be... 15883 element monoid h set lengths mathsf l subset m... 17175 paper present two new results classical floque... 8984 illicit online pharmacies allow purchase presc... 19440 study basic geometric properties group analogu... 15522 noinsulation ni rebco magnets many advantages ... 1980 sagnac effect shown inertial frames well rotat... 11425 paper investigates asymptotic behavior overhea... 17317 present generative adversarial capsule network... 12155 main result paper examples stochastic partial ... 12857 call learner superteachable teacher trim iid t... 7424 investigate superfluid behavior twodimensional... 5626 testdriven development tdd agile development a... 1682 demonstrate inalnganonsi hemt based uv detecto... 16133 machine learning ensemble methods demonstrated... 16335 understand evolution extinction curve calculat... 6446 aibased explanation system explain agents comp... 988 open problems abound theory complex networks f... 15083 contemporary web pages increasingly sophistica... 11645 training generative adversarial networks diffi... 19280 social ties strongly related wellbeing charact... 11722 reliable extraction cosmological information c... 3093 paper develops detailed mathematical statistic... 13261 paper obtain class virasoro modules taking ten... 13998 derive bounds extremal singular values conditi... 18207 wireless sensor networks deployed many monitor... 17482 study basic properties class universal operato... 10396 simply typed lambdacalculus statman investigat... 2844 diffusion mri dmri valuable tool assessment ti... 9078 propose approaches based deep learning localiz... 3342 show massive data compression algorithm moped ... 16422 present procedure build validate brightstar ma... 6540 principal component analysis pca fundamental s... 14288 recently several endtoend speaker verification... 3356 note investigate pdegree function elliptic cur... 13025 call family sets intersecting two sets family ... 11745 americas transportation infrastructure backbon... 11801 obtained energy spectra cosmic ray b c mg fe n... 14414 dna methylation extensively studied epigenetic... 7813 paper describes infocatvae extension variation... 20707 simple selfconsistent approach proposed simula... 2428 simple scaling consideration nrg solution one ... 11939 deep reinforcement learning methods attain sup... 17070 propose stochastic nonparametric activation fu... 4799 although neural machine translation nmt encode... 2353 upcoming fermilab e experiment measure muon an... 16378 identify four countable topological spaces sd ... 11383 hydrodynamic regime evolution stochastic latti... 19136 paper random clique network model mimic large ... 9077 consider wellstudied partial sums problem succ... 8073 multivariate linear regression model shuffled ... 14859 flexible duplex proposed adapt channel traffic... 17424 understand selfsustenance subcritical turbulen... 20492 machine learning field computer science builds... 7491 entity resolution er presents unique challenge... 17649 propose use incomplete dot products idp dynami... 12771 kernel adaptive filters class adaptive nonline... 20240 study focuses social structure interpersonal d... 7059 key goal quantum chemistry methods whether ab ... 13507 next generation sequencing ngs technology resu... 16661 rust represents major advancement production p... 5084 speech emotion recognition important challengi... 2382 analyze decentralized random walkbased algorit... 571 telescopes based imaging atmospheric cherenkov... 1435 cherenkov telescope array cta next generation ... 13281 eclipsing binaries remain crucial objects unde... 9439 relation extraction fundamental task informati... 11718 spiders spectroscopic identification erosita s... 14749 deal zerodelay source coding vectorvalued gaus... 10706 resolve thermal motion highstress silicon nitr... 5445 surrogate models provide low computational cos... 1007 consider problem estimating expected outcome s... 4543 paper effect transmitter beam size performance... 12987 machine learning graphstructured data importan... 7009 governing equations motion viscous incompressi... 2064 observational studies sample surveys regressio... 1136 understanding origin nature functional signifi... 9882 derive markov process equivalent sheleveque sc... 10177 social media platforms contain great wealth in... 294 theory integral quadratic constraints iqcs all... 16077 conventional textbook treatments electromagnet... 18787 paper consider extension results shape differe... 3998 paper outlines methodological approach designi... 9766 achievement gaps refer difference performance ... 3741 study alloy phasefield model used simulate sol... 11700 widespread confusion role projectivity likelih... 2719 energymomentum tensors electromagnetic field m... 20166 report growth epitaxial srruo films using hybr... 12713 consider quadratic vector field mathbbc invari... 14870 completeness dynamic priority scheduling schem... 16370 develop continuous kleene omegaalgebra realtim... 2808 multilabel learning problem large number label... 9017 endofunctor h hyperextensive category preservi... 16940 supervised deep learning often suffers lack su... 16106 feast eigenvalue algorithm subspace iteration ... 2469 present search metal absorption line systems h... 3738 arbitrary group g shown either semigroup rank ... 13481 impact information dissemination epidemic cont... 18988 study pattern formation reactiondiffusion rd s... 362 hospital acquired infections hai infections ac... 6924 work investigated feasibility applying deep le... 18088 prove hardy inequality ultraspherical expansio... 14688 quadratic regression goes beyond linear model ... 2139 obtain structure theorem group holomorphic aut... 18767 framework generation bridgespecific fragility ... 7314 social graph construction various sources inte... 1312 drone racing becoming popular sport human pilo... 6183 complex networks used represent complex system... 11303 collective effects deformed atomic nuclei pres... 1591 central aim paper address variable selection q... 20364 programming demonstration recently gained much... 18546 apply recently developed formalism generalized... 2396 incoming electron reflected back hole normalme... 16701 matrix product vectors form appropriate framew... 14559 implicit models allow generation samples point... 9516 building voice conversion vc system nonparalle... 5233 utilise series highresolution cosmological zoo... 20702 asymptotic safety based nongaussian fixed poin... 8987 large body compelling evidence accumulated dem... 3020 paper presents general graph representation le... 9903 remote sensing image scene classification play... 8228 rotationally coherent lagrangian vortices rclv... 9105 propose encoderclassifier framework model mand... 13913 years data become increasingly higher dimensio... 5295 let fmathbbsdtimes mathbbsdtomathbbs function ... 3972 ngeq qgeq prove sc equality function n n varia... 14663 collective adaptive systems cas consist large ... 4133 although adverse effects attacks acknowledged ... 974 new results baire product problem presented sh... 7291 despite recent advances reputation technologie... 15585 present two related methods deriving connectiv... 17338 along deraining performance improvement deep n... 9752 cyclization dna sticky ends commonly used cons... 13774 efficient trafficmanagement platforms public v... 5016 focus work estimation indegree distribution di... 17602 paper presents three dimensional collision avo... 10874 v nestoridis conjectured omega simply connecte... 13239 revealing community structure network dataset ... 18024 extend technique called compiling control tech... 17674 objective present work construct sound mathema... 11873 task multistep ahead prediction language model... 17764 quantum key distribution qkd offers way establ... 1933 define variable parameter analogues affine arc... 4675 classifiers rating scores prone implicitly cod... 10222 classic statistics functional regression model... 892 infinite convergent sum independent identicall... 7287 many years lunar laser ranging llr observation... 7906 present simple deterministic algorithms subgra... 14551 periodic basis publicly traded companies requi... 18850 discuss process building semantic maps interac... 7657 long known feedback vertex set solved time mat... 10106 early recognition abnormal rhythm ecg signals ... 18297 present three natural combinatorial properties... 11362 consider problem global optimization unknown n... 13832 press release national institute standards tec... 19120 article presents john opensource software desi... 726 photoelectron yields extruded scintillation co... 7214 let g group acting tree finite edge stabilizer... 8245 investigate impact filament void environments ... 18180 paper combines fast zeromomentpoint zmp approa... 15876 one primary objectives human brain mapping div... 14199 derive new exact evolution equation scale depe... 10745 measurement falls outside quantization measura... 17320 investigate steady planar flow ideal fluid bou... 18649 study concerned active use wikipedia teaching ... 17208 synthesizing images eye fundus challenging tas... 7274 cipher used encryption governmental communicat... 11593 introduce parseval networks form deep neural n... 1389 paper propose construct confidence bands boots... 3564 work develops tracking system based eventbased... 9076 due exceptional plasmonic properties noble met... 5429 paper propose design test new dualnuclei rfcoi... 20855 probability modelling dna sequence evolution w... 16220 finite dimensional operator commutes symmetry ... 14899 experimental data availability cornerstone rep... 15512 report detection extended halpha emission tip ... 14561 generative adversarial networks gans powerful ... 1868 artificial spin ice asi consisting two dimensi... 8202 propose algorithm deep learning networks graph... 806 volume contains proceedings fifth internationa... 4805 full autonomy fixedwing unmanned aerial vehicl... 20288 identify graphene layer disordered substrate p... 12260 propagation charged cosmic rays galactic envir... 20103 report development indium oxide ino transistor... 20929 due simplicity excellent performance parallel ... 10426 study pattern forming instability laser driven... 9155 investigate fewbody mixture two bosonic compon... 15152 investigate effect bandlimited white gaussian ... 4494 monte carlo mc simulations transport random po... 2632 dueling bandits problem online learning framew... 14286 majorana bound states mbs wellestablished clea... 7832 paper gives short survey basic results related... 14269 use maximum qloglikelihood estimation least in... 145 temperaturedependent evolution kondo lattice l... 2033 prove meet level trotterweil mathsfvm local ge... 1165 let us call novel quantities addition vectors ... 11692 chime telescope canadian hydrogen intensity ma... 2050 research mobile collocated interactions explor... 10816 investigate deexcitation th nucleus via excita... 12676 social media datasets especially twitter tweet... 3430 using stateoftheart techniques combining imagi... 19695 present las vegas algorithm dynamically mainta... 7069 area roc auc important metric binary classific... 4361 let integer let imathbbzm set nonzero proper i... 10616 paper develops systematically output feedback ... 18155 reason inference require process well memory s... 271 fully automating machine learning pipelines on... 12984 first review traditional approaches memory sto... 8436 comparison study high pressure superconducting... 18416 develop geometric approach quantum mechanics b... 12316 explore temperature effects superconducting ph... 20747 molecular dynamics based solving newtons equat... 9005 massimbalanced threebody recombination process... 20636 paper methods forming travel company customer ... 3810 dedicated solar radio interferometer mingantu ... 13919 rise life expectancy one great achievements tw... 15775 recent paper lopezsuarez neri l gammaitoni lng... 9996 tus worlds first orbital detector extreme ener... 4346 present new ai task embodied question answerin... 545 paper deals simple results spherical functions... 19625 classical manybody systems recent study reveal... 8502 direct imaging exoplanets circumstellar disk m... 11713 propose calibrated filtered reduced order mode... 15229 online writers journalism media increasingly c... 9323 discuss cyclic cosmology visible universe intr... 13737 traditional bagofwords approach found wide ran... 15520 paper study energy decay thermoelastic bresse ... 7564 enabling artificial agents automatically learn... 17304 study multiclass online learning problem forec... 15317 strongly disordered spin chains invariant son ... 11779 despite popularly referred ultimate solution p... 6640 consider energybased boundary condition impose... 8230 problem finding good approximations arbitrary ... 12651 study multiarmed bandit problem multiple plays... 2983 work investigate potential tetragonal l ordere... 16514 community detection networks actual important ... 13409 study laplacian smooth bounded domain varying ... 2667 metric graphs special types metric spaces used... 19607 recent works planetary migration show orbital ... 9374 present new determinations stellartohalo mass ... 614 let fabcdsqrtabsqrtcdsqrtacbd let abcd stand a... 17850 occurrence new events system typically driven ... 4497 define notion morphisms open games exploiting ... 19426 rapid increase compound databases available me... 18803 carbon materials range properties high electri... 3294 search new frustrated magnetic systems signifi... 6737 propose datadriven algorithm maximum posterior... 1500 consider theory twocomponent dirac fermion loc... 9018 article representation theory inner formg gene... 17905 paper provides entry point problem interpretin... 20064 online advertisers analytics services trackers... 15023 observe explain theoretically dramatic evoluti... 11122 growing interest extending traditional vectorb... 4232 propose novel class statistical divergences ca... 8820 recent years great interest variational analys... 4430 rapid popularity internet things iot cloud com... 12045 devs popular formalism modelling complex dynam... 16774 constructed database stars local group using e... 20841 introduce new algorithm called cder supervised... 12182 large user base relies software updates provid... 8592 compare six models including baryonic model tw... 4806 address problem efficient acousticmodel refine... 19888 linear growth operators local quantum systems ... 13849 define study numericalrange analogue notion sp... 11918 need develop models predict motion microrobots... 15896 many scientific data sets contain temporal dim... 5319 perturbation theory using selfconsistent green... 7119 order clarify hightc mechanism inhomogeneous c... 2421 use generalized hierarchical equation motion p... 1750 helioseismic magnetic imager hmi provides cont... 11344 performed comparative study extraction largesc... 19092 processes led formation planetary bodies solar... 12254 characterize variation photometric response da... 20693 paper presents empirical study applying convol... 338 identifying mechanism high energy lyman contin... 11855 daily perceptual experience driven different n... 1341 establish iwasawa main conjecture semistable a... 3640 exact law fully developed homogeneous compress... 16713 kernel embedding algorithm important component... 3004 vortex refracts surface waves momentum flux ca... 6960 study gas sample galaxies e msun clusters obta... 4090 give necessary sufficient condition maximum pr... 16314 paper present formulas valuation debt equity f... 18706 paper introduce novel framework distributional... 9650 work presents joint selfconsistent bayesian tr... 8363 propose use neural networks simultaneous detec... 20285 standard photoacoustic imaging propagation sou... 12418 tetragonal photonic crystal composed highindex... 13350 paper consider continuous mathematical model t... 19928 define monodromy maps tropical dolbeault cohom... 18023 online learning rank core problem information ... 9130 study segre varieties associated leviflat subs... 60 paper studies emotion recognition musical trac... 1240 general relativitys nohair theorem states isol... 5136 strong gravitational lensing gives access tota... 2343 consider problem detecting targets among large... 15048 advances machine learning ml led adoption inte... 2120 propose method inspired discrete light cone qu... 1524 paper investigate property testing whether deg... 7617 thermodynamic potential neutral twodimensional... 153 show nonlocal minimal cones nonsingular subgra... 14536 dual spectral computed tomography dsct achieve... 481 develop online monitoring procedure detect cha... 6122 work focused searching geodesic interpretation... 12652 analyze dynamics inflationary models coupling ... 12112 discuss several classes integrable floquet sys... 15850 document contains notes lecture gave journes n... 1762 hidden markov model based various phoneme reco... 15826 test theory using data common focus correctnes... 15507 start gaia era time come address major challen... 8942 paper provide new results weibullr family dist... 7715 calculate specific heat weakly interacting dil... 4853 work introduce em average topk atk loss new ag... 2711 study complexity approximating independent set... 17717 hyperspectralmultispectral imaging hsimsi cont... 11046 consider moduli space framed flat u connection... 6819 since question whether markets efficient contr... 13081 anomaly detectors often used produce ranked li... 11555 investigate identification hydrogenpoor superl... 19250 micron characteristics agb variables lmc ic di... 17770 embed flipped rm su times rm u gut model nosca... 5941 field exploratory data mining local structure ... 3067 define map fcolon xto phantom map relative map... 3629 present new approach testing filesystem crash ... 20429 ip networks became dominant type information n... 3028 develop nogo theorem twodimensional bosonic sy... 2969 spirou near infrared spectropolarimeter destin... 11664 present novel method obtaining highquality dom... 8646 shortcoming existing reachability approaches n... 15156 wellknown problem solve equations virtually fr... 20057 social robots also known service assistant rob... 4263 paper argues judicial use formal language theo... 17029 massive parallel approach neuromorphic circuit... 15646 examine hbeta lick index sample sim massive rm... 7992 gradient descent commonly used solve optimizat... 18458 investigate numerically experimentally effect ... 16725 define new class languages omegawords strictly... 8041 compoundspecific chlorine isotope analysis csi... 15988 despite enormous progress object detection cla... 1622 package cleannlp provides set fast tools conve... 12875 industrial indoor environment harsh wireless c... 7184 present cosegmentation technique spacetime col... 5475 present novel approach solve problem reconstru... 16458 common practice deep convolutional neural arch... 8996 biodiversity ecosystem functioning bef researc... 11372 using sample galaxies selected sloan digital s... 8633 chipscale integrated light sources crucial com... 18435 study fingering instabilities pattern formatio... 18925 recently become feasible generate largescale m... 17685 electrons confined single landau level two dim... 1304 invoking maxwells classical equations conjunct... 8428 paper aims address two issues existing current... 4033 oddball paradigm widely applied investigation ... 2599 using password based authentication technique ... 12808 precise knowledge atomic order monocrystalline... 2573 many hard conjectures graph theory like tuttes... 3186 jordan decomposition theorem states every func... 19152 although block compressive sensing bcs makes t... 4831 slow running straggler tasks significantly red... 16086 research automated image enhancement gained mo... 2106 promising research area recently emerged use i... 19063 locationbased social network data offers promi... 15517 study modal team logic mtl teamsemantical exte... 12880 myxobacteria social bacteria glide form counte... 17771 interactive computation paradigm reviewed part... 20648 crosslingual representations words enable us r... 7083 graphql query language thereuponbased paradigm... 13192 frankl fredi conjectured maximum lagrangian ru... 1279 study following generalization singularity cat... 13221 receiver perfect channel state information csi... 804 study homogenization process families strongly... 14596 paper argue integration recommender systems re... 17939 let expanding dtimes matrix integer entries ma... 11382 camassaholm equation twocomponent camassaholm ... 4566 relatively prime refer set integers congruent ... 20643 propose new model unsupervised document embedd... 15358 classical galois theory deals certain finite a... 4841 detailed characterization particle induced bac... 10112 present user model interaction based physics k... 8705 performing analytic household load curves lcs ... 17692 given heegaard splitting threemanifold conside... 13859 provide complete source code frontend gui back... 9106 modify nonlinear shallow water equations korte... 3452 impervious surface area direct consequence urb... 2198 several important applications streaming pca s... 16032 study stochastic homogenization cauchy problem... 4425 recurrent neural network rnn language models l... 6150 paper investigate use adversarial domain adapt... 14289 prove recognition principle motivic infinite p... 17327 studied disordering effects coefficients ginzb... 822 regression based methods performing well detec... 15070 thesis study two problems based clustering alg... 8356 convolution trees loopy belief propagation fas... 12175 obtain lp regularity bergman projection reinha... 18922 considerable amount machine learning algorithm... 15149 deep networks recently shown vulnerable univer... 9503 given direct system hilbert spaces smapsto mat... 20484 let g gln algebraically closed field odd chara... 19944 well known f test severly affected heteroskeda... 13575 characterize varieties torus action complexity... 3054 sequential decision making problems structured... 7218 randomizing fouriertransform ft phases tempora... 6722 paper artificial intelligence based grid harde... 3300 present distributed control strategy team quad... 19694 paper presents alternate form dynamic modellin... 8519 supervised learning specifically convolutional... 16380 paper prove lqestimates gradients solutions si... 10682 investigation coherent smithpurcell radiation ... 14295 order make proper reaction collected informati... 10998 iterative ensemble kalman filter ienkf determi... 12600 picard code numerical solution galactic cosmic... 17216 paper formulas exponential sums finite field r... 11271 juno orbiter provided improved estimates even ... 20775 sum n summands independently chosen two choice... 19846 paper describes general scalable endtoend fram... 7643 present neural network architecture based upon... 16438 shanchen model numerical scheme simulate multi... 14422 wellstudied coloring problem assign colors edg... 19835 precise nature complex structural relaxation w... 10093 believed thermalization closed systems interac... 1481 successful humanrobot cooperation hinges agent... 4873 data diversity critical success training deep ... 13087 finding causes observed effects establishing c... 16002 traquad autonomous tracking quadcopter capable... 8038 collective behaviour people adopting innovatio... 12342 identifying significant subsets genes gene sha... 19719 monograph represents analysis possibility time... 5797 let fmathbb bn mathbb bn holomorphic map study... 11485 recent experiments show natural artificial mic... 5232 measurements cm line fluctuations minihalos di... 6645 advances sensor technology enabled collection ... 15534 evolve binary mux trees generations evolving p... 5490 whitney immersion lagrangian sphere inside fou... 768 people visual impairments tactile graphics imp... 18449 study singlecrystal raman spectra series cryst... 7311 consider godunov numerical method phasetransit... 20911 microscopic artificial swimmers recently becom... 2717 availability research datasets keystone health... 2079 work focuses question identifiability mathemat... 951 mobile robots increasingly used assist active ... 2482 kernel trick concept formulated inner product ... 9181 present efficient deep learning technique mode... 1759 auger engineering radio array aera aims detect... 9984 studied nonequilibrium response initial nel st... 9916 analyze secrecy outage probability downlink wi... 4243 much work design convolutional networks last f... 17072 list questions raised joint work arxiv sequels 19816 present framework testing independence two ran... 13395 stochastic gradient descent sgd widely used ma... 4944 information distribution electronic messages p... 17350 inferring model parameters experimental data g... 5588 analysis clouds earths atmosphere important va... 16241 explaining unexpected presence dunelike patter... 10395 deep neural networks built generalize outside ... 19097 recent work md johnston et al produced suffici... 4757 present two different approaches model power g... 4380 paper interested decomposition tensor product ... 13472 lowpressure gaseous tpcs well suited detectors... 12997 paper new adaptive multibatch experience repla... 5299 spingapless semiconductors unique band structu... 1990 nonlinear response entangled polymers shear fl... 12312 propose robust implementation nerlovearrow mod... 12951 distributed computing platforms provide robust... 17589 pattern lock widely used authentication protec... 13490 important theorem classical complexity theory ... 4971 paper evaluates three variants gated recurrent... 20705 paper presents learningbased approach imprompt... 13226 framework gaps project conducting observationa... 6783 structural properties larup external pressure ... 3600 study statistical properties estimator derived... 20949 paper survey various implementations new data ... 8070 paper consider control problem partially obser... 8577 present new inference method based approximate... 7973 likely protostellar systems undergo brief phas... 10314 work addresses problem segmentation time serie... 1625 doubly occupied configuration interaction doci... 16920 twodimensional spin affleckkennedyliebtasaki a... 7970 manuscript proposes novel empirical bayes tech... 13224 present new proof results kurdyka paunescu rai... 4212 plasma turbulence scales order ion inertial le... 6456 introduce error forwardpropagation biologicall... 19891 riemannian covering mto complete riemannian ma... 9524 high speed quasidistributed demodulation metho... 11694 theoretically investigate mechanical stability... 2708 decisions machine learning ml models become ub... 6514 discussion frauchigerrenner argument single wo... 4662 motivation rapid growth diverse biological dat... 1854 software maintenance developers usually deal s... 3072 accurate ondevice keyword spotting kws low fal... 19256 introduce features massive data streams stream... 19414 let mathcalpr denote almostprime r prime facto... 14755 paper propose first computationally efficient ... 1645 techniques higher categories higherdimensional... 3417 extended strongly periodic links introduced pr... 3476 modelbased compression effective facilitating ... 11053 paper describe attempt producing stateoftheart... 1792 ellsberg thought experiments empirical confirm... 13718 given pedestrian image query purpose person re... 15114 doctoral work focuses three main problems rela... 3797 recently become possible study dynamics inform... 3368 recent times use separable convolutions deep c... 11559 paper interested multifractional stable proces... 7196 modeled along truncated approach panigrahi sel... 11641 quest biologically plausible deep learning dri... 8795 study four different notions convergence graph... 20269 rapid deployment operation key requirements ti... 126 investigate beam loading emittance preservatio... 5959 homomorphic encryption encryption scheme allow... 13635 present tool primarily supports ability check ... 15343 study quantum dynamics bosehubbard model ladde... 4451 many realworld systems profitably described co... 7147 steganography collection methods hide secret i... 19915 support vector machines svms various kernels p... 827 finding patterns data able retrieve informatio... 20606 consider diffusion new products discrete basss... 17368 using tape optical devices scaleout storage on... 11473 colorado conducted risklimiting tabulation aud... 7783 design next generation computer systems suppor... 10380 study sis epidemic spreading processes unfoldi... 20548 discovery new type uniform radiation located r... 2443 mean square error mse preferred choice loss fu... 10541 deep gaussian processes dgps hierarchical gene... 16729 limited annotated data available recognition f... 814 support vector machine svm powerful widely use... 12999 paper describe optical imaging data processing... 11397 traditional dictionary learning methods based ... 20025 part considered problem convergence saddle poi... 20759 emerging internet things iot one critical prob... 14153 currently great interest applying neural netwo... 12298 monte carlo method broad class computational a... 5779 simple calgebra calgebra b proved every closed... 2116 develop novel family algorithms online learnin... 793 central question science science concerns time... 10147 present introduction periodic stochastic homog... 6898 theoretically recently showed scaling relation... 2674 order understand origin observed molecular clo... 16478 surveying scenes common task robotics systems ... 15770 investigate symmetry reduction optimal control... 3756 despite fact json currently one popular format... 2891 analysis manifoldvalued data requires efficien... 18755 bayesian networks widely used last decades man... 14382 integers kgeq ngeq k kneser graph knk graph wh... 3228 study conditions one able efficiently apply va... 7863 multivariate nonlinear granger causality devel... 6359 large hierarchy planck scale weak scale explai... 20163 high signaltonoise highresolution light scatte... 13429 introduce right generating sets cayley graphs ... 11104 feature selection problems arise variety appli... 18249 theme paper threephase distribution system mod... 13946 present paper generalises results ray buchstab... 4612 solar system small bodies come wide variety sh... 19029 well known extreme order statistic central ord... 2243 oshimas lemma describes orbits parabolic subgr... 5373 dynamic networks general language describing t... 2336 stationary homogeneous markov processes viz lv... 17334 paper discusses roadmap investigate domain obj... 11260 consider asymptotics large external magnetic f... 1120 ethereum blockchain network decentralized plat... 10789 recently odrzywolek rafelski arxiv found three... 18588 present vunet novel viewvu synthesis method mo... 419 response electron system electromagnetic field... 922 historically machine learning computer securit... 9446 let theta inner function unit disk let kptheta... 5408 supervised learning successful automatic segme... 5788 widely established extreme space weather event... 15374 let us say nsided polygon semiregular circumsc... 17586 paper propose novel learning method image clas... 8389 using methods statistical physics analyse erro... 1970 two identical coherent beams injected semiinfi... 11302 woodin shown measurable woodin cardinal approp... 4018 bandwidth selection crucial kernel estimation ... 3687 achieving high performance sparse applications... 18381 give topological game theoretic definitions th... 12790 automated software verification concurrent pro... 11246 spincharge separation known broken many physic... 1248 paper prove pointwise convergence heat kernels... 2192 paper proposes detailed optimal scheduling mod... 19096 reduced motor control one frequent features as... 9184 investigate effect incommensurate potential we... 18574 extend formalism matrix product states mps des... 4670 paper study isoparametric hypersurfaces rander... 5984 despite recent progress laminarturbulent coexi... 6565 recent realization twodimensional synthetic sp... 7804 inspired recent work pl lions conditional opti... 11954 propose two classes dynamic versions classical... 6943 studied neutron response paris phoswich labrce... 9510 paper investigates stability distancebased tex... 10535 well known finite commutative association sche... 18520 formulate optimization problem maximizing data... 17449 analyze short cadence k light curve trappist s... 14060 astonishing fact established lee rubel exists ... 16984 typical reinforcement learning rl agents learn... 7577 consider problem detecting outofdistribution i... 77 analog blackwhite hole pairs consisting region... 19282 given positive function uin wn define johnnire... 15524 compute frobenius number sequences triangular ... 9064 new approach jiukang yus construction tame sup... 8007 given polynomial qzaazdotsanzn vector positive... 5951 propose model equity trading population agents... 11157 many chemical systems cannot described quantum... 3391 excited states polyatomic systems rather compl... 5415 spin pumping refers microwavedriven spin curre... 18944 give new proof wellknown competitive exclusion... 8162 lrs locally rotationally symmetric bianchi typ... 19019 probability large deviations smallest schmidt ... 5256 going deeper witnessed improve performance con... 3530 integration iiiv silicon still hot topic open ... 8567 technical report provides description derivati... 1908 machine learning libraries tensorflow pytorch ... 20235 past three years become evident fake news dang... 235 give new example automata group intermediate g... 12219 present dual subspace ascent algorithm support... 17988 novel idea proposed natural solution dark ener... 7984 consider timedependent viscous meanfield games... 9310 segmenting foreground object video challenging... 3490 paper investigates reverse auctions involve co... 14231 hamamatsu photonics introduced new generation ... 18378 semantic labeling numerical values task assign... 19208 numerical experimental data analysis often req... 20262 network densification heterogenisation deploym... 10568 present performance analysis appropriate compa... 1342 consider induced emission ultrarelativistic el... 8512 ranking used wide array problems notably infor... 1619 purpose article try understand mysterious coin... 5287 deep learning dl recently achieved tremendous ... 18444 xml becoming standard business information rep... 7041 consider binary classification problems positi... 2219 consider problem identifying k best arms narme... 9865 present method emgdriven teleoperation nonanth... 16644 performing localization mapping working level ... 20343 measures neuroelectric activity automatically ... 12977 x compact hausdorff space sigma homeomorphism ... 14594 consider problem sampling posterior distributi... 18410 given link lsubset representation pisltorm slm... 6988 using threedimensional semiclassical model stu... 1917 present introductory survey first order logic ... 1828 enjoying closed form solution least squares su... 9765 mobile edge computing new computing paradigm p... 12607 rascal highlevel transformation language aims ... 12941 phased array feed paf technology next major ad... 6233 demonstrate range stateoftheart machine learni... 20310 optic flow two dimensional special qualities a... 6283 paper proposes totally constructive approach p... 4208 derive correspondence eigenvalues adjacency ma... 12819 formation dynamics freesurface structures step... 16608 logistics network expected opened facilities w... 9333 article propound question annihilator koszul h... 6469 give new analysis tuning problem music theory ... 13746 way quantum mechanics qm introduced people use... 15385 postulated good representation one disentangle... 13703 human eye appears using low number sensors ima... 10954 paper presents approach quantitative modeling ... 846 formation pattern biological systems may model... 5560 search habitable exoplanets life beyond solar ... 13234 main objective thesis study evolution ricci fl... 14309 experimentally quantified temporal structural ... 18935 recurrent neural networks rnns key technology ... 13917 virtual unknotting number virtual knot minimal... 117 life modern world essentially depends work lar... 8837 field speech recognition midst paradigm shift ... 14043 show conformal anomaly weyldirac semimetals ge... 8659 lithium ion batteries libs proper design catho... 16389 zeta functions linear codes defined iwan duurs... 5342 study consider unsupervised clustering categor... 9111 autonomous aerial cinematography potential ena... 10787 work concerned tests structural breaks spot vo... 4324 neural networks decision trees popular machine... 17447 study category representations mathfrakslmn po... 2590 recent years large body research demonstrated ... 13046 one key technologies future largescale locatio... 20119 recent advances field network embedding shown ... 13918 describe algorithm evaluate complex branches l... 10589 dip test unimodality silvermans critical bandw... 19901 old globular clusters gcs galaxy observed inte... 11613 suppose alice bob located distant laboratories... 6767 show weyl symbol bornjordan operator class bor... 5622 consider problem modeling hysteresis finitesta... 1605 consider linear congruence equation xldotsxk e... 18117 study problem designing models machine learnin... 20317 quadratic systems equations appear several app... 3812 every year million newborns die within first m... 14277 purpose short contribution report development ... 17260 magnetocrystalline anisotropy exhibited prpdge... 10554 use semiautonomous autonomous robotic assistan... 10167 new threeparameter cumulative distribution fun... 1761 glassy dynamics intermittent particles suddenl... 15679 stability sequence replication crucial emergen... 19123 b cells develop high affinity receptors course... 2472 paper aims provide better understanding symmet... 15913 hilsumskandalis maps differential geometry stu... 6738 let hdeltav schrdinger operator lmathbb r real... 15728 appropriate models spatially autocorrelated da... 12199 present vri spectrophotometry nearearth astero... 7943 receiver operating characteristic roc curves w... 12910 evolutionary modeling applications best way pr... 14369 discrete event simulators omnet provide fast c... 6371 present model origin extended law star formati... 16616 recent theoretical predictions unprecedented p... 8258 possibility perform highresolution timeresolve... 7561 allan variance av widely used quantity areas f... 9795 past decade cities experienced rapid growth ex... 6168 investigate adiabatic magnetization process on... 11475 paradox model social dynamics determined votin... 3596 report new multicolour photometry highresoluti... 6288 predictive geometric models deliver excellent ... 4632 fpgabased heterogeneous architectures provide ... 15147 adaptive stochastic gradient descent methods a... 16509 consolidation synaptic changes response neural... 6229 study effect electron correlations system cons... 17680 study analytically numerically optical analogu... 18360 work proposes process efficiently searching co... 20450 paper introduction membrane potential equation... 10267 purpose note revive lp spaces original markov ... 12772 provide selfcontained formulation bphz theorem... 5750 report constraints global cm signal due neutra... 8152 article investigates fast stable method solve ... 13503 show proof principle warping method interpret ... 3086 paper propose function space approach represen... 1906 study dynamics isotropic spin heisenberg chain... 6882 concerned existence regular solutions nonnewto... 7673 paper presents combinatorial construction lowd... 19729 paper study geometric properties basins attrac... 8172 paper characterize set polynomials finmathbb f... 20400 study extensions polytopes combinatorial optim... 5870 deep neural network algorithms difficult analy... 19181 timings human activities marked circadian cloc... 17302 principle common cause asserts positive correl... 18030 technical note describes new baseline natural ... 5122 disentangled representations higher level data... 5126 computinginmemory cim architectures aim reduce... 13623 study superconductor coupled superfluid via de... 15034 models involving branched structures employed ... 4621 biluminescent organic emitters show simultaneo... 6809 present model generate power spectrum noise in... 16748 consider problem minimizing smooth convex func... 15745 fermilab committed upgrading accelerator compl... 11479 present analysis results eclipsing cataclysmic... 2125 argo floats measure seawater temperature salin... 8150 estimation hand grip force essential understan... 8717 chain late roman fortified settlements built k... 13013 pathological lung segmentation pls important y... 55 investigating emergence particular cell type r... 17022 knowledge bases employed variety applications ... 302 xray computed tomography ct using sparse proje... 17660 prove combinatorially product schubert polynom... 14178 online social media information resources tran... 13568 rewrite poyntings theorem already used previou... 4432 performance neural network nnbased language mo... 20028 though deep learning pushing machine learning ... 19262 investigate nonparametric regression methods b... 12394 introduce combinatorial criterion verifying wh... 10478 monomorphism category mathscrsa b induced bimo... 10453 discuss practical problems arising constructin... 5240 introduce updown coloring virtuallink diagram ... 10488 path resp cycle decomposition graph g set edge... 16282 perform direct numerical simulations dns passi... 14124 paper study problem estimating covariance matr... 10160 realistic evolutionary fitness landscapes noto... 18977 flyby osiris camera onboard rosetta acquired h... 18777 coupling human movement dynamics function desi... 16907 present family python modules numerical integr... 6376 fundamental challenge largescale cloud network... 6981 generative adversarial networks gans become wi... 13716 paper considers problem positive semidefinite ... 3900 study polynomial generalizations kontsevich au... 20610 ocean general circulation models ogcms move pe... 12891 investigate collective behavior magnetic swimm... 11314 examine systematically inconsistency cosmologi... 10161 datadriven modeling plays increasingly importa... 17055 consider following control problem fair alloca... 4188 indian buffet process based models elegant way... 666 strain engineering attracted great attention p... 3266 investigate formation multiplecorehole states ... 18271 estimation unknown values parameters hidden va... 8472 paper introduces schurconstant equilibrium dis... 9911 introduce psiec local spectral exterior calcul... 12647 investigate elliptic integrable model introduc... 11637 study underdamped langevin diffusion log targe... 6090 distributed systems based quantum recursive ne... 6238 manual annotations temporal bounds object inte... 15183 community identification network important pro... 7350 potential benefits applying machine learning m... 17144 paper study properties carmichael numbers fals... 6254 paper deal problem inferring causal directions... 18290 let pn set posets n elements nipn set nonisomo... 12234 discrete statistical models supported labelled... 12015 paper introduce new combinatorial curvature tr... 3818 recent development largescale question answeri... 6269 provide nonperturbative theory photoionization... 4300 recently lawson shown primary brownpeterson sp... 5569 realtime systems running timing constraints sc... 14388 convolutional neural networks dcnn used object... 7941 study cr geometry arbitrary codimension introd... 4164 spectral clustering one popular yet still inco... 19963 show thirdparty web trackers deanonymize users... 19216 users virtual reality vr systems often experie... 19856 paper present strategy synthesis acoustic sour... 16521 approaches convergence concept filter taken pr... 7043 previous work area gesture production made ass... 4892 due complexity invisibility human organs diagn... 18564 band structure si inverse diamond structure wh... 10320 gelsight sensor uses elastomeric slab covered ... 19561 despite success deep learning representing ima... 4854 reflexive polytopes form one distinguished cla... 4637 work introduces concept parametric gaussian pr... 9550 harmonic product tensorsleading concept harmon... 17715 hierarchical models utilized wide variety prob... 10209 measuring full distribution individual particl... 6941 use techniques functorial quantum field theory... 8017 precision robotic pollination systems fill gap... 9521 prove elimination field quantifiers strongly d... 6949 web search entityseeking queries often trigger... 6881 given closed oriented surface describe cohomol... 13051 let kkkldotskr lllldotsls disjoint subsets ldo... 15781 report design performance mixedsignal applicat... 4673 introduce method using fizeau interferometry m... 12173 discuss channel surfaces context lie sphere ge... 6996 shanghai coherent light facility sclf quasicw ... 1252 spot pricing scheme considered resourceefficie... 11470 model predictive control mpc principal control... 15254 many environments tiny subset states yield hig... 19758 spin peltier effect spe heatcurrent generation... 19198 develop numerical tools diagrammatic montecarl... 10040 present work describe results obtained large a... 4858 machine learning models incorporating multiple... 8580 review recent advances record statistics stron... 8427 study nonsymmetric macdonald polynomials speci... 17461 establish new approximation results sense lusi... 10176 multiaccess channel simple model channel outpu... 4363 robots potential game changer healthcare impro... 17154 paper consider weak convergence eulermaruyama ... 10357 since advent online real estate database compa... 16633 consider problem automated assignment papers r... 14489 efimov effect refers quantum states discrete s... 7239 metasurface gradient phase response offers new... 14430 introduce extension demixed principal componen... 3419 deep learning models take weeks train single g... 10015 data mining machine learning techniques classi... 20570 music relies heavily repetition build structur... 4976 quantum phase slips qps may produce nonequilib... 4544 mars surface bears imprint valley networks for... 17100 given ideal mathcali omega show sequence topol... 12338 previously published admissibility conditions ... 2048 paper addresses problem depth estimation singl... 5997 present tomographic crosscorrelation galaxy le... 15444 bayesian update viewed variational problem cha... 13456 give geometric characterisations patch lawson ... 4809 paper study problem photoacoustic inversion we... 10916 multilabel classification practical yet challe... 3636 recent studies suggest quenching properties ga... 17844 demonstrate identification position material o... 15106 label shift refers phenomenon marginal probabi... 5989 achieving symbiotic blending reality virtualit... 9860 bayesian framework formulate fully sequential ... 18384 propose algorithms online principal component ... 12763 continue first second authors study qcommutati... 15158 article addresses longstanding open problem ju... 8175 volume data generated modern astronomical tele... 404 controlling embodied agents many actuated degr... 384 prove every trianglefree graph maximum degree ... 8702 remarkable success machine learning especially... 7266 enhanced quality service qos satisfaction mobi... 10344 study height spanning tree graph g obtained st... 18017 many studies environmental change past centuri... 13772 recurrent neural networks rnn type statistical... 6938 compressive sensing powerful technique recover... 6970 selforganization process order whole system ar... 20309 understanding origin unintentional doping gao ... 4158 current spacecraft need launch required fuel t... 20466 work study excitatory ampa nmda inhibitory gab... 13550 evergrowing amounts textual data large variety... 8415 spatial understanding fundamental problem wide... 2193 justification awareness models jams proposed s... 1015 reevaluate zemach recoil polarizability correc... 5124 fix counting function multiplicities algebraic... 19255 introduce notion stpairs triangulated subcateg... 9 time varying susceptibility host individual le... 10136 frequent pattern mining one field significant ... 18222 consider multitask estimation problem nodes ne... 4804 show integers mgeq integers kgeq orthogonal gr... 16639 unmanned aerial vehicles uavs recently shown g... 5713 paper using logistic sine tent systems define ... 12677 due burdensome data requirements learning demo... 19708 consider terminal users arrive continuously fi... 1581 propose new neural sequence model training met... 17308 report nontrivial transition core structure vo... 2779 aim paper present new logicbased understanding... 13216 whether neural networks learn abstract reasoni... 5320 affordable care act aca includes permanent rev... 7312 let f holomorphic curve mathbbpnmathbbc let ma... 14837 applying measurements dielectric constants rel... 6042 word embedding become fundamental component ma... 20159 maximal density measurable subset rn avoiding ... 4835 impressive image captioning results achieved d... 4964 propose new approach spectral theory perturbed... 539 prove homotopy algebraic ktheory tame quasidm ... 7483 many areas practitioners seek use observationa... 19129 point set n elements ddimensional unit cube cl... 3719 describe general multilevel monte carlo method... 13659 report experimental realization dirac semimeta... 9337 study behavior spectrum dirac operator togethe... 667 complex system represented analyzed network no... 11023 present results investigation starforming pote... 10975 spread new products networked population often... 1353 ridesourcing platforms like uber didi getting ... 13323 many realworld communication networks often hy... 7114 important disadvantage hindex typically cannot... 8662 consider asep stochastic six vertex model star... 19087 data analytics association rule mining decisio... 3330 dietzfelbinger weidling dw proposed natural va... 8053 real world significant relation human behavior... 11829 following show strong comparison principle fra... 9588 discuss dynamical response functions near quan... 19968 living cells exhibit multimode transport switc... 20419 deep learning still common tool speaker verifi... 5645 construct cofibration category structure categ... 19760 paper describe phenomenon named superconvergen... 17640 navigation problem classically approached two ... 6190 twodimensional atomic arrays exhibit number in... 15761 electromagnetic properties single crystal terb... 11704 paper introduces new concept stochastic depend... 13843 classes depthbounded namebounded processes fra... 11003 introduce investigate different definitions ef... 4910 lowenergy quasiparticles weyl semimetals conde... 1852 first order theory said tight two deductively ... 12972 paper concerned compositional approach constru... 20833 recent literature robotics community focused l... 2105 formulate part rigorous theory ground states c... 16517 ultrafaint dwarf galaxies ufds faintest known ... 13428 paper present proslam lightweight stereo visua... 5029 show coherence different bacteriochlorophylla ... 17312 development needlefree injection systems utili... 823 consider systems memory represented stochastic... 1531 locationbased augmented reality games entered ... 1214 magnesium alloys ideal biodegradable implants ... 504 exploratory testing sessions tester simultaneo... 14683 address statistical optimization impacts class... 10188 regularization approach variable selection wel... 6530 paper proved arithmetic siegelweil formula mod... 19456 paper propose new algorithm learning general l... 10150 investigate additional properties protolocaliz... 9576 exceptional point two eigenstates coalesce ope... 13116 bayesian estimation unknown parameters statesp... 3709 trigonal phase existing small patches chemical... 20554 change detection problem determine markov netw... 4748 core accretion hypothesis posits planets signi... 11714 interaction light atomic sample containing lar... 15485 paper focuses bestarm identification multiarme... 5301 deal symmetries term graded vector space bundl... 19307 develop gametheoretic semantics gts fragment a... 6588 generally difficult predict positions mutation... 1810 address controversy proximity effect topologic... 19870 advances astronomy intimately linked advances ... 3141 temporal cavity solitons cs optical pulses per... 1324 novel approach towards spectral analysis stati... 4312 reliable measurement confidence classifiers pr... 7494 paper presents problem model learning purpose ... 8691 performing statistical analysis singlesubject ... 20469 laser heterodyne polarimeter lhp designed meas... 9580 tungsten w widely considered promising plasma ... 13807 deep neural networks increasingly used variety... 17924 deep learning established framework learning h... 19065 strong certification process required insure s... 6313 machine learning deep learning particular adva... 17575 prove effective nullstellensatz elimination th... 13964 construct base expansion absolutely normal rea... 1542 goal unbounded program verification discover i... 11493 article consider problem estimating parameters... 11516 wte sister alloys attracted tremendous attenti... 7056 ordered structures natural integer rational re... 2539 paper establish characterization weighted bmo ... 17337 several researchers described twopart models p... 15368 machine learning increasingly prevalent stock ... 6731 famous result jurgen moser states symplectic f... 4846 consider manager allocates fixed total payment... 6801 paper present effective method craft text adve... 4330 well known addition noise multistable system i... 8924 single atoms form model system understanding l... 5334 doped free carriers substantially renormalize ... 9348 prediction organic reaction outcomes fundament... 4729 quantitative loop invariants essential element... 11174 although superconducting cuprates display char... 18540 nonavailability reliable sustainable electric ... 1062 human brain artificial learning agents operati... 1167 excitonpolariton system linear dispersive phot... 20020 within past decades witnessed digital revoluti... 7651 consider inverse dynamic spectral problems one... 11130 study nonconservative like sodes admitting exp... 4491 work study thermodynamics ddimensional schwarz... 8335 incompressible periodic statistically stationa... 5486 start variational model nematic elastomers inv... 19166 hierarchy efficient way group organize often g... 17101 gravitons possess berry curvature due helicity... 2502 introduce probabilistic generative adversarial... 4360 knotted solutions electromagnetism fluid dynam... 4171 despite rapid advances face recognition remain... 20738 binary random compacts different proportions s... 16779 gaussian processes gps offer flexible class pr... 13923 considerations propagation particles universe ... 14512 dimer algebras arise particular type quiver ga... 7186 generalization riemannian submersions horizont... 698 paper analyze effects contact models contactim... 17749 overabundances highly siderophile elements hse... 20497 order perform complex actions human environmen... 14191 paper deals construction separating system rat... 8787 fully pseudospectral solver direct numerical s... 14397 cascading failures may lead dramatic collapse ... 12144 capacity neural network absorb information lim... 13584 designing analog subthreshold neuromorphic cir... 2914 paper addresses image classification learning ... 14552 new pathway nuclear magnetic resonance spectro... 10518 given input string specific lindenmayer system... 5644 compare contrast statistical physics quantum p... 20150 classify band degeneracies crystals screw symm... 3440 present twodimensional hydrodynamical simulati... 12043 note recall kummers fourier series expansion p... 7357 paper present simple modularized neural networ... 2143 present manybody theory explains reproduces re... 5104 paper establish best constant anisotropic gagl... 5073 online multiobject tracking mot videos challen... 17955 attentionbased sequencetosequence models autom... 20463 index coding problem generalized recently acco... 17506 purpose paper study yamabe solitons threedimen... 16048 letter presents novel method estimate relative... 19170 paper study cubic fractional nonlinear schrodi... 14527 know empty space preferred state rest true spe... 2967 performed magnetic susceptibility heat capacit... 18888 following paper present simple intensity estim... 5988 weighted dirichlet space mathcaldp p associate... 11657 thesis presents design analysis validation hie... 728 study dynamical system induced artin reciproci... 7587 sensors present various forms around world mob... 7543 second generation sequencing technologies incr... 412 present novel oblivious routing algorithms spl... 11338 digital pathology one promising fields diagnos... 5745 vortices play crucial role determining propert... 17209 investigate growth graphene buffer layer invol... 3267 ideas enjoyed large impact deep learning convo... 20358 motion massive particle rindler space studied ... 8808 report size dependence surface tension free su... 417 machine learning classifiers known vulnerable ... 11261 handbuilt verb clusters widely used levin clas... 9817 give parametrization simple bernstein componen... 15305 present implementation relativistic quantumche... 16281 automated detection voice disorders computatio... 2082 based upon idea network functionality impaired... 12161 paper introduce evaluate propedeutica novel me... 3373 propose analyze new estimator covariance matri... 5726 transportation agencies opportunity leverage i... 20491 penalized likelihood methods widely used highd... 10636 paper explores interesting new dimension chall... 17450 robots become increasingly prevalent almost ar... 3913 transfer learning borrows knowledge source dom... 13479 future generation gravitational wave detectors... 5536 anomalous metallic state hightemperature super... 8002 article proposes mixture modeling approach est... 5387 recent years work done develop theory general ... 2738 taxi demand prediction important building bloc... 5052 discrete frenet equation entails local framing... 4000 probability simplex consider standard informat... 2427 surprising diversity different products hyperg... 11938 consider problem learning functions computing ... 6833 analyze spectra luminous red galaxies lrgs ste... 18071 using age information freshness metric examine... 851 paper obtain formulae harmonic sums alternatin... 16347 purpose note point simplicial methods wellknow... 5878 existing blackbox attacks deep neural networks... 19223 work propose infinite restricted boltzmann mac... 4611 article argues importance forbidden triads ope... 16364 paper presents posteriori error analysis coupl... 9540 consider exclusion process long jumps box lamb... 9207 propose new formal criterion secure compilatio... 9823 derive new approximations value risk expected ... 2489 work study problem minimizing sum strongly con... 11922 time spent leisure minor research question ack... 7390 propose statistical inferential procedures pan... 2849 present mathematical analysis nonconvex energy... 14069 demonstrate applied electric field causes piez... 5881 paper consider problem formally verifying safe... 4452 given semiriemannian manifold mg two distingui... 2479 refactoring maintenance activity aims improve ... 10457 despite significant recent progress area brain... 11151 neural field theory used quantitatively analyz... 13245 bayesian optimization successful global optimi... 18525 control design approach developed general clas... 13296 random forests perform bootstrapaggregation sa... 11310 work explore utility locally differentially pr... 9435 propose framework employing stochastic differe... 19128 investigate asymptotic behavior solutions hami... 7253 many barred galaxies possibly including milky ... 13284 paper presents biasvariance tradeoff graph lap... 3506 anomaly detection ad garnered ample attention ... 1679 one primary questions characterizing earthsize... 19531 paper propose deep learning based approach fac... 8130 giant impacts gis common late stage planet for... 15125 one main challenges probing reionization epoch... 16964 modern mobile embedded platforms see large num... 9662 spectral renormalization method introduced abl... 20454 let g reductive algebraic group padic field nu... 13500 using six parameters truncated mittagleffler f... 3343 electronic medical records emr contain longitu... 13184 study steiner tree problem set terminal vertic... 16244 let geq fixed positive integer adotsas mathbbz... 12775 widely studied nondeterministic polynomial tim... 20056 remote attestation ra allows trusted entity ve... 16943 present simple categorical framework treatment... 5237 standard penalized methods variable selection ... 7805 allosteric proteins transmit mechanical signal... 13407 previous joint work xiao second author modifie... 16896 trace alignment algorithms used process mining... 1081 explore different approaches integrating simpl... 18048 context rosetta orbiter spectrometer ion neutr... 9204 recent empirical success crossdomain mapping a... 1931 paper maps relation different approaches handl... 1150 remarkable development deep learning medicine ... 19222 using quantum representations mapping class gr... 5949 thesis presents original results two domains d... 8308 consider certain definite integral involving p... 14262 ballean coarse structure set endowed family su... 5177 evaluated prospects quantifying parameterized ... 14098 background test resources usually limited ther... 17214 paper study emergent irreducible information p... 8311 image simulation scanning transmission electro... 20699 article illustrates measure heterogeneity spat... 20914 work details development threedimensional elec... 17019 thirdparty library reuse become common practic... 4465 quantum cognition delivered number models sema... 6799 bayesian nonparametrics class probabilistic mo... 7987 exploiting others beneficial individually coul... 7079 creating modeling realworld graphs crucial pro... 6966 number recent works used variety combinatorial... 15202 let ii factor von neumann subalgebra qsubset i... 4142 conventional decision trees number favorable p... 876 refraction represents one fundamental operatio... 16388 show every ell counterexample ellmodular secre... 15979 paper aims apply complex octonion explore infl... 3051 present numerical studies two photonic crystal... 19508 consider nonlinear transport equations nonloca... 14599 water fountain stars wfs evolved objects water... 15328 paper original heuristic algorithm empty vehic... 2491 introduce technique automatically tune paramet... 15338 paper addresses question whether beneficial op... 20238 acquisition magnetic resonance imaging mri inh... 4777 propose method generate shapes using point clo... 9907 paper prove existence global weak solutions co... 17532 rechargeable redox flow batteries serpentine f... 16958 although gradient descent gd almost always esc... 20153 paper second chapter three authors undergradua... 20530 investigate generation optical frequency combs... 853 paper introduce new model leveraging unlabeled... 10966 human activity recognition using smart home se... 13121 matter bounces refer scenarios wherein univers... 13403 quantum entanglement serves valuable resource ... 10893 improving quality endoflife care hospitalized ... 4495 ingrowth postdeposition treatment cuznsns czts... 8173 consider class kinetic models polymeric fluids... 6655 paper extending past works del popolo show hig... 12039 applications many disciplines traveling salesm... 2368 explaining underlying causes effects events ch... 4780 multitude web desktop applications widely avai... 12323 present new oblivious walking strategy convex ... 19334 one open challenges designing robots operate s... 8716 establish analogy superconductormetal interfac... 10647 show perform full likelihood inference maxstab... 18225 kpartition problem kpp one given edgeweighted ... 5986 unknown continuous distribution real line cons... 16921 efficient management low blood pressure bp pre... 19190 according kearnes oman ordered set p emphjnsso... 5801 paper define generalized qanalogues euler sums... 7206 study role local tidal environment determining... 7343 sometimes enough dnn produce outcome example a... 12533 open question whether linear extension complex... 7560 effort scale existing quantum hardware proceed... 8096 particle filters popular flexible class numeri... 784 predictive models music studied researchers al... 12249 describe high resolution observations goes bcl... 1409 development efficient heuristic algorithms pra... 10729 design adaptive algorithms simultaneous regula... 16538 heavyweight stellar initial mass function imf ... 3009 consider problem efficient packet disseminatio... 18070 although ample work literature dealing skewnes... 11093 consider two greedy algorithms minimizing conv... 4014 given curve defined algebraically closed field... 7455 syllabification seem improve wordlevel rnn lan... 12913 lowrank tensor regression new model class lear... 3863 prove existence results small presentations mo... 19117 constructing smart wheelchair commercially ava... 1895 human behavioural patterns exhibit selfish com... 5442 doublefetch bugs special type race condition u... 569 formulate analyze novel hypothesis testing pro... 1816 recent years seen growing interest streaming i... 19778 paper deals nonhomogeneous scalar parabolic eq... 19711 deltaconvolution real probability measures int... 20953 jackson martin proved strong ideal ramp scheme... 6102 various experimental techniques revealed predo... 2975 existing works building soliton transmission s... 17364 report extensive theoretical calculations rota... 10492 paper gave properties binomial coefficient 190 bulk surface electronic structures calculated ... 699 challenge assigning importance individual neur... 20737 cooperative behavior real social dilemmas ofte... 16990 years ago semitoric systems classified pelayo ... 12468 embeddings knowledge graphs received significa... 301 nous tentons dans cet article de proposer une ... 3420 deduce simple closed formula illiquid corporat... 18711 objective paper introduce artificial intellige... 1060 might smooth probability distribution estimate... 14434 objective paper develop artificial neural netw... 10757 studied acetylhistidine ach bare microsolvated... 3444 random quantum spin models strong disorder per... 17453 large area xray proportional counter laxpc one... 10716 imaginary conversation guido altarelli express... 18589 introduce new class priors bayesian hypothesis... 8208 theorem gekeler compares number nonisomorphic ... 7679 quite general device analysis method allows di... 11312 demonstrate existence excited state excitonpol... 4642 complete group classification problem class di... 12946 work analyze excitonic gap generation strongco... 9007 anais experiment aims confirmation damalibra s... 7996 note prove instability blowup ground state sol... 5600 lu boutilier proposed novel approach based min... 9151 commercial onesun solar modules incoming sunli... 7022 recent advances deep neural networks dnns make... 15636 present experimental study nonequilibrium tunn... 16609 carried dimensional resistive mhd simulations ... 19738 magnetic skyrmions particlelike objects topolo... 5895 reliable wireless connection operator teleoper... 10677 let xgeq large number let leq q integers gcdaq... 8754 propose novel automaton model uses arithmetic ... 3436 consider problem estimating regression functio... 14565 dynamic dipole polarizabilities lowlying state... 14373 article study kapustinwitten equations closed ... 18077 work present scalable balancing domain decompo... 6893 global political preeminence gradually shifted... 17429 apply distancebased jin matteson kernelbased p... 19830 auxetic materials novel class mechanical metam... 12757 consider supercritical branching random walk r... 8050 sgd stochastic gradient descent popular algori... 9146 recent work proposed lempelziv jaccard distanc... 4555 establish minimax optimal rates convergence no... 11296 isolated quantum manybody systems integrable d... 4735 study controllability partial differential equ... 1218 adaptive zeroerror capacity discrete memoryles... 13446 paper describes task dcase challenge titled ge... 3987 cell injection technique domain biological cel... 5699 twodimensional mathematical model quadraticall... 13992 study problem sampling bandlimited graph signa... 17340 nearest neighbor imputation popular handling i... 2869 lung diseases related bronchial airway structu... 11969 many different methods train deep generative m... 14207 characterize topologically conjugate twosided ... 2961 game theory emerged novel approach coordinatio... 14172 paper presents extension recently developed hi... 2200 paper analyse benefits incorporating intervalv... 16482 traditional recurrent neural networks assume v... 5592 new results functional prediction ornsteinuhle... 2557 plated onto substrates cell morphology even st... 15586 present measurement baryon acoustic oscillatio... 20583 present general framework studying regularized... 9637 timeresolved ultrafast xray scattering photoex... 5539 aim paper present comprehensive review method ... 18032 study energy functional set lagrangian tori ma... 12874 network alignment consists finding corresponde... 12183 analysis telemetry data common animal ecologic... 6295 report describes development aptamer sensing a... 4499 compute lbetti numbers free ctensor categories... 1154 work outline mechanisms contributing oxygen re... 18639 intel software guard extensions sgx aims provi... 15151 rapid miniaturization cost reduction computing... 9874 generalize support vector machine support spin... 19554 consider estimating de facto effectiveness est... 7400 simulation optimization refers optimization ob... 10248 study applicability timedependent variational ... 7158 despite various debugging supports existing id... 19492 thermal atmospheric tides torque telluric plan... 14589 paper focused dimensionfree pacbayesian bounds... 5423 protographbased raptorlike lowdensity paritych... 2049 one fundamental results computability existenc... 13168 medical field stands see significant benefits ... 11835 one promising approaches overcome uncertainty ... 16371 recently researchers proposed various lowpreci... 9208 machine learning models increasingly used indu... 14075 developed semianalytic framework model largesc... 16646 many state art methods thermodynamic kinetic c... 20445 one important semiconductors silicon si used f... 14486 report perpendicular magnetic anisotropy pma b... 14257 derive positivstellensatz noncommutative ratio... 6616 order achieve stateoftheart performance modern... 8120 topics machine learning commonly addressed res... 8155 conventional wisdom holds modelbased planning ... 1802 consider optimal coverage problem multiagent n... 4736 gravitational instabilities gis likely fundame... 11111 optical vortex coronagraph ovc one promising w... 2385 paper develop novel computational sensing fram... 5759 paper presents thorough analysis dimensional s... 18343 researchers previously shown coincidental corr... 19360 paper continue study pairwise ksemistratifiabl... 8680 tdistributed stochastic neighborhood embedding... 18227 show definition city boundaries dramatic influ... 1734 nonlinear dynamics free surface ideal incompre... 2911 weyl fermions shown exist inside parabolic ban... 11411 paper show controllers created using data driv... 8338 approximate string matching fundamental recurr... 1986 automated service classification plays crucial... 6546 multicopters becoming increasingly important c... 14243 deep learning enabled remarkable progress last... 2811 belief three dimensional space infinite flat a... 17043 million people suffered heart failure worldwid... 15708 paper find explicit formulas higher order deri... 18895 stochastic user equilibrium important issue tr... 11589 article outlines different stages development ... 20666 paper describes two supervised baseline system... 9339 start riemannhilbert problem rhp related bdity... 15087 paper investigates two strategies reduce commu... 11774 paper scalable whole slide imaging swsi novel ... 1930 floquet systems periodically driven quantum sy... 197 longstanding obstacle progress deep learning p... 7777 root cause analysis anomalies challenging trad... 19315 prove moduli space complete riemannian metrics... 8004 develop theory modulated operators general pri... 2327 look stochastic optimization problems lens sta... 4389 let fourier coefficients holomorphic cusp form... 12688 initiate study fundamental combinatorial probl... 20602 combining analytic geometric viewpoints concen... 11447 paper present novel approach broadcasting info... 202 paper considers problem autonomous multiagent ... 19894 give ktheoretic criterion quasiprojective vari... 4931 let pk path ck cycle k vertices kkk complete b... 5791 deep generative models learn mapping low dimen... 18091 paper compares results applying recently devel... 13949 absolute positioning essential factor arrival ... 7392 computational complexity kernel methods often ... 5855 address problem latent truth discovery ltd sho... 854 describe neural network model jointly learns d... 13877 twosample hypothesis testing problem studied c... 14555 paper rungekuttagegenbauer rkg stability polyn... 4737 suggest model multiagent society decision make... 17082 developed recently proposed josephson travelin... 20080 fundamental problem neuroscience characterize ... 1636 multisource transfer learning proven effective... 11649 solids deform fluids flow soft glassy material... 19965 give integral formula total qprimecurvature th... 17675 propose simple technique encouraging generativ... 6585 long shortterm memory networks trained gradien... 13808 cern provides set hadoop clusters featuring pb... 18237 entanglement entropy ee quantum systems often ... 20147 robotic assistants home environment expected p... 3304 following new microlensing constraint primordi... 17879 nash equilibrium paradigm rational choice theo... 7994 stochastic variance reduction algorithms recen... 1998 propose original concept compressive sensing c... 663 propose factor models crosssection daily crypt... 13545 paper investigates performance legitimate surv... 3748 transfer learning leverages knowledge one doma... 20797 recently claimed inflationary models inflectio... 5530 relaying early effort estimation predict requi... 7526 nonnegative matrix factorization nmf actively ... 9474 present theoretical investigation dynamic dens... 6776 musta given conjecture graded betti numbers mi... 1306 local electronic magnetic properties supercond... 11494 letter adopts long shortterm memorylstm predic... 15707 bell inequalities usually derived assuming loc... 10230 let pgroup odd prime p oliver proposed conject... 18047 formulate quasiclassical theory omegactau less... 10173 paper explores incremental training strategy s... 16157 present weak lensing analysis sample sdss comp... 3627 hidden truncation hyperbolic hth distribution ... 13931 multiarmed bandits quintessential machine lear... 2693 show discrete distributions ddimensional nonne... 11252 study problem testing conductance setting dist... 16312 study problem assigning nonoverlapping geometr... 9789 although generative adversarial networks gans ... 10921 networked data every training example involves... 10817 well known memory effect flat spacetime parame... 19541 paper focuses temporal localization actions un... 9914 renewed greens function approach calculating a... 16198 explore ways creating cold kevscale dark matte... 1059 consider registrationbased approach localizing... 19626 consider generalized dirac operator compact st... 1678 numerous breakthroughs reinforcement learning ... 6374 convolutional neural networks cnns achieved st... 7574 interest memristors risen due possible applica... 14820 computing optimal transport distances earth mo... 18141 demand drives systems generalize various domai... 12383 ordinary least square ols estimation linear re... 8755 increasing use wearables smart telehealth gene... 19174 face modeling paid much attention field visual... 17247 undesired unintentional doping doping limits s... 15934 unit vector field closed immersed euclidean hy... 17868 much success single agent deep reinforcement l... 206 let k algebraically closed field positive char... 12685 last decades sociologists trying explain human... 6910 properties two thcrsitype materials discussed ... 502 energy efficiency power threeterminal thermoel... 17412 literature modeling simulation complex adaptiv... 20224 deep learning profound impact many fields espe... 13773 functionals stochastic process yt model many p... 8110 using muon spin rotation shown field first flu... 14948 machine learning methods general deep neural n... 5056 examine behavior accelerated gradient methods ... 9762 radio tomographic imaging rti recently propose... 10965 collective behavior among coupled dynamical un... 19115 recent work redressed warped frames introduced... 14039 objects moving fluids experience patterns stre... 11837 macroscopic models systems involving diffusion... 2454 quantum annealing qa generic method solving op... 19488 texture classification problem various applica... 15265 work propose novel method quantifying distance... 13067 cellular automata ca theory discrete model rep... 8392 paper explores four different visualization te... 19483 paper extend two classical results density sub... 6184 uniform space x mu introduce realcompactificat... 3561 paper introduce certain nth order nonlinear lo... 5892 introduce measure fairness algorithms data reg... 12666 compact substructure expected arise starless c... 13986 evolutionary game dynamics structured populati... 391 possible removals n nodes networks size n perf... 6736 paper provide new quantum algorithms polynomia... 5258 rulebased modelling allows represent molecular... 15422 problem recovering signal power spectrum calle... 2695 current dominant visual processing paradigm hu... 2027 paper derive pointwise upper bounds lower boun... 2568 thermoelectric te materials achieve localised ... 8006 present new decision procedure logic wss origi... 16216 present analysis microlensing event moablg sho... 16448 flowbased generative models dinh et al concept... 18446 artificial neural networks anns received incre... 5276 paper illustrates similarities problems custom... 7208 recentlyintroduced selflearning monte carlo me... 8571 study problem causal structure learning experi... 6331 cosmic axion spin precession experiment casper... 12185 repulsive coulomb interaction electrons differ... 9268 integral power series called lacunary modulo a... 17262 continuous dynamical system approach deep lear... 8529 sparse tiling technique fuse loops access comm... 1016 ising models describe joint probability distri... 7629 identification minimal set nodes maximizes pro... 11534 trend increasing wind turbine rotor diameters ... 995 buoyancythermocapillary convection layer volat... 4297 best known method give lower bound noether num... 161 explore topological properties quantum spin ch... 5675 present first measurements tritium betadecay s... 6873 determine grosshopkins duals certain higher re... 12990 study revenue optimization learning algorithms... 9692 almost geostatistical analysis one underlying ... 7989 dispersal ubiquitous throughout tree life fact... 20227 paper considers problem approximating density ... 13417 reactive transport modeling computational cost... 10805 hyperkamiokande next generation large water ch... 11653 let afn normalized fourier coefficients gl maa... 1021 propose extended variant reformulation decompo... 19457 answer yes indeed find interacting dark energy... 3943 shufflenet stateoftheart light weight convolut... 1585 influential recent paper harvey et al derive u... 3152 microplasma generation using microwaves electr... 14541 basic still largely unanswered question contex... 8226 system application availability continues fund... 12206 topic modeling enables exploration compact rep... 17159 tree augmentation problem tap fundamental netw... 15787 gaussian belief propagation bp widely used dis... 2612 network tunnel part path protocol encapsulated... 11016 recent results alagic russell given evidence e... 10233 demonstrate temporal measurements subpicosecon... 8433 address reduction compact band forms via unita... 10253 nowadays data compressors applied many problem... 10555 start asking interesting yet challenging quest... 8792 objective purpose work analyse knowledge struc... 10627 develop differentially private hypothesis test... 14502 study network utility maximization num decompo... 8838 recently deep learning based natural language ... 3890 emphword problem group g langle sigma rangle d... 3556 quaternionic tori defined quotients skew field... 11394 present senmr measurements singlecrystalline f... 17912 deep neural networks show great potential solu... 1267 prove optimal strong convergence rate fully di... 1899 techniques reducing variance gradient estimate... 3005 microtubules mts filamentous protein polymers ... 19118 kernel methods produced stateoftheart results ... 189 implement efficient numerical method calculate... 2747 web applications require access filesystem man... 18431 give complete picture tensor product induced m... 18942 newtons mechanical revolution unifies motion p... 8666 automated classification methods disease diagn... 6396 paper introduce new reformulation greennaghdi ... 19769 study optimal control problem arising generali... 20939 detection proteinprotein interactions ppis pla... 17568 increasingly internet things iot domains senso... 6420 aim paper study via theoretical analysis numer... 5051 let mathbba cellular algebra field mathbbf dec... 5311 paper describes participation task track semev... 2433 correlated random fields common way model depe... 769 often features come vectorial descriptions pro... 1685 phone sensors could useful assessing changes g... 8322 given integer base b set integers represented ... 16023 deep learning dl guide understanding computati... 11363 study proposes fully convolutional network fcn... 14423 present simple result allows us evaluate asymp... 4426 j deloerat mcallister k mulmuleyh narayananm s... 16850 cosmic ray electrons measured voyager mev beyo... 6265 datatarget association important step multitar... 11284 low rank matrix completion lrmc problem low ra... 11964 consider longterm collisional dynamical evolut... 5390 cooper pairs superconductors normally spin sin... 860 gossip protocols aim arriving means pointtopoi... 15795 userbased collaborative filtering cf one popul... Name: ABSTRACT, dtype: object
X_test
20257 layer normalization recently introduced techni... 482 susceptibility propagation constructed combini... 4189 propose new model formalizing reward collectio... 9838 study covariances positive definite functions ... 16591 modularity maximization using greedy algorithm... 3752 locally checkable labeling lcl problems includ... 12920 si li author suggested cases adscft correspond... 16944 let k standard hlder continuous caldernzygmund... 3246 introduce pulsedyn particle dynamics program c... 19372 paper scale mixture normal distributions model... 11811 combine aspects notions finite decomposition c... 3200 highdimensional sparse linear models construct... 18453 julian besag outstanding statistical scientist... 6390 advanced data analytical techniques efforts ac... 4153 study changes metrics defined cartesian produc... 16427 paper investigate problem detecting dynamicall... 17236 approximations program analysis necessary evil... 10231 suppose elliptic curve number field whose mod ... 11233 work derive new kind rainbow functions general... 1311 complex interactions entities often represente... 5351 tangles quantized vortex line initial density ... 16404 heart bitcoin blockchain protocol protocol ach... 12359 solid arguments sustain digital currencies fut... 9132 apply nonlinear reconstruction method simulate... 6100 despite growing prominence generative adversar... 9571 motivated results mestre voisin note mainly co... 2255 study stationary photon output statistics smal... 7583 universal homogeneous trianglefree graph const... 4641 perform endtoend sound source separation sss v... 8034 earths climate mantle core interact geologic t... 7638 given leq k leq say kuniform hypergraph cks ti... 13291 aim use statistical analysis large number vari... 10279 consider plasmon resonances cloaking elastosta... 11605 consider problem classifying data manifolds ma... 11010 exciton relaxation dynamics photoexcited elect... 14872 colletotrichum represent genus fungal species ... 14465 article introduce simple dynamical system call... 15535 openstreetmap offers valuable source worldwide... 11659 degree ssortativity tendency nodes high degree... 16973 many complex systems biology physics engineeri... 2862 study problem containing epidemic spreading pr... 5207 answering queries federation sparql endpoints ... 15280 brain electroencephalography eeg classificatio... 1642 investigate emergence cal n supersymmetry long... 2702 paper presents new framework analysing forensi... 7729 community discovery social network one tremend... 1968 paper describe new las vegas algorithm solve e... 13207 two major approaches studying macroevolution d... 4034 common problem machine learning rank set n ite... 13587 report time angle resolved spectroscopic measu... 12505 identify peak valley structures exact exchange... 12137 analyzing temporal behavior nodes timevarying ... 6599 wittens gauged linear sigmamodel glsm unifies ... 20217 consider curved sitnikov problem infinitesimal... 5735 consider problem controlling spatiotemporal pr... 3910 recent outbreaks ebola hn infectious diseases ... 19604 develop importance sampling type estimator bay... 11933 present new method numerical hydrodynamics use... 7469 prove range new sumproduct type growth estimat... 9129 synthetic toggle switch first proposed gardner... 2393 consider task motion planning complex dynamic ... 19099 paper proposes new method builds simplex based... 19658 crowdsourcing consists externalisation tasks c... 15474 importance able verify quantum computation del... 16823 understanding mechanisms underlying formation ... 4441 power spectrum estimation important tool many ... 20303 study crossover sudden quench limit adiabatic ... 2090 dembowska large bright mainbelt asteroid fast ... 5792 building deploying software highend computing ... 17249 applications exploiting valley pseudospin degr... 4520 propose novel deep learning architecture regre... 14059 superresolution fluorescence microscopy resolu... 14185 multilayer mos possesses highly anisotropic th... 15063 observational learning type learning occurs fu... 2483 seminal paper caponnetto de vito provides mini... 19799 photons distant astronomical sources used clas... 649 paper show compact manifold carries slnrfoliat... 9773 paper study parallel space complexity graph is... 11132 role scalable highperformance workflows flexib... 17283 consider problem training generative models de... 4794 emission electromagnetic radiation accelerated... 12116 paper introduces new urban point cloud dataset... 12387 report sigma detection faint object flux mjy v... 1474 calculating value ckininfty class smoothness r... 20172 quantum nature lightmatter interactions circul... 16804 interactions people basis structure society ar... 18643 performing xrays measurements cosmic silence u... 14789 boundary algebraic bethe ansatz supersymmetric... 1328 report results sensitive search ghz j transiti... 7539 domain adaptation refers problem leveraging la... 8421 paper devoted dimensional relative differentia... 9966 deep convolution neural networks demonstrate i... 1504 study ionic liquids composed alkylmethylimidaz... 15095 emphlongest common extension emphlce problem p... 9809 propose new algorithm mean actorcritic mac dis... 2290 prove nonadaptive algorithm tests whether unkn... 1288 paper considers problem implementing previousl... 17684 describe structure hausdorff locally compact s... 15870 recent rapid progress observations circumstell... 13285 propose paper novel approach tackle problem mo... 11570 multivariate cogarch volatility process show s... 2305 work plan develop system compare virtual machi... 1338 article issues discussed bayesian approach lea... 19682 characterize neutron output deuteriumdeuterium... 6814 assessing generative models easy task generati... 20870 article use lambdasequences derive common fixe... 20885 prove existence uniqueness strong solutions cl... 14993 presence statistical studies auroral omega ban... 6977 formulate nambugoldstone theorem triangular re... 16792 paper examine statistical soundness comparativ... 5933 hidden markov models hmms popular time series ... 14943 introduce notion crystallographic sphere packi... 19188 starting integral representation threedimensio... 19495 modern precision cosmological measurements con... 2195 thomassen conjectured trianglefree planar grap... 4930 path planning robotics often requires finding ... 13150 partbased representation proven effective vari... 17034 e elliptic curve mathbbq follows work serre ho... 11583 tungsten oxide associated bronzes compounds tu... 1077 plumbene similar silicene buckled honeycomb st... 13021 paper focus developing driverinthe loop fuel e... 20851 designing software systems geometric computing... 8603 discuss production evolution cosmological grav... 8487 anisotropy magnetic properties commonly introd... 19519 prove new offdiagonal asymptotic bergman kerne... 9711 deep reinforcement learning rl tasks efficient... 3689 meteoritic abundances rprocess elements analyz... 13603 deep neural networks achieved increasingly acc... 10201 propose simple modification existing neural ma... 17860 interaction occurs light solid object horizont... 9325 investigate stability statistically stationary... 3503 networks provide powerful formalism modeling c... 20719 prove adjoint bilinear restriction estimates g... 8171 study online multiple testing problem hypothes... 7681 paper proposes power slow feature analysis gra... 17335 discuss effect dissipation heating occurs peri... 2546 formulate propose algorithm multirank ranking ... 11183 biological cellular systems often modeled grap... 9926 known individuals social networks tend exhibit... 17213 thermal stability electronic photoelectronic d... 13431 transfer learning aims faciliate learning task... 8972 paper propose efficient algorithm protodash se... 3843 study andersonlike localization transition spe... 12794 show border support rank tensor corresponding ... 17430 study local geometry testing mean vector withi... 6659 prove l bound oscillatory integral associated ... 16840 define lattice model rock absorbers gas makes ... 936 generic generation manipulation text challengi... 18140 field enhancement factor emitter tip variation... 6409 tweedie compound poissongamma model routinely ... 12572 paper deals asymptotics multipleset linear can... 133 examine representation numbers sum two squares... 5098 large variety dynamical systems chemical biomo... 5719 dynamical downscaling highresolution regional ... 16374 present paper reports effort characterize vort... 5282 new approach problems uncertainty principle ha... 9366 real network datasets provide significant bene... 14111 paper gives introduction rate equations nonlin... 5809 datarich era astronomy growing reliance automa... 1272 suszkos problem problem finding minimal number... 4438 recently developed variational autoencoders va... 3062 study frobenius extensions freefiltered totall... 8870 aetiology polygenic obesity multifactorial ind... 19562 study frequencydependent damping model hyperdi... 4344 autonomous measurement tree traits branching s... 4449 show singular dominant integral weight lambda ... 9149 time series prediction studied variety domains... 1493 study theoretically experimentally influence t... 11451 gaussian random fields popular models spatiall... 1534 graphs commonly used encode relationships amon... 1713 present wasserstein introspective neural netwo... 13236 topology torus remains invariant certain nontr... 2325 paper study problem exploring translating plum... 19576 european xray free electron laser xfeleu provi... 2250 establish geometric condition guaranteeing exa... 5512 raise question existence continuous roots fami... 6006 paper replicates extends refutes conclusions m... 14420 paper contributes emerging literature models v... 18501 new coding technique based textitfixed blockle... 20960 paper propose new algorithm based radial symme... 18331 recent nobelprizewinning detections gravitatio... 12307 paper consider numerical approximations solvin... 10580 convolutional operator learning increasingly g... 14090 construct optimal designs group testing experi... 7725 give new proof salvatis theorem group language... 10609 finding central nodes fundamental problem netw... 10484 consider truncated svd spectral cutoff project... 10431 detailed thermal analysis niobium nb based sup... 11150 understanding nature turbulent fluctuations io... 14669 graph based semisupervised learning gssl intui... 18006 present unified perspective symmetry protected... 16343 two procedures checking bayesian models compar... 11327 consider two types averaging complex covarianc... 20292 longtail phenomenon tells us many items tail h... 17903 fundamental issue statistical classification m... 1346 bias common problem todays media appearing fre... 5437 minimum feedback arc set problem asks delete m... 1456 optimizing convex objective loss functions pow... 19158 swift test originally proposed formability tes... 9192 ability generate natural language sequences so... 13793 proceedings adkdd targetad workshop held conju... 17716 atomistic simulations carried analyze interact... 2885 propose novel couple mappings method low resol... 2812 twinning important deformation mode hexagonal ... 8196 based firstprinciples calculations effective m... 11584 examine problem transforming matching collecti... 4954 application high pressure fundamentally modify... 8986 analyze convergence stochastic gradient descen... 16798 consider network binaryvalued sensors fusion c... 13580 cosmic axion spin precession experiment casper... 2189 report design fabrication characterization ult... 17096 aim understanding effect environment star form... 13346 languages shared people differ different regio... 14879 elucidating interaction magnetic moments itine... 7845 propose distributed version stochastic approxi... 13600 study cyclicity weighted ellpmathbbz spaces p ... 3964 paper presents passive compliance control aeri... 14149 paper presents new safety specification method... 16768 simplified molecular input line entry system s... 640 dam breach models commonly used predict outflo... 447 number fundamental quantities statistical sign... 18904 paper novel framework proposed optimizing oper... 13815 paper investigates problem detecting relevant ... 19522 context success stack overflow communitybased ... 12280 unsupervised dependency parsing aims learn dep... 3894 autonomous vehicles become everyday reality hi... 11623 five simple soft sensor methodologies two upda... 7191 zerocurvature representations zcrs one main to... 13510 paper study weighted gevrey class regularity e... 11497 consider generalization kmedian kcenter called... 3820 cyclic codes various generalizations quasitwis... 19077 online problem computing top eigenvector funda... 18152 recent reports claiming tentative association ... 13735 new area passive wifi analytics promise delive... 7571 days several organizations moving lan foundati... 15316 android apps designed cope stopstart events ev... 8477 basic firstorder differential operators spin g... 10590 first part paper present formalization agda ja... 20875 present paper companion paper villone rampf ti... 5654 past years witnessed emergence new discipline ... 10330 quantum gas microscopes promising tool study i... 20631 consider particle dressed boundary gravitons t... 911 prove sharp decoupling inequalities class two ... 6292 study complex systems benefits graph models an... 12407 consider lattice mathcall subsets multidimensi... 1052 compute coarsest simulation preorder included ... 1475 let p q two convex polytopes contained interio... 5023 introduce noisynet deep reinforcement learning... 8383 backgroundintroduction zipfs law establishes w... 7592 magnetic systems spins sitting lattice corner ... 2687 schmerl beklemishevs work iterated reflection ... 13367 consider optimal execution problem trader look... 10446 topological semimetals dirac points form zerod... 10334 based bcs model external pair potential formul... 17501 look interval exchange transformations defined... 7411 contrast simple monatomic alkali halide ions c... 11783 integer n present explicit formulation compact... 14729 fully reconfigurable metasurfaces would enable... 6492 identification parameters mathematical models ... 1097 discuss backward montecarlo technique muon tra... 7402 examine conditions material martian moons phob... 19100 study correlators irregular vertex operators t... 14754 first part paper prove voevodskys nilpotence c... 4978 paper show using publicly available data strea... 3425 graphs networks ubiquitous allow us model enti... 6473 note deals certain properties convex functions... 9050 analyze optical continuum starforming galaxies... 10768 paper focuses problem estimating historical tr... 5505 paper introduces assumeguarantee contracts con... 5862 consider problem reconstructing signal multila... 17957 seminal work gatys et al demonstrated power co... 18898 unprecedented demand large amount data catalyz... 6087 study formulate lagrangian lc rc rl rlc circui... 2235 study restricted isometry property rip corrupt... 960 study relation microscopic properties manybody... 4991 boundary plasma physics plays important role t... 11020 investigate evolution flavour composition cosm... 18504 many modelbased visual odometry vo algorithms ... 9705 skyrmions localized magnetic spin textures who... 7882 consider stochastic multiarmed bandit problems... 17657 article introduces notion arbitrage situation ... 12567 paper proves every finite volume hyperbolic ma... 11476 discrete truncated wigner approximation dtwa s... 19543 like attempts evaluate monitor quality academi... 13881 generalize concept spinmomentum locking magnon... 12804 dynamic behavior capacitive microelectromechan... 9117 introduce novel method train agents reinforcem... 16149 political polarization united states continues... 11320 introduce new model teaching named preferenceb... 10247 use mobile impurity depleton model study eleme... 17226 motivated task clustering either variables poi... 20462 objective using traditional approaches brainco... 12650 greedy algorithms widely used problems machine... 20650 research design ghz class e power amplifier pa... 9199 kagra km cryogenic interferometric gravitation... 10138 exhibit olog kcompetitive randomized algorithm... 8746 study morsenovikov cohomology almostsymplectic... 11770 current formal approaches successfully used fi... 16196 work develop importance sampling estimator cou... 1719 paper explores application koopman operator th... 8858 study screening bounded body gamma effect wind... 12438 neuronal activity brain generates synchronous ... 12154 present optimized source galaxy selection sche... 17638 present improved mars odyssey neutron spectrom... 4836 improve performance american fuzzy lop afl fuz... 15738 online creative communities able develop large... 13358 clinical measurements collected time naturally... 19575 fermi large area telescope data reveal excess ... 3623 need test whether two random vectors independe... 13936 pegs formalized ford several pragmatic operato... 3242 recently cloud storage processing widely adopt... 10261 forwarding data name assumed necessary aspect ... 385 study twodimensional topology galactic distrib... 19278 ultraviolet uv light host star influences plan... 5502 formulate correspondence affine projective spe... 16340 introduced evolutionary game dynamics onedimen... 474 choi et al introduced minimum spanning tree ms... 8941 quantization improve execution latency energy ... 10597 octonion algebras rings contrast fields determ... 17841 next generation ai applications continuously i... 8862 introduce notion tropical defects certificates... 16012 use coupled cluster method ccm study frustrate... 2501 paper propose informationtheoretic exploration... 776 sports data analysis becoming increasingly lar... 20521 pairing symmetry newly proposed cobalt high te... 6918 recurrent neural networks rnns serve fundament... 10172 superconducting transition fesexsx three disti... 13671 use information entropy test isotropy nearby g... 10302 superconducting bulks acting highfield permane... 4296 properties cold bose gases unitarity extensive... 14439 obtain rigorous uniform asymptotics particular... 16381 various applications relations dependent indep... 20572 split feasibility formulation inverse problem ... 18927 recent years rapidly increasing amounts data c... 15890 consider optimal control problem subject semil... 5354 rapidly growing interest bifacial photovoltaic... 8056 bakground proliferation available microarray h... 18662 novice programmers often struggle formal synta... 18033 viewing trajectory patient dynamical system re... 8845 convolutional neural nets cnns become practica... 12429 find explicit formulas radii locations circles... 13619 prove riemann hypothesis generalized riemann h... 14186 novel surface interrogation technique proposed... 9165 work consider extension graphical models rando... 2270 paper presents framework implementation online... 3415 paper introduces novel approach texture synthe... 17576 let q prime power prime p n positive integer m... 7228 szilard enginesze one best example information... 8510 combine sullivan models rational homotopy theo... 5948 use spreadsheets industry widespread companies... 5568 electroencephalography eeg based brain compute... 18737 idea incompetence learning adaptation function... 6345 motivated geometric problems signal processing... 18578 present unified classical treatment partially ... 15618 critical challenging problem reinforcement lea... 7672 experimentally numerically investigate effect ... 13715 study equivalence microcanonical canonical ens... 408 study phase space dynamics cosmological models... 12353 uniformity testing general identity testing we... 14542 present recurrent encoderdecoder deep neural n... 16733 layered neural networks greatly improved perfo... 10925 complementary auxiliary basis sets f explicitl... 5381 paper new wiretap channel model proposed legit... 20963 inference amortization methods share informati... 2725 empirically neural networks attempt learn prog... 19213 course last decade nice model dramatically cha... 18617 consider nonunitary quantum dynamics neutral m... 10168 paper proposes new scheme secure transmissions... 7981 prove continuity controlled sde solution skoro... 12296 recent paper introduced fuzzy bayesian learnin... 13295 investigate effect dzyaloshinskii moriya inter... 6677 binary onebit representations data arise natur... 3353 several fundamental problems arise optimizatio... 3472 despite decades inquiry origin giant planets r... 16275 wellknown demilloliptonschwartzzippel lemma sa... 3486 study brauers longstanding kbconjecture number... 13730 mean field variational bayes method becoming i... 18538 technological civilizations may rely upon larg... 44 developing general purpose robots overarching ... 9895 agile localization anomalous events plays pivo... 16401 using combination analytic numerical methods s... 18780 present observations taufunction fourth painle... 19105 let fn denote nth fibonacci number relative in... 6422 explore extended cosmological scenario dark ma... 10760 known unconfined dust explosions consist relat... 8722 since unveiling schemaorg become de facto stan... 9085 random column sampling guaranteed yield data s... 15122 recently introduced mixed timeaveraging semicl... 13816 learning representations disentangle underlyin... 18992 combination highcontrast imaging highdispersio... 8730 twoline elements tles continue sole public sou... 1087 despite effectiveness convolutional neural net... 16065 companion paper developed efficient algebraic ... 856 radio interferometric positioning system rips ... 4702 schemes automatic cover song identification fo... 19229 explore largescale population indoor interacti... 16067 study impact quenched disorder random exchange... 11919 employ hybrid approach determining anomalous d... 11578 formulate n soliton solution wadatikonnoichika... 11682 revisit problem characterizing eigenvalue dist... 3393 recent work cohen emphet al achieved stateofth... 14105 present generalization bound feedforward neura... 6320 report ionoptical system serves microscope ult... 6958 paper address bounded cardinality hub location... 11778 work presents evaluation study using force fee... 17195 introduce multimodal neural machine translatio... 16373 multipath communications internet scale myth l... 8170 multiway rendezvous introduced theoretical csp... 16397 recent successful methods accurate object dete... 15936 detecting feature interactions imperative accu... 7527 modern search techniques either cannot efficie... 13474 reconstructing network connectivity collective... 19107 consider class fractional stochastic volatilit... 15508 propose multiobjective framework learn seconda... 8763 integral scheme efficient evaluation twocenter... 3405 examined effects embedded pitch adapters signa... 3817 video analytics requires operating large amoun... 1182 illegal insider trading stocks based releasing... 2053 deep neural networks commonly developed traine... 14792 case classical hill problem numerically invest... 16740 propose simple objective evaluation measure ex... 5216 present practical approach processing mobile s... 16266 act experience programming heart fundamentally... 16454 paper proposes ultrawideband uwb aided localiz... 7327 chariklo small solar system body confirmed rin... 9981 paper formalize notion distributed sensitive s... 7948 piecewise deterministic markov processes pdmps... 9925 automatic classification trees using remotely ... 15080 reverse spacetime rst sinegordon sinhgordon no... 14077 preventable medical errors estimated among lea... 17120 numerical analysis perspective assessing robus... 812 show presence magnetic field two superconducti... 9272 paper study methods estimating causal effects ... 563 introduce new version simprop monte carlo code... 6529 recent developments quaternionvalued widely li... 18709 prove zagiers conjecture regarding adic valuat... 3315 highly automated robot ecologies hare societie... 17876 aim characterize lipschitz functions variable ... 16203 paper considers problem recovering either low ... 12324 energy statistics proposed szkely inspired new... 3208 paper find upper bound cprank matrix tropical ... 3702 define kind moduli space nested surfaces mappi... 12176 present simple encoding unlabeled noncrossing ... 16720 examine perturbation method selftrapping gmode... 8354 thermal gradients induce concentration gradien... 13307 design energyefficient access networks emerged... 19661 virtual network services span multiple data ce... 14419 paper establishes almost sure convergence asym... 11818 inspired work henn lannes schwartz unstable al... 4115 study spatiotemporal instability generated uni... 9048 present catalogue candidate halpha emission ab... 7524 machine learning statistics often desirable re... 7181 article dedicated estimation wasserstein dista... 18795 identifying community structure complex networ... 15443 structure based ligand discovery one successfu... 10422 one ultimate goals biology understand design p... 744 artificial intelligence methods often applied ... 9282 demonstrate successful experimental implementa... 3725 applying deep learning methods mammography ass... 14947 affine toric variety mathrmspeca give convex g... 17263 popularity linked open data lod associated ris... 10499 paper present new r package coreclust dedicate... 803 training neural networks involves finding mini... 15555 chapter highdimensional abc appear forthcoming... 3615 develop assumeguarantee contract framework des... 2308 thesis study problem feature learning heteroge... 15059 let pdots pn qdots qn convex polytopes mathbbr... 19052 motivated applications protein function predic... 7504 microwave kinetic inductance devices mkids poi... 2346 propose homotopy continuation method called fl... 7821 demonstrate potential deep learning methods me... 18842 paper study extension problem sublaplacian hty... 15922 implementation discontinuous galerkin finite e... 4985 many realworld objects designed smooth curves ... 13366 give asymptotic formula number biquadratic ext... 1457 photodetector may characterized various figure... 2003 analyze problem learning single users preferen... 7495 topological insulator bise doped electrons sup... 10075 many systems structured argumentation explicit... 10613 distributions dark matter baryons universe kno... 18127 study growth entanglement entropy density matr... 10869 social networks typical attributed networks no... 2351 structure composition electrophysical characte... 18154 paper provide update concerning operations nas... 341 consider channel given input distribution aim ... 3508 present series definitions theorems demonstrat... 3295 previous cnnbased video superresolution approa... 7613 parametric imaging compartmental approach proc... 20896 group g set cellular automaton ca transformati... 5528 precise localization nanoparticles within cell... 2859 paper presents novel concept analyzes visualiz... 346 one basic skills robot possess predicting effe... 17242 multilabel image classification fundamental ch... 6290 perpetual points pps special critical points m... 13821 discuss higher dimensional generalizations dim... 8784 paper introduces parametric levelset method to... 5047 students may find spline interpolation easily ... 3498 humans adept recognizing class input instance ... 2605 carried transient nonlinear transport measurem... 14136 building interactive tools support data analys... 5975 discuss nature symmetry breaking associated co... 7584 let f nonarchimedean local field study restric... 2145 pillared graphene frameworks novel class micro... 12543 paper optimized efficient vlsi architecture pi... 20305 softwaredriven cloud networking new paradigm o... 10610 latest measurements cmb electron scattering op... 19654 mixture models around years intuitively simple... 1355 describe fully data driven model learns perfor... 10125 community detection clustering fundamental tas... 3455 end user privacy critical concern organization... 7326 gaussian graphical models used throughout natu... 14344 purpose note explain analytical history modula... 10959 study neuroinspired model mimics discussion in... 13458 present paper use theory exact completions stu... 5305 study problem semantic code repair broadly def... 13993 present dltk toolkit providing baseline implem... 3111 diversificationbased learning dbl derives coll... 971 everything world connected things becoming int... 7442 given two deep neural networks dnns similar ar... 20782 mac address randomization privacy technique wh... 6350 work calculate convergence rate finite differe... 11436 learning reproducing kernel hilbert spaces rkh... 6248 fitzhughnagumo equation provides simple mathem... 6148 establish new connection value policy based re... 4007 paper consider problem machine teaching invers... 7535 pairing symmetry interacting dirac fermions pi... 718 todays databases previous query answers rarely... 3128 randomizedfeature approach successfully employ... 10764 reachability analysis hybrid systems active ar... 19303 normalized maximum likelihood nml one importan... 2519 dielectric microstructures generated much inte... 9251 possibly infinite fixed family graphs f say gr... 16643 paper consider final state problem nonlinear s... 3922 dynamics quantum vortex torus knot cal tpq sim... 6405 paper describes decision procedure disjunction... 12690 motion capture widelyused technology robotics ... 7898 emission molecular ion h powerful diagnostic u... 8596 study exponential convergence stationary state... 3958 paper develop new accelerated stochastic gradi... 13526 paper produce cellular motivic spectrum motivi... 11498 brain signal data inherently big massive amoun... 12536 web archiving services play increasingly impor... 14241 prove smooth projective algebraic variety dime... 7946 propose general framework nonasymptotic covari... 15594 theoretical study currentdriven dynamics magne... 18103 present study andreev quantum dots qdots fabri... 4896 transport charged carriers regimes strong none... 2041 paper propose image encryption algorithm based... 13037 interest finding minimum additive generating s... 8441 topological linkprediction exploit entire netw... 15841 little known different types advertising affec... 5711 computational design optimization fluid dynami... 13836 describe progress towards new common framework... 7026 consider nonparametric testing nonasymptotic f... 11299 mosquitoes major vector malaria causing hundre... 2622 identify multirole logic new form logic conjun... 12538 deep learning methods achieve stateoftheart pe... 3113 field braincomputer interfaces poised advance ... 14975 consider estimation accuracy individual streng... 18548 notes introductory lectures graduate school to... 13338 consider kuser multipleinputsingleoutput miso ... 13218 xo project aims detecting transiting exoplanet... 3485 convolutional neural networks cnns massively i... 8915 industries integrate machine learning socially... 10981 works presents formulation visual navigation u... 2724 condensate spin atoms frozen unique spatial mo... 4149 study problem estimating size independent sets... 18744 many phase ii trials solid tumours patients as... 20116 examine possibility dark matter dm contributio... 14608 clinical trial registries used monitor product... 6434 reliable identification molecular biomarkers e... 12631 answer two questions raised bryant francis ste... 3473 several applications slicing require program s... 16164 longstanding goal behaviorbased robotics solve... 5446 recent terrorist attacks carried behalf isis a... 17000 earlier work helen wong author discovered cert... 7134 probabilistic atlases provide essential spatia... 18856 identification stuxnet worm provided highly pu... 13958 compute free energy planar monomerdimer model ... 12343 new modelindependent compact representations i... 3682 neural machine translation nmt recently become... 2361 present effective harmonic density interpolati... 13864 paper investigates power control relay selecti... 20468 study growth degrees many autonomous nonautono... 538 online video services messaging systems games ... 19212 films cukinse coevaporated varied kkcu composi... 16942 order preserving pattern matching oppm problem... 10909 experimentalists observed phenotypic variabili... 4442 evaluating human brain potentials watching dif... 1604 propose bioinspired agentbased approach descri... 12943 introduce study problem optimizing arbitrary f... 4696 propose new selection rule coordinate selectio... 4140 particle identification belle ii experiment pr... 6309 prevalence online media attracted researchers ... 16355 problem estimating highdimensional sparse vect... 4771 motion photon emission electrons superlattice ... 4375 propose novel automatic method accurate segmen... 2797 paper proposes joint framework wherein lifting... 10300 taking image question input method output text... 14895 topology order parameter magnon condensate obs... 17293 extend previously introduced semianalytical re... 20072 mechanism ion bombardment induced magnetic pat... 15301 rutherford cable production wires plastically ... 15112 global recruitment radical islamic movements s... 6871 let c simply laced generalized cartan matrix g... 18549 firms keep capital offer sufficient protection... 17757 cosmology near future promises measurement sum... 4724 establish boundary maximum principle free boun... 290 paper aims explore models based extreme gradie... 13631 acid solutions exhibit variety complex structu... 8304 outoftimeorder oto operators recently become p... 18688 inspired recent work carleo troyer apply machi... 3488 compare global high resolution resistive magne... 12724 report magnetic properties zinc ferrite thin f... 9201 organisms ability move freely fundamental beha... 4740 complete proof given relative interpretability... 12139 let x locally compact abelian group character ... 17847 multiferroic bifeo cycloidal antiferromagnetic... 7068 nickel oxide nio studied extensively various a... 1215 publishing reproducible analyses longstanding ... 2412 paper considers nonhermitian zakharovshabat zs... 19512 present robust deep learning based degreesoffr... 1114 gaussian processes gps powerful nonparametric ... 11666 consider graph vertices bitstrings length n ex... 15696 investigate lowenergy scaling behavior interac... 20225 use publicly available data millennium simulat... 16443 report muon spin relaxation musr measurements ... 5337 short article presents summary netscied networ... 20372 present study lowfrequency radio properties st... 1624 report point contact andreev reflection pcar m... 13326 collaborative filtering often suffers sparsity... 16270 investigate effect disorder potential exciton ... 15858 biomedical sciences increasingly recognising r... 4904 music multifaceted stimulus evolving multiple ... 11881 paper interested problem learning overcomplete... 8743 wikipedia articles representing entity topic d... 6428 report structural susceptibility specific heat... 11092 many machine learning applications multiple de... 17261 paper experimentally demonstrate realtime soft... 14977 paper prove uniqueness radial symmetry minimiz... 1862 paper consider nonlocal energy ialpha whose ke... 13812 analyse multilevel monte carlo method approxim... 14708 paper design analyze new zerothorder online al... 16962 paper addresses automatic generation typograph... 2084 propose new method evaluate gans namely evalga... 4774 recognizing human activities sequence challeng... 13874 constrain models highmass star formation hersc... 5456 latentvariable model introduced text matching ... 3821 method efficiently successive cancellation sc ... 3669 reinforcement learning rl successfully used so... 19553 achieving superhuman playing level alphago cor... 7375 offensive antagonistic language targeted indiv... 1489 paper develop new firstorder method composite ... 20060 demonstrate photonic phononic crystals consist... 10087 social conventions govern countless behaviors ... 20278 recurrent neural networks various types hidden... 2408 klavs f jensen warren k lewis professor chemic... 14929 ensemble averaging experiments may conceal man... 10780 spinspin correlation function response low ele... 13415 introduce new feature map barcodes arise persi... 8599 paper introduce new characterizations spectral... 10835 long range movement certain organisms presence... 9656 anyangle pathfinding problem goal find shortes... 13305 present analytic selfsimilar solutions one two... 17762 hightransmissivity alldielectric metasurfaces ... 9226 automatic machine learning performs predictive... 18466 using among things fourier analysis techniques... 5732 paper propose new framework segmenting feature... 5163 provide requirements effectively enumerable to... 11732 context gravitational lensing time delay metho... 1512 consider global consensus problem multiagent s... 14974 diverse sharing economy platforms fair marketp... 4143 topological shape analysis proposed utilized l... 5005 work investigates application unmanned aerial ... 8238 work consider quantum generalization task cons... 8602 topological phases matter considered bedrock n... 10224 absolutely koszul algebras class rings finite ... 9384 paper presents humanrobot trust integrated tas... 17803 show ensemble qfunctions leveraged effective e... 7873 study riemannhilbert problems associated donal... 2781 describe procedure naturally associating relat... 6223 single measurement vector smv models widely st... 17194 motivated theory quasideterminants study nonco... 14981 compute modular transformation formula charact... 10989 study stability electroweak vacuum lowscale in... 18799 obtain alternative explicit specht filtrations... 16297 immense amount daily generated communicated da... 3633 consider network design problem random arc cap... 5952 collect representative corpora major periods c... 17141 define extremal length elements fundamental gr... 1611 last years extensive literature focused ell pe... 2893 dempstershafer evidence theory wildly applied ... 15272 consider minimization submodular functions sub... 8818 paper show shear modulus mu isotropic elastic ... 3947 graph laplacian standard tool data science mac... 10730 birkhoff conjecture says boundary strictly con... 19920 analysing text algorithms computing superstrin... 11074 show zamolodchikov dynamics recurrent quiver z... 14521 shown solvable subgroup g almost simple group ... 13265 propose gradientbased method quadratic program... 1729 number recent papers provided evidence practic... 3509 study global consequences halos spiral galaxie... 9003 series papers bartelt coworkers developed nove... 20200 good parameter settings crucial achieve high p... 14538 report g r band observations interstellar obje... 12917 study equilibrium properties catalyticallyacti... 12058 basic problem information theory following let... 10206 present approach adaptively utilize deep neura... 16667 present easeml declarative machine learning se... 5112 deformation estimation elastic object assuming... 6551 financial crime rampant hidden threat spite pr... 7030 introduce new approach aiming computing approx... 14771 affine policies control widely used solution a... 5921 paper describes general framework learning hig... 3507 time reversal one intriguing yet elusive wave ... 10908 characterizing patients progression stages sep... 8344 smart sensing expected become pervasive techno... 1901 given set n points p plane first layer l p for... 17695 recently wide range smart devices deployed var... 9989 often time spent finding model works well rath... 2842 prove killing rate certain degreelowering recu... 5817 given pseudoword suitable pseudovarieties asso... 20507 consider generalizations sylvester matrix equa... 13491 present first polynomialtime approximation sch... 6145 relational reasoning central component general... 15002 stationary stellar systems radially elongated ... 10408 problem highdimensional largescale representat... 2518 one defining properties deep learning models c... 17089 contrast wellknown methods matching asymptotic... 2420 note show mutation theory species potential de... 11629 mobas represent huge segment online gaming gro... 13142 significant amount search queries originate re... 4667 introduce new dynamical system sequentially ob... 7924 article prove first eigenvalue inftylaplacian ... 4003 endogenous adaptation agents may adjust local ... 3396 automatic analysis ultrasound sequences substa... 17274 reinhardt conjectured shape centrally symmetri... 7337 support vector data description svdd popular t... 16683 introduce arbitragefree framework robust valua... 14533 apply three data science techniques nonnegativ... 11743 paper introduce analyse langevin samplers cons... 13115 ideally enabling multitenancy network virtuali... 6650 prove generalization result bhargava regarding... 12715 prove along marked point green function meromo... 1535 due economic globalization countrys economic l... 13225 robots typically possess sensors different mod... 5992 consider mesoscopic fourterminal josephson jun... 19776 show convex differentiable loss function deep ... 13681 strong interaction known exist edgecolored gra... 7020 study problem propagation regularity solutions... 7363 arguably biggest challenge applying neural net... 20029 present semiparametric spectral modeling compl... 3165 mobilephones facilitated creation fieldportabl... 351 let r associative ring unit denote krm r mboxp... 10888 stochastic differential equations sdes increas... 13613 paper present extensions interpolation arithme... 16049 show contrast free electron model standard bcs... 10958 problem twodimensional steady water waves vort... 15872 short note obtain error estimates riemann sums... 20716 paper contains two parts description real elec... 10387 paper present approach select subset requireme... 2621 consider problem reconstructing signals images... 18236 rapidly growing product lines services require... 6418 recently g freiman herzog p longobardi maj pro... 503 recent years number methods verifying dnns dev... 14817 batyrev constructed family calabiyau hypersurf... 3739 starting dataset inputoutput time series gener... 16642 safe interaction human drivers one primary cha... 18928 work address problem disentanglement factors g... 10584 purpose note propose new approach probabilisti... 9532 convective mixing heliumcoreburning hecb stars... 16903 paper develop framework innovative perceptive ... 16939 suppose yn obtained observing uniform bernoull... 119 kolmogorov constructed general theory defines ... 11521 let e closed set riemann sphere widehatmathbbc... 5170 report existence stability freely moving solit... 3335 influenza remains significant burden health sy... 6281 extend approach wall modeling via function enr... 13316 markov regime switching models widely used num... 13243 core technique used popular proxybased circumv... 11513 study problem semisupervised question answerin... 17790 smallscale topological structure airline netwo... 11753 obtained oh spectra four transitions pi ground... 5865 deployment deep neural networks dnns safety se... 4072 construct fundamental solutions secondorder pa... 720 b weiss introduced notion measurably entire fu... 17127 introduce new setting population agents modell... 4015 consider importance sampling estimate probabil... 11633 implementation optimal power flow opf methods ... 4048 describe method identify poor households datas... 4417 deep reinforcement learning drl shown incredib... 1371 system n particles chemical medium mathbbrd st... 13176 fixed point iterations play central role desig... 4325 let regular ring containing field characterist... 12203 paper devoted investigation following function... 11696 chondrules primitive materials solar system fo... 9710 study observed relation accretion rate terms l... 16276 backpressure algorithm widely used distributed... 17400 inference loglinear models scales linearly siz... 16511 let complement plane quartic curve defined num... 14195 matrix completion problem arises many dataanal... 9075 autoregressive models among best performing ne... 18192 paper develop distributed intermittent communi... 208 regularity earthquakes destructive power nuisa... 3248 big data sets must carefully partitioned stati... 4037 study anisotropic undersampling schemes like u... 2998 bacterial genome organized structure called nu... 7840 develop computational method regiosqm predicti... 12357 introduce new gametheoretic semantics gts moda... 8013 determinantal point processes dpps distributio... 12406 paper introduce rational tau invariant rationa... 17365 consider multiview data completion problem ie ... 18844 measuring domain relevance data identifying se... 5458 consider problem highdimensional misspecified ... 11029 first derive general integralturnpike property... 9613 arctic coastal morphology governed multiple fa... 19883 apply largescale computational technique known... 6216 summarizes recent work wakefields impedances f... 9676 phenomenon polarization nuclei process stimula... 16215 note show given irreducible binary quadratic f... 4110 paper studies problem remote state estimation ... 8187 article investigate first order reparametrizat... 4128 simpletriangle graph intersection graph triang... 2703 ferromagnetic semiconductors fmss properties f... 4291 modern aircraft may require order thousands cu... 2579 let p prime pgroup g defined semiextraspecial ... 11107 digital traces leave behind engaging modern wo... 2020 introduce statistical method investigate impac... 20667 paper concerned linear quadratic lq short opti... 17746 harms allocation increasingly studied part sub... 1427 prove mathematically rigorous way asymptotic f... 7696 wave theories heating chromosphere corona sola... 9210 paper consider filtering smoothing partially o... 10978 modern cities growing ecosystems face new chal... 15162 almost sure hausdorff dimension limsup set ran... 18900 nature bipolar gammaray fermi bubbles fb still... 18312 highly distributed training deep neural networ... 16117 report first experimental demonstration freque... 4680 show quandle coverings sense eisermann form re... 4463 introduce abstract notion closed necklical set... 194 paper consider hamiltonian system combining no... 18668 computational method based ellminimization pro... 14994 future generation networks internet things iot... 5545 newtons method finding unconstrained minimizer... 19568 paper review evolutionary history deep learnin... 18063 prove analogue hardylittlewood conjecture asym... 12807 show weak comparison principle ultrapower axio... 16516 report result campaign monitor hatsouth candid... 11532 electric thermal transport properties nu fract... 14470 report easy versatile route synthesis parent p... 15815 weak attractive interactions spinimbalanced fe... 9536 recent discovery pyrite feo important ingredie... 9814 show analogy high curvature fr r arn br theory... 11592 context information technology consumes worlds... 16185 present investigation intrinsic magnetic prope... 1393 investigate relation kinematic morphology intr... 2946 procedure design fixedgain tracking filters us... 4097 determine information scrambling rate lambdal ... 16855 study data model data matrix expressed l c l l... 3847 construct linear system nonlocal game played p... 4447 global pairwise network alignment gpna aims fi... 4610 current approaches knowledge distillation kd e... 8658 critical applications anomaly detection includ... 11217 transition metal oxides tmos complex electroni... 10428 technological developments alongside vlsi achi... 16553 blockchain systems designed produce blocks con... 13624 introduce multicolour partition algebras pnmde... 20942 outlier detection plays essential role many da... 14405 investigate principle way progressively mine d... 323 present first general purpose framework margin... 17671 report experimental observation filamentation ... 17065 exoplanets smaller neptune numerous nature pla... 9899 ttette graphs relative ttette graphs introduce... 423 bendavid shelah proved lambda singular strongl... 12560 learning regression function using censored in... 3222 background models cancerinduced neuropathy des... 12181 report extension keras model called ctcmodel p... 12214 fast detection terahertz radiation great impor... 2202 previous studies shown filamentary structures ... 1201 pseudo healthy synthesis ie creation subjectsp... 3043 quantum transport studied nonequilibrium ander... 19027 present results investigation magnetic propert... 4156 proliferation social media fashion inspired ce... 15757 work find equation relates ricci curvature rie... 20967 machine learning finding increasingly broad ap... 7775 escard simpson defined notion interval object ... 4949 paper concerned application finite element met... 8478 gravitational wave observations eccentric bina... 3848 note corrects mistakes splicing formulas paper... 7301 around year centenary plancks thermal radiatio... 17865 tensor network methods taking central role mod... 8727 foreign policy analysis struggling find ways m... 13579 let k field paper investigates embedding dimen... 18571 developed polynomialtime algorithms generate t... 5195 omega centauri ngc hosts hundreds pulsating va... 12796 polystyrenebased phosphorene nanocomposites pr... 12777 give sufficient conditions groups generated au... 17786 new electron beamoptical procedure proposed qu... 2199 heavytailed errors impair accuracy least squar... 9517 numerous institutions organizations need prese... 16483 multivariate probit model mvp popular classic ... 9504 plethora available classification performance ... 19406 quantitative extraction highdimensional mineab... 5770 promise compressive sensing cs offset two sign... 11063 introduce new cosmic emulator matter power spe... 16719 opioid addiction severe public health threat u... 14107 work introduce moldavian romanian dialectal co... 10031 consider problem recovering superposition r di... 15221 construct family vertex algebras associated fa... 14102 spectral clustering found extensive use many a... 5960 present extension monte carlo tree search mcts... 3282 work mainly consider dynamics scattering narro... 11761 paper proposes new approach construct high qua... 6641 period polynomials long fruitful tools study v... 20379 present paper investigate influence retarded a... 9770 numerical experimental turbulence simulations ... 1297 beyond worstcase synthesis problem introduced ... 2177 redundancy universal lossless compression disc... 2480 second series papers construct invariant fourd... 9367 define two algebra automorphisms qonsager alge... 2008 report diffusion monte carlo results groundsta... 20494 investigate possibility extending nonfunctiona... 12834 multivariate singular spectrum analysis mssa v... 16797 present method scalable fully magnetic field s... 10663 consider problems robust pac learning distribu... 9939 identify study number new rapidly growing inst... 3533 canards special solutions ordinary differentia... 20616 present class simple algorithms allows find re... 843 second order conic programming socp used model... 16851 following present example illustrative experim... 18367 propose onedimensional model collecting lympha... 34 artificial neural network computation relies i... 12030 pair creation cosmic infrared background subse... 5286 regular variation often used starting point mo... 12480 propose lbfgs optimization algorithm riemannia... 6164 binary neural networks bnn studied extensively... 16570 sparse stochastic block model sbm two communit... 7850 learning auxiliary tasks shown improve general... 7198 combination recent emerging technologies netwo... 13592 paper promote method evaluation surface topogr... 9577 main topic considered maximizing number cycles... 18948 propose ambiguity problem foreground object se... 20834 evaluation complexity convexly constrained opt... 19854 goal article clarify meaning computational thi... 19377 implement coupled cluster method high orders a... 2826 investigate task clustering deeplearning based... 7784 let lk finite galois extension number fields g... 12105 emerging era personalized medicine relies medi... 11212 investigations higherorder type theories relat... 20470 availability big data recorded massively multi... 2334 discuss several issues related classical space... 15377 set density functionals coming different rungs... 2641 paper introduces method efficiently inferring ... 8873 breakthrough starshot aims sending nearspeedof... 12968 present high energy xray diffraction studies s... 18281 understanding visual scene goes beyond recogni... 1730 examine nature possible orbits physical proper... 20825 derive macroscopic dynamics selfpropelled part... 6417 computation tropical prevariety first step app... 7247 interactions pm meteorological factors play cr... 1815 motivated question whether recently introduced... 606 paper proposes new actorcriticstyle algorithm ... 1503 paper prediction linear systems missing inform... 5371 paper demonstrate connection magnetic storage ... 6067 recent years increasing number observational s... 18834 material mixing induced rayleightaylor instabi... 484 demonstrate first application deep reinforceme... 8824 reliable physiological function maintained cel... 14071 pseudogap phase superconductors continues outs... 218 provide graph formula describes arbitrary mono... 10038 kernel pca widely used nonlinear dimension red... 11429 recent years variation autoencoders become one... 12660 introduce form new minor release symbolic mani... 11597 debris disk morphology wavelength dependent du... 9690 let h semisimple algebraic group k maximal com... 19079 consider submanifolds riemannian manifold meta... 15290 recently resources tasks proposed go beyond st... 12382 daya bay experiment consists eight identically... 17559 paper provides generating series embedding tre... 15797 rapidly growing number large network analysis ... 3189 class imbalance challenging issue practical cl... 828 natural extension compressive sensing requirem... 14364 pretraining models pruning algorithms plays im... 10363 outlier detection cluster number estimation im... 10399 key task bayesian statistics sampling distribu... 16868 preexposure prophylaxis prep consists use anti... 6091 lower bound rate decrease time uniform radius ... 4880 paper motivated two important applications ent... 5814 paper present promising accurate prefix boosti... 15245 present novel algorithm learning spectral dens... 8575 possible understand whether given bps spectrum... 15778 despite attractive features congruentmelted li... 10466 probabilistic description essential understand... 17780 correspondence definable connected groupoids t... 3482 natural disasters catastrophic impacts functio... 14374 fundamental challenge developing semantic pars... 13035 molecular dynamics solid benzene extremely com... 3912 present nonlocal electrostatic formulation non... 9851 paper first establish new explicit estimates c... 438 theory mind ability attribute mental states be... 7554 remote sensing experiments require highaccurac... 3045 semilagrangian methods numerical methods desig... 9362 general neural networks currently capable lear... 20346 triple array rectangular array containing lett... 9520 online social networks people often express at... 2929 cooling rotation vibration molecules broadband... 11272 generative adversarial networks gans promising... 20289 many approaches testing configurable software ... 11631 migration planets nearly circular noninclined ... 9639 consider finite point subsets distributions co... 16091 since tweet limited characters ambiguous diffi... 15414 method model averaging become important tool d... 13206 many realworld timeseries analysis problems ch... 14986 combine conditions found wh results mpr show q... 13988 undertaken algorithmic search new integrable s... 11886 present unique application oxram devices cmos ... 11198 supermassive black holes known coevolve host g... 10336 introducing simplified transport model outer l... 10246 advanced virgo detector uses two monolithic op... 16403 classical linear blackscholes model pricing de... 18753 agent modelling involves considering agents be... 15478 problem analyzing number number field extensio... 16088 even though transitivity central structural fe... 17454 give counterexample vector generalization cost... 4842 present principled approach uncover structure ... 15172 address task ranking objects people blogs vert... 696 estimates hubble constant h distance ladder co... 520 smart cities growing trend many cities argenti... 20850 simplify construction projection complexes due... 8178 recently deep reinforcement learning rl method... 962 report experiments agarose gel tablet loaded c... 18822 study problem designing distributed functional... 9999 give generalization theorem silverman stephens... 2140 vision systems eagle snake outperform everythi... 6225 categorization necessary many decision making ... 2950 active particles interact hydrodynamically dis... 2301 paper propose use quantum genetic algorithm op... 13202 tree inclusion problem given two nodelabeled t... 9512 subspace estimation unknown colored noise fact... 12114 transmission lines vital components power syst... 14945 applied researchers often construct network ra... 5554 understanding dynamics social interactions cru... 2467 quality assurance performance qualification la... 9213 modeling interpreting spike train data task ce... 13976 upcoming skalow radio interferometer sensitive... 11282 monic polynomial dx even degree express sqrt l... 4852 generalized pareto distribution gpd plays cent... 20919 light recently proposed scenario asymmetryindu... 3142 new system ivector speaker recognition based v... 14667 introduce class theories called metastable inc... 14553 meticulous assessment risk extreme environment... 3950 speechreading task inferring phonetic informat... 1290 twodimensional discrete wavelet transform huge... 4983 virtual reality vr emerges mainstream platform... 7717 many statisticians citizens outcome recent us ... 3458 studying internal structure complex samples li... 5570 rational solutions painlevii equation appear s... 12705 last decades seen unprecedented increase avail... 4981 consider multivariate nonparametric regression... 13165 prove realization formula model formula analyt... 12912 provide first information theoretic tight anal... 6467 discrete moment problem foundational problem d... 6098 widelyaccepted need revise current forms healt... 17644 compact modeling interdevice radiationinduced ... 8968 recently supervised hashing methods attracted ... 18056 let f nonarchimedean locally compact field stu... 20892 paper focus comtype negative binomial distribu... 11764 field discrete event simulation optimization t... 8466 letter reports successful use feedback spin po... 1692 show partial transposes complex wishart random... 11223 consistent demand better performance lead inno... 12088 link theory optimal transportation theory inte... 19432 study dimensionfree lp inequalities rvariation... 3941 learning domaininvariant representations conte... 20814 reexamine interactions dark sectors cosmology ... 7552 data rates percentages proportions arise frequ... 15412 compute effects generic shortrange interaction... 11568 improve existing lower bounds hyperbolic dimen... 12525 graphs commonly used construct representing re... 2266 main properties climate waves seasonally iceco... 11897 generalizations classical theta functions prop... 2267 estimating covariances financial assets plays ... 16501 regression analysis multivariate data tacitly ... 313 computer vision made remarkable progress recen... 4309 paper concerned generation gaussian invariant ... 11959 dual crises subprime mortgage crisis global fi... 7048 registration tremor performed two groups subje... 15320 genomics life science research data volume who... 251 linear timeperiodic ltp dynamical systems freq... 12264 disruptive power blockchain technologies repre... 13591 growing digital archives improving algorithms ... 15278 present construction hilbert space sections bu... 14703 network embeddings become popular learning eff... 17423 variational inference latent variable models p... 17476 approximate vanishing ideal new concept comput... 1710 online fraudsters invest resources including p... 9849 microwave cavities sikivietype axion search su... 18984 focus autonomously generating robot motion day... 13220 electrified viscocapillary jet shows different... 7477 chapter show use differential coding presence ... 9511 general spacetime evolution scattering inciden... 738 paper exhibit morse geodesics often called hyp... 16308 population recovery problem basic problem nois... 1580 present flash textbffast textbflsh textbfalgor... 4982 paper presents unsupervised method learn neura... 5418 propose new class universal kernel functions a... 17932 supercontinuum generation using chipintegrated... 12614 paper perform formal asymptotic analysis kinet... 20456 convolution greens function differential opera... 14177 wireless rechargeable sensor networks consisti... 9748 paper presents study use convolutional neural ... 12381 show zeroth coefficient cables homfly polynomi... 10628 remote sensing atmospheres distant worlds moti... 14416 study decay small solutions borninfeld equatio... 2127 consider problem matching applicants posts app... 12341 group elements alkali metals li na k rb cs exa... 4941 investigate exoplanetary distributions using n... 16845 propose las vegas transformation markov chain ... 10826 scientific legacy code matlaboctave compatible... 4730 paper active learning goal reduce data annotat... 5548 study superconductornormal statesuperconductor... 5385 present new model explain difference transport... 7609 paper proposes multichannel source separation ... 15847 solid collaboration developed intelligent read... 4590 consider researcher estimating parameters regr... 6647 given smooth nontrapping compact manifold stri... 2710 work propose fit sparse logistic regression mo... 18377 early attempts apply asteroseismology study ga... 18169 private information retrieval pir protocols ma... 13416 aim paper derive several new integral represen... 5980 consider schrdinger operators periodic potenti... 127 paper propose practical receiver multicarrier ... 18325 propose intuitive method called timedependent ... 19031 paper presents method optimization multicompon... 3971 linear boltzmann equation nonautonomous collis... 13896 letter report systematic construction lattice ... 17142 investigate properties ground state light quar... 10301 paper examine physical layer security cooperat... 16872 despite increasing use social media platforms ... 7931 seminal work several macroscopic market observ... 2312 prevention domestic violence dv aroused seriou... 20945 finitely presented ended group g semistable fu... 13784 paper reformulated spell correction problem ma... 13018 bayesian responseadaptive designs unbalance ra... 17202 test mass charging caused cosmic rays signific... 9687 report development versatile cryogenfree labor... 19446 resemblance methods used quantummany body phys... 12657 report heterogeneous nucleation catalystfree i... 9750 model evaluation process making inferences per... 6267 investigate largesample properties treatment e... 9014 heat generally transfer via thermal conduction... 3616 paper presents active search trajectory synthe... 1006 consider statistical problem recovering hidden... 3169 complex ornsteinuhlenbeck ou processes various... 19169 present bounded model checking technique highe... 19774 paper first design time optimal control proble... 8020 radiobiology studies effects galactic cosmic r... 5050 paper optimal power flow opf problem augmented... 2930 numerous pattern recognition applications form... 20887 sparse subspace clustering ssc one current sta... 8729 j makowsky b zilber showed many variations gra... 12823 consider halfsoliton stationary state nonlinea... 20134 propose demonstrate novel laser cooling mechan... 7755 spectrally efficient multiantenna wireless com... 16730 generating molecules desired chemical properti... 4347 controlled generation text high practical use ... 20006 paper studies electricity market consisting in... 20531 physical media like surveillance cameras socia... 4230 review possible mechanisms energy transfer bas... 2879 hyperparameter tuning black art automatically ... 7698 interesting significant importance investigate... 20593 enormous progress made variational autoencoder... 6725 let rmathfrakm ddimensional cohenmacaulay loca... 19395 paper introduce easily verifiable sufficient c... 18130 release two artificial datasets simulated flyi... 6356 study finitesize fluctuations network spiking ... 4770 coded distributed computing cdc introduced li ... 13895 digital games one major important fields enter... 18771 examine impact adversarial actions vehicles tr... 8072 present new compressed representation free tra... 6392 following success computer vision areas deep l... 3638 paper present concolic execution technique det... 12308 machinelearning techniques widely used securit... 7839 selftaught learning technique uses large numbe... 10316 paper considers laplace method derive approxim... 10632 online multiple testing problem pvalues corres... 12599 flexibility short dna chains investigated via ... 1606 bismuth substituted lutetium iron garnet blig ... 16592 generalise surface cluster algebras case infin... 9262 pet image reconstruction challenging due illpo... 2602 biomedical events describe complex interaction... 14511 semisymbolic controlexplicit datasymbolic mode... 20033 present comprehensive account proton radiation... 11812 consider steady nonlinear free surface flow pa... 19453 consider framework aggregative games cost func... 2112 study problems clustering outliers high dimens... 4448 present quantu spin liquid state spin honeycom... 15722 paper presents multipose face recognition appr... 2503 reversible jump markov chain monte carlo rjmcm... 5841 extracting characteristics training datasets c... 451 progress along line ref phys rev bf functional... 6532 magnetic nanoparticles promising systems biome... 8503 relationship communicating automata session ty... 1640 propose simple algorithm train stochastic neur... 5107 investigate new class topological antiferromag... 18529 present algorithm construction step wavelets l... 11924 anisotropy friction force proved important fac... 3798 set called recurrent minimal automaton strongl... 4322 use data extreme radio scintillation demonstra... 4579 associate monoidal category mathcalhlambda dom... 11337 show hitchin representation determined spectra... 15608 study effects quantum fluctuations dynamical g... 6848 key problem modelling evolution dynamics infec... 5048 present monte carlo mc gridbased model drying ... 8143 mathfrakp subseteq mathbbzzeta prime ideal p p... 6983 consider problem deep neural net compression q... 6020 polarizationbased filtering fiber lasers wellk... 15498 paper consider multistage stochastic optimizat... 18885 paper study optimal convergence rate distribut... 7559 paper explores discrete dynamic causal modelin... 13123 normality assumption data set restrictive appr... 19106 based formation mechanisms dirac points threed... 1807 radio astronomy observational facilities const... 5567 work generalization pregrss inequality establi... 5849 first develop general framework signless lapla... 459 ongoing progress quantum theory emphasizes cru... 15705 study optical forces acting upon semiconductor... 13768 report status cybersecurity assessment tools c... 1027 study magnetic taylorcouette flow system nondi... 16981 study changes opinions vaccination together ev... 12887 present matrixfactorization algorithm scales i... 18144 prove exceptional group e hurwitz group course... 2583 article concerns expressive power depth neural... 16927 abundance metals galaxies key parameter permit... 18470 recovery multispecies oral biofilms investigat... 14301 show topology protect exponentially localized ... 3528 one challenges testing gravity cosmology vast ... 9606 recent years correntropy applications machine ... 20410 many database columns contain string numerical... 20917 nowadays modern earth observation programs pro... 13248 work introduces class rejectionfree markov cha... 8819 paper study rational sections relative picard ... 14033 article present automatic method charge mass i... 6421 paper extend known results analytic connectivi... 11406 employing ab initio calculations discuss chemi... 1981 anisotropic displacement parameters adps commo... 17917 present paper dedicated global wellposedness i... 3559 write unified fashion using rp q random coding... 17730 quest towards expansion max design space accel... 14717 given connected real lie group contractible ho... 20465 thermoelectric energy conversion exploitation ... 17413 paper study new type spatial sparse recovery p... 14020 paper presents kinematic analysis ppps paralle... 18226 present study reports interesting findings reg... 18775 social media tweets emerging platforms contrib... 7753 discuss derivation lowenergy effective field t... 5081 study surnames linguistic geographical markers... 12365 tourism industry significant impact worlds eco... 13430 branch flow model bfm used formulate ac power ... 8757 closure partitioning principles used build var... 180 numerical method particleladen fluids interact... 19186 aim getting closer performance animal musclesk... 3519 forecasts mortality provide vital information ... 9881 primarily study special weighted lowrank appro... 18233 crosslingual text classificationcltc task clas... 980 recently proposed selfensembling methods achie... 9334 analyze knowledge autonomously handle one type... 17405 lj savage hoped show superficially incompatibl... 17979 stochastic gradient descent sgd popular stocha... 2647 firstorder optimization algorithms often prefe... 12927 construct special class lorentz surfaces pseud... 9614 classification problems sampling bias training... 1978 deep networks often perform well data distribu... 1034 neural networks random hidden nodes gained inc... 688 propose robust gesturebased communication pipe... 15754 blind spots one causes road accidents hilly fl... 9616 architectures debris disks encode history plan... 16649 present models singleparticle dispersion verti... 2935 rectangle packing problems given task placing ... 13384 infectious disease outbreaks recapitulate biol... 15492 arrangements particles forces granular materia... 8048 recurrent neural networks extensively studied ... 5194 paper study hyersulam stability integral equat... 17067 open set recognition osr almost existing metho... 18963 higherorder logic programming interesting exte... 8645 construct local generalizations state potts mo... 13259 probabilistic timed automata ptas timed automa... 14267 prove integrability dispersionless hirota type... 8350 extended biquaternionic diracs equation includ... 18859 analyze rank gradient finitely generated group... 409 work propose endtoend deep architecture jointl... 10129 paper origin generalized uncertainty principle... 3000 consider spatially extended systems interactin... 1510 paper use interior functions hierarchical basi... 18782 article explore algorithm diffeomorphic random... 10711 propose two semiparametric versions debiased l... 2150 motivated applications arise online social med... 2323 context past decade sensitive resolved sunyaev... 10223 star chromatic index multigraph g denoted chis... 6536 global integration information brain results c... 7721 paper addresses problem estimating presence ra... 20193 wellgenerated complex reflection groups chapuy... 7802 consider initial value problem fractional nonl... 14516 biological organisms cope stochastic variation... 20673 today deal many data big data need make decisi... 866 paper describes implementation lbfgs method de... 16726 maximum regularized likelihood estimators mrle... 2171 consider navierstokes flow dimensional exterio... 18148 deal hypersurfaces framework ndimensional rela... 993 anomaly detecting important technical cloud co... 5746 present new solution problem classifying type ... 4629 soft gamma repeaters anomalous xray pulsars th... 19366 present new approach design doptimal experimen... 1166 distances sequences based kmer frequency count... 18595 consider relative error low rank approximation... 1827 demand single photon sources lambdamum follows... 14980 consider complements standard seifert surfaces... 15613 propose soaalloc dynamic object allocator sing... 19674 analyse simple extension sm additional scalar ... 13651 ammonium halides present interesting system st... 18690 extend deep important results lichnerowicz con... 2115 mathsflembedding graph vertex represented math... 7745 control ultracold collisions neutral atoms ext... 2458 data assimilation widely used improve flood fo... 6062 investigate nature magnetic phase transition i... 13664 propose novel online alternating minimization ... 15204 work based essential linear analysis carried c... 19579 impacts climate change felt critical systems i... 19514 distributed storage systems locally repairable... 14810 method density elimination generalized noncomm... 7459 useful machine learning quantum laboratory rai... 14094 exploiting deep generative models remarkable a... 3794 introduce metric mutual energy adelic measures... 9924 perform tasks specified natural language instr... 326 topological quantum computing information enco... 18869 micropanel data collected analysed many resear... 12838 past acoustic scene classification systems bas... 12014 paper establishes first performance guarantees... 19185 measurements element abundances galaxies astro... 18814 paper explore connection convergence distribut... 2992 g algebraic group type al algebraically closed... 18550 angleresolved photoemission arpes experiments ... 8796 paper presents analysis impact floatingpoint n... 13254 education increasingly framed competence minds... 6384 combination surface science techniques stm xps... 16979 given infinitycategory c one naturally constru... 20560 concepts tools network theory socalled lagrang... 13002 underactuated lightweight tensegrity robotic a... 4772 present hydrodynamic simulations hot cocoon pr... 14012 anomaly detection database management systems ... 6228 motivated description nurowskis conformal stru... 18674 study algebraic structures virtual singular br... 5314 explore potential future cryogenic direct dete... 17366 consider problem gridforming control power con... 18597 using negative gradient flow approach generali... 322 superconductorferromagnet sf heterostructures ... 5564 recently increased computational power data av... 20071 hd excellent target investigate signs planetdi... 8908 present conceptually simple flexible general f... 5893 technological parasitism new theory explain ev... 383 visualizing complex network computationally in... 6506 discuss ramsey property existence stationary i... 14197 influence bsite ion substitutions xbinatioxbat... 7596 theoretically investigate normalstate properti... 1805 gaussian process gp regression widely used sup... 18580 principal component analysis pca successful di... 4844 article consider completely multiplicative seq... 8852 domain shift refers well known problem model t... 1911 introduce two new bootstraps exchangeable rand... 15566 integers n k density halesjewett number cnk de... 5846 group g rmathbb zmathbb zpmathbb q denote hat ... 13266 let abelian variety defined global function fi... 9801 present work deals study structural ferroelect... 7712 visinelli gondolo hereafter vg derived analyti... 14694 many stateoftheart reinforcement learning rl a... 9391 boseeinstein condensates becs confined twodime... 2617 establish four supercongruences truncated f hy... 16368 system development often involves decisions hi... 10411 hard xray emission solar flare typically chara... 12325 finitesupport constraint parameter space used ... 2450 net contribution strange quark spins proton sp... 3948 paper propose modified version simulated annea... 10818 consider problem estimating mutual information... 12068 candecompparafac cp decomposition leading meth... 7449 pervasive belief regard differences human lang... 11135 important preprocessing step data analysis pip... 2898 obtain essential spectral gap convex cocompact... 14940 construct fixed parameter algorithm parameteri... 8965 analysed fluxflow region isofield magneto resi... 7434 aainfty estimate improving previous result arx... 1747 paper deals homotopy theory differential grade... 13942 study longrange longtime behavior reactivetele... 14476 investigate superconductivity may exist doped ... 6798 asteroids primitive solar system bodies evolve... 6687 deep learning form machine learning nonlinear ... 5227 gaussian markov random fields used large numbe... 19103 present easytouse pythonbased framework allows... 17118 italy adopted performancebased system funding ... 4343 predictions based densityfunctional calculatio... 10571 recent advances enabled object reconstruction ... 18204 injective polynomial modules general linear gr... 12930 baconbo presents system whose co ions effectiv... 2698 dark matter interactions standard model partic... 5925 perform numerical study fmodel domainwall boun... 17925 demographic studies suggest changes retinal va... 13201 peer code review continuous integration often ... 10605 present functional form erdsrenyi law large nu... 9792 consider problem identifying groups mutually a... 5532 address problem finding influential training s... 8124 given unconstrained stream images captured wea... 9349 paper legendre curves unit tangent bundle give... 17497 paper introduce system unsupervised object dis... 17851 work conduction ionwater solution two discrete... 12956 study class determinant inequalities closely r... 1554 recent years mems inertial sensors acceleromet... 19335 study rewriting equational theories context sy... 3226 let piq arbitrary finite projective plane orde... 11898 challenge molecular quantum dynamics qd calcul... 11364 recent technological development enabled resea... 8898 investigate structures consist countable set t... 11243 family mathcal fsubset nchoose k usq fldots fs... 9313 investigate extent weak equivalences model cat... 9985 propose datadriven framework optimizing privac... 11551 almost twenty years ago er fernholz introduced... 17435 present probabilistic language model timestamp... 20213 separating audio mixtures individual instrumen... 6590 article develop methods estimating low rank te... 4518 investigate dynamically adapting tuning scheme... 16598 define homology theory virtual links built dir... 11648 finite volume complete hyperbolic manifold qua... 18930 observe certain kind algebraic proof covers es... 20564 study following nonlocal diffusion equation he... 18027 smillie proved interesting result stability no... 20355 regularization techniques widely employed opti... 11548 popular bfgs quasinewton minimization algorith... 15692 paper sparse markov decision process mdp novel... 20015 faster rcnn one representative successful meth... 16975 sequence calgebra called completely sidon span... 20363 relate counting honeycomb dimer configurations... 8639 periodic solutions three body problem importan... 20375 studying flockingswarming behaviors animals on... 9395 understanding characterizing subspaces adversa... 8570 stress seen physiological response everyday em... 11152 address problem cameratolaserscanner calibrati... 6369 magnetic signature urban environment investiga... 6517 consider optimalefficient power allocation pol... 1527 methods access large relational databases dist... 1788 paper describes open source software oss proje... 2848 prove finite jet determination finitely smooth... 31 brakke introduced mean curvature flow setting ... 3434 cardiac indices estimation great importance id... 631 recent work representation functions sets cons... 8157 atomicsize spin defects solids unique quantum ... 9397 given dimensional scheme projective space math... 14481 continuous appearance shifts changes weather l... 11512 demonstrate active tuning alldielectric metasu... 10904 polymer models used describe chromatin folded ... 12741 define multiblock interleaved codes codes allo... 9056 completely characterize unimodal category func... 20000 influence dzyaloshinskiimoriya interaction spi... 16290 tensor given tensor space said hidentifiable a... 12610 problem groups prime power order vol berkovich... 12090 book introduces temporal type theory first kin... 20586 paper use classical electrodynamics show loren... 2534 one challenges modelbased control stochastic d... 12104 develop acbiased shift register introduced pre... 14814 deep learning remarkably successful perceptual... 19792 paper presents robotic pickandplace system cap... 10645 previously sevencluster pattern claiming unive... 3106 dynamic secondary spectra many pulsars show ev... 8670 former paper authors introduced two new system... 5352 study supersymmetric partition function times ... 13235 show dynamics higgs field inflation affected m... 15163 power electronics shrinks submicron scale ther... 18524 electron spectrometer spede developed employed... 6440 baksneppen model lowest fitness particle two n... 247 present work study bayesian nonparametric infe... 6491 generation artificial data based existing obse... 10753 paper investigates role tutor feedback languag... 14415 consider problem planning closed walk mathcal ... 6045 given kinmathbb n study vanishing dirichlet se... 10992 past years action mathrmpglmathbb fq set irred... 2392 exploiting fullduplex fd technology base stati... 655 animal world competition individuals belonging... 6919 biological systems typically highly open noneq... 10444 met offices weather climate simulation code un... 2559 novel topological phases correlated electron s... 18866 spaces constant linear quadratic splines maxim... 15148 paper studies scenarios cyclic dominance coevo... 3784 paper present homological model coloured jones... 17920 study generation matterantimatter asymmetry bo... 6137 main result paper fixed point formula equivari... 14435 prove generalised fibonacci group frn infinite... 13781 consider semantics prepositions revisiting bro... 14307 investigate effect explicitly enforcing lipsch... 3388 generative adversarial networks gans become po... 12624 show patterns abelian sandpile stable proof co... 16176 analysis conjugate natural convection surface ... 13355 consider quermassintegral preserving flow clos... 6195 paper bruno salvy author introduced measured m... 928 let r local ring dimension buchweitz asks rank... 16888 paper consider problem attackresilient state e... 20140 propose search galactic axions mass microev us... 10718 study word conjugacy problems lacunary hyperbo... 13802 paper describe novel local algorithm large sta... 16480 paper presents recently published cerema awp a... 4824 models applied real time response task like cl... 19536 dataefficient algorithms reinforcement learnin... 9594 important problem machine learning statistics ... 6712 describe neutrino flavor e electron u muon tau... 3634 consider infinite chain masses connected neare... 11159 highperformance computing resources constant i... 14634 counterpart classical yamabe problem fractiona... 1398 clustering mixtures gaussian distributions fun... 19977 recent research implies training inference dee... 13982 thermalization hot carriers phonons gives dire... 13309 person reidentification reid aims matching ima... 11665 bulk sensitive hard xray photoelectron spectro... 16674 investigated way predict gender name using cha... 2767 synthesized new iron oxyarsenides klnfeaso ln ... 6246 consider optimal stopping problem constraint p... 20258 translating formulas linear temporal logic ltl... 11118 partandparcel study multiplicative number theo... 115 gene regulatory networks powerful abstractions... 11913 help planning intervehicular communication net... 4219 interplay spinorbit coupling soc electron corr... 14213 estimating tail index parameter one primal obj... 17723 let g finite group let pdotspn distinct primes... 7922 paper conducts rigorous analysis provable esti... 3588 attempt elucidate operating voltage increase i... 3115 paper generalized notion lambdaradial contract... 9568 factor graphs important models succinctly repr... 16897 topological insulator surfaces proximity super... 7700 study effective versions unlikely intersection... 8849 gaussian polytope mathcal pnd convex hull n in... 19172 various alexandrovfenchel type inequalities ap... 17471 paper introduce dicod convolutional sparse cod... 3699 paper explored effects dissipation dynamics ch... 2119 previous experiments open turbulent flows eg d... 10470 recent years several powerful techniques devel... 13177 prior work addressed problem optimally control... 12163 multiserver distributed queueing systems acces... 12981 let omegasubsetmathbbrn minimal gaussian surfa... 7704 document describes code perform parameter esti... 7497 let gr denote metaplectic covering group linea... 15191 singleuser multipleinput multipleoutput sumimo... 19871 eliminating duplicate data primary storage clo... 9006 partially observable markov decision processes... 3002 understanding mechanism heterojunction importa... 7538 paper proposes original statistical decision t... 1337 recent advances learning deep neural network d... 16321 aim comment show anisotropic effects image fie... 11081 investigate minimum cases realtime probabilist... 3489 algorithms detecting communities complex netwo... 11495 great progress recently formally specifying me... 16426 advanced satellitebased frequency transfers tw... 13108 develop procedures based minimization composit... 8256 predicting cheapest sample size optimal strati... 1433 provide lpversus linftybounds eigenfunctions r... 1870 initiate algorithmic study following structure... 16675 information technology used widely many aspect... 18890 study asymptotic properties conditional least ... 20791 stateoftheart text detection methods specific ... 13552 performed geometric pulsar light curve modelin... 17305 deep learning techniques hugely successful tra... 18599 topological defects unavoidably form symmetry ... 14413 make basic observations hard takeoff value ali... 16623 propose generic algorithmic building block acc... 15130 problem nongaussian component analysis ngca fi... 12376 diving induces large pressures water entry acc... 5350 solvothermal intercalation ethylenediamine mol... 7150 time converge steady state finite markov chain... 2712 paper considers use machine learning ml medici... 19389 dimensional riemannian manifold equipped circu... 2754 removal noise typically correlated time wavele... 19824 jiangmen underground neutrino observatory juno... 18358 paper studies sobolev regularity estimates wea... 19269 study extent infer users geographical location... 2043 recent advances analysis subband amplitude env... 10853 graphs prevalent tool data science model inher... 15306 problem efficiently characterizing degree sequ... 20063 inherent noise observed eg scanned binary docu... 17835 perform direct numerical simulations shockwave... 1599 theoretical predictions pressureinduced phase ... 17503 number contributors online peerproduction syst... 11976 study quantum phase transitions nickel pnctide... 11635 photoelectron spectrum water recorded vicinity... 13343 classify ergodic invariant random subgroups bl... 7606 given crossing minimal chart gamma minimal cha... 14273 henrik bruus professor labchip systems theoret... 5716 brains need predict body reacts motor commands... 1147 distribution grid moves toward tightlymonitore... 12571 bounded smooth domains omegasubsetmathbbrn nin... 8785 large volume genomics data produced daily basi... 16248 goal paper examine experimental progress laser... 1768 report application femtosecond fourwave mixing... 17057 paper presents method generate high quality tr... 13198 recent data indicate one moderately nearby sup... 18020 synthetic dimensions alter one fundamental pro... 3571 hydra headeronly templated ccompliant framewor... 18902 distribution sum rth power standard normal ran... 20621 unsupervised learning techniques computer visi... 14283 onesided matching mechanisms fundamental assig... 19452 present blind multiframe imagedeconvolution me... 18640 volume transmission important neural communica... 12612 greenbergerhornezeilinger ghz argument provide... 20893 contextual bandit algorithms minimize regret b... 7808 propose reduction nonconvex optimization turn ... 18307 largescale multiobject tracker based generalis... 6462 study human connectome vertices edges network ... 1635 study influence degree correlations network mi... 7132 screening surface charge electrolyte resulting... 14200 shown controlled moran constructions mathbbr i... 11342 ego networks proved valuable tool understandin... 5853 nvidia volta gpu microarchitecture introduces ... 2277 paper studies role dglie algebroids derived de... 2141 present web service querying embedding entitie... 4445 recent years car makers tech companies racing ... 1891 tightly analyze sample complexity cca provide ... 3213 paper describes micro fluorescence situ hybrid... 16396 optical ir spectra acquired using detectors fi... 11142 dictionary learning component analysis part on... 7502 topological group g bamenable every continuous... 6730 present indepth study behaviour fast folding a... 12959 effective field theory dark energy modified gr... 10480 recent experimental discovery threedimensional... 14358 clinicallyrelevant forms acute cell injury inc... 10993 provide novel notion means interpretable looki... 17316 work investigate onedimensional paritytime pts... 1350 following presentation proof hypothesis image ... 16120 recent work learning ontologies hierarchical p... 3965 paper consider phase retrieval problem herglot... 7568 location radio pulsars periodperiod derivative... 18955 based convex leastsquares estimator propose tw... 14266 paper resilient controller designed linear tim... 2796 leakage polarized galactic diffuse emission to... 12514 study problem learning overcomplete hmmsthose ... 9976 learning network representations variety appli... 12825 revisit present status stiffness supranuclear ... 13788 new method developed deal problem complex dece... 18175 paper cyber attack detection isolation studied... 20377 recent turn towards quantitative textasdata ap... 18393 deep networks thrive trained large scale data ... 3394 catastrophic events though rare occur occur de... 6547 introduce new technique determining xray fluor... 7330 study multiple hypothesis tracking mht algorit... 1063 fifth generation g telecommunication system go... 20576 using representation theory cherednik algebras... 265 present paper consider numerical methods solve... 12579 consider problem detecting deformation symmetr... 9822 recent publication appl opt method twodimensio... 16539 deep learning enabled traditional reinforcemen... 4199 mas vee proved independently almost every inte... 11518 traditional supervised learning makes closedwo... 16985 deep generative models recently shown great pr... 10742 investigate stability manybody localized mbl p... 13663 natural social humanrobot interaction essentia... 20813 speech enhancement se aims reduce noise speech... 14290 correlation functions dimer operators product ... 19998 present resolution images co associated contin... 6603 many application settings involve analysis tim... 11982 important task developing verification system ... 6685 report inelastic neutron scattering measuremen... 3376 accurate estimates mortality rate umr developi... 5685 valiant showed complexity class vpe families p... 6933 possibility realizing nonabelian excitations n... 15115 many complex systems represented networks prob... 3769 partial differential equations distributional ... 4574 bcklund transformation bt good boussinesq equa... 5553 weighting pvalues wellestablished strategy imp... 20446 humans ultimate ecosystem engineers profoundly... 54 computing basis exponent lattice algebraic num... 13231 restricted boltzmann machines key tools machin... 15499 constrained model predictive control mpc widel... 16867 randomly generated programs popular testing co... 4564 feasibility pumps highly effective primal heur... 20133 introduce framework using generative adversari... 695 particular type fourkink multisolitons quadron... 6706 seirs epidemic disease fatalities introduced g... 17983 novel sparsitybased algorithm audio inpainting... 3585 paper considers utility optimal power control ... 14400 augmenting neural network memory grow without ... 1261 analyzing energyefficient management data cent... 9876 paper proposes signaturebased approach solving... 16144 study continuoustime assetallocation problem f... 9929 let ksubset knot x ssetminus k complement math... 10154 online trust systems playing important role to... 11487 technological developments call increasing per... 13311 survey compare various generalizations braid g... 20842 integrable optics innovation particle accelera... 6903 introduce new model describing multiple resona... 11041 information extraction user intention identifi... 20675 social networking sites twitter provided great... 13484 present spectroscopic observations c ii lambda... 1530 describe approach understand peculiar counteri... 2238 quest performant networks significant force dr... 13792 sigmapisigma neural networks spsnns kind higho... 1163 overfitting happens number parameters model la... 8668 sparse variational approximations allow princi... 7333 belief propagation algorithms instruments used... 2388 dynamics infectious diseases spread crucial de... 14648 paper assess predictive power selfconsistent h... 139 electronic health records ehr data generated r... 6162 building recent theory established connection ... 5394 consider class participation rights ie obligat... 2876 distributed ledger technologies rely consensus... 3233 computational thinking ct described essential ... 19712 classifying point clouds large amount time dev... 4282 stardust grains recovered meteorites provide h... 9767 debris discs evidence ongoing destructive coll... 8644 consider problem choosing parametric models di... 11507 performed simulations solid molecular hydrogen... 6577 introduce twostep procedure context ultrahigh ... 11838 monomolecular drug carriers based calixnarenes... 14278 bandt pompe introduced permutation entropy tim... 4269 goal paper extend classical multiplicative fra... 14926 expression dimensionless dissipation rate deri... 15501 recently endtoend models become popular approa... 4252 separating two sources audio mixture important... 15170 derive general expressions resonant inelastic ... 1712 topology power grid affects dynamic operation ... 17703 experience replay key technique behind many re... 8830 paper give new sparse interpolation algorithms... 6141 heterogeneity one important feature complex sy... 3351 show equations reinforcement learning light tr... 10870 c nuclear magnetic resonance measurements perf... 18176 paper study nonself dual extended harpers mode... 20515 blind source separation model multivariate tim... 4265 experimental records active bundle motility us... 12598 concentration result quadratic form independen... 10765 lasso biased concave penalized least squares e... 16948 paper provides global optimization algorithms ... 14613 classification time series data challenge comm... 11385 purpose paper point new connection information... 10018 fock representation propose framework construc... 4068 semitutorial paper first review informationthe... 7125 based experimental traffic data obtained germa... 10648 describe nef vector bundles projective space f... 19473 lack efficiency urban diffusion debated issue ... 13582 linear attention recurrent neural network larn... 18598 show every countable group h solvable word pro... 13616 tackle problem constructive preference elicita... 18641 mixture factor analyzers model first introduce... 5045 given constant vector field z minkowski space ... 3694 following text introduce specification propert... 6311 singular values products standard complex gaus... 5379 study multiparty communication complexity high... 18174 consider forecast aggregation problem repeated... 15665 let mathbbk infinite field prove variety antic... 8200 programming languages besides c provide native... 8156 prefrontal cortex known involved many highleve... 10250 reward shaping one effective methods tackle cr... 3529 let free hyperplane arrangement ziegler showed... 9393 stellar clusters form gravitational collapse t... 16452 rgeq mathbfn mathbbzgeqr setminus mathbf const... 1227 paper suggest macroscopic toy system potential... 20081 deep reinforcement learning enables algorithms... 11888 discuss potential advantages calculating effec... 5701 parafac multimodal factor analysis model suita... 6357 study static distributions ferrofluid submitte... 15671 paper present first results pilot experiment c... 4672 actin cytoskeleton active semiflexible polymer... 5139 aim paper investigate nonrelativistic limit in... 6097 investigation reversibility directional hierar... 5836 classify dispersive poisson brackets one depen... 9345 path integrals describing quantum manybody sys... 10166 sensing reciprocating cellular systems sars im... 10262 delay tolerant networking dtn approach network... 10819 wigner functions forming phase space represent... 3704 spectral topic modeling algorithms operate mat... 16760 present proof concept solving complexvalued de... 17867 exploration bonus derived novelty states envir... 12788 study one dimensional ttj model generic coupli... 6074 paper analyse convergence properties vcycle mu... 5971 context substantial fraction protoplanetary di... 19787 complex networks graphs ubiquitous sciences en... 4387 introduce lamp linear additive markov process ... 15750 present results smoothed particle hydrodynamic... 5764 musical programming languages developed purely... 9144 graphs widely used model execution dependencie... 1522 give bordered extension involutive hfhat use g... 8675 starting anosov chaotic dynamics geodesic flow... 5557 linear optimal power flow lopf algorithms use ... 9102 study behavior deep policy gradient algorithms... 12691 varphi psi two continuous realvalued functions... 2174 function baire space natural numbers called fo... 13229 given vertex interest network g vertex nominat... 2571 present muse kmos dynamical study starforming ... 1202 given poset p standard closure operator gammaw... 210 largescale datasets played significant role pr... 14568 work exact solutions equation describes anomal... 7665 let atomic monoid let x nonunit element elasti... 4556 consider problem phase retrieval ie solving sy... 7936 two complex vector bundles admitting homomorph... 2153 weyl semimetals wsms recently attracted great ... 1450 modern networks huge sizes well high dynamics ... 16862 analyze motion rod floating weightless environ... 9398 dft used throughout nanoscience especially mod... 4548 let mg compact manifold let delta phik lambdak... 4510 paper obtain bounds mordellweil ranks cyclotom... 16046 present multiwavelength compilation new previo... 424 real scarf ii potential discussed radial probl... 8114 consider problem identifying profitable produc... 3532 investigate asymptotic behavior sequences gene... 16892 research challenge current wireless sensor net... 15065 address question concerning birational geometr... 3018 staphylococcus aureus responsible nosocomial i... 7974 review recent progress modeling credit risk co... 7920 besides huge technological importance fluidize... 14167 consider regression problem labeled data obser... 1061 context commutative differential graded algebr... 12056 introduce web strongly correlated interacting ... 7085 linear carbon chains common various types astr... 6926 work aimed determine characteristics activity ... 6049 chapter highluminosity large hadron collider h... 20600 main result paper discrete lawson corresponden... 17402 report bright solitons generalized grosspitaev... 20226 support vector machines svm kernel techniques ... 327 defveccboldsymbol design polynomial time algor... 7827 interaction thin structures incompressible new... 9923 difficult humans efficiently teach robots corr... 9561 stability power networks increasingly importan... 1962 introduce class affine forward variance afv mo... 8801 block coordinate update bcu methods enjoy low ... 9123 number weak consistency mechanisms developed r... 8174 maximal equilibriumindependent passivity meip ... 15581 last decade researchers engineers developed va... 11935 exchange hole principle constituent density fu... 8116 work magnetoresistance mr ultrathin wtebn hete... 88 transistors incorporating singlewall carbon na... 8327 feature model widely used capture commonalitie... 5990 segmental duplications sds lowcopy repeats lcr... 2229 paper develops theory feasible estimators fini... 13426 recent era prediction enzyme class unknown pro... 7223 design multistable rna molecules important app... 2616 paper viewed complement earlier result paper m... 5116 present family algorithms reduce noise astroph... 17555 paper describe problem painter classification ... 1572 motivated proposal topological quantum paramag... 18507 consider homogeneous equation mathcal u mathca... 10152 liquid film wetting interior long circular cyl... 15782 paper provides efficient solutions maximize pr... 11815 era vast spectroscopic surveys focusing galact... 1056 extraction system csns mainly consists two kin... 6340 generalize bridge analysis synthesis estimator... 1084 paper show unprecedented method accelerate tra... 3350 complex computer simulators increasingly used ... 2026 hamiltonian monte carlo emerged standard tool ... 15769 confidence fundamental concept statistics tend... 12590 present enumeration orientablyregular maps aut... 12274 early researchers careers difficult assess goo... 10689 japanese comic format known manga popular worl... 18577 study bivariate stochastic recurrence equation... 13294 comparing two distributions often helpful lear... 20191 due capability reduce turbulent transport magn... 1205 design jammingresistant receiver scheme enhanc... 8300 high planetary multiplicity revealed kepler im... 1443 investigate magnetic properties multiferroic q... 11977 consider defocusing nonlinear wave equations n... 2457 anatomical biophysical modeling left atrium la... 11876 prove following generalization classical lichn... 9502 paper consider isotropic stationary maxstable ... 8180 propose deep learning model identifying struct... 17411 present method calculating complex green funct... 19859 present method derive density scaling relation... 5348 concurrent separation logics helped significan... 11209 extended dynamic mode decomposition edmd algor... 6504 comment paper study problems encountered grang... 13908 system modeling bacteriophage treatments coinf... 20089 model development turbulent shear flows create... 15655 anomaly detection aims detect abnormal events ... 11225 across smartgrid smartcity applications proble... 19215 cost attending college steadily rising years e... 13480 present work seeks analyse altmetric performan... 11024 introduction deep neural networks history 10752 let gamma convex cocompact discrete group isom... 3310 previous works relationship hermites two appro... 9136 paper investigate potential estimating soilmoi... 20268 hawkes process class point processes whose fut... 10712 smallcell deployment licensed unlicensed spect... 6388 topic models extensively used organize interpr... 11860 models simulate environments change response a... 20856 consider problem robust inference important ge... 17300 introduce deephits rotation invariant convolut... 5106 given characteristic define character siegel m... 8247 order machine learning deployed trusted many a... 3047 nearestneighbor search dominates asymptotic co... 19481 study relationship performance practice analyz... 12626 traction force kite used drive cyclic motion e... 7201 recently modelfree reinforcement learning algo... 18262 direct imaging suggests jovian exoplanet aroun... 1943 revisit study phenomenology associated burst p... 7341 create release first publicly available commer... 14641 comparison observed brain activity statistics ... 3919 compacted tree graph created binary tree repea... 16471 modified gramschmidt mgs orthogonalization one... 12229 present study connection brightest cluster gal... 15255 study dynamics overdamped brownian particles d... 2608 paper proposes privacypreserving distributed r... 3323 cataloging challenging crowded fields sources ... 5549 skyrmion racetrack design proposed allows ther... 12135 accurately modeling contact behaviors realworl... 12198 online experiments fundamental component devel... 6286 rise fall artificial neural networks well docu... 14628 size planet observable property directly conne... 4999 show translation surface regular point contain... 16582 sumproduct networks recently emerged attractiv... 9798 purpose study evaluation relationship differen... 7109 established existence multiplicity solution re... 19080 superconducting electronic devices reemerged c... 221 based optical highresolution spectra obtained ... 3421 long linear codes constructed toric varieties ... 3277 define lmeasure set dirichlet characters analo... 17783 bayesian optimization sampleefficient method f... 576 report method control positions ellipsoidal ma... 7217 web advertising traffic operation trafficking ... 10914 molecular beam epitaxy technique used deposit ... 10919 collective behavior active semiflexible filame... 14809 let fcolon uniformly quasiregular selfmapping ... 15559 task translating programming languages differs... 7814 study parity selmer ranks family quadratic twi... 499 matrix said possess restricted isometry proper... 19167 bioinformatics tools developed interpret gene ... 8673 foundations equilibrium thermodynamics equatio... 16031 note present new proof cyclotomic integers con... 14402 solve deep metric learning problems producing ... 10755 realtime traffic flow prediction provide trave... 14494 zdextensions probabilitypreserving dynamical s... 3171 define dirac operators mathbbs mathbbr magneti... 6105 fix monic polynomial fx mathbb fqx finite fiel... 14323 allpay auctions common mechanism various human... 15381 examine velocity profile coherent vortices app... 4977 study different concepts stability modules fin... 15447 image registration fundamental issue multispec... 16243 use sparse precision inverse covariance matric... 3502 propose novel approach allocating resources ex... 18137 exist number mathematical approaches modeling ... 15342 security exploits include cyber threats comput... 14830 fast iterative soft thresholding algorithm fis... 7621 exchange interaction magnetic ions charge carr... 6132 silent speech challenge benchmark updated new ... 20333 quasiparticle excitations fese studied means s... 12120 paper develop generalized likelihood ratio sca... 13758 one compelling features gaussian process gp re... 4166 aim work propose first coarsegrained model bac... 19745 paper studies synchronization finite number ku... 466 recent studies diffusionbased sampling methods... 6224 dynamical materials capable responding optical... 59 study query complexity cake cutting give lower... 9563 networks observed real world like social netwo... 5304 report highresolution neutron compton scatteri... 4742 generalize twisted quantum double model topolo... 4031 convolutional neural networks cnns recently em... 3570 boundtobound data collaboration bbdc provides ... 19548 prove generalization davenportheilbronn theore... 13556 investigate separation properties npoint confi... 344 paper evaluate accuracy deep learning approach... 19241 show rashba spinorbit coupling interface super... 3429 present tight analysis wellstudied randomized ... 4197 present horndroid new tool static analysis inf... 10494 anisotropy febased superconductors much smalle... 17750 consider bayesian model inversion observed amp... 10607 paper demonstrate application fuzzy markup lan... 12364 lexical features major source information stat... 18829 network analysis needs tools infer distributio... 12616 present novel view nonlinear manifold learning... 1632 deep learning dl advances stateoftheart reinfo... 20421 discrminative trackers employ classification a... 8025 paper introduce new framework detect elephant ... 15666 present properties magnetooptical trap mot caf... 8937 introduce kinetx fully automated metaalgorithm... 5453 paper introduce zhusuan python probabilistic p... 878 landau collision integral accurate model small... 11576 regularization important endtoend speech model... 18014 control complex networks significant challenge... 14647 place recognition challenging problem mobile r... 8474 dirichlet kpartition domain u subseteq mathbbr... 16698 work study kmeans cost function euclidean kmea... 6275 study boundary conditions topological sigma mo... 12524 paper study moments central values hecke lfunc... 3887 object present paper study invariant submanifo... 14627 recently discovered classical novae emit gev g... 15929 investigate mixed conic quadratic optimization... 11262 remoteness sun harsh conditions prevailing sol... 1402 paper exhibit tradeoffs training sample comput... 14163 consider hardcore model finite triangular latt... 664 many signals cartesian product graphs appear r... 7290 article consider parametric bayesian inference... 10864 machine learning going era celebrated success ... 4821 cryptocurrencies foundation technology blockch... 5245 rise connected personal devices together priva... 6143 world health organization reported million dea... 16710 prove first rigidity classification theorems c... 19340 describe approximation continuous dynamical sy... 6332 quantum reactive scattering calculations repor... 5250 investigate generalizability deep learning bas... 826 setting highdimensional linear regression mode... 11297 first consider additive brownian motion proces... 19137 paucity videos current action classification d... 200 topological morphologyorder zeros positions el... 5019 traditional face editing methods often require... 2405 society faces fundamental global problem under... 7486 hiv rna viral load vl important outcome variab... 18968 study stability coupled impedance passive regu... 13219 standard modelfree deep reinforcement learning... 10999 statistical algorithm categorizing different t... 10790 study effect uniform external magnetization pw... 15466 classical descartes rule signs limits number p... 7177 recent trends miniaturizing oxidebased devices... 2766 classical principle probability theory suffici... 898 simple dnabased data storage scheme demonstrat... 6187 construction meaningful graph topology plays c... 9432 two popular modelling paradigms computer visio... 11230 paper primarily concerned asymptotic behavior ... 14731 illustrated recent years superstorm sandy nort... 15186 finitedifference timedomain fdtd method well e... 2851 entropy random variable wellknown equal expone... 1453 key resource distributed quantumenhanced proto... 4639 set points n fixes planar convex body k points... 2315 recent research revealed output deep neural ne... 17864 article provides first survey computational mo... 20540 magnetically tunable feshbach resonances ultra... 20785 fitting linear regression models computational... 17425 learning would convincing method achieve coord... 2505 show mfold connected sum mmathbbcmathbbpn admi... 8590 explore relation urban road network characteri... 11839 visual surveillance systems necessary recogniz... 12281 report results broadband mum nearinfrared spec... 1092 recent studies highlighted vulnerability deep ... 4489 nearfuture electric distribution grids operati... 8109 investigate spinbrauer diagram algebra denoted... 10132 feature engineering crucial step process predi... 6198 wellknown exploiting label correlations import... 9229 simplest model magnetized infinitely thin elec... 11078 endtoend training automated speech recognition... 17168 introduce new class mean regression estimators... 14920 present discussion hierarchy toda flows gives ... 8373 extreme cold weather living organisms produce ... 2265 machine learning techniques used past using mo... 18151 decision making process extremely prone differ... 20824 deep learning dl creates impactful advances fo... 5508 prove mild assumptions lattice product semisim... 6293 paper scheme encryption decryption colored ima... 10510 tetrachiral materials characterized cellular m... 12749 paper considers general rankconstrained optimi... 5621 consider problem sequentially making decisions... 7744 antihydrogen forefront antimatter research cer... 4338 flutter machine introduced investigation singu... 17813 acute respiratory infections epidemic pandemic... 6161 develop extended multifractal analysis based l... 2247 brms package allows r users easily specify wid... 13432 group discussions way individuals exchange ide... 2752 optimization plays key role machine learning r... 10155 study collapse pebble clouds statistical model... 4547 note indecomposable canonical forms linear sys... 11018 marchenko redatuming novel scheme used retriev... 16204 speech separation task separating target speec... 16816 convolutional neural networks cnns become stat... 19699 present sample sim emission line galaxies z si... 11015 increasing interest use millimeter wave bands ... 12810 highlyadaptivelassohaltmle efficient estimator... 12423 let compact manifold gammapim work thurston cu... 15698 increasing abundance digital footprints left h... 1282 paper gives upper lower bounds minimum error p... 9358 report first time observation bunching monoato... 18705 normalized subband adaptive filter nsaf widely... 13590 submission investigates alternative machine le... 16437 world wide web www fundamentally changed ways ... 6824 mobile crowdsourcing promising service paradig... 6613 generalization coordinated transaction schedul... 19860 advertisements unavoidable modern society time... 6455 students introduced navigation general longitu... 17161 consider problem finding confidence intervals ... 11535 p based vx communication uses stochastic mediu... 2676 paper develop new approach discriminant comple... 3778 scientific evaluation determinant scientists i... 20735 introduce intertwining operators among twisted... 17218 interplay superconductivity charge density wav... 15015 consider multicomponent widomrowlison metropol... 9530 partially observable environments present impo... 7719 study spectrophotometric properties highly mag... 18969 paper consider estimation mean vector multivar... 11988 deep generative models variational autoencoder... 10690 optical spectrum liquid water analyzed subsyst... 11827 computation semantic similarity concepts impor... 19390 modern software systems provide many configura... 11596 propose probabilistic model aggregate answers ... 7468 note establish following second main theorem t... 10319 co capture storage important technology mitiga... 12017 buhrman showed efficient communication protoco... 3710 study problem estimating unknown vector theta ... 20538 cosmological relaxation electroweak scale prop... 9222 although deep learning models proven effective... 5043 investigate perturbative thermodynamic geometr... 19500 report empirical study main strategies conditi... 11060 efficiency intracellular cargo transport speci... 7049 accurate real time crime prediction fundamenta... 10803 despite long history meteor science understand... 13275 solution space many classical optimization pro... 19273 graph inference methods recently attracted gre... 6427 paper explore use unsupervised methods detecti... 19168 given nonconvex function average n smooth func... 14148 kustaanheimostiefel ks transformation depends ... 11361 analytical electron microscopy spectroscopy bi... 7019 study theory tmn existentially closed incidenc... 6385 paper proposes new approach model risk measure... 9150 extend previous results characterizing loading... 14779 integrated nested laplace approximation inla c... 4424 current envisaged increase cellular traffic po... 6075 shall consider result feldman sharp bakertype ... 10873 derive closed form description convex hull mix... 2168 decompose returns portfolios bottomranked lowe... 15661 consider stochastic shortest path ssp problem ... 12671 show bicrossproduct model csublacktrianglerigh... 10687 essential issue freight transportation system ... 15435 kcualoso highly onedimensional spin inequilate... 4832 introduce inference trees new class inference ... 1258 diamond light source uks national synchrotron ... 18387 apart solving complicated problems require cer... 16881 show decaying hydromagnetic turbulence initial... 9194 prove zero set nonnegative plurisubharmonic fu... 7806 discuss application agapito curtarolo buongior... 273 magnetic particle imaging mpi novel imaging mo... 2554 text password long dominant user authenticatio... 8866 fermion localization functions used discuss el... 7061 electronmuon ranger emr fullyactive trackingca... 4258 topic paper modeling analyzing dependence stoc... 18121 existing logical models fairly represent epist... 20250 many biological agricultural military activity... 7639 among different biomarkers aging based omics c... 14966 antiunitary representations lie groups take va... 10879 study fairness collaborativefiltering recommen... 17843 transition metal dichalcogenides represent ide... 17003 percolation based graph matching algorithms re... 4955 zero forcing power domination iterative proces... 6844 consistently checking statistical significance... 18405 workhorse atomic physics quantum electrodynami... 19127 effort increase versatility finite element cod... 8615 gottschalk vygen proved every solution subtour... 7267 rapid compression machines rcms widely used co... 18189 answer question k mulmuley efremenkolandsbergs... 12220 awake protondriven plasma wakefield accelerati... 20579 work presents novel framework based feedforwar... 3068 current iso standards pertaining concepts syst... 15511 lecture notes based three lectures given anton... 7625 main theorem jain et aljain k singh sharma str... 3492 hydrogen hdoped lafeaso prototypical ironbased... 19361 internship assignment complicated process univ... 8765 consider modification covariance function gaus... 9757 borondoped diamond undergoes insulatormetal tr... 5800 ultrahigh throughput lowdensity parity check l... 5225 pairwise association measure important operati... 15453 describe analyze algorithm computing homology ... 17237 development efficient algorithms data structur... 8551 voltage control effects provide energyefficien... 5000 work extend solid harmonics derivation used ac... 4634 paper proposes novel semidistributed practical... 7348 paper investigates far deep neural network att... 5236 cosmic cm signal set revolutionise understandi... 4475 study networks witnessed explosive growth past... 4044 formally invoking wienerhopf method explicitly... 17776 convolutional dictionary learning cdl sparsify... 19885 start overview class submodular functions call... 257 security privacy fairness become critical era ... 5022 many problems supervised tensor learning stl r... 14498 halfmetallic properties tlcrs tlcrse hypotheti... 16257 networkbased approach presented investigate ce... 20500 casimir forces material surfaces close proximi... 16821 recurrent neural networks rnns important class... 2533 define nearestneighbour point processes graphs... 16825 compute polarization function doped threedimen... 19424 motivated expansion cayley graphs show exist i... 15353 forwardbackward selection one basic commonlyus... 7558 weyls original scale geometry purely infinites... 15027 ontology alignment widelyused find corresponde... 18983 develop analyze new protocols verify correctne... 1743 electrondoped euferhas systematically studied ... 12276 paper address problem crossview image geolocal... 11719 taskspecific word identification aims choose t... 2214 cyclic codes efficient encoding decoding algor... 17894 evolution present status gaseous photon detect... 6595 review aspects twistor theory aims achievement... 16755 recent heuristic argument based basic concepts... 4191 emotional arousal increases activation perform... 17628 show polarization states electromagnetic waves... 16685 paper consider coding short data frames bits i... 20532 physical model threedimensional flow viscous b... 5940 microorganisms bacteria one first targets nano... 4290 infants experts playing amazing ability genera... 20628 repair mechanisms important within resilient s... 10347 assume ctm zfcch containing simplified omegamo... 3844 recent developments specialized computer hardw... 3025 paper extends method introduced rivi et al b m... 10696 consider statistical inverse problem recover f... 20327 schumann resonance transients propagate around... 6095 explore warped adstimesw md backgrounds genera... 15546 present monitoring approach verifying systems ... 18841 fisher information matrix fim fundamental quan... 16182 work using strong gravitational lensing sgl ob... 2300 let xrightarrow mathbb p elliptically fibered ... 6664 introduce sequent calculus simple restriction ... 11286 context clouds already detected exoplanetary a... 103 report combined study de haasvan alphen effect... 2425 residual network resnet stateoftheart architec... 6535 data shaping coding technique proposed increas... 17728 scanning tunnelling microscopy low energy elec... 14842 elliptically contoured distributions generaliz... 15572 fan et al recently introduced remarkable metho... 6600 paper address convergence stochastic approxima... 5160 propose deepmapping novel registration framewo... 15959 present variation autoencoder ae explicitly ma... 13246 article study problem fair division particular... 5459 consider problem minimizing convex objective f... 16387 give finite axiomatization variety generated r... 13389 interpreting neural networks crucial challengi... 19598 robotics enables variety unconventional actuat... 12484 paper presents new generator chaotic bit seque... 6872 stellar flares frequent occurrence young lowma... 5647 paper proposes drone squadron optimization new... 12559 abridged typical giantimpact scenario moon for... 2595 paper proposes matrixweighted consensus algori... 5826 consider bilaplacian eigenvalue problem modes ... 10021 development neural networks based machine lear... 4909 explanations kaldis plda implementation make f... 4104 paper investigate hawking radiation process se... 13980 polls trusted source election predictions deca... 9755 bipartite data common data engineering brings ... 6024 datadriven spatial filtering algorithms optimi... 10159 letter present theorem dynamics generalized hu... 12712 study finite alphabet channels unit memory pre... 57 todays landscape robotics dominated vertical i... 12540 propose local segmentation multiple sequences ... 17528 reinforcement learning symbolic planning used ... 15143 eradicating hunger malnutrition key developmen... 19917 convolutional neural networks cnns popular dee... 8689 vast majority optimization online learning alg... 2485 network embedding aims find way encode network... 10739 usage online textual media steadily increasing... 8285 achieving highfidelity control quantum systems... 3015 effects spinorbit interactions condensed matte... 17669 trivial events ubiquitous human human conversa... 12622 paper consider abelian varieties function fiel... 16253 present paper introduce new families elliptic ... 16960 traditional humanism twentieth century inspire... 18016 surface observations indicate speed solar meri... 379 rempi spectrum sio nm range recorded observed ... 13342 boltzmann sampling commonly used uniformly sam... 18254 paper devoted contribution probability theory ... 5035 present constraints masses extremely light bos... 18385 crossterm spatiotemporal encoding xspen recent... 4106 recent years image processing techniques used ... 17913 paper two robust model predictive control mpc ... 12952 prove sectional category universal fibration f... 18200 paper introduces class backward stochastic dif... 7567 spin triangular lattice antiferromagnet ybmgga... 15914 present explicit version berger coburn lebows ... 10162 many domains latent competition among differen... 20214 let positive integer x real number let ad x dt... 3070 emerging economies frequently show large compo... 8525 atomistic effective hamiltonian simulations us... 9660 paper continuation arxiv exploded layered trop... 18883 cell nuclei detection challenging research top... 11008 paper address problem reconstructing timedomai... 3707 construct noncommutative analogs transport map... 7159 consider twoplayer game chomp posets associate... 5954 many machine learning tasks require finding pe... 11805 new cyber attack pattern advanced persistent t... 20483 consider system polynomials fldots frin mathbb... 15051 since seminal observation roomtemperature lase... 13351 let q finite quiver without loops mathcalqalph... 15580 problem determining multiplets forces sets for... 13328 listwise learning rank methods considered stat... 20149 present neural architecture takes input shape ... 17696 element e ordered semigroup scdotleq called or... 11717 work focus multilingual systems based recurren... 8103 free lunch single learning algorithm outperfor... 6703 propose nopol approach automatic repair buggy ... 20573 paper study superalgebra introduced authors pr... 16326 jacobsthals function recently generalised case... 3576 comment reinharts review selfexciting spatiote... 10272 analyze source intermodel scatter surface temp... 467 use automatic speech recognition assess spoken... 10333 astrophysics community uses different tools co... 11640 propose algorithm separate simultaneously spea... 11724 consider deep classifying neural networks expo... 7277 tieline scheduling problem multiarea power sys... 13394 present autonovi novel algorithm autonomous ve... 14549 propose two coded schemes distributed computin... 15669 paper presents realization approach spatial st... 18110 virtually free group h containing nontrivial f... 4285 chiral magnets topologically nontrivial spin o... 5500 steadystate visual evoked potentials ssveps ne... 16619 extremal graph theory aims determine bounds gr... 19815 well known milgroms mond modified newtonian dy... 2350 reinforcement learning agent tries maximize cu... 16449 virtue suitable approximation argument prove p... 5129 follower count factor quantifies popularity ce... 9270 paper propose new combined message passing alg... 10445 self organizing networks sons considered vital... 17711 joint introduction asterisque volume give shor... 17164 animals especially humans amazing ability lear... 11681 article problems related multiscale modelling ... 8063 analytical model humanrobot hr coordination pr... 11274 java platform thirdparty libraries provide var... 10305 inelastic neutron scattering used study magnet... 9601 highly oscillatory integrals involving bessel ... 3 stochastic landaulifshitzgilbert llg equation ... 2028 simulating large networks neurons hines propos... 17953 compound random measures corms flexible tracta... 5472 response delay inherent essential part human a... 2751 nanoscale quantum probes nitrogenvacancy centr... 10838 adversarial training shown regularize deep neu... 11167 present nearinfrared spectra candidate planeta... 1732 investigate problem inferring causal predictor... 2864 computer vision applications domain adaptation... 4084 analysis neuroimaging data poses several stron... 9545 consider minimax setup gaussian onearmed bandi... 7403 diffusion information widely modeled stochasti... 12303 classical halpernluchli theorem states finite ... 17748 prove various inequalities number partitions b... 5174 independent control two magnetic electrodes sp... 5815 recently proposed generalized minmax gmm kerne... 20326 paper revisits problem optimal control law des... 10434 paper revisit recently established theoretical... 8182 functions functionnings enable give structure ... 14363 dynamic models statistical inference diffusion... 14844 present clustering analysis sample lyalphaemit... 4045 humans remarkably proficient controlling limbs... 10951 evanescent field surrounding nanoscale optical... 42 ballistic point contact bpc zigzag edges graph... 19685 paper reviews checkered history predictive dis... 11847 tunka radio extension tunkarex antenna array c... 5230 paper consider problem clustering collections ... 5217 motivated rapid rise statistical tools functio... 795 present statistical study c rm p rightarrow rm... 15092 able recognize emotions human users considered... 12238 efficient assessment convolved hidden markov m... 15840 runtime performance modern sat solvers random ... 8637 need large annotated image datasets training c... 12366 covariate shift classification problems princi... 15173 multiple design iterations inevitable nanomete... 16108 feature map obtained denoising autoencoder dae... 7149 study exploration problem episodic mdps rich o... 14619 inner structure material called microstructure... 8523 designing pseudorandom number generator prng d... 13242 means firstprinciples calculations investigate... 5001 lnorm principalcomponent analysis lpca realval... 5550 detection high dimensional multimodal data cha... 11915 consider minimization stochastic functionals c... 7200 paper concerned problem topk ranking pairwise ... 407 generative adversarial networks gans produce s... 2386 nowadays construction complex robotic system r... 46 extend work fouvry kowalski michel correlation... 20792 aim paper introduce study large class mathfrak... 13093 prove logarithmic local energy decay rate wave... 4688 distribution grids currently challenged freque... 13726 main aim paper study lipschitz continuity cert... 17620 consider multiway massive multipleinput multip... 15248 paper tackles reduction redundant repeating ge... 3352 consider sparse highdimensional linear regress... 12125 widespread use smartphones gives rise new secu... 4450 article devoted investigation representation r... 13933 present algorithm approximating function defin... 5306 several authors claimed less luminous active g... 8254 propose novel dirichletbased plya tree dp tree... 16302 irreducible representations full support ratio... 12989 investigate tightbinding electronic chain feat... 9092 paper study algebraic symplectic geometry sing... 13228 colocalization analysis aims study complex spa... 16160 present new approach search first order invari... 20681 search sterile neutrinos holographic dark ener... 20480 networks provide informative yet nonredundant ... 15205 classical linear regression considered case re... 17184 design analyse implement arbitrary order schem... 15625 world connected internet abundance internet us... 12827 adiabatic quantum computing evolved recent yea... 4205 experimental determination protein function re... 19696 rising popularity intelligent mobile devices d... 11952 address problem prescribing optimal decision f... 19827 study number graph exploration problems follow... 15281 present casestudy demonstrating usefulness bay... 13987 supervised machine learning agent typically tr... 2319 paper first work perform spatiotemporal mappin... 6178 methods currently exist making arbitrary neura... 8546 consider marked empirical processes indexed ra... 20018 resolutions maximal sets compatible resolution... 10551 consider spatial stochastic model wireless cel... 19494 provide integral formula maslov index pair ef ... 18537 origins rapid dynamical slow glass forming liq... 17596 although timely sepsis diagnosis prompt interv... 708 present possible explanations pulsations early... 819 prove tutte embeddings aka harmonicembeddings ... 7359 report present new face detection scheme using... 14198 paper presents exhaustive study arrivals proce... 1822 consider boltzmanngibbs measures associated lo... 5477 positive integer complete graph mm vertices de... 11058 cosine dark matter search experiment started t... 5357 article presents guider userguided rule induct... 20314 report set programs developed zmbh bioimaging ... 1722 work present theoretical results convergence n... 15680 paper obtain variational characterization hard... 7473 image vortex creep low temperatures using scan... 10282 connectionist temporal classification recently... 6607 modern social media platforms facilitate rapid... 5642 humans sensors autonomous vehicle limited sens... 12084 dynamic race detection problem determining obs... 8922 dyonic bps states type iib string theory compa... 4577 given one metric measure space x satisfying li... 12385 extragalactic cosmic ray populations important... 3334 conventional fracture data collection methods ... 6258 work provide couple contributions analysis lon... 10669 present method computing stable models normal ... 644 design new myopic strategy wide class sequenti... 7800 existing deep multitask learning mtl approache... 15094 paper study bernstein polynomial model estimat... 5460 describe purification xenon traces radioactive... 19425 introduce class normal complex spaces mild sin... 4914 classify drinfeld twists quantum borel subalge... 3901 coordinate descent methods employ random parti... 3286 gete wins renewed research interest due giant ... 10533 construct contour function entanglement entrop... 6253 crossvalidation predictive models defacto stan... 19659 study positive solutions heat equation graphs ... 12011 paper generalize three identification recursiv... 8483 introduce new model formation evolution superm... 2133 structural nested mean models snmms among fund... 17567 learning remember long sequences remains chall... 7212 classical ground state magnetic response heise... 4902 stochastic optimization key efficient inversio... 6757 paper illustrate use results proving dtriple b... 10317 study fixed point theory nvalued maps space x ... 19163 set dimensional packing problems builds import... 16580 assuming conjecture distinct zeros dirichlet l... 10359 internet things iot community wireless sensor ... 14867 several fourier transformations functions one ... 1430 introduce selfconsistent multispecies kinetic ... 9559 study two identical fermions two hardcore boso... 19101 introduce new variant game cops robbers played... 16756 establish upper bounds bit complexity computin... 19248 give detailed account socalled universal const... 4519 provide analytic propagator nonhermitian dimer... 11293 provide numerical evidence demonstrating neces... 9567 fault tolerance random graphs unbounded degree... 16631 effective file transfer vehicles fundamental m... 9376 consider problem packing family disks shelf di... 5923 random walk wn separable geodesic hyperbolic m... 2326 present paper shows warped riemannian metrics ... 17051 new mhd solver based nektar spectralhp element... 16447 bayesian statistical models allow us formalise... 4580 let g group automorphism g called intense send... 3733 report study structural phase transitions indu... 14181 recent literature demonstrated promising resul... 9159 whole enterprise spin compositions recast simp... 8486 possibility constructing lorenzs concept avail... 18418 current theories hold brain function highly re... 457 galaxy cluster centring key issue precision co... 19025 paper proposes realtime embedded fall detectio... 2714 prove contact manifold admits open book decomp... 17391 general nsolitons three recentlyproposed nonlo... 4336 rnnbased forecasting approach used early detec... 16265 theoretical investigation extremely high field... 12483 construct extended oriented epsilondimensional... 16628 complex network reconstruction hot topic many ... 11269 paper provides link timedomain frequencydomain... 3230 paper analyze capacitary potential due charged... 14074 general methodology proposed differentiate lik... 15224 examine dense selfgravitating stellar systems ... 13162 study inflation models many interacting fields... 2117 objective investigate whether deep learning te... 20137 effectiveness statistical machine translation ... 668 neural network based generative models discrim... 1162 new approach study optical response periodic s... 12445 statisticians made great progress creating met... 7007 compared artificial neural networks anns spiki... 5537 principles thermoelectric phenomenon including... 7515 named entity classification task classifying t... 13827 consider problem approximate kmeans clustering... 4043 recent direct observation gravitational waves ... 431 learningbased approaches robotic manipulation ... 15604 detection software vulnerabilities vulnerabili... 20865 paper provides new similarity detection algori... 19945 feature representations pretrained deep neural... 3721 century believed hydraulic jumps created due g... 9731 provide new results noisetolerant sampleeffici... 8121 study proposes mixed logit model multivariate ... 4074 noisy matrix completion problem aims recover l... 7511 emergent field probabilistic numerics thus far... 20156 introduce new method statistical analysis char... 18503 solubility dyes amphiphilic association struct... 4028 present method reconstruct autocorrelated sign... 13300 extend existing methods using crosscorrelation... 4743 study fragmentationcoagulation merging splitti... 11386 quantized neural networks qnns use low bitwidt... 5128 consider jointly gaussian random variables who... 16679 learning optimize idea learn data algorithms o... 12315 celebrated auslanderreiten conjecture vanishin... 315 paper provides short proofs two fundamental th... 9960 densityfunctional theory calculations spinpola... 2516 future likely see even pervasive computation c... 6366 coevolving adaptive voter models avms natural ... 18553 one version concept structural controllability... 1419 study problem constructing synthetic graphs re... 19444 representation learning heart makes deep learn... 18492 mixture models combine multiple components sin... 4202 establish polyavinogradovtype bound finite per... 15766 model based iterative reconstruction mbir algo... 7451 critical temperature tc mgb one key factors li... 7284 introduce general method improving convergence... 10887 consider problem streaming kernel regression o... 6501 theoretically investigate scheme backward cohe... 16697 one key aspects united states democracy free f... 11146 termresolution provides elegant mechanism prov... 9331 word evolution refers changing meanings associ... 16384 representing data hyperbolic space effectively... 8145 present study social networks based analysis b... 5748 well known x cwcomplex every weak homotopy equ... 19339 paper analyze behavior multivariate symmetric ... 293 heart disease leading cause death experts esti... 20970 sum lognormal variates encountered many challe... 10022 show leibnitzs indiscernibility principle gent... 5742 propose new iteratively reweighted least squar... 3328 delay omnipresent modern control systems promp... 8049 scanning probe microscopy spm extensively appl... 20800 orbifold equivalence notion symmetry rely grou... 907 motivated recent experimental realization hald... 8492 study random networks neuroscientific context ... 12248 characteristic classes spacetime manifolds dis... 19126 paper study biconservative surfaces parallel n... 11508 method described detection estimation transien... 6735 electric coupling surface ions bulk ferroelect... 1994 quantum schrodingernewton equation solved self... 1704 nonreversible markov chain monte carlo schemes... 15919 tasks like code generation semantic parsing re... 3011 dna flexible molecule degree flexibility subje... 13373 deep learning models dlms stateoftheart techni... 977 constructing tests confidence regions control ... 1873 necessarily proper edge kcolouring gammaeglong... 9317 paper consider defocusing energy critical wave... 11247 inconceivable chaotic world would look humans ... 621 isotonic regression standard problem shapecons... 12022 red supergiants rsgs predicted end lives type ... 8351 describe framework deriving analyzing online o... 13950 intrinsically nonlinear coupled systems presen... 5099 runlength encoding burrowswheeler transformed ... 1153 least significant bit lsb substitution old sim... 3207 formal languages theory useful study natural l... 13071 paper gives exact solution terms karhunenlove ... 586 predicting rupture occurs cracks progress majo... 17257 deep learning yields great results across many... 9360 present new algorithm sliding window discrete ... 19037 precision measurement ams antiprotontoproton f... 13549 present threespecies multifluid mhd model h ho... 7168 one main benefits wristworn computer ability c... 6126 haslhofer mller proved compactness theorem fou... 17756 paper present short elementary proof error sim... 12833 novel method robust estimation called graphcut... 7726 propose compare several projection methods app... 11731 paper presents kinematic analysis ppps paralle... 20114 recent studies revealed vulnerability deep neu... 4024 study fractional quantum hall states filling f... 16966 goal tutorial introduce key models algorithms ... 7014 motivated fact lowenergy properties kondo mode... 5363 multiview representation learning popular late... 18462 propose throughly investigate temporalized ver... 852 paper develop cyclic proof systems problem inc... 9423 investigate selfshielding intergalactic hydrog... 11315 theoretically investigate spin injection ferro... 3035 obtain minimal dimension matrix representation... 3505 nonparametric models versatile albeit computat... 9626 study problem policy evaluation learning batch... 1339 spite decades research much remains discovered... 5852 work presents lowcost robot controlled raspber... 14795 nanometalsemiconductor junction dependent poro... 4193 consider reactiondiffusion equations kortewegd... 15800 study phase transitions two dimensional weakly... 8455 objective model presented evaluate viability u... 2937 understanding entanglement structure outofequi... 736 let x irreducible smooth projective curve genu... 4410 wellknown bayes theorem assumes posterior dist... 15060 consider coloring graph vertex assigned fracti... 10459 dozens new models fixation prediction publishe... 8840 social approach exploited internet things iot ... 450 paper made extension convergence analysis dyna... 12064 butanol received significant research attentio... 10052 undergraduate level abstract algebra texts use... 6556 kontsevich designed scheme generate infinitesi... 13959 paper consider several compression techniques ... 20130 paper aims oneshot learning deep neural nets h... 14572 paper study combinatorial multiarmed bandit pr... 20718 power flow low voltage direct current grid lvd... 5259 previous work introduced method modeling confi... 20304 report strong interfacial exchange coupling bi... 9025 civil asset forfeiture caf longstanding contro... 14047 consider eternal inflation scenario slowrollch... 18862 develop new numerical schemes vlasovpoisson eq... 1144 prediction cancer prognosis metastatic potenti... 10567 sparse additive modeling class effective metho... 8863 paper introduces wasserstein variational infer... 5547 exoplanet transit spectroscopy enables charact... 1237 perform detailed comparison dirac composite fe... 6868 dynamical properties two bosonic quantum walke... 3354 paper considers channel estimation uplink achi... 14061 determination energy flux gamma photons imagin... 13691 suppose inverse image zero vector continuous m... 9169 method presented solving discretetime finiteho... 19135 active learning effective stopping method allo... 41 paper empirically study models pricing italian... 8198 present chemical abundance analysis tidally di... 3921 let cbf n complete intersection monomial curve... 14221 paper presents comparison six machine learning... 16758 establish interior lipschitz estimates macrosc... 11423 orientationpreserving branched covering f near... 14677 introduce hierarchical architecture video unde... 2578 graphenemos heterojunction formed joining two ... 17792 article perform asymptotic analysis bayesian p... 2034 aboria powerful flexible c library implementat... 1123 numerical method free boundary problems equati... 15211 social network analysis provides meaningful in... 9592 investigate regularized algorithms combining p... 11136 consider system n particles interacting via sh... 10943 last two decades recurrence plots rps introduc... 14857 use integratedlight spectroscopic observations... 19793 develop various aspects classical enumerative ... 3578 paper present conjoined constraints several co... 10244 address problem verifying satisfiability const... 7810 network coding based peertopeer streaming repr... 1347 many astronomical sources produce transient ph... 18420 convolution critical component modern deep neu... 2585 modern neural networks often augmented attenti... 8732 study parameter planes certain onedimensional ... 2638 clustering process finding analyzing underlyin... 2878 training data rapid growth largescale parallel... 18018 illposed analytic continuation problem greens ... 15660 firstorder optimization methods stochastic gra... 10562 last decade information technology industry ad... 7305 intensity noise crosscorrelation polarization ... 15617 hamiltonian truncation aka truncated spectrum ... 90 yes parameter value makes almost coincide stan... 5887 unmanned aerial vehicles uavs equipped biorada... 35 work establish full singleletter characterizat... 16543 distributed singlesource shortest paths proble... 3366 spatialtemporal prediction fundamental problem... 6245 work studies problem stochastic dynamic filter... 5148 propose notion haantjes algebra consists assig... 20611 accelerators gpus limited memory deep neural n... 5478 control sensing largescale systems results com... 13717 discuss various characterizations synthetic up... 705 study relays scope energyharvesting eh looks i... 2207 recently first installment data esas gaia astr... 14765 simultaneous localization mapping slam problem... 5883 study problem minimizing strongly convex smoot... 12314 theoretically investigate spinorbit coupled sw... 19672 newly emerging field wave front shaping comple... 6252 obtaining accurate estimates satellite drag co... 3263 present elementary proof conjecture proposed r... 8425 volume manuscripts submitted publication growi... 4572 demonstrate integration mesoscopic ferromagnet... 7040 sequencetosequence models provide simple elega... 16559 random geometric graphs consist randomly distr... 8778 identifying coordinate transformations make st... 17763 proposed probabilistic approach joint modeling... 14704 two major questions neuroimaging studies attem... 6484 peculiar band structure semimetals exhibiting ... 2958 human learning complex process future behavior... 10406 estimating influence given feature model predi... 6835 todays mobile phone users faced large numbers ... 2002 regions acquire knowledge need diversify econo... 10269 obtain uncertainty estimates realworld bayesia... 16315 consider schrdinger operator combinatorial gra... 16175 three exceptional lattices e e e attracted muc... 6381 paper focuses byzantine attack detection gauss... 5076 address problem constructing coding schemes ch... 20356 network models applied numerous domains data r... 12938 traditional optical imaging faces unavoidable ... 20568 let x mathscrl lambda mathscrm mu finite measu... 19072 hot dustobscured galaxies hot dogs rare dusty ... 8892 reproducibility computational studies hallmark... 5359 given two sets points b normed plane prove two... 18355 explore efficient neural architecture search m... 7300 trigonometric time integrators introduced clas... 5252 paper present accurate approximation gamma fun... 13739 artificial neural networks anns may worth comp... 18513 analyze behavior eigenvalues following non loc... 10290 context first gaia data release dr delivered c... 5678 bike sharing vital component modern multimodal... 16432 owing capability summarising interactions elem... 3474 physicists large hadron collider lhc rely deta... 1866 consider potential positioning system antenna ... 2221 develop new technique based steins method comp... 6235 describe complete list casimirs euler hydrodyn... 5244 celebrated paper siegels lemma bombieri vaaler... 15706 intersubject variability individuals poses cha... 15767 negotiation diagrams model concurrent computat... 16704 demonstrate nonconvex time crystal lagrangians... 651 several social medical engineering biological ... 17511 paper ellipsoid method linear programming deri... 19487 order address need affordable reduced gravity ... 19766 breast density classification essential part b... 15813 following advent electromagnetic metamaterials... 13186 present significantly different reflection pro... 10502 describe new cardinality estimation algorithm ... 4894 spectral graph convolutional neural networks c... 9527 display entire structure cal r coding sigma si... 3978 accurately predicting detecting interstitial l... 14999 design uniaxial anisotropic metamaterial layer... 20891 present form schwarzs lemma holomorphic maps c... 19782 generating adversarial examples critical step ... 20545 crystallographic stacking order multilayer gra... 8649 study asymptotic distributions spiked eigenval... 17 describe variant construction unstable adams s... 17816 article consider twoway twotape alternating au... 17927 background chromatin remodelers swisnf family ... 13030 seminal book inmates running asylum hightech p... 6916 paper derive bayesian model order selection ru... 15387 ddimensional quantum system subjected periodic... 6660 develop quantitative theory stochastic homogen... 12831 present general framework training deep neural... 6778 template metaprogramming popular technique imp... 20162 wildland fire fighting hazardous job key task ... 8508 necessarily selfadjoint quantum graphs differe... 9938 deep neural networks dnns begun pervasive impa... 17617 study detection methods multivariable signals ... 14522 gene expression ge data capture valuable condi... 647 using projectionbased decoupling fokkerplanck ... 5784 working framework borel reducibility study var... 13536 least angle regression lars efron et al novel ... 20420 consider stochastic process controlled across ... 1321 introduce twoparameter family birational maps ... 15993 paper new hpadaptive strategy elliptic problem... 7916 monte carlo simulations using mcnp performed s... 1905 nowadays multiprocessing mainstream exponentia... 14805 propose novel method called robust kernel prin... 3210 pairwise comparisons important tool modern mul... 11742 consider problem performing inverse reinforcem... 15032 present principled technique reducing matrix s... 17016 plasmas varying collisionalities occur many ap... 15399 paper describes experience preparing testing s... 18134 cirquent calculus proof system manipulating ci... 4699 propose efficient algorithm approximate comput... 9618 present new model drnet learns disentangled im... 1429 study superradiant evolution set n twolevel sy... 8035 find form refractive index solution eikonal eq... 15294 establish link mathematical morphology map asp... 217 young asteroid families unique sources informa... 20638 classification imbalanced datasets challenging... 18242 revisit linear programming approach determinis... 15785 global crisis provoked heightened interest amo... 1396 searched high resolution spectra nearby stars ... 8059 cosi recently reported exhibit remarkable magn... 12195 advent miniaturized biologging devices provide... 14245 work thin magnetite films deposited srtio via ... 3100 advances deep learning natural images prompted... 1739 reinforcement learning agents learn performing... 9771 convexity network graph recently defined prope... 17956 propose new approach train generative adversar... 20427 deep convolutional neural networks cnns applie... 8686 purpose paper continues development comprehens... 16169 finitedifference methods widely used solving p... 13257 consider problem finding proper confidence int... 7668 geodesic monte carlo gmc powerful algorithm ba... 9970 recent advances representation learning advers... 10311 existing characterizations integral inputtosta... 6667 paper introduce generalized asymmetric fronts ... 19191 drawing recent results provide formalism neces... 3481 study su calorons also known periodic instanto... 10676 given potential xray radiation risk patient lo... 8262 recent advances neural networks nns exhibit un... 1187 given manyelectron molecule possible define co... 5635 recent years witnessed rise many successful ec... 18323 fluidstructure interactions ubiquitous nature ... 891 explore response ir orbitals pressure betamath... 13687 appealing gibbs formalism classical statistica... 3609 topological data analysis emerging mathematica... 20178 xenont experiment recent stage xenon dark matt... 8294 paper improve moment estimates gaps numbers re... 1838 modern day web applications aim create impact ... 18801 axionlike particles promising candidates make ... 3274 synthetic biological macromolecule magnetoferr... 14129 examine spectral operatortheoretic properties ... 14078 person reidentification reid usually suffers n... 19588 autoignition delay experiments isomers butanol... 13744 neuronal glial cells release diverse proteogly... 387 compute genus belyi map sporadic janko group j... 8366 topological dirac semimetals tdss represent ne... 12885 developed general approach calculation powerla... 16037 nucleation growth calcite important research s... 7582 fabrication atomic scale metallic wire remains... 1035 artificial neural networks successfully applie... 4973 spherical gausslaguerre sgl basis functions ie... 18635 paper aim completion problem high order tensor... 2448 studied lagged linear regression used detect p... 841 stochastic bandit algorithms used challenging ... 13289 article motivated soccer positional passing ne... 12985 predictive modeling increasingly employed assi... 4293 according degrootfriedkin model social network... 5916 paper covers formulation inverse quadratic pro... 20220 control task tracking reference pointing direc... 10037 excitation relativistic electron beam driven w... 13695 despite important role supporting assessment p... 9392 paper construct two groupoids morphisms groupo... 3522 lagrangian fluctuationdissipation relation der... 17779 generalise multiple string pattern matching al... 5518 results smale dugundji allow compare homotopy ... 13838 examine bayesconsistency recently proposed nea... 3686 work introduce class hrmmnconvex functions gen... 5702 concepts mathematical crystallography group th... 12414 paper present two main results first one conje... 140 mission critical data dissemination massive in... 12339 grading embedded systems courses typically req... 18882 previous studies found significant number bug ... 14404 shown orlikterao algebra graded isomorphic spe... 8827 present framework calculate large deviations n... 8213 paper investigate extent results z wang daigle... 20589 increasing amounts data varied sources particu... 2065 recent studies shown framelevel deep speaker f... 15244 purpose mri cell tracking used monitor immune ... 9438 consider lie group psl group orientation prese... 1444 friendship paradox states social network egos ... 15171 paper investigate hamiltonian path problem con... 1372 well established neural networks deep architec... 2753 centrality metrics among main tools social net... 278 recent years proliferation online resumes need... 12019 wasserstein metric important measure distance ... 6424 solve problem optimal liquidation volume weigh... 19700 tensor factorization hard andor soft constrain... 5312 multivariate linear regression model important... 513 dust devils likely dominant source dust martia... 18483 deterministic recursive algorithms computation... 6335 nice differentialgeometric framework nonabelia... 20453 recent experiments show statistical impact sea... 3525 existing strategies finitearmed stochastic ban... 2789 chaos ergodicity cornerstones statistical phys... 3511 show limiting semiclassical measure obtained s... 2380 composite adaptive control schemes use system ... 5277 progress enabling autonomous cars drive safely... 9725 came attention posting paper yu ding proved re... 7278 paper predicted stabilities several twodimensi... 4333 spectral estimation se aims identify energy si... 4966 develop class algorithms variants stochastical... 5662 principle minimal extension standard model par... 8928 consider motion nonrelativistic electron field... 10186 present paper considers testing erdosrenyi ran... 10945 transport characteristics across pulsed laser ... 12187 interactions effect aliasing among fundamental... 9887 efficient communication qubits relies robust n... 8909 fishing activities broad impacts affect althou... 13789 paper presents semantic attribute modulation s... 5727 dual motivic steenrod algebra mod ell coeffici... 12086 study photonic analog chiral magnetic vortical... 11304 propose efficient scalable method incrementall... 10092 explosive increase number smart devices hostin... 2403 bootstrap current flow velocity lowcollisional... 15299 article study treewidth emphdisplay graph auxi... 19773 discuss investigation student difficulties deg... 14744 article discuss relationship mathematics physi... 7831 predicting ground state alloy systems challeng... 19560 let f mathbbrd tomathbbr lipschitz function b ... 19502 motivation proteinprotein interactions ppis us... 16242 challenge sharing communicating information cr... 6023 approximate probabilistic inference algorithms... 5031 many interesting natural phenomena sparsely di... 19947 recently general expression eckartframe hamilt... 17185 known one construct nonparametric functions as... 4226 paper presents analysis rearward gap acceptanc... 8950 spectral images captured satellites radioteles... 1705 lecture notes course mats analysis xray tomogr... 5888 optimal sensor placement central challenge des... 18402 curve theta ito e metric space e equipped dist... 2915 recurrent neural nets rnn convolutional neural... 9902 moems deformable mirrors dm key components nex... 476 define rules cellular automata played quasiper... 4192 xray emission young stellar objects ysos order... 16931 consider multitask regression models observati... 12628 finiteprecision arithmetic computations face i... 13222 describe deep learning approach automated brai... 6959 one recent trends network architec ture design... 14727 conjugate gradient cg methods class important ... 3463 logdet distance two aligned dna sequences intr... 14303 public speaking important aspect human communi... 20493 use deep learning model trained patients blood... 12268 work formulate problem image captioning multim... 18094 paper formality conjecture kontsevich designed... 16918 new bispectral orthogonal polynomials obtained... 3776 let mathcala calgebra bounded uniformly contin... 3050 cryptography block ciphers fundamental element... 970 present novel algorithm uses exact learning ab... 16296 study geometry singularities principal directi... 3023 policy evaluation value function qfunction app... 6218 paper consider dataset comprising press releas... 6921 convolutional neural networks cnns similar ord... 17962 characterization primary events involved cistr... 4186 letter supervisedly train neural networks dist... 17272 consider linear structural equation models ass... 16893 address computation groundstate properties che... 6069 multiparameter onesided hypothesis test proble... 15045 present paper new classes wavelet functions pr... 5910 study properties classes closure operators clo... 10493 paper present method determine global horizont... 11550 develop theory quasiparticle interference qpi ... 6480 extending notion maximal green sequences abeli... 13797 advanced operation future electricity distribu... 19903 report discovery minor planet sy exceptionally... 20905 present micro aerial vehicle mav system built ... 5345 investigate projection free method namely cond... 15578 path planning important problem robotics one w... 733 purpose basic surgical skills suturing knot ty... 19352 investigate relaxation recently discovered fra... 11566 give complete classification isomorphism lie c... 20101 exciting branch machine learning research focu... 14800 research investigate nonlinear energy transmis... 7881 complete foundational discussion acceleration ... 3125 rotating continuum particles attracted gravity... 16925 present amelioration current known algorithms ... 6527 electroencephalography eeg extensivelyused wel... 17814 model uncertainty empirical bayes eb procedure... 15312 robots coexist humans social world like crucia... 20659 independence system respect unknotting number ... 20113 present parameterized approach produce persona... 11647 purpose note prove dispersive estimates wave e... 11102 paper investigate existence nonexistence nontr... 1065 document response report university melbourne ... 9338 studied impact lowfrequency magnetic flux nois... 8129 despite wealth planck results difficulties dis... 11464 report study spin conductance ultrathin films ... 7121 many engineering problems require identifying ... 13298 recent experiments suggest interplay cells mec... 16259 today digital forensics images normally provid... 12663 information transmission human brain fundament... 19311 known elementary excitation manyparticle syste... 11355 paper examines noise handling properties three... 6867 magnetic fields play important roles many astr... 12994 knowledge bases important resources variety na... 11396 conventional sound shielding structures typica... 1441 study key domain wall properties segmented nan... 4345 mechanical vibrations components optical syste... 15091 given field f operatornamecharf define unf max... 7983 investigate size scaling macroscopic fracture ... 6662 paper solve problem posed h bommierhato engli ... 13138 aim dissertation investigate habitability extr... 2444 introduce new application measuring symplectic... 6063 additive manufacturing printing novel manufact... 9630 multiobjective recommender systems address dif... 9189 history humanhood included competitive activit... 17160 generative source separation methods nonnegati... 13897 prove identity relating product two opposite s... 18479 stability quench one main issue pursued superc... 7615 consider properties integrals considered hardy... 4057 combining bulk sensitive softxray angularresol... 13985 millions users routinely use google log websit... 4731 theoretically experimentally demonstrate multi... 13962 show dimensional systolic complexes quasiisome... 9421 prospect next generation groundbased telescope... 3479 new method improve accuracy efficiency charact... 13098 present new random sampling strategy kbandlimi... 8499 recent quasar surveys revealed supermassive bl... 11491 sports channel video portals offer exciting do... 13053 interface widely exists carbon nanotube cnt as... 921 recent studies demonstrated neardata processin... 1086 paper aim present completely monotonicity conv... 6072 inductive learning broad concept algorithm abl... 8083 lacasa type system programming model enforce o... 11506 synthesizing userintended programs small numbe... 17592 conjecture universal probability distribution ... 2699 develop strong diagnostic bubbles crashes bitc... 11610 conjecture formula generating function virtual... 13241 investigate nature superconducting state curve... 1362 domain generalization problem assigning class ... 20142 adversarial examples shown exist variety deep ... 18229 investigate formation optical localized nonlin... 17395 cherenkov telescope array cta next generation ... 5566 paper describes three variants counterexample ... 2232 deep learning methods recently achieved great ... 4388 consider extended starlike networks hub node c... 8544 paper presents methodology simulating internet... 14346 first part paper establish uniqueness result c... 3703 manually labeled corpora expensive create ofte... 4591 missing data noisy observations pose significa... 11222 paper study stochastic gradient descent sgd me... 9442 making predictions ecosystems often available ... 6624 study genome rearrangement many flavours someh... 20803 growing field largescale time domain astronomy... 20413 study planted problemsfinding hidden structure... 20281 mobile edge caching enables content delivery d... 16365 security critical vital task wireless sensor n... 19060 multirate digital signal processing model redu... 2129 paper study ideal variable bandwidth kernel de... 2414 given matrix mathbfainmathbbrntimes vector b i... 2794 paper provides link causal inference machine l... 7914 present mapping class simplified air traffic m... 15969 use plasmon rulers follow conformational dynam... 11791 address problems underlying algorithmic questi... 19670 lowcost robust simple mechanism measure hemogl... 6061 title suggests describe justify presentation r... 15249 consider lasso noiseless experiment one observ... 19378 clouds strong impact climate planetary atmosph... 9717 investigate geometry optimal memoryless time i... 2684 due growth geotagged images recent web mobile ... 20624 ancient mindbody problem continues one deepest... 10911 paper proposes innovative method segmentation ... 11540 gaussian belief propagation bp widely used dis... 18303 present new largescale square degrees simultan... 1383 finite gaussian mixture models widely used mod... 19809 combine features extracted pretrained convolut... 14714 consider binary classification problem data la... 12491 popular adjusted rand index ari extended task ... 2748 fully realizing potential acceleration deep ne... 8790 linearquadraticgaussian lqg control concerned ... 16997 android mobile app framework enforces singlegu... 2635 onboard operating systems becoming increasingl... 15277 inverse problem antiplane elasticity determina... 13625 materials central way life future energy mater... 17722 weighted automata wa important formalism descr... 169 note necessary sufficient conditions establish... 10854 power plant complex nonstationary system tradi... 3860 paper concerned problem creating flattening ma... 15003 past calculation wakefields generated electron... 6307 deep neural networks dnns convolutional neural... 15035 recent success embeddings natural language pro... 18272 address boundary value problem ellipsoidal bgk... 18950 proteins commonly used biochemical industry nu... 18701 many graphical gaussian selection methods baye... 10665 ongoing future surveys repeat imaging multiple... 8410 spectral renormalization method introduced eff... 553 report proximity induced anomalous transport b... 12865 shortened determine transformation matrix maps... 3931 computational procedures foresee structure apt... 7093 paper computational aspects probability calcul... 9948 transfer learning finetuning pretrained neural... 14145 propose novel framework reduces management int... 12235 boltzmann machines physics informed generative... 9870 entropic regularization quickly emerging new s... 137 stabilizing magnetic signal single adatoms cru... 8365 simplified model example regional rf hyperther... 20318 illiquid markets obvious proxy market price as... 13732 mastering dynamics social influence requires s... 6209 study quantum synchronization pair twolevel sy... 17341 demonstrate semiconductor laser perturbed dist... 16496 study discrete time linear constrained switchi... 16476 paper theoretical numerical studies perfectnea... 4739 study origin layer dependence band structures ... 14018 present updated version massmetallicity relati... 2856 hybridized moleculemetal interfaces ubiquitous... 19323 machinelearning potentials mlps atomistic simu... 15762 set quantify number density quiescent massive ... 4279 mathematic forgetting curve models fit well fo... 3711 labeled graph calgebra mean calgebra associate... 14863 resonating valence bond rvb theory high tc sup... 15196 impact maximally possible batch size better ru... 14354 set points plane emphcrossing family set line ... 19585 jittered sampling refinement classical monte c... 8008 paper analyzes directional tracking extended k... 4596 defect diamond formed vacancy surrounded three... 15985 intermediatevalence compound smb wellknown kon... 12256 paper study syk model syklike tensor model glo... 5382 route selection based performance measurements... 19328 classical results chentsov campbell state cons... 6076 work mainly study influence warping module one... 1397 learning large scale nonlinear ordinary differ... 12094 detection gravity plays fundamental role growt... 5144 web video often used source data various field... 19867 paper compute discrete fundamental groups warp... 11604 article outlines memoriam prof pavel zampas co... 13750 propose dynamic network model two mechanisms c... 8086 scientific experiments online ab testing previ... 5466 continuing series works following weyls oneter... 7302 highlyefficient multiresonant rf energyharvest... 7303 graphical causal models important tool knowled... 8029 new class functions called information sensiti... 7270 generative adversarial networks gans powerful ... 16787 donohos jcgs press paper spirited call action ... 2512 weighted knearest neighbors algorithm one fund... 10608 present alma detections ci co j co j emission ... 9831 shortspacing problem describes inherent inabil... 20941 study accretion driven turbulence different in... 17473 interfaces oxide materials lattice electronic ... 7087 note give simple proofs several results involv... 5597 present novel framework addressing nonlinear l... 13902 diderot parallel domainspecific language analy... 15427 kotliar ruckenstein slaveboson representation ... 17455 work ask two questions predict type community ... 2495 multiarmed restless bandit problem studied cas... 10933 present results multiwavelength study blazar p... 11430 complex projective manifold rationally connect... 19609 key enabler optimizing business processes accu... 8319 twodimensional materials significant potential... 2701 inference prediction control complex dynamical... 2085 use superconducting rings asymmetric linkup cu... 12551 releasing full data records one challenging pr... 17309 multiarmed bandit mab class online learning pr... 18912 grangercausality frequency domain emerging too... 4462 long shortterm memory lstm normally used recur... 7427 past years distributed energy resources der ob... 4965 consider random linear estimation gaussian mea... 10600 paper calculate numbers irreducible ordinary c... 4139 npolar gan pn diodes realized singlecrystal np... 12770 stochastic constraint programming scp extensio... 5627 let pequiv mod rational prime number mod p cub... 20482 cell division site positioning precisely regul... 14329 fast radio bursts new class transient radio ph... 6978 large data collections required training neura... 9437 liquid scintillators common choice neutrino ph... 17601 mapper produces compact summary high dimension... 13690 assessment multimedia quality relies heavily s... 8019 keyword spottingor wakeword detectionis essent... 10210 branch provability logic investigates provabil... 20461 text survey crossvalidation define classical c... 19582 use laplacian eigenfunctions ubiquitous wide r... 7015 paper propose adaptive framework variable powe... 19145 steganography involves hiding secret message i... 17205 analyse extreme event statistics experimentall... 3268 study ideal structure reduced crossed product ... 11006 explore effects asymmetry hopping parameters d... 16040 national toxicology program issuing final repo... 714 discuss various universality aspects numerical... 2678 study loschmidt echo quenches open onedimensio... 20390 consider twonode tandem queueing network upstr... 6550 discourse connectives eg however terms explici... 13811 propose apply two methods estimate pupil plane... 15582 based independently distributed x sim nptheta ... 10599 atomic transition addressed single tooth optic... 7175 gaussian process modulated poisson processes p... 18375 long memory forecasting studies assume memory ... 14410 hybrid normed ideal perturbations ntuples oper... 6 observed newly discovered hyperbolic minor pla... 13153 consider slowly evolving ie adiabatic operatio... 16330 consider classical gaussian unitary ensemble s... 12060 deeptingle text prediction classification syst... 19231 present lifestate rulesan approach abstracting... 5211 good classification method yield accurate resu... 5833 ion trap quantum computer collective motional ... 20425 large neural network generalize well complex t... 12439 construct point transformation two integrable ... 5751 electricity distribution grid designed cope lo... 4351 kirk lancaster david siegel investigated exist... 6628 estimation parameters crucial part model devel... 3886 paper concerned blowup phenomena initial value... 17536 citechenfgi proposed differential operator eva... 9584 rank minimization rm wildly investigated task ... 17231 propose new mathematical model nkdimensional n... 16354 present new viscosity measurements synthetic s... 17177 resonant xray scattering dy ni l absorption ed... 5449 penalized regression models lasso extensively ... 4411 consider jovian planet highly eccentric orbit ... 19873 understanding user preference essential optimi... 16092 paper consider precoder designs multiuser mult... 13151 paper present novel approach based random walk... 9955 present new radio continuum observations ngc m... 1023 epg graphs introduced golumbic et al edgeinter... 6769 develop theory viscous dissipation onedimensio... 16705 paper introduce novel method gradient normaliz... 17355 prove conjecture medvedev scanlon case regular... 19478 convolutional neural networks cnns shown promi... 16983 study production primordial black holes pbhs e... 6165 define generalized connected sum generic close... 4779 paper describes procedure estimate parameters ... 20723 message passing algorithm derived recovering c... 3211 study existence monotone heteroclinic travelin... 10830 define standard borel space free arakiwoods fa... 7513 present simple quantile regressionbased foreca... 19429 introduce examine collection unusual electroma... 6259 integrating factor exponential time differenci... 18592 investigate possible links largescale smallsca... 5201 elastic foil interacting uniform flow trailing... 5071 objective numerous glucose prediction algorith... 15232 paper propose novel splitting receiver involve... 6508 parametrization irreducible unitary representa... 14173 work sharp compactness theorem yamabe problem ... 9816 due recent advances technology recording analy... 13585 origin broad emission line region belr quasars... 9671 evaluation query probabilistic database boils ... 16935 paper presents convergence analysis kernelbase... 17252 autonomic nervous system ans activity altered ... 18680 despite impressive advances simultaneous local... 4509 mostly survey article use information galois p... 3143 many machine learning models reformulated opti... 19600 positive parameter beta betabounded distance p... 2111 jpeg one widely used image formats ways remain... 8748 show set cusp shapes hyperbolic tunnel number ... 15104 prove regular ntimes n square grid points inte... 17323 let r commutative ring identity let zr set zer... 16540 abridged formation largescale hundreds thousan... 12299 address problem bootstrapping language acquisi... 5995 recent years emerging interest occurred integr... 15614 radiological characterization contaminated ele... 8043 paper establish equivariant mirror symmetry we... 14497 recent observation discrepancies muonic sector... 7510 consider problem individualspecific medication... 558 largescale computational experiments often run... 14401 develop liouville perturbation theory weakly d... 7569 paper prove immersed stable capillary hypersur... 5802 mapping process continuous configuration space... 11096 insertion challenging haptic visual control pr... 4921 paper develops hybrid method solving system ad... 7430 point location problems n points ddimensional ... 6478 paper entropies including measuretheoretic ent... 2727 objects moving fluids experience patterns stre... 18213 eventbased cameras shown great promise variety... 9444 smooth manifold possibly boundary corners lie ... 4678 motivated need detect underground cavity withi... 20632 study behavior exponential random graphs spars... 5970 independent component analysis ica widely used... 6891 paper consider separable covariance model play... 14116 evolution propagation worlds languages complex... 8760 let g inner form general linear group nonarchi... 17131 consider relationship two sufficient condition... 18886 braincomputer interface bci uses brain signals... 8355 annihilating dark matter dm models offer promi... 14447 modern knowledge base systems frequently need ... 14832 convolutional neural network used predict kidn... 16418 paper proposes approach domain transfer based ... 16555 paper consider privacy preserving encoding fra... 6518 action potentials basic unit information nervo... 7685 efforts reduce numerical precision computation... 18432 establish firstorder methods avoid saddle poin... 10327 article give reviews concerning negative proba... 1470 single magnetic skyrmions localized whirls mag... 14236 demonstrate application futamura projections h... 15958 computational approaches finding nontrivial in... 3668 jacobianbased saliency map attack family adver... 14876 present evaluation several representative samp... 18294 statecharts frequently used modeling formalism... 18606 describe new cognitive ability ie functional c... 19874 lowdimensional embeddings nodes large graphs p... 12074 study class onedimensional classical fluids pe... 5885 airshowers measured pierre auger observatory a... 9419 kriging widely employed technique particular c... 8810 present formal model fragmentation reassembly ... 8632 article present bernstein inequality sums rand... 2988 extended form classical polynomial cubic bspli... 19044 process certify highly automated vehicles yet ... 3265 report experimental results static magnetizati... 6482 asymptotic solution problem comparing means tw... 16497 challenge taking many variables account optimi... 19761 paper perform analysis leads space initial con... 20180 public space utilization crucial urban develop... 11335 define formal affine demazure algebra formal a... 2252 gradientbased optimization foundation deep lea... 8999 deep learning methods useful highdimensional d... 7900 large collections videos grouped clusters topi... 1869 since events arab spring increased interest us... 20528 work devoted variety dimensional algebras alge... 9483 present generic framework trading fidelity cos... 10212 interplay geometric frustration gf bond disord... 13728 report results isothermal magnetotransport sus... 19171 cryptovirological augmentations present immedi... 11677 recent paper giardin giberti hofstad prioriell... 6241 paper addresses distributed average tracking p... 14767 present work weighted area integral means mpva... 3437 chimera states namely complex spatiotemporal p... 20341 set possible configurations ehrenfest windtree... 16337 recent work using plasmonic nanosensors clinic... 1199 network noisy leaky integrate fire nnlif model... 14931 algebraic methods long history statistics prom... 5300 transiting exoplanet survey satellite tess emb... 1277 paper investigate common scenario every candid... 4393 introduce new virtual environment simulating c... 12858 review physics grb production relativistic jet... 8883 physics arising twodimensionald dirac cones to... 715 relativistic jets created active galactic nucl... 1670 dark matter particle explorer dampe one four s... 9403 paper present fptalgorithms special cases shor... 4165 consider recovery low rank times n matrix nois... 4401 article carries large dimensional analysis sta... 8248 monolayer films fese grown srtio substrates ex... 361 educational research shown narratives useful t... 5848 onetoone correspondence infinitesimal motions ... 17896 video games playing thereof fixture american c... 6244 consider fractional hartree equation lsupercri... 15382 estimating human longevity computing life expe... 8039 phase tensor pt marked breakthrough understand... 5405 known life forms based upon hierarchy interwov... 16554 theoretically study onedimensional mutually in... 4600 human brain capable diverse feats intelligence... 4884 developing braincomputer interfacebci seizure ... 6936 introductionthe free cued selective reminding ... 17487 paper presents practical approach towards impl... 3024 prove c subsequence thuemorse sequence mathbf ... 13514 present superpivot analysis method lowresource... 13707 recently macdonald et al showed many algorithm... 3926 paper biderivations without skewsymmetric cond... 7408 parameterised boolean equation system pbes set... 17138 extend theoretical analysis recently proposed ... 8358 paper give method construct momentangle manifo... 1157 present extension variational monte carlo vmc ... 8731 paper present initial attempt learn evolution ... 18424 motivated safetycritical applications testtime... 12217 shown via theory simulation resonant frequency... 19451 despite extremely weak intrinsic spinorbit cou... 6586 covering type space x defined minimal cardinal... 15752 work analyzed magnetocaloric effect mce tsalli... 460 nonconding rnas play key role posttranscriptio... 17845 prove set symplectic lattices siegel space mat... 7888 demonstrate nonvolatile ntype backgated mos tr... 7335 oneparametric stochastic dynamics interface qu... 19249 asymmetric resonant cavity used form path much... 9394 paper prove global wellposedness critical surf... 291 immiscible fluids flowing high capillary numbe... 8288 detection gravitational waves ligo virgo requi... 11983 demonstrate first time efficient photonicbased... 9610 combined allelectron twostep approach applied ... 15392 paper studies optimal control problem string v... 14621 although darwinian models rampant social scien... 1106 slaters condition existence strictly feasible ... 13559 revisit low energy physics one dimensional spi... 7153 present suite reinforcement learning environme... 18695 supercdms experiment designed directly detect ... 4767 community detection provides invaluable help v... 8191 feature selection highdimensional data small p... 14477 relativizing computations turing machines orac... 7648 recently test signchanging gap function candid... 11866 introduction identification bloodbased metabol... 19777 research automated vehicles experienced explos... 7289 attentionbased encoderdecoder architectures li... 14035 present inferences geometry kinematics broadhb... 12200 paper discuss stochastic comparisons parallel ... 9515 authorship attribution natural language proces... 16583 propose novel numerical approach optimal desig... 4032 paper study right snoetherian rings modules ex... 11527 kuramotosivashinsky pde line odd periodic boun... 19013 bestk identification problem bestkarm given n ... 8604 investigate effect cylindrical nanoconfinement... 8141 recent developments imaging techniques enable ... 18433 connectivity related concepts fundamental inte... 900 used soft xray photoemission electron microsco... 2279 artificial ice systems unique physical propert... 3375 consider twoarmed bandit problem applied data ... 20434 making sense dataset automatic unsupervised fa... 8332 survey contains main results rational homotopy... 6002 classification sequence data topic interest dy... 5117 dropout stochastic regularisation technique tr... 259 paper studies recently proposed continuoustime... 10393 study magnetization reversal varphi josephson ... 11868 let adelta weak multiplier hopf algebra pair n... 20339 propose klucb algorithm regret minimization st... 1647 multistage design used wide range scientific f... 20962 features applications quasispherical settling ... 2910 use trace class scattering theory exclude poss... 12300 article presents parallel implementation coupl... 230 twodimensional electron gas exposed perpendicu... 2981 possibility topological kosterlitzthoulesskt t... 9901 modeling joint distribution extreme weather ev... 6543 study variant source identification game train... 2932 design analyse variations classical thompson s... 15001 data processing pipelines represent important ... 16564 order pursue vision robocup humanoid league be... 15137 email cryptography applications often suffer m... 16970 present method metric optimization large defor... 11844 linear structural equation models relate compo... 7949 language models lm powerful lipreading systems... 4461 weihrauch degrees strong weihrauch degrees par... 17037 toxicity prediction chemical compounds grand c... 20202 appearancebased robot selflocalization problem... 16332 weyl semimetallic compound euiro along hole do... 9871 eigenvalue hermitic hamiltonian real undoubted... 3643 present results noncosmological threedimension... 3882 used multiplescale homogenization method deriv... 6149 twodimensional materials tremendous interest i... 17040 study limit shape successive coronas tiling mo... 3386 generative models either simple clustering alg... 18153 simplistic estimation neural connectivity meeg... 10019 fractal tridyn ftridyn modified version widely... 8260 article consider following capacitated coverin... 274 draft textbook chapter neural machine translat... 8227 current tools exploratory data analysis eda re... 5905 storage transmission big data discussed paper ... 14762 nontrivial connectivity allowed training deep ... 9698 article consider static bayesian parameter est... 8336 distribution grids constitute complex networks... 19540 direct numerical simulation liquidgassolid flo... 9683 investigated physical properties cometlike obj... 2626 advances wireless sensor network wsn provided ... 5864 random scattering usually viewed serious nuisa... 16022 assisted availability data high performance co... 20458 performing bayesian data analysis using genera... 20598 propose natural relaxation differential privac... 4058 consider multiagent stochastic optimization pr... 14377 let g finite group property ab powers deltacom... 10378 ndhfo belonging family geometrically frustrate... 17952 restricted boltzmann machines rbms energybased... 4935 predicting next activity running process impor... 4472 consider gierermeinhardt system small inhibito... 14831 introduce regression model data nonlinear mani... 18118 paper consider markov chain choice model singl... 10429 quantum phase transitions ubiquitous many exot... 8409 sharir welzl derived bound crossingfree matchi... 10743 almost eegbased braincomputer interfaces bcis ... 14579 paper represents systematic way generation aar... 11148 enable electric vehicles evs access internet i... 5412 extension deep learning towards temporal data ... 17227 present widefield deg weak lensing mass maps h... 10537 use ultradeep cm data karl g jansky large arra... 2184 previous studies demonstrated empirical succes... 6904 bayesian shrinkage methods generated lot recen... 17626 highlight rulebased integration rubi enhanced ... 10353 list decoding insertions deletions levenshtein... 2066 collective urban mobility embodies residents l... 12965 deep neural networks widely used various domai... 12023 symmetry algebra real elliptic liouville equat... 7306 amino acid sequence portrays intrinsic form pr... 17791 principle glitch states device makes discrete ... 9919 recently shown feedback effects decisions igno... 4974 inspired recent developments research atomphot... 10508 wheeled ground robots limited exploring extrem... 9042 context upcoming weak lensing surveys euclid p... 7834 spin ice research small variations structure i... 19305 regular icosahedron connected many exceptional... 12731 let compact constant mean curvature surface ei... 7723 memristor one four fundamental twoterminal sol... 20389 view neural network distributed system neurons... 5421 brain ct become standard imaging tool emergent... 5135 study method construct fullcolour volumetric d... 13244 study special fiber integral models shimura va... 10342 software service cloud computing model favorit... 16114 supervised speech separation uses supervised l... 1957 statisticians increasingly face problem recons... 8509 paper completely solve diophantine equations f... 487 bihomlie colour algebra generalized homlie col... 7275 deep neural networks dnns powerful machine lea... 6874 outline new approach solving optimization prob... 12931 regular language l nonreturning minimal determ... 15539 flag domain real g complex semismiple lie grou... 10876 scuba ambitious sky survey sassy composed shal... 10791 calculate qdimension kth cartan power fundamen... 18412 discuss existence injectively universal calgeb... 10369 paper presents results topic modeling network ... 3184 recently research accelerated stochastic gradi... 13101 variable clustering important explanatory anal... 4871 well known lasso interpreted bayesian posterio... 6402 tensors natural way express correlations among... 14100 quantum technology increasingly relying specia... 15319 using hybrid exchangecorrelation functional ab... 17490 validity strong law large numbers multiple sum... 2783 novel lowbandgap copolymer oligomers proposed ... 15430 find negative charges armchair singlewalled ca... 7307 experimental numerical study steadystate cyclo... 6842 graphitic nitrogendoped graphene excellent pla... 18021 managedmetabolism hypothesis suggests cooperat... 4984 extreme deformations dna double helix attracte... 18327 limitations processing capabilities memory tod... 19353 saliency guided hierarchical visual tracking s... 4618 report first streaking measurement waterwindow... 5863 let lg subcritical gjms operator evendimension... 1020 consider programming language based lamplighte... 9480 despite accelerating convolutional neural netw... 16138 paper investigates information theoretic groun... 11802 advanced optimization algorithms newton method... 18452 optical properties color centers diamond subje... 19246 paper gives selfcontained grouptheoretic proof... 15647 present collective coordinate approach study c... 3073 paper presents new compact canonicalbased algo... 10901 general boltzmann machine continuous visible d... 13939 study task estimating number edges graph acces... 6892 paper prove finitely generated malnormal subgr... 8803 discovered novel candidate spin liquid state r... 17245 paper concerned multiasset meanvariance portfo... 13952 pairwise maximum entropy model also known isin... 8076 realworld networks often powerlaw degrees scal... 7886 paper explores supervised techniques continuou... 14050 first step statistical reliability studies coh... 4010 gradient boosting stateoftheart prediction tec... 16632 bayesian context prior specification inference... 12549 surface plasmon polariton hyberbolic dispersio... 2736 primary motivation much software analytics dec... 18583 linear arrays trapped laser cooled atomic ions... 12904 minimum stellar velocity dispersion often obse... 134 regression spatially dependent outcomes poses ... 13113 efficient humanmachine networks require produc... 10110 class methods based multichannel linear predic... 14769 water plays major role biosystems greatly cont... 8242 known essential spectrum schrdinger operator h... 6015 following work keel tevelev give explicit poly... 11965 learning individuallevel causal effects observ... 16059 malignant melanoma one rapidly increasing inci... 16700 new form variational autoencoder vae proposed ... 17246 deep learning enabled major advances fields co... 3572 deep learning stateoftheart fields visual obje... 10798 nonignorable missing data likelihoodbased infe... 11963 problem feature disentanglement explored liter... 6880 key component forecasting demand consumption r... 8132 generative adversarial network gan variants ex... 16313 let f continuous real function defined subset ... 13974 investigate time evolution entanglement entrop... 20183 dirac nodal line semimetal bulk conduction val... 4484 article extend conventional framework convolut... 15452 consider variation problem corruption detectio... 4744 bagchi main effect plans orthogonal block fact... 1579 paper concerned inbody system gathering data m... 19183 near infrared spectroscopy nirs imagingbased d... 2968 goal paper present endtoend datadriven framewo... 19976 recent advances computer visionin form deep ne... 3256 note present inftycategorical framework descen... 6682 pivotal step toward understanding unconvention... 485 strongcoupling monolayer metal dichalcogenide ... 6544 prove convexity theorem hamiltonian torus acti... 967 reusing passwords across multiple websites com... 4159 compared numerous xray dominant active galacti... 7735 learning optimize recently proposed framework ... 10424 maintenance software developers deal numerous ... 3826 choice solid system makes adopting crystal str... 20694 letter present measurement phasespace density ... 11275 paper presents light detection ranging lidar d... 1947 reducedrank regression dimensionality reductio... 16254 knowledge graphs enable wide variety applicati... 8917 new regularisation shallow water isentropic eu... 2225 paper seeks combine differential game theory a... 14275 paper considers problem solving systems quadra... 4013 give new expression law eigenvalues discrete a... 20688 atomically thin ptse films attracted extensive... 15044 propose technique calculating understanding ei... 10157 constrained application protocol coap speciali... 14535 expository paper concerned properties proper h... 7988 theory graph limits represents large graphs an... 14583 paper prove global result schrdinger map probl... 20248 conversion optimization means designing web in... 12503 lowdimensional wide bandgap semiconductors ope... 16178 examine role memorization deep learning drawin... 6561 robots become ubiquitous need able adapt compl... 16208 previous paper assembled collection mediumreso... 9742 written version closing talk nd los alamos ste... 9299 v jimenez j llibre characterized homeomorphism... 4989 paper present novel method rapid highresolutio... 6497 triangle generative adversarial network deltag... 8100 recommender systems widely used predict person... 7414 describe first ever implementation emulsion mu... 6442 consider timedomain digital backpropagation ch... 3204 study configuration spaces linkages whose unde... 2549 propose typesafe abstraction tensors ie multid... 11368 gaussian mixture models gmm powerful parametri... 18441 el nino probably influential climate phenomeno... 4148 enhanced mobile broadband embb one key usecase... 9827 work discuss related challenges describe appro... 19744 wireless communication plays vital role promis... 10312 introduce new ferromagnetic model capable repr... 8454 neural networks commonly trained make predicti... 5671 underactuation ubiquitous human locomotion ubi... 19960 prove eigenstates manybody localized symmetry ... 18920 nature aerosols hot exoplanet atmospheres one ... 8576 order scale standard gaussian process gp regre... 15133 concerned inverse scattering problem recoverin... 6202 cellular dendritic microstructures result func... 6279 atomic force microscope afm capable producing ... 20459 increasing electric vehicle ev adoption recent... 10309 work merle e manis introduced valuations commu... 2904 benfords law empirical observation first repor... 7908 instruments visualize transient structural cha... 6707 paper studies new type bin packing problem bpp... 12531 temporal pattern mining tpm problem mining pre... 4738 recent initiatives regulatory agencies increas... 601 labeled latent dirichlet allocation llda exten... 7484 reinforcement algorithm solves classical optim... 12809 paper obtain possibilistic variants probabilis... 14205 location fingerprinting locates devices based ... 4168 paper concerned problem stochastic control gen... 9427 nonlinear ordinary differential equation solve... 7666 stable topological invariants cornerstone pers... 12914 canonical polyadic decomposition cpd convenien... 2167 ultrafast xray imaging provides high resolutio... 18687 paper firstly exploit interuser interference i... 18179 realistic models quantum chaotic systems hamil... 14159 one interesting features libration domain coor... 4400 paper describes massively parallel code stateo... 18700 present paper provide description complete cal... 15541 solve problem r nandakumar proving tiling plan... 5485 study mereology parts wholes context formal ap... 8865 consider ensemble random density matrices dist... 20857 convolutional neural networks cnn locally conn... 14953 navigation popular area research academia indu... 11846 paper present novel construction nonhomogeneou... 2624 paper propose modified levy jump diffusion mod... 15760 let ngeq kgeq two integers subset dotsk graph ... 5763 paper summarizes development veamy objectorien... 2545 assume selfadjoint operator hilbert space math... 14345 paper presents framework automatic synthesis c... 16819 deep reinforcement learning rl methods general... 16561 show geodesics jacobi vector fields flag curva... 741 centerofmass motion single optically levitated... 411 probe starformation sf processes present resul... 4819 theoretical models pertaining feedbacks ecolog... 17510 consider inference history sample dna sequence... 12362 fate exotic spin liquid states fractionalized ... 19521 present davis challenge video object segmentat... 20099 research impact gestures using lecturer one ch... 9605 goulds belt flat local system composed young o... 13027 measured magnetic resonance rubidium atoms pas... 2497 object oriented software development analysis ... 12890 paper study family binomial ideals defining mo... 16250 present paper motivated one fundamental challe... 4356 attenuation correction essential requirement p... 19547 performing diagnostics systems increasingly co... 20837 causal discovery empirical data fundamental pr... 12973 polynomial ring arbitrary field twelve variabl... 2760 knowledge distillation kd consists transferrin... 2075 prospect pileup induced backgrounds high lumin... 16780 paper explores various special functions gener... 19225 perovskite solar cells record power conversion... 18533 present characteristics performance new ccd ca... 3974 deep learning become state art approach many m... 19781 provide particle picture representation nonsym... 17743 following previous studies restarting automata... 18430 singlephoton avalanche diodes spad affordable ... 3105 present theoretical experimental study boundar... 16072 new amortized variancereduced gradient avrg al... 20695 e root lattice constructed modular curve x inv... 3147 work investigate value employing deep learning... 12430 cryptographic currency bitcoin transactions re... 17150 present results multiwavelength investigation ... 5601 event sequence asynchronously generated random... 286 training neural network using backpropagation ... 4059 let mathbbfq denote finite field order q n pos... 1323 bigger deeper neural network architectures con... 16793 n hindman leader strauss proved consistent fin... 17225 paper taskrelated fmri problem treated matrix ... 6866 spinpolarized fieldeffect transistor spinfet d... 15364 reynolds parametricity theory captures propert... 72 evolutionary biology speciation history living... 13270 experiments numerical simulations explore beha... 410 paper prove exists dimensional constant delta ... 19288 wellknown kernel regression estimators produce... 2078 free space optical communication techniques su... 12634 availability explainable deep learning model a... 2012 paper presents design nonlinear control law ty... 8715 study superconducting properties populationimb... 6689 present method preliminary results image recon... 13321 cardiac left ventricle lv quantification among... 8299 motivated recent experiments twocomponent bose... 13506 calculation phase diagrams one fundamental too... 2522 present selfcontained proof uhlenbecks decompo... 4546 spirit searching gdbased frustrated rare earth... 16928 show quantum communication means collapse wave... 11227 present method memory footprint reduction fftb... 6328 classical ctl temporal logics built systems in... 7667 consider minimal nonnegative jacobi operator p... 16467 modern deep transfer learning approaches mainl... 16630 twisted electromagnetic waves helical phase fr... 11735 paper presents privileged multilabel learning ... 9578 article introduces new concept structure defin... 8918 recently andrews dixit yee defined two partiti... 12510 recent developments within memoryaugmented neu... 6355 using fencheleggleston theorem convex hulls ex... 16464 english translation old paper definicin estudi... 10624 recent years bullying aggression users social ... 3461 paper proposes new loss using shorttime fourie... 6231 work design machine learning based method onli... 7628 alternative density functional theory wavefunc... 9534 extended air showers produced cosmic rays impi... 9543 common architecture torque controlled humanoid... 12934 present cfaar program repair assistance techni... 18221 initialization parameters deep neural networks... 2298 objective evaluate unsupervised clustering met... 3168 starting summary detection statistics recent x... 15197 consider compositecomposite testing problems e... 19641 introduction papers deals partial differential... 19645 choreographies widely used specification concu... 12223 proved rgnier rsler number key comparisons req... 8710 paper study finite walgebra queer lie superalg... 9237 optimized substrate temperature ts phosphorus ... 19808 discovering business rules business process mo... 3836 recently several test case prioritization tcp ... 6483 grain growth proceed effectively lead planet f... 17495 recently thas et al introduced new statistical... 6826 sterile neutrinos produced oscillations well m... 1071 pipelines combining sqlstyle business intellig... 15014 demonstrate prior influence posterior distribu... 18653 every time person encounters object given degr... 19555 recent studies social media spam automation pr... 19656 latent features learned deep learning approach... 14443 terms acousticelastic metamaterials describe c... 2830 traditional linear methods forecasting multiva... 6188 study edge transport properties interacting ha... 4328 develop novel method training gans unsupervise... 2045 propose positionvelocity encoders pves learnwi... 13314 statesponsored bad actors increasingly weaponi... 5762 privacy security two universal rights ensure d... 19597 paper investigate reconstruction timecorrelate... 10366 paper introduce iterative linearization scheme... 7899 show well known rules back propagation arise w... 205 propose new multiframe method efficiently comp... 9808 period estimation one central topics astronomi... 9238 solving peierlsboltzmann transport equation in... 10807 quantification supervised learning task consis... 3806 paper introduces extension herons formula appr... 13899 questions noise stability play important role ... 8807 study padic families eigenforms pth hecke eige... 16882 prove two finite volume hyperbolic manifolds a... 17173 formalism partial information decomposition pr... 2677 digraph corresponding every square matrix math... 3538 present efficient coresetsbased neural network... 17329 knearest neighbours knn popular classification... 14705 light axionic dark matter motivated string the... 18679 study distributional properties linear discrim... 14375 many discriminative learning methods using con... 9740 gravitational waves gws generated axisymmetric... 1731 present note study certain arrangements codime... 17039 multinomial choice models fundamental empirica... 3635 general procedure underlying hartreefock kohns... 9119 girards geometry interaction goi semantics des... 20428 mechanical oscillators heart many sensor appli... 697 multiuser multiarmed bandit mab framework used... 1005 consider condensate excitonpolaritons diluted ... 12923 work review class deterministic nonlinear mode... 18273 octahedral tilting common distortion process o... 14884 sputter depth profiling often sample erosion a... 2771 paper first present adaptive distributed obser... 12133 arkin et al initiated systematic study complex... 20591 secure private framework interagent communicat... 16936 combine bondaluehara method producing exceptio... 7077 stochastic ordering distributions random varia... 4404 paper presents novel principled approach train... 8306 monocular camera systems prevailing intelligen... 11800 consider constrained assortment optimization p... 17580 time series forecasting crucial component many... 1029 two dimensional incompressible navierstokes eq... 11068 procedural textures normally generated mathema... 9400 give complete formula characteristic polynomia... 17129 propose new partial decoding algorithm onepoin... 8815 version liouvilles theorem proved solutions de... 13365 consider problem active feature acquisition se... 20822 present three player bayesian game epsilon equ... 15547 recent years deep learning algorithms become i... 4160 study em maximum duopreservation string mappin... 12818 massive multiuser mu multipleinput multipleout... 10402 propose novel approach human pose estimation s... 10697 consider system linear hyperbolic pdes state o... 15155 revealing adverse drug reactions adr essential... 5140 bensonsolomon systems comprise known family si... 4528 digital advances transformed face automatic mu... 19533 revisit fundamental problem liquidliquid dewet... 8607 provide sufficient criterion unique parameter ... 12864 evolution parametric decay instability pdi cir... 11365 modern technology producing extremely bright c... 2101 introduce criterion resilience allows properti... 13620 develop second order primaldual method optimiz... 101 paper study generalized polynomial chaos gpc b... 4540 similarity metric learning provides principled... 20539 solving hard computational problems semidefini... 6692 effectiveness molecularbased light harvesting ... 13011 polydimethylsiloxane pdms films possess differ... 2743 present detection longperiod rv variations hd ... 6920 work outline entropy viscosity method discuss ... 18054 theoretically study bilayer superconducting to... 4178 sidefed crossed dragone telescope provides wid... 10862 recent studies shown sketches diagrams play im... 7518 context research testing building software sys... 10120 using lyapunovschmidt reduction method without... 10928 person dependent network called alterego net p... 20867 demonstrate siteresolved imaging strongly corr... 2730 describe communication game conjecture game wh... 396 decades conventional computers based von neuma... 1664 introduce concept saturated absorption competi... 6753 extreme phenotype sampling selective genotypin... 15121 increasing number sensors mobile internet thin... 4741 prove htype carnot groups rank k dimension n s... 1476 existence steady states elastic media small st... 8786 hexagonal manganites remno rare earths attract... 18682 paper robust nonparametric estimators instead ... 3589 many theories emerged investigate variance gen... 20039 statistical analysis sa complex process deduce... 20696 present convergence rate analysis approximate ... 16533 propose new cellular network model captures de... 635 transfer operators perronfrobenius koopman ope... 817 recent progress applying complex network theor... 5483 tasks identifying separation structures cluste... 12291 characterize multi tier network classical macr... 3341 automatic abusive language detection difficult... 19861 study deep linear network endowed structure ta... 50 machine learning algorithms linear regression ... 8725 paper linear sigma model studied using method ... 7870 address problem estimating statistics hidden u... 15132 semisupervised learning ssl provides powerful ... 19849 motivated recent experimental observations alp... 10454 let v minimal valuation overring integral doma... 707 paper concerned computation representation mat... 1686 view recent intense experimental theoretical i... 4049 recent research computational linguistics deve... 11733 projective plane piq necessarily desarguesian ... 7365 rapidly increasing number devices connected in... 2777 analyse homotopy types gauge groups principal ... 4843 superconformal field theories scfts scfts high... 724 phaseless superresolution problem recovering u... 17006 many problems configurations euclidean geometr... 11387 frame problem fp puzzle philosophy mind episte... 836 white dwarf stars used flux standards decades ... 9500 work first step towards description gromov bou... 11339 present algorithm generate synthetic datasets ... 433 developing testing algorithms autonomous vehic... 19698 profile describes set properties eg set skills... 5943 associate every central simple algebra involut... 5391 quantum parameter estimation plays key role ma... 18380 descent theory linear categories developed giv... 19161 propose batchexpansion training bet framework ... 12425 study model spaces sense hairer stochastic par... 16213 suppose compact khler manifold x ample line bu... 1026 previous work detailed requirements obtain max... 7553 pagerank numerous applications information ret... 9058 paraphrase generation important problem nlp es... 6153 study artificial neural network trained classi... 11903 learning cooperative policies multiagent syste... 20331 abridged paper revisit problem inferring inner... 10646 show party encrypt data epassport holder physi... 4972 let r frak local ring finitely generated rmodu... 1158 paper studies power allocation distributed est... 128 according astrophysical observations value rec... 5222 consider general problem modeling temporal dat... 3979 study whether depth two neural network learn a... 20464 concerned inverse scattering problem extractin... 11097 lorentz offaxis electron holography technique ... 13700 work report xray photoelectron xps valence ban... 123 review article discuss recent studies drops bu... 1247 bernoulli mixture model bmm finite mixture ran... 820 muroga showed express shannon channel capacity... 7627 paper study development anisotropy strong mhd ... 16352 modern industrial automatic machines robotic c... 6810 let sigma sigmai iin partition set primes bbbp... 7117 paper present method unsupervised clustering h... 6946 main purpose paper formalize modelling process... 9862 formally deduce closedform expressions transmi... 13953 study smooth structure convex functions genera... 13039 using arakis relative entropy liebs convexity ... 18475 consider problems compressed sensing optimal d... 12944 present results long baseline interferometry v... 2332 given substitution tiling plane subdivision op... 17315 manydegreescale gammaray halos expected surrou... 7934 consider differentialdifference equations dete... 14228 establish every kquasiconformal mapping w unit... 12646 suggest method calculate hyperfine anomaly man... 13332 advanced motor skills essential robots physica... 2948 report electronic band structures concomitant ... 14836 paper systematically explore questions succinc... 9440 anelastic pseudoincompressible equations two w... 10108 many classical results relativity theory conce... 5198 study maximum likelihood degree ml degree tori... 9326 construct statistical indicator detection shor... 5516 thesis study connections metric combinatorial ... 8069 part collection discussion pieces david donoho... 19408 show willwachers cyclic formality theorem exte... 1358 calcium imaging permits optical measurement ne... 896 obtain bounded solutions ordinary differential... 963 artificial intelligence revolutionizing lives ... 7708 study exact solutions quasionedimensional gros... 3014 modelbased optimization methods discriminative... 13809 evolution sculpts body plans nervous systems a... 1959 present general form renormalization operator ... 14319 paper propose two novel bounds loglikelihood b... 10804 article study generalisation seibergwitten equ... 18854 discovered extremely red lowgravity l dwarf ma... 12162 organisms use hairlike cilia beat metachronal ... 3728 perform set general relativistic radiative mag... 10802 study minibatch diversification scheme stochas... 14412 let g simple finite graph without isolated ver... 9565 investigate robust multiperiod network design ... 2541 hassewitt matrix hypersurface mathbb pn finite... 3077 paper presents development adaptive algebraic ... 11686 paper evaluates influence maximum vehicle acce... 17796 study efficient learnability geometric concept... 9703 datacenters main infrastructure top cloud comp... 11734 present sketchrnn recurrent neural network rnn... 930 based kp hierarchy reduction method general br... 3156 paper proposes principled information theoreti... 6714 stabilization linear systems unknown dynamics ... 14244 advancement technology last decades leading wi... 16400 previous secondary eclipse observations hot ju... 15389 ancient phrase roads lead rome applies chemist... 1595 since inception regression trees one widely us... 18007 volume contains proceedings eighth internation... 10675 survey basics things known never published thi... 2152 paper concerned problem exact map inference ge... 12953 planetary rings produce distinct shape distort... 6887 considerable recent activity applying deep con... 927 characterize response quiet time substorms sto... 16020 develop terminology methods working maximally ... 8138 automatic body part recognition ct slices bene... 4903 recent years self organised critical neuronal ... 15702 persistent homology typically studies evolutio... 7656 scanning microwave impedance microscopy mim me... 8310 given sample poisson point process intensity l... 7751 apply nested algebraic bethe ansatz models gl ... 17107 propose new method learning structure convolut... 4609 article give explicit minimal free resolution ... 16671 report realization transversely loaded twodime... 18766 electronic health records ehr data provide cos... 14979 scattertext open source tool visualizing lingu... 15337 use secure connections using https default mea... 13764 although cluttered indoor scenes lot useful hi... 16016 paper analyzes iterationcomplexity generalized... 7646 extend certain classical theorems pluripotenti... 15012 conventional text classification models make b... 13925 modify definable ultrapower construction kanov... 5333 paper propose general model planebased cluster... 17136 major system mnemonic system used memorize seq... 4496 novel approach introduced widely occurring pro... 18547 study multiparametric family quadratic algebra... 15871 memorytype control charts ewma cusum powerful ... 14030 consider question extending propositional logi... 6541 paper characterize irreducible darboux polynom... 2943 present spatially spectrallyresolved observati... 5572 informationtheoretic bayesian regret bounds ru... 14046 radio telescopes become sensitive damaging eff... 19811 show nsop theories exactly theories kimindepen... 5857 possible route extract electronic nuclear dyna... 14581 recent years witnessed extensive development t... 4194 present first systematic analysis read write s... 17890 approximate bayesian computation abc method ba... 2805 present paper algorithms solving stiff pdes un... 3433 increasing interest exploiting mobile sensing ... 13190 article present general theory augmented lagra... 11235 instance labeldependent label noise iln widely... 15942 prizecollecting steiner forest pcsf problem gi... 14515 training discrete latent variable models remai... 6831 trademark retrieval tr become important yet ch... 8887 present method computing table marks direct pr... 11526 crucial importance metrics machine learning al... 8993 deep learning emerged powerful machine learnin... 10890 propose hmdap hybrid framework largescale data... 1837 paper introduces addresses wide class stochast... 12637 exploiting theory state space models derive ex... 16626 paper investigate robustness external disturba... 14349 graphitic carbon nitride nanosheets among attr... 9153 prove leastarea unitvolume tetrahedral tile eu... 19376 recent works constructed axisymmetric solution... 49 real time large scale streaming data pose majo... 4101 graph said symmetric automorphism group transi... 7268 given elliptic curve ek galois extension kk co... 15419 due freely available tailored software bayesia... 17220 although gaia catalogue powerful tool combinat... 19002 present flipper natural language interface des... 4413 study asymmetry twopoint crosscorrelation func... 4420 propose new dynamics equilibrium selection fin... 20816 methodologically address problem qvalue overes... 7752 find epolynomials family parabolic mathrmspnch... 5168 consider twodimensional nonlinear schrdinger e... 9209 misalignment solar rotation axis magnetic axis... 17267 reconstruction sparse signals requires solutio... 12369 used surrogate objective maximum likelihood es... 18915 spontaneous symmetry breaking ssb important ph... 9859 progress machine learning measured careful eva... 12561 degree distribution one fundamental properties... 12239 detailed numerical analyses orbital motion tes... 17232 central problem algebraic topology understand ... 12261 space khler potentials compact khler manifold ... 3470 lowenergy constants namely spin stiffness rhos... 584 exploration asteroids smallbodies provide valu... 17401 ordered spin system given dimensionality under... 7793 paper serve introduction body work robust subs... 13535 show characteristic functions domains boundari... 18013 paper algebroid bundle associated affine metri... 7405 loopaugmented forest labeled rooted forest loo... 1765 paper reconsider circular cylinder horizontall... 19200 zeroshot learning zsl endows computer vision s... 6649 consider asymmetric orthogonal tensor decompos... 3698 framework shape constrained estimation review ... 8345 designers modern readerwriter locks confront d... 3451 consider motion small bodies general relativit... 13471 recent years numerous advanced malware aka adv... 7101 tissue characterization long important compone... 19563 geometric variations objects modify object cla... 1557 molecular interactions widely modelled network... 10664 paper present realtime robust multiview pedest... 16909 active learning al methods proven costsaving p... 6698 report combined theoreticalexperimental study ... 14639 provide explicit presentation infinite hyperbo... 14657 paper introduces new approach costeffective hi... 19230 highly robust efficient estimators generalized... 14636 compound distributions allow construction rich... 19636 paper uses classical approach feature selectio... 12906 measurement problem three vexing experiments q... 5929 using polarizationresolved transient reflectio... 4877 revisit relegation algorithm deprit et al cele... 16612 kinetic equations play major rule modeling lar... 16475 brny kalai meshulam recently obtained topologi... 12876 paper introduce new feature selection algorith... 12789 paper proposes concurrentaccess obfuscated sto... 15521 study scenario baryon asymmetry universe arise... 16255 several geophysical applications full waveform... 15978 paper prove existence nonnegative ground state... 13267 study swendsenwang dynamics critical qstate po... 2157 isoperimetric inequalities form intuitive yet ... 19242 fraud severely detrimental impacts business so... 18644 investigate corecollapse supernova ccsn nucleo... 13915 understanding generative mechanism natural sys... 14670 peertopeer pp botnets become one major threats... 15259 build new algebraic structures call genuine eq... 11330 availability powerful computers iterative reco... 16557 rgbd camera maintains limited range working ha... 11446 coupled evolution magnetic field flow earths c... 12170 spectrum l pseudounitary group upq assume pge ... 15824 studied intermediate filaments ifs retina pied... 2814 optical diffraction tomography multiply scatte... 18266 identify strong equivalence neural network bas... 1697 construct new continued fraction expansions ja... 2740 present asymptotic criterion determine optimal... 17066 surge political information discourse interact... 7682 behavior matter near quantum critical point qc... 8799 heart rate variability hrv vital measure auton... 13542 shown newtons inequalities related maclaurins ... 17926 review study rigorously notion mixed states de... 6463 investigate computational complexity various p... 1066 stochastic grosspitaevskii equation used model... 18407 users suffering mental health conditions often... 4504 review developments statistical physics fractu... 17977 inverse problems broad sense task learn noisy ... 14507 present database parliamentary debates contain... 14826 illustrate advantages distance weighted discri... 12767 introduce concept establishing paritytime symm... 735 even oddfrequency superconductivity coexist du... 7563 consider stochastic composition optimization p... 2439 paper describes duluth system participated sem... 17558 environmental pollutants colors textile indust... 2498 perspective provides examples current future a... 12957 power grids critical infrastructure assets fac... 3617 recent years optical control exchange interact... 4847 continuous attractors used understand recent n... 17419 cellular electron cryotomography cect powerful... 10903 representation learning become invaluable appr... 2782 study challenges applying deep learning gene e... 2136 vast majority computation brain performed spik... 20812 prove partially hyperbolic diffeomorphism one ... 17491 letter study mean sizes halpha clumps turbulen... 1698 convolution galaxy images pointspread function... 6750 introduce elliptic regularization pde system r... 3934 energetic particle environment martian surface... 4936 high availability scalability weaklyconsistent... 20266 difficult refold previously folded sheet paper... 18161 work answerset programs specify repairs databa... 2039 recent several years witnessed surge asynchron... 11418 address problem predicting solvation free ener... 2360 resolving abstract anaphora important difficul... 17278 factorable surfaces ie graphs associated produ... 9188 geometric approach optimal transport informati... 15009 stochastic orbital approach resolution identit... 5186 power system dynamic state estimation essentia... 9875 recall group pslmathbb r isomorphic pspmathbb ... 5293 wild sets mathbbrn tamed use various represent... 10219 reversible language forward computation undone... 12799 design structure matrices dsms useful represen... 7703 fog computing enables use cases data produced ... 18899 hardness learning errors lwe problem one fruit... 14841 show every free amalgamation class finite stru... 7885 threedimensional color codes advantages faultt... 8211 paper study following critical system fraction... 19822 sophisticated reinforcement learning rl system... 15991 apply liebrobinson bounds multicommutators rec... 9625 networks become de facto diagram big data age ... 7155 apply tractor image modeling code improve upon... 1219 increasing complexity heterogeneity computing ... 11499 every automorphisminvariant right nonsingular ... 15363 study deep linear network expressed form matri... 13175 consider problem computing nearest matrix poly... 8406 uncovering modular structure networks fundamen... 19416 interference arises individuals potential outc... 8936 last decade many business applications moved c... 3302 describe mechanism artificial neural networks ... 3287 show theoretically phase interlayer exchange c... 16864 ideal polynomial ring kx field moved change co... 14248 widespread sentiment possible effectively util... 4630 report optical mechanical characterization arr... 17525 decades psychological research aimed modeling ... 6888 spectrogram ship wake heat map visualises time... 9598 paper explore effectiveness dynamic analysis t... 12262 echo state networks powerful recurrent neural ... 12371 eigenoptions eos recently introduced promising... 14574 droplet evaporation turbulent sprays involves ... 13817 excellent ranking power along well calibrated ... 3468 currentaided inertial navigation framework pro... 6052 one main challenges parametrization geological... 14431 paper deals asymptotic behavior solutions dela... 15503 investigate quantum graphs infinitely many ver... 10462 linear operator two latticenormed spaces said ... 8545 symmetry operators twistor spinors harmonic sp... 6909 paper study predict results ltl model checking... 20011 network epidemics model based classical polya ... 4371 exchange small molecular signals within microb... 6298 supercomputing platforms available high perfor... 7185 many years ivector based audio embedding techn... 18341 paper explore various forms osmotic transport ... 7298 pipelined krylov subspace methods avoid commun... 2046 convolutional neural networks cnns one driving... 9114 use language uninformative bayesian prior choi... 10979 many vehicles world number vehicles increasing... 4073 gauge invariance sachswolfe formula describing... 14123 premise autonomous vehicles must optimize comm... 19770 paper describes experience training team devel... 18265 produce precise estimates kogbetliantz kernel ... 17509 give explicit examples answer open minded ques... 10621 optimal estimation signal amplitude background... 3993 stronginteraction limit hohenbergkohn function... 17083 background unstructured textual data increasin... 20888 health related social media mining valuable ap... 14155 paper projected primaldual gradient flow augme... 10671 analysis organizations computer network activi... 18602 stochastic gradient descent continuous time sg... 13292 regular separability problem asks two given la... 13685 recent years witnessed great success convoluti... 3059 paper propose method designing lowdimensional ... 14706 use information present bipartite network dete... 11343 space less one decade search majorana quasipar... 17599 paper describes submission clac conll shared t... 10733 discuss quasiparticle entropy heat capacity di... 12465 temperature coefficients directions nagoya muo... 3579 dynamics circular thin vortex ring sphere movi... 19697 fine particulate matter pm one criteria air po... 8739 since concept spin superconductor proposed rel... 14912 multidimensional time series sequences real va... 17891 regression problems pervasive realworld applic... 15983 field k prove ith homology groups glnk slnk sp... 3984 paper develops general framework learning inte... 17223 schatten quasinorm introduced bridge gap trace... 8589 many algorithms used solve minimization proble... 6399 framework keldyshusadel kinetic theory study t... 18300 study connection mapping spaces bimodules infi... 13361 study problem learning classifiers fairness co... 10360 proved replica symmetry broken transverse long... 4069 consider generalized milne problem nonconserva... 16024 quantum functional inequalities eg logarithmic... 4307 bearing cooperative localization used successf... 13688 smooth backfitting proven number theoretical p... 3580 measurements sigma large scale structure obser... 16236 paper present regression framework involving s... 6631 search runaway former companions progenitors n... 17254 bestkarm problem given n stochastic bandit arm... 1194 paper interested neumanntype series modified b... 4170 paper propose new approach obtain mixing least... 10821 field structural bioinformatics seen significa... 7782 problem constrained coverage path planning inv... 3975 letter prove unrolled small quantum group appe... 196 timevarying network topologies deeply influenc... 1119 software developers frequently issue generic n... 14499 study interfacial magnetocrystalline anisotrop... 18601 introduce coherent state mapping ringpolymer m... 19914 modified structures sapo prepared using polyet... 7094 electron acceleration relativistically intense... 9402 nonrapid eye movement nrem sleep desaturation ... 1588 modelling gene regulatory networks requires th... 5199 study incompressible limit pressure correction... 18872 present new model optical nebular emission hii... 1804 recently kinduction algorithm proven successfu... 6705 study intersection theory moduli space riemann... 13892 peierlsnabarro pn model dislocations hybrid mo... 5474 introduce analyze following general concept re... 15367 study problem cooperative multiagent reinforce... 1776 analyze charge spin response functions rareear... 16113 primordial black holes pbh dark matter singlef... 7969 paper complete determination brauer trees unip... 17427 though significant amount work investigating e... 15440 paper obtain new results related minkowski fra... 285 study problems related estimation gini index p... 15742 paper discuss recent results generalized metri... 10423 epilepsy common neurological diseases affectin... 6119 study dispersion point set notion closely rela... 549 effects mhd boundary layer flow nonlinear ther... 4828 giant mutually connected component gmcc interd... 2909 develop unified valuation theory incorporates ... 10265 consider general monotone regression estimatio... 17871 principal component analysis important pattern... 19850 behavior interior test particle secular body p... 3048 minimal deterministic finite automaton dfa uni... 8115 present various identities involving classical... 15889 implicit models one often interpolates sampled... 3753 paper propose novel continuous authentication ... 7178 objective test hypothesis variation care coord... 4046 consider point blowup manifold times sigma opl... 6325 decades experimental theoretical numerical res... 7997 study stochastic particle system logarithmical... 2452 consider machine learning comparisonbased sett... 12699 optimization algorithms leverage gradient cova... 1979 spite close connection evaluation quantified b... 18015 despite fundamental role determining material ... 2067 investigate macroeconomic consequences narrow ... 15241 ensuring classifiers nondiscriminatory fair re... 13282 delayedacceptance version metropolishastings a... 10795 eyes presented image brain processes view sing... 10436 daily operation largescale experiment challeng... 17604 examine institutional context affects relation... 19058 driven visions internet things g communication... 11474 hubble space telescope fine guidance sensor as... 6974 paper study ideal structure reduced calgebras ... 15597 problems nonparametric hypothesis testing intr... 14418 investigate defect structures forming around t... 19578 appearing stage quite recently low power wide ... 10443 note continues previous work special secant de... 16969 internetwide scans common active measurement a... 6070 often large high dimensional datasets collecte... 6133 magnetic field induced rearrangement cycloidal... 20863 define right cartaneilenberg structure categor... 15295 book chapter introduces regression approaches ... 8451 present continuous time state estimation frame... 19550 present novel method learning weights multinom... 9701 paper aims design quadrotor swarm performances... 12218 paper presents novel transformationproximal bu... 12375 study concentrates advancing mathematical comp... 11711 prove regularity estimates entropy solutions s... 14740 speckle reduction longstanding topic synthetic... 3755 crosscorrelations activity neural networks com... 10684 k borsuk topological conference moscow introdu... 16274 part fornax deep survey eso vlt survey telesco... 14452 majority online content written languages engl... Name: ABSTRACT, dtype: object
Step 4.1: Feature Extraction¶
TF-IDF Vectorization¶
In this step, we use the TfidfVectorizer from the sklearn.feature_extraction.text module to convert the text data into numerical features based on the TF-IDF (Term Frequency-Inverse Document Frequency) representation. This helps in capturing the importance of words in the context of the documents they appear in.
Fitting the Vectorizer on the Training Data¶
Before we can transform our text data into TF-IDF features, we need to fit the TfidfVectorizer on the training data. This step is crucial as it allows the vectorizer to learn the vocabulary and the importance of each term based on the training data.
Transforming the Training Data¶
After fitting the TfidfVectorizer on the training data, the next step is to transform the training text data into a TF-IDF feature matrix. This matrix will be used to train our machine learning model.
Converting the TF-IDF Sparse Matrix to a DataFrame¶
After transforming the text data into a TF-IDF feature matrix, we convert this sparse matrix into a DataFrame. This makes it easier to inspect and manipulate the data.
# Convert the TF-IDF sparse matrix to a DataFrame
X_train_tfidf_df = pd.DataFrame(X_train_tfidf.toarray(), columns=vectorizer.get_feature_names_out())
print("\nTF-IDF Features DataFrame:")
print(X_train_tfidf_df.head())
TF-IDF Features DataFrame:
aa ab abc abelian ability able absence absent absolute \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.129243 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
absorption abstract abstraction abundance abundances abundant ac \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
academic accelerate accelerated accelerating acceleration accelerator \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
acceptable acceptance accepted access accessible accommodate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
accompanied accomplish according accordingly account accounted \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
accounting accounts accretion accumulation accuracies accuracy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
accurate accurately achievable achieve achieved achieves achieving \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
acoustic acquire acquired acquisition across act acting action \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
actions activation activations active actively activities activity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
acts actual actually actuators acyclic ad adapt adaptation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adapted adapting adaptive adaptively add added adding addition \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.112321
additional additionally additive address addressed addresses \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
addressing adequate adiabatic adjacency adjacent adjoint adjust \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adjusted admissible admit admits admm adopt adopted adopting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adoption ads advance advanced advances advantage advantages \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adversarial adversary aerial affect affected affecting affects \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
affine aforementioned age agent agentbased agents ages aggregate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aggregated aggregation aging agn ago agree agreement agrees ai \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aid aim aimed aiming aims air al algebra algebraic algebraically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
algebras algorithm algorithmic algorithms aligned alignment \
0 0.0 0.054528 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
alleviate allocation allow allowed allowing allows alloy alloys \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
alma almost alone along alpha alphabet already also alternate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.041593 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.056424 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.128042 0.0
alternating alternative alternatives although always alzheimers \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
ambient ambiguity amenable among amongst amorphous amount amounts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
amplitude amplitudes analog analogous analogue analogues analogy \
0 0.000000 0.0 0.117599 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.100175 0.0 0.0 0.0 0.0
4 0.154655 0.0 0.000000 0.0 0.0 0.0 0.0
analyse analysed analyses analysing analysis analytic analytical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
analytically analytics analyze analyzed analyzes analyzing anderson \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
andor android angle angles angular animal anisotropic anisotropy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ann annealing annotated annotation annotations anomalies anomalous \
0 0.0 0.368868 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
anomaly another ansatz answer answering answers antenna antennas \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
antiferromagnetic apart aperture api apis app apparent appealing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
appear appearance appearing appears applicability applicable \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
application applications applied applies apply applying approach \
0 0.000000 0.000000 0.000000 0.0 0.0 0.0 0.049240
1 0.000000 0.000000 0.000000 0.0 0.0 0.0 0.000000
2 0.233211 0.040917 0.046472 0.0 0.0 0.0 0.000000
3 0.000000 0.000000 0.116723 0.0 0.0 0.0 0.000000
4 0.000000 0.000000 0.000000 0.0 0.0 0.0 0.075791
approaches approaching appropriate appropriately approx approximate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
approximated approximately approximates approximating approximation \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
approximations apps ar arbitrarily arbitrary architectural \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
architecture architectures arcs area areas argue argument arguments \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
arise arises arising arithmetic arm arms around arrangement array \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
arrays arrival art article articles artifacts artificial arxiv ask \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
asked aspect aspects assembly assess assessed assessing assessment \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assessments asset assets assigned assignment assist associate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
associated association associations assume assumed assumes assuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assumption assumptions asteroid asteroids astronomical astronomy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
astrophysical asymmetric asymmetry asymptotic asymptotically \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
asymptotics asynchronous atmosphere atmospheres atmospheric atom \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
atomic atoms attached attack attacker attacks attain attempt \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.080783 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
attempts attention attenuation attracted attraction attractive \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
attractor attribute attributed attributes au auc auction audio \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
augmentation augmented authentication author authors autocorrelation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
autoencoder autoencoders automata automated automatic automatically \
0 0.00000 0.0 0.0 0.0 0.0 0.0
1 0.00000 0.0 0.0 0.0 0.0 0.0
2 0.07482 0.0 0.0 0.0 0.0 0.0
3 0.00000 0.0 0.0 0.0 0.0 0.0
4 0.00000 0.0 0.0 0.0 0.0 0.0
automation automaton automorphism automorphisms autonomous \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
autoregressive auxiliary availability available average averaged \
0 0.0 0.0 0.0 0.0 0.079927 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
averaging avoid avoiding avoids aware away axial axioms axion \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
axis back background backpropagation backward bad balance balanced \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
balancing ball banach band bandit bandits bands bandwidth bar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
barrier barriers base based baseline baselines bases basic \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.030961 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
basis batch bath battery bayes bayesian beam beamforming beams \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
become becomes becoming begin beginning behave behavior behavioral \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
behaviors behaviour behind belief believe believed belong belonging \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.146328 0.0 0.0 0.0 0.0 0.0 0.0
belongs benchmark benchmarks beneficial benefit benefits bernoulli \
0 0.0 0.086161 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
besides best beta better beyond bf bias biased biases \
0 0.000000 0.074946 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.072887 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bidirectional bifurcation big bilinear billion bin binaries binary \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0856
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
binding binomial biological biology biomedical bipartite bit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bitcoin bits bivariate black blackbox blind block blockchain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
blocks blood blowup blue bn board bodies body boltzmann bond \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bonds book boolean boost boosted boosting bootstrap boseeinstein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bosonic bosons bottleneck bottom bound boundaries boundary \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.232956 0.0 0.0
bounded boundedness bounding bounds box boxes bp brain branch \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
branches branching break breakdown breaking breaks bridge brief \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
briefly bright brightness bring brings broad broadband broadcast \
0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.17899 0.0 0.0 0.0 0.0 0.0 0.0
broadening broader broadly broken brought brown brownian bs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bubble budget buffer bugs build building buildings builds built \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bulge bulk bundle bundles burden bursts bus business byproduct \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ca cache caching cal calculate calculated calculating calculation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
calculations calculus calgebras calibrated calibration call called \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
calls camera cameras cancer candidate candidates cannot canonical \
0 0.0 0.0 0.0 0.0 0.099855 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.071038 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0
cap capabilities capability capable capacity capture captured \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.059344 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
captures capturing car carbon cardinality care careful carefully \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
carlo carried carrier carriers carry carrying cars cartesian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cascade cascades case cases cast catalog categorical categories \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
categorization category cauchy causal causality cause caused causes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
causing cavity cc cdot cell cells cellular center centered \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
centers central centrality centralized centre century certain cf \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.073598 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
chain chains challenge challenges challenging chance change changed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
changes changing channel channels chaos chaotic chapter character \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
characterisation characterise characteristic characteristics \
0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0
characterization characterizations characterize characterized \
0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.135465 0.0
characterizes characterizing characters charge charged charges check \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
checking chemical chemistry cherenkov chern chi chip chiral choice \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
choices choose choosing chosen ci cifar circ circle circuit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
circuits circular circulation citation citations cities city cl \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
claim claims clarify class classes classic classical classification \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.073575 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
classified classifier classifiers classify classifying clean clear \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
clearly climate clinical clock close closed closedform closedloop \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
closely closer closure cloud clouds cluster clustered clustering \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
clusters cm cmb cn cnn cnns co coarse code codes coding \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
coefficient coefficients coexistence cognitive coherence coherent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
cohomology coincide coincides cold collaboration collaborative \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
collapse collect collected collecting collection collections \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
collective collider collision collisional collisions color colored \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
colors column columns combination combinations combinatorial \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
combinatorics combine combined combines combining come comes coming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
commands commercial common commonly communicate communication \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
communications communities community commutative compact companies \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.061092 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
companion company comparable comparative compare compared compares \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
comparing comparison comparisons compatibility compatible \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
compensation competing competition competitive compiler complement \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
complementary complements complete completed completely completeness \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
completion complex complexes complexities complexity complicated \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
component components composed composite composition compositional \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
compositions compound compounds comprehensive compressed compressible \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.084136 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
compression compressive comprised comprises comprising computable \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
computation computational computationally computations compute \
0 0.081322 0.0 0.0 0.0 0.000000
1 0.000000 0.0 0.0 0.0 0.000000
2 0.000000 0.0 0.0 0.0 0.054678
3 0.000000 0.0 0.0 0.0 0.000000
4 0.000000 0.0 0.0 0.0 0.000000
computed computer computers computes computing concentration \
0 0.00000 0.0 0.0 0.0 0.0 0.0
1 0.00000 0.0 0.0 0.0 0.0 0.0
2 0.06192 0.0 0.0 0.0 0.0 0.0
3 0.00000 0.0 0.0 0.0 0.0 0.0
4 0.00000 0.0 0.0 0.0 0.0 0.0
concentrations concept concepts conceptual concern concerned \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
concerning concerns conclude conclusion conclusions concrete \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
concurrent condensate condensation condensed condition conditional \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
conditioned conditioning conditions conduct conductance conducted \
0 0.0 0.0 0.00000 0.0 0.0 0.0
1 0.0 0.0 0.00000 0.0 0.0 0.0
2 0.0 0.0 0.00000 0.0 0.0 0.0
3 0.0 0.0 0.05532 0.0 0.0 0.0
4 0.0 0.0 0.00000 0.0 0.0 0.0
conducting conduction conductivity cone cones confidence \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.094594 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
configuration configurations confined confinement confirm confirmed \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
confirming confirms conformal congestion conjecture conjectured \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
conjectures conjugate conjunction connect connected connecting \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
connection connections connectivity consecutive consensus consequence \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
consequences consequently conservation conservative conserved \
0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.199375
consider considerable considerably consideration considerations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
considered considering considers consist consistency consistent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
consistently consisting consists constant constants constitute \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
constitutes constrain constrained constraint constraints construct \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
constructed constructing construction constructions constructive \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
constructs consumers consuming consumption contact contacts \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
contagion contain contained containing contains contamination \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
contemporary content contents context contexts contextual \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
continuation continue continues continuity continuous continuously \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
continuoustime continuum contour contraction contrary contrast \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.069088
4 0.0 0.0 0.0 0.0 0.0 0.000000
contribute contributes contribution contributions control \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
controllability controllable controlled controller controllers \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
controlling controls convection convenient conventional converge \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
convergence convergent converges conversion convert converted \
0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.189828 0.0
convex convexity convolution convolutional convolutions cooling \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
cooperation cooperative coordinate coordinates coordination cope \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
core cores corollary corpora corpus correct corrected correction \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
corrections correctly correctness correlated correlation correlations \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
correspond correspondence corresponding corresponds corrupted cosmic \
0 0.0 0.0 0.071423 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
cosmological cosmology cost costly costs could coulomb count \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
countable counterexample counterpart counterparts counting countries \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
counts couple coupled coupling couplings course covariance \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.136962 0.0 0.0 0.0 0.0
covariate covariates cover coverage covered covering covers cp \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cpu cr create created creates creating creation criteria \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
criterion critical criticality critically cross crossing crossover \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
crossvalidation crowd crowdsourcing crucial crucially crystal \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
crystalline crystals cs ct cu cube cubic cues cultural \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cumulative current currently currents curvature curve curved curves \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cusp customer customers cut cutoff cyber cycle cycles cyclic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cylindrical daily damage damping dark data database \
0 0.0 0.0 0.0 0.0 0.000000 0.043446 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.029469 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.149232 0.000000 0.0
databases datadriven dataset datasets date day days db dc \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.047452 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
ddimensional de deal dealing deals death debate decade decades \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
decay decays decentralized decidable decide deciding decision \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
decisionmaking decisions decoder decoding decompose decomposed \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
decomposition decompositions decoupling decrease decreased decreases \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
decreasing dedicated deduce deduced deep deeper default defect \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
defects defense define defined defines defining definite definition \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
definitions deformation deformations deformed deg degeneracy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
degenerate degradation degree degrees delay delayed delays deliver \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
delivery delta demand demanding demands demographic demonstrate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.047546
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
demonstrated demonstrates demonstrating demonstration demonstrations \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.056539 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
denoising denote denoted denotes dense densities density depend \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.117866 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
dependence dependencies dependency dependent depending depends \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.143483 0.0 0.0
deployed deployment deposition depth der derivation derivations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
derivative derivatives derive derived deriving descent describe \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
described describes describing description descriptions descriptor \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
descriptors design designed designing designs desirable desired \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
despite detail detailed details detect detected detecting \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.149499 0.0 0.0 0.0 0.0 0.0
detection detections detector detectors detects determinant \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.050083 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
determination determine determined determines determining \
0 0.000000 0.0 0.0 0.0 0.000000
1 0.000000 0.0 0.0 0.0 0.000000
2 0.000000 0.0 0.0 0.0 0.000000
3 0.093356 0.0 0.0 0.0 0.084974
4 0.000000 0.0 0.0 0.0 0.000000
deterministic develop developed developers developing development \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
developments develops deviation deviations device devices devise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
devised devoted dft diagnosis diagnostic diagonal diagram diagrams \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dialogue diameter diamond dictionary dielectric differ difference \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
differences different differentiable differential differentiation \
0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.034237 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0
differently differs difficult difficulties difficulty diffraction \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
diffuse diffusion diffusive digital digits dimension dimensional \
0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.063567 0.084171 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
dimensionality dimensions dipolar dipole dirac direct directed \
0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.06949 0.0
4 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
direction directional directions directly dirichlet disc disciplines \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
discontinuous discover discovered discovering discovery discrepancy \
0 0.0 0.0 0.0 0.124093 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
discrete discretetime discretization discretized discriminant \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
discrimination discriminative discriminator discs discuss discussed \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
discusses discussion disease diseases disjoint disk disks \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dislocation disorder disordered dispersion dispersive displacement \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.086512 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
display displays dissipation dissipative distance distances distant \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
distinct distinguish distinguished distinguishing distortion \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
distortions distributed distribution distributional distributions \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
disturbance disturbances divergence divergences diverse diversity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
divided division divisor dl dm dna dnn dnns document documents \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
domain domains domainspecific dominant dominate dominated dominates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dominating done doped doping doppler dose dot dots double \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.064536 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
downlink downstream dp dr drag dramatic dramatically drastically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
draw drawbacks drawing drawn drift drive driven driver drivers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
drives driving drop droplet droplets dropout drops drug drugs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dual duality due duration dust dwarf dwarfs dynamic dynamical \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.042182 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.095722 0.0 0.0 0.0 0.0 0.0 0.0
dynamically dynamics earlier early earth earths ease easier easily \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.057738 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
easy eccentricity economic economics economy ecosystem edge edges \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
education educational ee eeg effect effective effectively \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.061376
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
effectiveness effects efficacy efficiencies efficiency efficient \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.062199 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
efficiently effort efforts eg eigenfunctions eigenvalue \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.051097 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
eigenvalues eigenvectors eight einstein either elastic elasticity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
electric electrical electricity electrodes electromagnetic electron \
0 0.0 0.000000 0.0 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.0 0.000000
3 0.0 0.090762 0.0 0.0 0.0 0.151974
4 0.0 0.000000 0.0 0.0 0.0 0.000000
electronic electronics electrons element elementary elements \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.375066 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
eliminate elimination ell elliptic elliptical elucidate elusive em \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
embed embedded embedding embeddings emerge emerged emergence \
0 0.000000 0.00000 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.00000 0.000000 0.0 0.0 0.0 0.0
2 0.086502 0.00000 0.450278 0.0 0.0 0.0 0.0
3 0.000000 0.08208 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.00000 0.000000 0.0 0.0 0.0 0.0
emergent emerges emerging emission emissions emitted emotion \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
emotional emphasis empirical empirically employ employed employing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.156496
employs empty enable enabled enables enabling encode encoded \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
encoder encoderdecoder encodes encoding encountered encourage \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
encouraging encrypted encryption end ends endtoend energetic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
energies energy enforce engine engineering engines english \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.167669 0.0 0.0 0.0 0.0 0.0
4 0.0 0.100991 0.0 0.0 0.0 0.0 0.0
enhance enhanced enhancement enhances enhancing enjoys enormous \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
enough ensemble ensembles ensure ensures ensuring entangled \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.099056 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
entanglement entire entirely entities entity entries entropy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
envelope environment environmental environments epidemic epistemic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
epoch epochs epsilon equal equality equally equation equations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.113068 0.0
equilibria equilibrium equipped equivalence equivalent equivalently \
0 0.0 0.00000 0.0 0.0 0.0 0.0
1 0.0 0.00000 0.0 0.0 0.0 0.0
2 0.0 0.00000 0.0 0.0 0.0 0.0
3 0.0 0.07739 0.0 0.0 0.0 0.0
4 0.0 0.00000 0.0 0.0 0.0 0.0
equivariant era ergodic error errors escape especially essential \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
essentially establish established establishes establishing estimate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
estimated estimates estimating estimation estimator estimators et \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
etc euclidean euler european ev evaluate evaluated evaluating \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
evaluation evaluations even event events eventually ever every \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.073781 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
evidence evolution evolutionary evolve evolved evolves evolving \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exact exactly examine examined examining example examples exceed \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.125965 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exceeding exceeds excellent except exceptional excess exchange \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
excitation excitations excited exciton exclusion execute executed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
execution exhibit exhibiting exhibits exist existence existing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.08734
3 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
exists exoplanet exoplanets exotic expand expanded expanding \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
expansion expansions expect expectation expectations expected \
0 0.0 0.0 0.0 0.0 0.0 0.079826
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
expensive experience experienced experiences experiment experimental \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.045999
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
experimentally experiments expert expertise experts explain \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.041071 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
explained explaining explains explanation explanations explicit \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
explicitly exploit exploitation exploited exploiting exploits \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
exploration exploratory explore explored explores exploring exponent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exponential exponentially exponents exposed exposure express \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
expressed expression expressions expressive extend extended \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
extending extends extension extensions extensive extensively extent \
0 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.070506 0.0 0.0 0.0 0.057247 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0
external extinction extra extract extracted extracting extraction \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.182447 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
extrapolation extremal extreme extremely eye fabricated fabrication \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
face facebook faced faces facial facilitate facilitates facility \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fact factor factorization factors facts fail fails failure \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
failures fair fairly fairness fake fall false familiar families \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
family famous far fashion fast faster fault faults favor \
0 0.000000 0.0 0.0 0.0 0.0 0.08838 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
4 0.128426 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
favorable fe feasibility feasible feature features fed feedback \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.154914 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
feedforward fermi fermion fermionic fermions ferromagnetic fewer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fiber fibers fidelity field fields filament filaments file files \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.130543 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
fill filling film films filter filtered filtering filters final \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
finally financial find finding findings finds fine \
0 0.0 0.107769 0.000000 0.0 0.0 0.0 0.000000
1 0.0 0.000000 0.000000 0.0 0.0 0.0 0.000000
2 0.0 0.000000 0.000000 0.0 0.0 0.0 0.000000
3 0.0 0.000000 0.000000 0.0 0.0 0.0 0.000000
4 0.0 0.000000 0.092132 0.0 0.0 0.0 0.174335
finegrained finetuning fingerprint finite finitedimensional finitely \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
first firstly firstorder firstprinciples fisher fit fitness fits \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.059596 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fitted fitting five fix fixed fixedpoint flag flare flat \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
flexibility flexible flight floquet flow flows fluctuation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fluctuations fluid fluids fluorescence flux fluxes fmri focal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
focus focused focuses focusing fold follow followed following \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.084228
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.157734 0.0 0.0 0.0 0.000000
follows followup force forces forcing forecast forecasting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
forecasts foreground forest forests form formal formalism formally \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
format formation formed former forming forms formula formulae \
0 0.0 0.0 0.0 0.0 0.0 0.089374 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
formulas formulate formulated formulation formulations forward \
0 0.0 0.0 0.0 0.0 0.0 0.100163
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
found foundation four fourier fourth fpga frac fractal fraction \
0 0.139417 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fractional fractions fracture fragment fragments frame frames \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
framework frameworks fraud free freedom freely frequencies \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.040526 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
frequency frequent frequently friction frobenius front fs fuel \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
full fully function functional functionality functionals \
0 0.000000 0.0 0.056615 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0
2 0.000000 0.0 0.038402 0.0 0.0 0.0
3 0.068906 0.0 0.192906 0.0 0.0 0.0
4 0.000000 0.0 0.000000 0.0 0.0 0.0
functions functor functors fundamental fundamentally furthermore \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.055184 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
fusion future fuzzy gain gained gaining gains galactic galaxies \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
galaxy galois game games gamma gammaray gan gans gap gaps gas \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gases gate gates gating gauge gaussian gaussians gc ge gender \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gene general generalisation generalised generality generalization \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
generalizations generalize generalized generalizes generalizing \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
generally generalpurpose generate generated generates generating \
0 0.0 0.0 0.081504 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
generation generative generator generators generic generically genes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
genetic genome genomic genus geodesic geographic geographical \
0 0.109946 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
geometric geometrical geometrically geometries geometry geq get \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.11321
2 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
gets getting gev ghz giant gibbs give given gives giving glass \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
global globally globular go goal goals goes going gold good \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.052204 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
google governed governing gp gpa gps gpu gpus graded gradient \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gradientbased gradients gradually grain grains graph graphbased \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
graphene graphical graphics graphs grasping gravitational gravity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
great greater greatly greedy green greens grid grids ground \
0 0.0 0.0 0.0 0.111238 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
groundbased group groups grow growing grown grows growth gtrsim \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
guarantee guaranteed guarantees guidance guide guided guidelines \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gw half hall halo halos hamiltonian hamiltonians hand handle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
handling hard hardness hardware harmonic harvesting hash hashing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hausdorff hd health healthcare healthy heart heat heating heavily \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
heavy heavytailed height heisenberg held helium help helpful helps \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hence herein hermitian hessian heterogeneity heterogeneous \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.270105
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
heterostructures heuristic heuristics hexagonal hi hidden \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
hierarchical hierarchy higgs high highdimensional higher higherorder \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
highest highfrequency highlevel highlight highlighting highlights \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
highly highorder highperformance highquality highresolution hilbert \
0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.094594 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
historical history ho hold holds hole holes holomorphic home \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
homogeneous homology homomorphism homomorphisms homotopy hope hopf \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hopping horizon horizontal host hosts hot hours however http \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.036497 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.045835 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
https hubbard hubble huge human humanoid humans hundred hundreds \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hybrid hybridization hydrodynamic hydrodynamics hydrogen hyperbolic \
0 0.09423 0.0 0.0 0.0 0.0 0.0
1 0.00000 0.0 0.0 0.0 0.0 0.0
2 0.00000 0.0 0.0 0.0 0.0 0.0
3 0.00000 0.0 0.0 0.0 0.0 0.0
4 0.00000 0.0 0.0 0.0 0.0 0.0
hypergraph hyperparameter hyperparameters hypersurface hypersurfaces \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
hypotheses hypothesis hz ia ice idea ideal ideals ideas \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
identical identifiability identification identified identifies \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
identify identifying identities identity ie ieee ii iid iii \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
illumination illustrate illustrated illustrates illustrating \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
illustrative image imagenet imagery images imaginary imaging \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
imbalance imbalanced imitation immediate immediately impact impacts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
impedance imperfect implement implementation implementations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
implemented implementing implements implications implicit implicitly \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
implied implies imply importance important importantly impose \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
imposed imposing impossible impressive improve improved improvement \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
improvements improves improving impurity imputation inception \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
incidence incident include included includes including inclusion \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.099827 0.0
incoming incomplete incompressible inconsistency inconsistent \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
incorporate incorporated incorporates incorporating incorrect \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.068662 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
increase increased increases increasing increasingly incremental \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
indeed independence independent independently index indexed indicate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
indicates indicating indicator indicators indices indirect \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
individual individually individuals indoor induce induced induces \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
induction inductive industrial industry inefficient inelastic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inequalities inequality inertia inertial infeasible infection infer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inference inferences inferred inferring infinite infinitedimensional \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
infinitely infinitesimal infinity inflation influence influenced \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.259016 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
influences influential inform information informationtheoretic \
0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.039448 0.0
3 0.0 0.0 0.0 0.049541 0.0
4 0.0 0.0 0.0 0.000000 0.0
informative informed infrared infrastructure infty ingredient \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inherent inherently inhibition inhomogeneous initial initialization \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
initially initio injection injective inner innovation innovative \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inplane input inputoutput inputs inside insight insights inspection \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.079647 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
inspired instabilities instability instance instances instantaneous \
0 0.0 0.0 0.0 0.0 0.196973 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
instead institutions instrument instrumental instruments insufficient \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
insulating insulator insulators insurance integer integers \
0 0.0 0.0 0.0000 0.0 0.000000 0.00000
1 0.0 0.0 0.0000 0.0 0.218642 0.50256
2 0.0 0.0 0.0000 0.0 0.000000 0.00000
3 0.0 0.0 0.1071 0.0 0.000000 0.00000
4 0.0 0.0 0.0000 0.0 0.000000 0.00000
integrable integral integrals integrate integrated integrates \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
integrating integration integrity intelligence intelligent intended \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intense intensities intensity intensive interact interacting \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.081589
4 0.0 0.0 0.0 0.0 0.0 0.000000
interaction interactions interactive interconnected interest \
0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.065804 0.0 0.0 0.065272
4 0.0 0.000000 0.0 0.0 0.000000
interested interesting interestingly interests interface interfaces \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
interference interior interlayer intermediate internal international \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
internet interplay interpolation interpret interpretability \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
interpretable interpretation interpretations interpreted interpreting \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
intersection interstellar interval intervals intervention \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
interventions intractable intriguing intrinsic intrinsically \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
introduce introduced introduces introducing introduction intuition \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intuitive invariance invariant invariants inverse inversion \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
invertible investigate investigated investigates investigating \
0 0.0 0.137564 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.105871 0.0 0.0 0.0
investigation investigations investment involve involved involves \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
involving ion ionic ionization ionized ions iot ip ir iron \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.076925 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
irradiation irreducible irregular ising isolated isolation isometric \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
isomorphic isomorphism isotropic issue issues item items iterated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
iteration iterations iterative iteratively iv jacobi jacobian java \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
jet jets job joint jointly josephson journal jump jumps junction \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
junctions jupiter justification justified kalman kappa keep keeping \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kepler kernel kernels kev key keywords kg khler kind kinds \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kinematic kinematics kinetic kinetics km kmeans kms knot knots \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
know knowledge known kpc ktheory label labeled labeling labelled \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
labels laboratory lack lacking ladder lagrangian lambda lambdacdm \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
landau landscape langevin langle language languages laplace \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
laplacian large largely larger largescale largest laser lasso \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.046098 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
last lastly late latency latent later lateral latest latter \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.103546 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lattice lattices law laws layer layered layers layout ldots le \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lead leading leads leakage learn learned learner learners \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.058637 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
learning learningbased learns least leastsquares leave leaves led \
0 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.035688 0.0 0.065246 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
left lemma length lengths lens lenses lensing leq less lesssim \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
let letter level levels leverage leveraged leverages leveraging \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lhc li libraries library lidar lie lies life lifetime lifetimes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
light lightweight like likelihood likely limit limitation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
limitations limited limiting limits line linear linearized linearly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lineofsight lines linguistic link linked linking links lipschitz \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
liquid liquids list literature little live lives living load \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
loading loads local locality localization localized locally \
0 0.0 0.0 0.067884 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.046045 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
located location locations locomotion locus log logarithmic logic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
logical logics logistic loglikelihood lognormal logs long longer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
longitudinal longrange longstanding longterm look looking loop \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
loops loss losses lost lot low lowcost lowdimensional lowenergy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.072271 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
lower lowest lowfrequency lowlevel lowmass lowrank lp lstm \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
luminosity lvy lyapunov lying machine machines macroscopic made \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
magnetic magnetism magnetization magnetoresistance magnets magnitude \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.131856 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
magnitudes main mainly maintain maintaining maintains maintenance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
major majorana majority make makes making malicious malware manage \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
management manifold manifolds manipulate manipulation manner manual \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
manually manufacturing manuscript many manybody map mapped \
0 0.0 0.0 0.0 0.000000 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.131692 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.039681 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.093356 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.000000 0.0 0.0
mapping mappings maps margin marginal marked market markets markov \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
markovian mars mask mass masses massive master match matched \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
matches matching material materials math mathbb mathbbr mathbbrd \
0 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.150662 0.075423 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
mathbbrn mathbbz mathcal mathcala mathematical mathematically \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
mathematics mathfrak matlab matrices matrix matroid matter maxima \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
maximal maximally maximization maximize maximizes maximizing maximum \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
may mc mcmc md mean meanfield meaning meaningful means \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
meanwhile measurable measure measured measurement measurements \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
measures measuring mechanical mechanics mechanism mechanisms media \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.073354 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
median mediated medical medicine medium meet member members \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
membership membrane memory mental mentioned merger merging mesh \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
message messages metadata metal metallic metallicity metals \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
method methodologies methodology methods metric metrics mev mg \
0 0.048078 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.040954 0.0 0.0 0.045078 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
mhz micron microscopic microscopy microstructure microwave might \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.093962 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
migration mild milky million millions mimic mimo mind minibatch \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
minima minimal minimax minimization minimize minimized minimizer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
minimizers minimizes minimizing minimum mining minor minutes mirror \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
misclassification mismatch missing mission missions mitigate mixed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mixing mixture mixtures ml mle mm mmwave mn mnist mobile \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mobility modal modalities modality mode model modelbased \
0 0.0 0.0 0.0 0.0 0.000000 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.085722 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.144926 0.129684 0.0
modeled modelfree modeling modelled modelling models moderate \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.034638 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
modern modes modification modifications modified modify modifying \
0 0.090667 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
modot modular modularity modulated modulation module modules moduli \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modulo modulus molecular molecule molecules moment moments momentum \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.2539
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
monitor monitoring monoidal monolayer monotone monotonicity monte \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
montecarlo months moreover morphisms morphological morphology \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
mortality mostly motifs motion motions motivate motivated motivates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
motivation motor mott move movement movements moves moving mpc \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.109462 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
mr mri mrm ms mse mu much multiagent multiarmed multiclass \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
multidimensional multilabel multilayer multilevel multimodal \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
multiobjective multiple multiplex multiplication multiplicative \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
multiplicity multiplier multipliers multiscale multitask multivariate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
multiview mum muon music musical must mutual mutually mw myr \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
naive name named namely names nanoparticles nanoscale narrow \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.058539 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
nash national natural naturally nature navierstokes navigate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
navigation nbody ndimensional near nearby nearest nearinfrared \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nearly nearoptimal necessarily necessary necessity need needed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
needs negative negligible neighbor neighborhood neighboring \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
neighbors neither nematic nested net nets network networkbased \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.416063 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
networking networks neumann neural neuroimaging neuron neuronal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
neurons neuroscience neutral neutrino neutrinos neutron never \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nevertheless new newly news newton newtonian next ngc ngeq \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.040838 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nh ni nilpotent nine nlp nls nm nmf nmr nmt nn nodal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.11714 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
node nodes noise noises noisy nominal non nonabelian \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.126363 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nonasymptotic noncommutative nonconvex none nonequilibrium \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
nongaussian nonlinear nonlinearities nonlinearity nonlocal \
0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.000000 0.0 0.0 0.000000
4 0.0 0.112251 0.0 0.0 0.170928
nonnegative nonparametric nonsmooth nonstationary nontrivial \
0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.104376
2 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.000000
nonuniform nonzero norm normal normality normalization normalized \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.476453 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
normally norms notable notably note notes notion notions novel \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.040925
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.051395
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
novelty nowadays npcomplete nphard ns nu nuclear nucleation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nuclei nucleus null number numbers numerical numerically numerous \
0 0.0 0.0 0.0 0.052279 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.058843 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
object objective objectives objects observable observables \
0 0.0 0.000000 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.000000 0.0 0.0 0.0
2 0.0 0.054916 0.218346 0.0 0.0 0.0
3 0.0 0.000000 0.000000 0.0 0.0 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.0
observation observational observations observatory observe observed \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
observing obstacle obstacles obtain obtained obtaining obtains \
0 0.0 0.0 0.0 0.0 0.06451 0.0 0.0
1 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
obvious occupation occur occurred occurrence occurring occurs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.154981
ocean odd offer offered offering offers offline offset \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.127005 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
offtheshelf often oil old olog omega onboard one \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.076523
onedimensional ones ongoing online onset onto ontology open \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.157734 0.0 0.0
opening opens opensource operate operates operating operation \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.104125 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
operational operations operator operators opinion opinions \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.093207 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
opportunities opportunity opposed opposite optical optically optics \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
optimal optimality optimally optimisation optimization optimizations \
0 0.0 0.0 0.120236 0.0 0.20485 0.0
1 0.0 0.0 0.000000 0.0 0.00000 0.0
2 0.0 0.0 0.000000 0.0 0.00000 0.0
3 0.0 0.0 0.000000 0.0 0.00000 0.0
4 0.0 0.0 0.000000 0.0 0.00000 0.0
optimize optimized optimizes optimizing optimum option options \
0 0.0 0.099553 0.0 0.0 0.0 0.0 0.122956
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
oracle orbit orbital orbiting orbits order ordered ordering orders \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ordinal ordinary organic organisms organization organizations \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
orientation orientations oriented origin original originally \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.156742 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
originates originating orthogonal oscillating oscillation \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
oscillations oscillator oscillators oscillatory others otherwise \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
outcome outcomes outer outlier outliers outline outperform \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
outperformed outperforming outperforms output outputs outside \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
outstanding overall overcome overcomes overfitting overhead overlap \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.086502 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
overlapping overview owing oxide oxygen package packet packets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
packing padic pages pair pairing pairs pairwise paper papers \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.043851 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.052852 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.140512 0.0 0.000000 0.0
parabolic paradigm paradox parallel parallelism paramagnetic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
parameter parameterized parameters parametric parent pareto parity \
0 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.219637 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.108831 0.0 0.0 0.000000 0.0 0.0 0.0
parsing part partial partially participants participation particle \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.073395 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
particles particular particularly parties partition partitioned \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
partitioning partitions parts party pass passing passive past \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
patch patches path paths pathway pathways patient patients pattern \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
patterns payoff pc pca pd pde pdes peak peaks peculiar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pedestrian penalized penalty people per perceived percent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
percentage perception perceptual percolation perfect perfectly \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
perform performance performances performed performing performs \
0 0.0 0.00000 0.0 0.0 0.095066 0.0
1 0.0 0.00000 0.0 0.0 0.000000 0.0
2 0.0 0.03654 0.0 0.0 0.000000 0.0
3 0.0 0.00000 0.0 0.0 0.000000 0.0
4 0.0 0.00000 0.0 0.0 0.000000 0.0
perhaps period periodic periods permits permutation permutations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
perpendicular persistence persistent person personal personalized \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
perspective perspectives perturbation perturbations perturbed petri \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
ph phase phases phenomena phenomenological phenomenon phi phone \
0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.079466 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.146934 0.0 0.0
phonon phonons photoemission photometric photometry photon \
0 0.000000 0.0 0.000000 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0
2 0.000000 0.0 0.000000 0.0 0.0 0.0
3 0.102968 0.0 0.106739 0.0 0.0 0.0
4 0.000000 0.0 0.000000 0.0 0.0 0.0
photonic photons phylogenetic phys physical physically physics \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
physiological pi picture piecewise pilot pipeline pixel pixels \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
place placed placement places plan planar planck plane planet \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
planetary planets planning plans plant plasma plasmonic plate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
platform platforms plausible play played player players playing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
plays plus pm pn point points pointwise poisson polar polarity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polarization polarized pole poles policies policy political \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polyhedral polymer polynomial polynomials polynomialtime polytope \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
polytopes pool pooling poor poorly popular popularity population \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
populations porous portfolio portion pose posed poses position \
0 0.0 0.0 0.36671 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0
positioning positions positive possess possesses possibilities \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
possibility possible possibly post posterior postprocessing posts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
potential potentially potentials power powerful powerlaw powers pp \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
practical practically practice practices practitioners precise \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
precisely precision predefined predict predicted predicting \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
prediction predictions predictive predictor predictors predicts \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
preference preferences preferential preferred preliminary prepared \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
preprocessing prescribed presence present presentation presented \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.132205 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
presenting presents preserve preserved preserves preserving pressure \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pressures pretrained prevalent prevent previous previously price \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
prices pricing primaldual primarily primary prime primes primitive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
primitives primordial principal principle principled principles \
0 0.0 0.0 0.0 0.0 0.0 0.100794
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
prior priori priority priors privacy private probabilistic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
probabilities probability probable probably probe probes problem \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.098183
3 0.0 0.0 0.0 0.0 0.089789 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000
problems procedure procedures process processed processes \
0 0.122239 0.0 0.0 0.000000 0.0 0.0
1 0.000000 0.0 0.0 0.000000 0.0 0.0
2 0.000000 0.0 0.0 0.042285 0.0 0.0
3 0.000000 0.0 0.0 0.000000 0.0 0.0
4 0.000000 0.0 0.0 0.000000 0.0 0.0
processing processor processors produce produced produces producing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
product production products profile profiles profit program \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
programming programs progress progression progressively project \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
projected projection projections projective projects prominent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
promise promising promote prone pronounced proof proofs propagate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
propagating propagation proper properly properties property \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
proportion proportional proposal proposals propose proposed \
0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.102831 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
proposes proposing propto protected protection protein proteins \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
protocol protocols proton protoplanetary prototype prototypical \
0 0.213394 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
provable provably prove proved proven proves provide provided \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.069565 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.067035
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
providers provides providing proving proximal proximity proxy \
0 0.0 0.000000 0.000000 0.0 0.0 0.000000 0.0
1 0.0 0.000000 0.000000 0.0 0.0 0.000000 0.0
2 0.0 0.000000 0.000000 0.0 0.0 0.078046 0.0
3 0.0 0.057914 0.072302 0.0 0.0 0.000000 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.000000 0.0
pruning ps pseudo pt public publication publications publicly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
published pulse pulses pump pure purely purpose purposes pursuit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
put python qa qlearning quadratic qualitative qualitatively \
0 0.0 0.0 0.0 0.0 0.094529 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
quality quantification quantified quantify quantifying quantile \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
quantitative quantitatively quantities quantity quantization \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
quantized quantum quasars quasiparticle quasiparticles qubit qubits \
0 0.0 0.296115 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
quenched queries query question questions quick quickly quite \
0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.10709 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.0 0.0 0.0
quotient quotients ra race radar radial radiation radiative radii \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
radio radius raised raises raman random randomization randomized \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
randomly randomness range ranges ranging rank ranked ranking \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rankings rapid rapidly rare rarely rate rates rather rating \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ratings ratio rational ratios raw ray rays rb rd reach \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.348457 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reachability reached reaches reaching reaction reactions reactive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
read readily reading readout real realistic reality realization \
0 0.0 0.0 0.0 0.0 0.066448 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
realizations realize realized realizing reallife realtime realvalued \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
realworld reason reasonable reasonably reasoning reasons recall \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.055038 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
receive received receiver recent recently recognition recognize \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.043191 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
recognized recognizing recombination recommendation recommendations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
recommender reconstruct reconstructed reconstructing reconstruction \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
record recorded recording recordings records recover recovered \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
recovering recovers recovery recurrence recurrent recursion \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
recursive red redshift redshifts reduce reduced reduces reducing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reduction reductions reductive redundancy redundant refer reference \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
referred refers refine refined refinement reflect reflected \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reflection reflects reformulation regard regarded regarding \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
regardless regime regimes region regional regions registration \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
regression regret regular regularity regularization regularized \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
regularizer regulation regulatory reinforcement reionization \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
rejection relate related relates relating relation relational \
0 0.0 0.0 0.072170 0.0 0.0 0.0 0.0
1 0.0 0.0 0.081231 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
relations relationship relationships relative relatively relativistic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
relativity relaxation relaxations relaxed relay release released \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
relevance relevant reliability reliable reliably relies relu rely \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
relying remain remained remaining remains remarkable remarkably \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.150027 0.0 0.0
4 0.0 0.0 0.0 0.0 0.135546 0.0 0.0
remote removal remove removed removing rendering renewable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
renormalization repair repeated replace replaced replacement \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
replacing replication report reported reports represent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
representation representations representative represented representing \
0 0.000000 0.0 0.0 0.000000 0.0
1 0.000000 0.0 0.0 0.000000 0.0
2 0.100328 0.0 0.0 0.065078 0.0
3 0.000000 0.0 0.0 0.000000 0.0
4 0.000000 0.0 0.0 0.000000 0.0
represents reproduce reproduces reproducing repulsive request \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
requests require required requirement requirements requires \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
requiring resampling research researchers reservoir residual \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.048235 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
resilience resilient resistance resistivity resnet resolution \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
resolutions resolve resolved resonance resonances resonant resource \
0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.074944 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.095253 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
resources resp respect respective respectively response responses \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
responsible rest restoration restrict restricted restriction \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
restrictions restrictive result resulted resulting results \
0 0.0 0.0 0.0 0.0 0.0 0.040373
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.054769
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
retrieval return returns reuse rev reveal revealed revealing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reveals revenue reversal reverse reversible review reviewed \
0 0.0 0.0 0.0 0.243089 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
reviews revisit reward rewards reynolds rf rho ricci rich \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
riemann riemannian right rightarrow rigid rigidity rigorous \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rigorously ring rings rise rising risk risks rl rm rn rnn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rnns road robot robotic robotics robots robust robustly robustness \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
role roles room root roots rotating rotation rotational rough \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
roughly round rounds route routing rows rule rules run \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.102127
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
running runs runtime rv rydberg saddle safe safety said saliency \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
salient sample sampled sampler samples sampling satellite \
0 0.0 0.0 0.0 0.0 0.079268 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
satellites satisfactory satisfiability satisfied satisfies satisfy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
satisfying saturation savings say sc scalability scalable scalar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
scale scaled scales scaling scan scanning scans scatter scattered \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.097037 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
scattering scenario scenarios scene scenes scheduling scheme \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.061582 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
schemes schrdinger science sciences scientific scientists scope \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
score scores scoring scratch screening se sea search searches \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.08107 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
2 0.0 0.146629 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
searching second secondary secondly secondorder seconds section \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.078784 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
sections sector secure security see seed seek seeks seem \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
seemingly seems seen segment segmentation segments seismic select \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
selected selecting selection selective selects selfconsistent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
selfsimilar semantic semantically semantics semiclassical \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
semiconductor semiconductors semidefinite semigroup semigroups \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0
3 0.102692 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
semimetal semimetals semiparametric semisimple semisupervised sense \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
sensing sensitive sensitivity sensor sensors sensory sentence \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sentences sentiment separable separate separated separately \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
separating separation sequence sequences sequential sequentially \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
series serious serve server servers serves service services \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
session set sets setting settings setup setups seven several \
0 0.0 0.057279 0.0 0.0 0.0 0.0 0.0 0.0 0.059572
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
severe severely sgd shall shallow shape shaped shapes shaping \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
share shared shares sharing sharp shear shed sheet shell shift \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shifted shifts shock shocks short shortcomings shorter shortest \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shortrange shortterm show showed showing shown shows shrinkage \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.044085 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.120574 0.0 0.0 0.0 0.0 0.0
si side sides sigma sign signal signaling signals signaltonoise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
signature signatures signed significance significant significantly \
0 0.0 0.000000 0.0 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.0 0.047945
3 0.0 0.094118 0.0 0.0 0.0 0.000000
4 0.0 0.000000 0.0 0.0 0.0 0.000000
signs silicon sim simeq similar similarities similarity similarly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simple simpler simplest simplex simplicial simplicity simplified \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simplifies simplify simply simulate simulated simulating simulation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simulations simulator simultaneous simultaneously since single \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
singular singularities singularity site sites situ situation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
situations six size sizes sketch skill skills skin sky skyrmions \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
slam sleep slightly slope slow slower slowly small smaller \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
smallest smallscale smart smooth smoothing smoothly smoothness sn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
snr sobolev soc socalled social society soft softmax software \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.111738 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
solar solely solid solids soliton solitons solution solutions \
0 0.0 0.0 0.0 0.0 0.000000 0.000000 0.133087 0.000000
1 0.0 0.0 0.0 0.0 0.000000 0.000000 0.149796 0.160126
2 0.0 0.0 0.0 0.0 0.000000 0.000000 0.000000 0.000000
3 0.0 0.0 0.0 0.0 0.000000 0.000000 0.000000 0.000000
4 0.0 0.0 0.0 0.0 0.195577 0.192237 0.102425 0.218977
solvable solve solved solver solvers solves solving sometimes \
0 0.118153 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
somewhat sophisticated sound source sources sp space spacecraft \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.040168 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
spaces spacetime spacing span spanning sparse sparsity spatial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
spatially spatiotemporal speaker speakers special specialized \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
species specific specifically specification specifications specified \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.102054 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
specify specifying spectra spectral spectrometer spectroscopic \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.270312 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
spectroscopy spectrum speech speed speeds speedup sphere spheres \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.083342 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
spherical spike spiking spin spinorbit spins spiral split \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
splitting spontaneous spot spread spreading square squared squares \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.090267 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sr st stability stabilization stabilize stabilized stable stack \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stacked stacking stage stages standard standards star starforming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stars start started starting starts state stated statement \
0 0.0 0.0 0.0 0.100267 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.196568 0.0 0.0
statements stateoftheart states static station stationary stations \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.060805 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
statistic statistical statistically statistics status steady \
0 0.0 0.0 0.0 0.085972 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
steadystate stellar step steps stepsize stiffness still stimulation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stimuli stimulus stochastic stock stocks stokes stopping storage \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
store stored straightforward strain strategic strategies strategy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stratified stream streaming streams strength strengths stress \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stresses strict strictly striking string strings strong stronger \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
strongly structural structure structured structures student students \
0 0.0 0.0 0.000000 0.000000 0.000000 0.0 0.0
1 0.0 0.0 0.000000 0.000000 0.000000 0.0 0.0
2 0.0 0.0 0.079626 0.067391 0.050853 0.0 0.0
3 0.0 0.0 0.000000 0.000000 0.000000 0.0 0.0
4 0.0 0.0 0.000000 0.000000 0.000000 0.0 0.0
studied studies study studying style su subgraph subgraphs \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.032503 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
subgroup subgroups subject subjective subjects sublinear \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
submanifolds submodular suboptimal subsampling subsequent \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
subsequently subset subsets subspace subspaces substantial \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
substantially substitution substrate substrates subtle success \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
successful successfully successive suffer suffers sufficient \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
sufficiently suggest suggested suggesting suggests suitable suitably \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
suite suited sum summarize summary sums sun super superconducting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
superconductivity superconductor superconductors superfluid superior \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0
3 0.095423 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
superiority supernova supernovae superposition supervised supervision \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
supply support supported supporting supports suppose suppressed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
suppression sure surface surfaces surgery surprising surprisingly \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.064461 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
surrogate surrounding surveillance survey surveys survival \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
susceptibility susceptible svd svm switch switches switching symbol \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
symbolic symbols symmetric symmetries symmetry symplectic synaptic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
synchronization synchronous syntactic syntax synthesis synthesize \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
synthesized synthetic system systematic systematically systems \
0 0.0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.0 0.178839 0.0 0.0 0.000000
2 0.0 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.0 0.135347 0.0 0.0 0.141573
4 0.0 0.0 0.000000 0.0 0.0 0.000000
table tables tackle tail tailored tails take taken takes taking \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tangent target targeted targeting targets task tasks tau \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.194872 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
taxonomy tc te teacher teaching team teams technical technique \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.061682
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
techniques technological technologies technology telescope telescopes \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
temperature temperatures template temporal temporally ten tend \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tendency tends tens tension tensor tensors term termed terms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0635
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0000
terrestrial test testbed tested testing tests text texts textual \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
texture textures th thanks theorem theorems theoretic theoretical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
theoretically theories theory thereby therefore thereof thermal \
0 0.0 0.0 0.060392 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
thermodynamic thermodynamics thesis theta thick thickness thin \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
things third thorough thoroughly though thought thousands \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.109718 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
threats three threedimensional threshold thresholding thresholds \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
throughout throughput thus thz tidal ties tight time timeconsuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
timedependent times timescale timescales timeseries timevarying \
0 0.0 0.075647 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
timing tissue today together tolerance tomography tool tools top \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
topic topics topological topologically topologies topology tori \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
toric torque torsion torus total totally toward towards toy trace \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
traces track tracking tracks tractable trade tradeoff tradeoffs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trading traditional traditionally traffic train trained training \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trains traits trajectories trajectory transactions transcription \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
transfer transferred transform transformation transformations \
0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.146934 0.0
transformed transforming transforms transient transit transiting \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
transition transitions transits translates translation translational \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
transmission transmit transmitted transmitter transparency \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
transparent transport transportation transverse trap trapped \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
trapping travel traveling treat treated treatment treatments tree \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trees treewidth tremendous trend trends trial trials triangle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
triangular trigger triggered triple triplet trivial tropical true \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
truncated truncation trust trusted truth try tube tumor tunable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tune tuned tuning tunneling turbulence turbulent turn turns \
0 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.201775 0.0 0.0 0.0 0.0
4 0.0 0.0 0.151884 0.000000 0.0 0.0 0.0 0.0
tweets twice twisted twitter two twocomponent twodimensional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.078365
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
twofold twostage type types typical typically uav ubiquitous \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ultimately ultracold ultrafast ultraviolet unable unbiased unbounded \
0 0.119923 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
uncertain uncertainties uncertainty unclear unconstrained \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
unconventional uncover underlying understand understanding \
0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.102421 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0
understood underwater undirected unexpected unfortunately unified \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
uniform uniformly union unique uniquely uniqueness unit unitary \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
united units univariate universal universality universe university \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
unknown unlabeled unless unlike unlikely unobserved unprecedented \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.148574 0.0 0.0 0.0
unseen unstable unstructured unsupervised unusual upcoming update \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
updated updates updating upon upper urban url us usage use \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.052866
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
used useful usefulness user users uses using usual usually \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
utility utilization utilize utilized utilizes utilizing uv \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vacuum vae vaes valence valid validate validated validation \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.103828 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
validity valuable valuation value valued values van vanishes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vanishing vapor varepsilon variability variable variables variance \
0 0.0 0.0 0.0 0.0 0.0 0.078508 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
variances variant variants variation variational variations varied \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
varies varieties variety various varphi vary varying vast vector \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.052981
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
vectors vehicle vehicles velocities velocity verification verified \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.126554 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
verify versatile version versions versus vertex vertical vertices \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vi via viability viable vibrational vicinity video videos view \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
viewed viewpoint views violation virtual virtually viscosity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
viscous visibility visible vision visual visualization visualize \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
visually vital vocabulary voice volatility voltage volume volumes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
von vortex vortices voting vs vulnerabilities vulnerability \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vulnerable walk walking walks wall walls want waspb wasserstein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
water wave waveform waveforms waveguide wavelength wavelengths \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
wavelet waves way ways weak weaker weakly weather web website \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.148574 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
weight weighted weighting weights well welldefined wellestablished \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
wellknown wellposedness wellstudied weyl whenever whereas whereby \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
wherein whether whilst white whole whose wide widely wider \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
widespread width wikipedia wild wind window winds wireless within \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
without word words work workers working workload works \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.115814
3 0.0 0.0 0.0 0.045406 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.000000
world worse worst worstcase would write writing written wrt xi \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
xn xray year years yet yield yielding yields young zero \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.055234 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.147278
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.000000
zeros zeta zn zone
0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0
Transforming and Converting the Test Data¶
These steps are similar to the ones we performed on the training data, but now we are applying them to the test data.
# Transform the training data
X_test_tfidf = vectorizer.transform(X_test)
# Convert the TF-IDF sparse matrix to a DataFrame
X_test_tfidf_df = pd.DataFrame(X_test_tfidf.toarray(), columns=vectorizer.get_feature_names_out())
print("\nTF-IDF Features DataFrame:")
print(X_test_tfidf_df.head())
#to do Parameter tuninng we are not clear how many features are optimal
TF-IDF Features DataFrame:
aa ab abc abelian ability able absence absent absolute \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
absorption abstract abstraction abundance abundances abundant ac \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
academic accelerate accelerated accelerating acceleration accelerator \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
acceptable acceptance accepted access accessible accommodate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
accompanied accomplish according accordingly account accounted \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.075551 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
accounting accounts accretion accumulation accuracies accuracy \
0 0.0 0.0 0.0 0.0 0.0 0.053139
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
accurate accurately achievable achieve achieved achieves achieving \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.101599 0.0 0.0
acoustic acquire acquired acquisition across act acting action \
0 0.505365 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
actions activation activations active actively activities activity \
0 0.0 0.0 0.0 0.0 0.0 0.083202 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
acts actual actually actuators acyclic ad adapt adaptation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.167525
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
adapted adapting adaptive adaptively add added adding addition \
0 0.0 0.098779 0.138838 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.104207 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0
additional additionally additive address addressed addresses \
0 0.063601 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
addressing adequate adiabatic adjacency adjacent adjoint adjust \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adjusted admissible admit admits admm adopt adopted adopting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adoption ads advance advanced advances advantage advantages \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adversarial adversary aerial affect affected affecting affects \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
affine aforementioned age agent agentbased agents ages aggregate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aggregated aggregation aging agn ago agree agreement agrees ai \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aid aim aimed aiming aims air al algebra algebraic algebraically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
algebras algorithm algorithmic algorithms aligned alignment \
0 0.0 0.000000 0.000000 0.000000 0.0 0.0
1 0.0 0.000000 0.000000 0.000000 0.0 0.0
2 0.0 0.045799 0.000000 0.000000 0.0 0.0
3 0.0 0.000000 0.000000 0.000000 0.0 0.0
4 0.0 0.069197 0.265464 0.154351 0.0 0.0
alleviate allocation allow allowed allowing allows alloy alloys \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
alma almost alone along alpha alphabet already also alternate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.034935 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
alternating alternative alternatives although always alzheimers \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
ambient ambiguity amenable among amongst amorphous amount \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.115312 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
amounts amplitude amplitudes analog analogous analogue analogues \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
analogy analyse analysed analyses analysing analysis analytic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
analytical analytically analytics analyze analyzed analyzes \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
analyzing anderson andor android angle angles angular animal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
anisotropic anisotropy ann annealing annotated annotation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
annotations anomalies anomalous anomaly another ansatz answer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
answering answers antenna antennas antiferromagnetic apart \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.153396
aperture api apis app apparent appealing appear appearance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.081505 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
appearing appears applicability applicable application applications \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.094148
4 0.0 0.0 0.0 0.0 0.0 0.000000
applied applies apply applying approach approaches approaching \
0 0.0 0.0 0.058744 0.0 0.038816 0.000000 0.0
1 0.0 0.0 0.000000 0.0 0.000000 0.079552 0.0
2 0.0 0.0 0.000000 0.0 0.000000 0.000000 0.0
3 0.0 0.0 0.000000 0.0 0.000000 0.000000 0.0
4 0.0 0.0 0.000000 0.0 0.124972 0.000000 0.0
appropriate appropriately approx approximate approximated \
0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.097243 0.0
2 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.000000 0.0
approximately approximates approximating approximation approximations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
apps ar arbitrarily arbitrary architectural architecture \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.068122 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
architectures arcs area areas argue argument arguments arise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
arises arising arithmetic arm arms around arrangement array \
0 0.0 0.080327 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
arrays arrival art article articles artifacts artificial arxiv ask \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
asked aspect aspects assembly assess assessed assessing assessment \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assessments asset assets assigned assignment assist associate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
associated association associations assume assumed assumes assuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assumption assumptions asteroid asteroids astronomical astronomy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
astrophysical asymmetric asymmetry asymptotic asymptotically \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
asymptotics asynchronous atmosphere atmospheres atmospheric atom \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
atomic atoms attached attack attacker attacks attain attempt \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
attempts attention attenuation attracted attraction attractive \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
attractor attribute attributed attributes au auc auction audio \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
augmentation augmented authentication author authors \
0 0.0 0.0 0.0 0.000000 0.000000
1 0.0 0.0 0.0 0.000000 0.000000
2 0.0 0.0 0.0 0.000000 0.000000
3 0.0 0.0 0.0 0.169198 0.157646
4 0.0 0.0 0.0 0.000000 0.000000
autocorrelation autoencoder autoencoders automata automated automatic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
automatically automation automaton automorphism automorphisms \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
autonomous autoregressive auxiliary availability available average \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
averaged averaging avoid avoiding avoids aware away axial axioms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
axion axis back background backpropagation backward bad balance \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.166291 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
balanced balancing ball banach band bandit bandits bands bandwidth \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bar barrier barriers base based baseline baselines bases basic \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.054014 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.038338 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
basis batch bath battery bayes bayesian beam beamforming beams \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
become becomes becoming begin beginning behave behavior behavioral \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
behaviors behaviour behind belief believe believed belong \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.138526 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
belonging belongs benchmark benchmarks beneficial benefit benefits \
0 0.0 0.0 0.067921 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
bernoulli besides best beta better beyond bf bias biased \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.089422 0.0 0.0 0.0 0.0
biases bidirectional bifurcation big bilinear billion bin binaries \
0 0.0 0.096927 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
binary binding binomial biological biology biomedical bipartite bit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bitcoin bits bivariate black blackbox blind block blockchain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
blocks blood blowup blue bn board bodies body boltzmann bond \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bonds book boolean boost boosted boosting bootstrap boseeinstein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bosonic bosons bottleneck bottom bound boundaries boundary bounded \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
boundedness bounding bounds box boxes bp brain branch branches \
0 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.06615 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.00000 0.0 0.0 0.0 0.0 0.0 0.0
branching break breakdown breaking breaks bridge brief briefly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bright brightness bring brings broad broadband broadcast broadening \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
broader broadly broken brought brown brownian bs bubble budget \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
buffer bugs build building buildings builds built bulge bulk \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bundle bundles burden bursts bus business byproduct ca cache \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
caching cal calculate calculated calculating calculation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
calculations calculus calgebras calibrated calibration call called \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.058434
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
calls camera cameras cancer candidate candidates cannot canonical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cap capabilities capability capable capacity capture captured \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
captures capturing car carbon cardinality care careful carefully \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
carlo carried carrier carriers carry carrying cars cartesian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cascade cascades case cases cast catalog categorical \
0 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.086843 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.091446 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0
categories categorization category cauchy causal causality cause \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
caused causes causing cavity cc cdot cell cells cellular center \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
centered centers central centrality centralized centre century \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
certain cf chain chains challenge challenges challenging chance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
change changed changes changing channel channels chaos chaotic \
0 0.0 0.0 0.0 0.0 0.073877 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
chapter character characterisation characterise characteristic \
0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.196902 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0
characteristics characterization characterizations characterize \
0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0
characterized characterizes characterizing characters charge charged \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
charges check checking chemical chemistry cherenkov chern chi chip \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
chiral choice choices choose choosing chosen ci cifar circ \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
circle circuit circuits circular circulation citation citations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cities city cl claim claims clarify class classes classic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
classical classification classified classifier classifiers classify \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
classifying clean clear clearly climate clinical clock close \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.127639 0.0 0.0 0.0 0.0 0.0
closed closedform closedloop closely closer closure cloud clouds \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cluster clustered clustering clusters cm cmb cn cnn cnns co \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
coarse code codes coding coefficient coefficients coexistence \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cognitive coherence coherent cohomology coincide coincides cold \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
collaboration collaborative collapse collect collected collecting \
0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.079525 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
collection collections collective collider collision collisional \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.079397 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
collisions color colored colors column columns combination \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
combinations combinatorial combinatorics combine combined combines \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
combining come comes coming commands commercial common commonly \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.106722 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
communicate communication communications communities community \
0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.000000
2 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.000000 0.0 0.0 0.000000
4 0.0 0.108745 0.0 0.0 0.114297
commutative compact companies companion company comparable \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
comparative compare compared compares comparing comparison \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
comparisons compatibility compatible compensation competing \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
competition competitive compiler complement complementary complements \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
complete completed completely completeness completion complex \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
complexes complexities complexity complicated component components \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.061291 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
composed composite composition compositional compositions compound \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
compounds comprehensive compressed compressible compression \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
compressive comprised comprises comprising computable computation \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.096232
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
computational computationally computations compute computed computer \
0 0.000000 0.0 0.0 0.000000 0.0 0.0
1 0.000000 0.0 0.0 0.000000 0.0 0.0
2 0.059539 0.0 0.0 0.067707 0.0 0.0
3 0.000000 0.0 0.0 0.000000 0.0 0.0
4 0.000000 0.0 0.0 0.000000 0.0 0.0
computers computes computing concentration concentrations concept \
0 0.0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.0 0.000000 0.0 0.0 0.101791
2 0.0 0.0 0.068243 0.0 0.0 0.000000
3 0.0 0.0 0.000000 0.0 0.0 0.000000
4 0.0 0.0 0.000000 0.0 0.0 0.000000
concepts conceptual concern concerned concerning concerns conclude \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
conclusion conclusions concrete concurrent condensate condensation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
condensed condition conditional conditioned conditioning conditions \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
conduct conductance conducted conducting conduction conductivity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
cone cones confidence configuration configurations confined \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
confinement confirm confirmed confirming confirms conformal \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
congestion conjecture conjectured conjectures conjugate conjunction \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
connect connected connecting connection connections connectivity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
consecutive consensus consequence consequences consequently \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
conservation conservative conserved consider considerable \
0 0.0 0.0 0.0 0.00000 0.0
1 0.0 0.0 0.0 0.00000 0.0
2 0.0 0.0 0.0 0.10453 0.0
3 0.0 0.0 0.0 0.00000 0.0
4 0.0 0.0 0.0 0.00000 0.0
considerably consideration considerations considered considering \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
considers consist consistency consistent consistently consisting \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
consists constant constants constitute constitutes constrain \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
constrained constraint constraints construct constructed constructing \
0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.105828 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0
construction constructions constructive constructs consumers \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
consuming consumption contact contacts contagion contain contained \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
containing contains contamination contemporary content contents \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
context contexts contextual continuation continue continues \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.160665
continuity continuous continuously continuoustime continuum contour \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
contraction contrary contrast contribute contributes contribution \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
contributions control controllability controllable controlled \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
controller controllers controlling controls convection convenient \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
conventional converge convergence convergent converges conversion \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
convert converted convex convexity convolution convolutional \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
convolutions cooling cooperation cooperative coordinate coordinates \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
coordination cope core cores corollary corpora corpus correct \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
corrected correction corrections correctly correctness correlated \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
correlation correlations correspond correspondence corresponding \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
corresponds corrupted cosmic cosmological cosmology cost costly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
costs could coulomb count countable counterexample counterpart \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
counterparts counting countries counts couple coupled coupling \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.140921 0.0 0.0 0.0 0.0 0.0
couplings course covariance covariate covariates cover coverage \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
covered covering covers cp cpu cr create created creates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
creating creation criteria criterion critical criticality critically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cross crossing crossover crossvalidation crowd crowdsourcing \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.169974 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
crucial crucially crystal crystalline crystals cs ct cu cube \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cubic cues cultural cumulative current currently currents curvature \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
curve curved curves cusp customer customers cut cutoff cyber \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cycle cycles cyclic cylindrical daily damage damping dark data \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.034248
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
database databases datadriven dataset datasets date day days db \
0 0.0 0.0 0.0 0.0 0.055148 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
dc ddimensional de deal dealing deals death debate decade \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
decades decay decays decentralized decidable decide deciding \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
decision decisionmaking decisions decoder decoding decompose \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
decomposed decomposition decompositions decoupling decrease decreased \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
decreases decreasing dedicated deduce deduced deep deeper \
0 0.0 0.0 0.0 0.0 0.0 0.102275 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
default defect defects defense define defined defines defining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
definite definition definitions deformation deformations deformed \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.195565 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
deg degeneracy degenerate degradation degree degrees delay delayed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
delays deliver delivery delta demand demanding demands demographic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
demonstrate demonstrated demonstrates demonstrating demonstration \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
demonstrations denoising denote denoted denotes dense densities \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
density depend dependence dependencies dependency dependent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
depending depends deployed deployment deposition depth der \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
derivation derivations derivative derivatives derive derived \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
deriving descent describe described describes describing description \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
descriptions descriptor descriptors design designed designing \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
designs desirable desired despite detail detailed details detect \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
detected detecting detection detections detector detectors detects \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.093699 0.0 0.0 0.0 0.0
determinant determination determine determined determines determining \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
deterministic develop developed developers developing development \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
developments develops deviation deviations device devices devise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
devised devoted dft diagnosis diagnostic diagonal diagram diagrams \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.138841 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
dialogue diameter diamond dictionary dielectric differ difference \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
differences different differentiable differential differentiation \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
differently differs difficult difficulties difficulty diffraction \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
diffuse diffusion diffusive digital digits dimension dimensional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dimensionality dimensions dipolar dipole dirac direct directed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
direction directional directions directly dirichlet disc disciplines \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
discontinuous discover discovered discovering discovery discrepancy \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
discrete discretetime discretization discretized discriminant \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.068957 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
discrimination discriminative discriminator discs discuss discussed \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
discusses discussion disease diseases disjoint disk disks \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dislocation disorder disordered dispersion dispersive displacement \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
display displays dissipation dissipative distance distances distant \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
distinct distinguish distinguished distinguishing distortion \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
distortions distributed distribution distributional distributions \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
disturbance disturbances divergence divergences diverse diversity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
divided division divisor dl dm dna dnn dnns document documents \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
domain domains domainspecific dominant dominate dominated dominates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dominating done doped doping doppler dose dot dots double \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
downlink downstream dp dr drag dramatic dramatically drastically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
draw drawbacks drawing drawn drift drive driven driver drivers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
drives driving drop droplet droplets dropout drops drug drugs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dual duality due duration dust dwarf dwarfs dynamic dynamical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.062436 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
dynamically dynamics earlier early earth earths ease easier \
0 0.252683 0.0 0.0 0.0 0.000000 0.0 0.00000 0.0
1 0.000000 0.0 0.0 0.0 0.000000 0.0 0.00000 0.0
2 0.089742 0.0 0.0 0.0 0.000000 0.0 0.00000 0.0
3 0.000000 0.0 0.0 0.0 0.172441 0.0 0.00000 0.0
4 0.000000 0.0 0.0 0.0 0.000000 0.0 0.15849 0.0
easily easy eccentricity economic economics economy ecosystem edge \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
edges education educational ee eeg effect effective effectively \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.077435 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
effectiveness effects efficacy efficiencies efficiency efficient \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
efficiently effort efforts eg eigenfunctions eigenvalue \
0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.117571 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0
eigenvalues eigenvectors eight einstein either elastic elasticity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
electric electrical electricity electrodes electromagnetic electron \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
electronic electronics electrons element elementary elements \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
eliminate elimination ell elliptic elliptical elucidate elusive em \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
embed embedded embedding embeddings emerge emerged emergence \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
emergent emerges emerging emission emissions emitted emotion \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
emotional emphasis empirical empirically employ employed employing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
employs empty enable enabled enables enabling encode encoded \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.095312 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
encoder encoderdecoder encodes encoding encountered encourage \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
encouraging encrypted encryption end ends endtoend energetic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
energies energy enforce engine engineering engines english enhance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
enhanced enhancement enhances enhancing enjoys enormous enough \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ensemble ensembles ensure ensures ensuring entangled entanglement \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
entire entirely entities entity entries entropy envelope \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
environment environmental environments epidemic epistemic epoch \
0 0.0 0.0 0.138426 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
epochs epsilon equal equality equally equation equations \
0 0.0 0.000000 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.086926 0.0
2 0.0 0.092649 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.000000 0.0
equilibria equilibrium equipped equivalence equivalent equivalently \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
equivariant era ergodic error errors escape especially essential \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
essentially establish established establishes establishing estimate \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.066688 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
estimated estimates estimating estimation estimator estimators et \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.115845 0.0 0.0 0.0 0.0
etc euclidean euler european ev evaluate evaluated evaluating \
0 0.0 0.0 0.0 0.0 0.0 0.060671 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
evaluation evaluations even event events eventually ever every \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.083185 0.0 0.0 0.0 0.0 0.0
evidence evolution evolutionary evolve evolved evolves evolving \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exact exactly examine examined examining example examples exceed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exceeding exceeds excellent except exceptional excess exchange \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
excitation excitations excited exciton exclusion execute executed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
execution exhibit exhibiting exhibits exist existence existing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.054076
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
exists exoplanet exoplanets exotic expand expanded expanding \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
expansion expansions expect expectation expectations expected \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.134096
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
expensive experience experienced experiences experiment experimental \
0 0.0 0.0 0.0 0.0 0.0 0.053459
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
experimentally experiments expert expertise experts explain \
0 0.0 0.047733 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
explained explaining explains explanation explanations explicit \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
explicitly exploit exploitation exploited exploiting exploits \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
exploration exploratory explore explored explores exploring exponent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exponential exponentially exponents exposed exposure express \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
expressed expression expressions expressive extend extended \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
extending extends extension extensions extensive extensively extent \
0 0.000000 0.0 0.0 0.00000 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.00000 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.00000 0.0 0.0 0.0
3 0.162228 0.0 0.0 0.15731 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.00000 0.0 0.0 0.0
external extinction extra extract extracted extracting extraction \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
extrapolation extremal extreme extremely eye fabricated fabrication \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
face facebook faced faces facial facilitate facilitates facility \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fact factor factorization factors facts fail fails failure \
0 0.0 0.0 0.0 0.066465 0.0 0.0 0.000000 0.000000
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000 0.000000
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000 0.000000
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000 0.000000
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.140921 0.139523
failures fair fairly fairness fake fall false familiar families \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
family famous far fashion fast faster fault faults favor \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
favorable fe feasibility feasible feature features fed feedback \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
feedforward fermi fermion fermionic fermions ferromagnetic fewer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fiber fibers fidelity field fields filament filaments file files \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.090674 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
fill filling film films filter filtered filtering filters final \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
finally financial find finding findings finds fine finegrained \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
finetuning fingerprint finite finitedimensional finitely first \
0 0.0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.0 0.000000 0.0 0.0 0.000000
2 0.0 0.0 0.056931 0.0 0.0 0.000000
3 0.0 0.0 0.000000 0.0 0.0 0.082637
4 0.0 0.0 0.000000 0.0 0.0 0.000000
firstly firstorder firstprinciples fisher fit fitness fits fitted \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fitting five fix fixed fixedpoint flag flare flat flexibility \
0 0.0 0.0 0.0 0.063656 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
flexible flight floquet flow flows fluctuation fluctuations fluid \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fluids fluorescence flux fluxes fmri focal focus focused focuses \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
focusing fold follow followed following follows followup force \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.158331 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
forces forcing forecast forecasting forecasts foreground forest \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
forests form formal formalism formally format formation formed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
former forming forms formula formulae formulas formulate \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.115142
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.138637 0.0 0.0 0.0 0.0 0.000000
formulated formulation formulations forward found foundation four \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fourier fourth fpga frac fractal fraction fractional fractions \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fracture fragment fragments frame frames framework frameworks fraud \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
free freedom freely frequencies frequency frequent frequently \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
friction frobenius front fs fuel full fully function functional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
functionality functionals functions functor functors fundamental \
0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.101107 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
fundamentally furthermore fusion future fuzzy gain gained gaining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gains galactic galaxies galaxy galois game games gamma gammaray \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gan gans gap gaps gas gases gate gates gating gauge gaussian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gaussians gc ge gender gene general generalisation generalised \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.050974 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
generality generalization generalizations generalize generalized \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
generalizes generalizing generally generalpurpose generate generated \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.126809
3 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.000000
generates generating generation generative generator generators \
0 0.082246 0.070188 0.0 0.0 0.0 0.0
1 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.074784 0.0 0.0 0.0 0.0
3 0.000000 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.000000 0.0 0.0 0.0 0.0
generic generically genes genetic genome genomic genus geodesic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
geographic geographical geometric geometrical geometrically \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
geometries geometry geq get gets getting gev ghz giant gibbs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
give given gives giving glass global globally globular go \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.048573 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
goal goals goes going gold good google governed governing \
0 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.070045 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.176768 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
gp gpa gps gpu gpus graded gradient gradientbased gradients \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gradually grain grains graph graphbased graphene graphical \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.124275 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
graphics graphs grasping gravitational gravity great greater \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.069214 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.104573 0.0 0.0 0.0 0.0 0.0
greatly greedy green greens grid grids ground groundbased group \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.282326 0.0 0.0 0.0 0.0 0.0 0.0 0.0
groups grow growing grown grows growth gtrsim guarantee guaranteed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
guarantees guidance guide guided guidelines gw half hall halo \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
halos hamiltonian hamiltonians hand handle handling hard hardness \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hardware harmonic harvesting hash hashing hausdorff hd health \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
healthcare healthy heart heat heating heavily heavy heavytailed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
height heisenberg held helium help helpful helps hence herein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.14383
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000
hermitian hessian heterogeneity heterogeneous heterostructures \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
heuristic heuristics hexagonal hi hidden hierarchical hierarchy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
higgs high highdimensional higher higherorder highest highfrequency \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
highlevel highlight highlighting highlights highly highorder \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
highperformance highquality highresolution hilbert historical history \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
ho hold holds hole holes holomorphic home homogeneous homology \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
homomorphism homomorphisms homotopy hope hopf hopping horizon \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.093593
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
horizontal host hosts hot hours however http https hubbard hubble \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
huge human humanoid humans hundred hundreds hybrid hybridization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hydrodynamic hydrodynamics hydrogen hyperbolic hypergraph \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
hyperparameter hyperparameters hypersurface hypersurfaces hypotheses \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
hypothesis hz ia ice idea ideal ideals ideas identical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
identifiability identification identified identifies identify \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
identifying identities identity ie ieee ii iid iii illumination \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
illustrate illustrated illustrates illustrating illustrative image \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
imagenet imagery images imaginary imaging imbalance imbalanced \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
imitation immediate immediately impact impacts impedance imperfect \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
implement implementation implementations implemented implementing \
0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.103569 0.0 0.0 0.0
implements implications implicit implicitly implied implies imply \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
importance important importantly impose imposed imposing impossible \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
impressive improve improved improvement improvements improves \
0 0.0 0.058037 0.000000 0.0 0.0 0.069798
1 0.0 0.000000 0.097651 0.0 0.0 0.000000
2 0.0 0.000000 0.000000 0.0 0.0 0.000000
3 0.0 0.000000 0.000000 0.0 0.0 0.000000
4 0.0 0.000000 0.000000 0.0 0.0 0.000000
improving impurity imputation inception incidence incident include \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
included includes including inclusion incoming incomplete \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
incompressible inconsistency inconsistent incorporate incorporated \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
incorporates incorporating incorrect increase increased increases \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
increasing increasingly incremental indeed independence independent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
independently index indexed indicate indicates indicating indicator \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
indicators indices indirect individual individually individuals \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
indoor induce induced induces induction inductive industrial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
industry inefficient inelastic inequalities inequality inertia \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inertial infeasible infection infer inference inferences inferred \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inferring infinite infinitedimensional infinitely infinitesimal \
0 0.0 0.00000 0.0 0.0 0.0
1 0.0 0.00000 0.0 0.0 0.0
2 0.0 0.15241 0.0 0.0 0.0
3 0.0 0.00000 0.0 0.0 0.0
4 0.0 0.00000 0.0 0.0 0.0
infinity inflation influence influenced influences influential \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inform information informationtheoretic informative informed infrared \
0 0.0 0.045846 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
infrastructure infty ingredient inherent inherently inhibition \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inhomogeneous initial initialization initially initio injection \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
injective inner innovation innovative inplane input inputoutput \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inputs inside insight insights inspection inspired instabilities \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.252416 0.0 0.0 0.0 0.0
instability instance instances instantaneous instead institutions \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
instrument instrumental instruments insufficient insulating insulator \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
insulators insurance integer integers integrable integral integrals \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
integrate integrated integrates integrating integration integrity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intelligence intelligent intended intense intensities intensity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intensive interact interacting interaction interactions interactive \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
interconnected interest interested interesting interestingly \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
interests interface interfaces interference interior interlayer \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intermediate internal international internet interplay interpolation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
interpret interpretability interpretable interpretation \
0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0
interpretations interpreted interpreting intersection interstellar \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
interval intervals intervention interventions intractable intriguing \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
intrinsic intrinsically introduce introduced introduces introducing \
0 0.0 0.0 0.051485 0.060716 0.0 0.0
1 0.0 0.0 0.000000 0.000000 0.0 0.0
2 0.0 0.0 0.000000 0.000000 0.0 0.0
3 0.0 0.0 0.000000 0.000000 0.0 0.0
4 0.0 0.0 0.000000 0.000000 0.0 0.0
introduction intuition intuitive invariance invariant invariants \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
inverse inversion invertible investigate investigated investigates \
0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.107436 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
investigating investigation investigations investment involve \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
involved involves involving ion ionic ionization ionized ions iot \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ip ir iron irradiation irreducible irregular ising isolated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.139816 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
isolation isometric isomorphic isomorphism isotropic issue issues \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.113926 0.0
item items iterated iteration iterations iterative iteratively iv \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
jacobi jacobian java jet jets job joint jointly josephson journal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
jump jumps junction junctions jupiter justification justified \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kalman kappa keep keeping kepler kernel kernels kev key keywords \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kg khler kind kinds kinematic kinematics kinetic kinetics km \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kmeans kms knot knots know knowledge known kpc ktheory label \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
labeled labeling labelled labels laboratory lack lacking ladder \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lagrangian lambda lambdacdm landau landscape langevin langle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
language languages laplace laplacian large largely larger \
0 0.0 0.0 0.0 0.0 0.04266 0.0 0.0
1 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
largescale largest laser lasso last lastly late latency latent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
later lateral latest latter lattice lattices law laws layer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.267642
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
layered layers layout ldots le lead leading leads leakage learn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
learned learner learners learning learningbased learns least \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
leastsquares leave leaves led left lemma length lengths lens \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lenses lensing leq less lesssim let letter level levels \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.091419 0.0
leverage leveraged leverages leveraging lhc li libraries library \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lidar lie lies life lifetime lifetimes light lightweight like \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
likelihood likely limit limitation limitations limited limiting \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.097062 0.0 0.0 0.0 0.0
limits line linear linearized linearly lineofsight lines \
0 0.0 0.00000 0.000000 0.0 0.0 0.0 0.000000
1 0.0 0.00000 0.073311 0.0 0.0 0.0 0.000000
2 0.0 0.00000 0.000000 0.0 0.0 0.0 0.000000
3 0.0 0.13254 0.000000 0.0 0.0 0.0 0.151722
4 0.0 0.00000 0.000000 0.0 0.0 0.0 0.000000
linguistic link linked linking links lipschitz liquid liquids list \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
literature little live lives living load loading loads local \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.086145
locality localization localized locally located location locations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.084659
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
locomotion locus log logarithmic logic logical logics logistic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
loglikelihood lognormal logs long longer longitudinal longrange \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.124018 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
longstanding longterm look looking loop loops loss losses lost \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lot low lowcost lowdimensional lowenergy lower lowest lowfrequency \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lowlevel lowmass lowrank lp lstm luminosity lvy lyapunov \
0 0.0 0.0 0.0 0.0 0.086257 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
lying machine machines macroscopic made magnetic magnetism \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
magnetization magnetoresistance magnets magnitude magnitudes main \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
mainly maintain maintaining maintains maintenance major majorana \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
majority make makes making malicious malware manage management \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
manifold manifolds manipulate manipulation manner manual manually \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
manufacturing manuscript many manybody map mapped mapping mappings \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
maps margin marginal marked market markets markov markovian mars \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.105165 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
mask mass masses massive master match matched matches matching \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.110144
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
material materials math mathbb mathbbr mathbbrd mathbbrn mathbbz \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mathcal mathcala mathematical mathematically mathematics mathfrak \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
matlab matrices matrix matroid matter maxima maximal maximally \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
maximization maximize maximizes maximizing maximum may mc \
0 0.000000 0.000000 0.000000 0.0 0.0 0.000000 0.0
1 0.000000 0.000000 0.000000 0.0 0.0 0.000000 0.0
2 0.000000 0.086271 0.103273 0.0 0.0 0.051385 0.0
3 0.000000 0.000000 0.000000 0.0 0.0 0.000000 0.0
4 0.277711 0.000000 0.000000 0.0 0.0 0.000000 0.0
mcmc md mean meanfield meaning meaningful means meanwhile \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.130965 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
measurable measure measured measurement measurements measures \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
measuring mechanical mechanics mechanism mechanisms media median \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.103106 0.0 0.0 0.0
mediated medical medicine medium meet member members membership \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
membrane memory mental mentioned merger merging mesh message \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.069808 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
messages metadata metal metallic metallicity metals method \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.113786
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
methodologies methodology methods metric metrics mev mg mhz \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
micron microscopic microscopy microstructure microwave might \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
migration mild milky million millions mimic mimo mind minibatch \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
minima minimal minimax minimization minimize minimized minimizer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
minimizers minimizes minimizing minimum mining minor minutes mirror \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
misclassification mismatch missing mission missions mitigate mixed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mixing mixture mixtures ml mle mm mmwave mn mnist mobile \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mobility modal modalities modality mode model modelbased modeled \
0 0.0 0.0 0.0 0.0 0.0 0.033209 0.0 0.00000
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.00000
2 0.0 0.0 0.0 0.0 0.0 0.070766 0.0 0.08195
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.00000
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.00000
modelfree modeling modelled modelling models moderate modern \
0 0.0 0.060806 0.0 0.000000 0.161022 0.0 0.0
1 0.0 0.000000 0.0 0.000000 0.000000 0.0 0.0
2 0.0 0.000000 0.0 0.000000 0.000000 0.0 0.0
3 0.0 0.000000 0.0 0.154756 0.000000 0.0 0.0
4 0.0 0.000000 0.0 0.000000 0.000000 0.0 0.0
modes modification modifications modified modify modifying modot \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modular modularity modulated modulation module modules moduli \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.331517 0.0 0.0 0.0 0.0 0.0
modulo modulus molecular molecule molecules moment moments momentum \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
monitor monitoring monoidal monolayer monotone monotonicity monte \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
montecarlo months moreover morphisms morphological morphology \
0 0.0 0.0 0.056552 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0
mortality mostly motifs motion motions motivate motivated motivates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
motivation motor mott move movement movements moves moving mpc \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.179949 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mr mri mrm ms mse mu much multiagent multiarmed multiclass \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
multidimensional multilabel multilayer multilevel multimodal \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
multiobjective multiple multiplex multiplication multiplicative \
0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.106598 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0
multiplicity multiplier multipliers multiscale multitask multivariate \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
multiview mum muon music musical must mutual mutually mw myr \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
naive name named namely names nanoparticles nanoscale narrow nash \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
national natural naturally nature navierstokes navigate navigation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nbody ndimensional near nearby nearest nearinfrared nearly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nearoptimal necessarily necessary necessity need needed needs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
negative negligible neighbor neighborhood neighboring neighbors \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
neither nematic nested net nets network networkbased networking \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.065988 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
networks neumann neural neuroimaging neuron neuronal neurons \
0 0.045305 0.0 0.195195 0.0 0.0 0.0 0.086532
1 0.000000 0.0 0.000000 0.0 0.0 0.0 0.000000
2 0.000000 0.0 0.000000 0.0 0.0 0.0 0.000000
3 0.000000 0.0 0.000000 0.0 0.0 0.0 0.000000
4 0.000000 0.0 0.000000 0.0 0.0 0.0 0.000000
neuroscience neutral neutrino neutrinos neutron never nevertheless \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
new newly news newton newtonian next ngc ngeq nh ni \
0 0.037792 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.056731 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.040267 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nilpotent nine nlp nls nm nmf nmr nmt nn nodal node \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.156474
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
nodes noise noises noisy nominal non nonabelian nonasymptotic \
0 0.000000 0.0 0.101299 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.142435 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
noncommutative nonconvex none nonequilibrium nongaussian nonlinear \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
nonlinearities nonlinearity nonlocal nonnegative nonparametric \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
nonsmooth nonstationary nontrivial nonuniform nonzero norm normal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
normality normalization normalized normally norms notable notably \
0 0.0 0.374363 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
note notes notion notions novel novelty nowadays npcomplete nphard \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ns nu nuclear nucleation nuclei nucleus null number numbers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.066343 0.0
numerical numerically numerous object objective objectives objects \
0 0.000000 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.090125 0.0
3 0.101516 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.000000 0.0
observable observables observation observational observations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
observatory observe observed observing obstacle obstacles obtain \
0 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.19492 0.0 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.0 0.0
obtained obtaining obtains obvious occupation occur occurred \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
occurrence occurring occurs ocean odd offer offered offering \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.124274 0.0 0.0
offers offline offset offtheshelf often oil old olog omega \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
onboard one onedimensional ones ongoing online onset onto ontology \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
open opening opens opensource operate operates operating operation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
operational operations operator operators opinion opinions \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
opportunities opportunity opposed opposite optical optically optics \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
optimal optimality optimally optimisation optimization optimizations \
0 0.000000 0.0 0.0 0.0 0.000000 0.0
1 0.000000 0.0 0.0 0.0 0.000000 0.0
2 0.113633 0.0 0.0 0.0 0.057353 0.0
3 0.000000 0.0 0.0 0.0 0.000000 0.0
4 0.000000 0.0 0.0 0.0 0.000000 0.0
optimize optimized optimizes optimizing optimum option options \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
oracle orbit orbital orbiting orbits order ordered ordering orders \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ordinal ordinary organic organisms organization organizations \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.123616 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
orientation orientations oriented origin original originally \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
originates originating orthogonal oscillating oscillation \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
oscillations oscillator oscillators oscillatory others otherwise \
0 0.0 0.0 0.0 0.0 0.00000 0.0
1 0.0 0.0 0.0 0.0 0.00000 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.0
3 0.0 0.0 0.0 0.0 0.15284 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.0
outcome outcomes outer outlier outliers outline outperform \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
outperformed outperforming outperforms output outputs outside \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
outstanding overall overcome overcomes overfitting overhead overlap \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
overlapping overview owing oxide oxygen package packet packets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
packing padic pages pair pairing pairs pairwise paper papers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.030712 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
parabolic paradigm paradox parallel parallelism paramagnetic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
parameter parameterized parameters parametric parent pareto parity \
0 0.0 0.0 0.099924 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
parsing part partial partially participants participation particle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
particles particular particularly parties partition partitioned \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
partitioning partitions parts party pass passing passive past \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
patch patches path paths pathway pathways patient patients \
0 0.0 0.0 0.00000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.00000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.07812 0.174827 0.0 0.0 0.0 0.0
3 0.0 0.0 0.00000 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.00000 0.000000 0.0 0.0 0.0 0.0
pattern patterns payoff pc pca pd pde pdes peak peaks peculiar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pedestrian penalized penalty people per perceived percent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
percentage perception perceptual percolation perfect perfectly \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
perform performance performances performed performing performs \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.068362 0.0 0.0 0.0 0.0
perhaps period periodic periods permits permutation permutations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
perpendicular persistence persistent person personal personalized \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
perspective perspectives perturbation perturbations perturbed petri \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
ph phase phases phenomena phenomenological phenomenon phi phone \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
phonon phonons photoemission photometric photometry photon photonic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
photons phylogenetic phys physical physically physics physiological \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pi picture piecewise pilot pipeline pixel pixels place placed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
placement places plan planar planck plane planet planetary planets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
planning plans plant plasma plasmonic plate platform platforms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
plausible play played player players playing plays plus pm pn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
point points pointwise poisson polar polarity polarization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polarized pole poles policies policy political polyhedral polymer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polynomial polynomials polynomialtime polytope polytopes pool \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
pooling poor poorly popular popularity population populations \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.207893 0.0 0.0 0.0
porous portfolio portion pose posed poses position positioning \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.14974 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.00000 0.0
positions positive possess possesses possibilities possibility \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.121811 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
possible possibly post posterior postprocessing posts potential \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.058031
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
potentially potentials power powerful powerlaw powers pp practical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
practically practice practices practitioners precise precisely \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
precision predefined predict predicted predicting prediction \
0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.119329
4 0.0 0.0 0.0 0.0 0.0 0.000000
predictions predictive predictor predictors predicts preference \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
preferences preferential preferred preliminary prepared preprocessing \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
prescribed presence present presentation presented presenting \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
presents preserve preserved preserves preserving pressure pressures \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pretrained prevalent prevent previous previously price prices \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pricing primaldual primarily primary prime primes primitive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
primitives primordial principal principle principled principles \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
prior priori priority priors privacy private probabilistic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
probabilities probability probable probably probe probes problem \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.061659 0.0 0.0 0.0 0.0 0.040526
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.000000
problems procedure procedures process processed processes processing \
0 0.000000 0.0 0.0 0.00000 0.0 0.000000 0.0
1 0.072326 0.0 0.0 0.00000 0.0 0.000000 0.0
2 0.154007 0.0 0.0 0.05236 0.0 0.062842 0.0
3 0.000000 0.0 0.0 0.00000 0.0 0.000000 0.0
4 0.000000 0.0 0.0 0.00000 0.0 0.000000 0.0
processor processors produce produced produces producing product \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
production products profile profiles profit program programming \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.156649 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
programs progress progression progressively project projected \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
projection projections projective projects prominent promise \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
promising promote prone pronounced proof proofs propagate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
propagating propagation proper properly properties property \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.555356 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
proportion proportional proposal proposals propose proposed \
0 0.0 0.0 0.0 0.0 0.000000 0.080768
1 0.0 0.0 0.0 0.0 0.000000 0.060621
2 0.0 0.0 0.0 0.0 0.042445 0.000000
3 0.0 0.0 0.0 0.0 0.000000 0.000000
4 0.0 0.0 0.0 0.0 0.000000 0.065010
proposes proposing propto protected protection protein proteins \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
protocol protocols proton protoplanetary prototype prototypical \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
provable provably prove proved proven proves provide provided \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.046815 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
providers provides providing proving proximal proximity proxy \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.086277 0.0 0.0 0.0 0.0 0.0
pruning ps pseudo pt public publication publications publicly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
published pulse pulses pump pure purely purpose purposes pursuit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
put python qa qlearning quadratic qualitative qualitatively \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
quality quantification quantified quantify quantifying quantile \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
quantitative quantitatively quantities quantity quantization \
0 0.000000 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0
4 0.116413 0.0 0.0 0.0 0.0
quantized quantum quasars quasiparticle quasiparticles qubit qubits \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
quenched queries query question questions quick quickly quite \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.068799 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.127840 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
quotient quotients ra race radar radial radiation radiative radii \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
radio radius raised raises raman random randomization \
0 0.0 0.0 0.000000 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.081159 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.193672 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.000000 0.0
randomized randomly randomness range ranges ranging rank ranked \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ranking rankings rapid rapidly rare rarely rate rates rather \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.130957 0.0 0.0 0.0 0.0 0.0 0.0
rating ratings ratio rational ratios raw ray rays rb rd reach \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reachability reached reaches reaching reaction reactions reactive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
read readily reading readout real realistic reality realization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
realizations realize realized realizing reallife realtime realvalued \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
realworld reason reasonable reasonably reasoning reasons recall \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
receive received receiver recent recently recognition recognize \
0 0.0 0.0 0.0 0.0 0.05415 0.069544 0.0
1 0.0 0.0 0.0 0.0 0.00000 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.00000 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.00000 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.00000 0.000000 0.0
recognized recognizing recombination recommendation recommendations \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
recommender reconstruct reconstructed reconstructing reconstruction \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
record recorded recording recordings records recover recovered \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
recovering recovers recovery recurrence recurrent recursion \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
recursive red redshift redshifts reduce reduced reduces reducing \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.103112 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
reduction reductions reductive redundancy redundant refer reference \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
referred refers refine refined refinement reflect reflected \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reflection reflects reformulation regard regarded regarding \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
regardless regime regimes region regional regions registration \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
regression regret regular regularity regularization regularized \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
regularizer regulation regulatory reinforcement reionization \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
rejection relate related relates relating relation relational \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.112636 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0
relations relationship relationships relative relatively relativistic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
relativity relaxation relaxations relaxed relay release released \
0 0.0 0.0 0.0 0.0 0.0 0.086257 0.0
1 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
relevance relevant reliability reliable reliably relies relu rely \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
relying remain remained remaining remains remarkable remarkably \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
remote removal remove removed removing rendering renewable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
renormalization repair repeated replace replaced replacement \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
replacing replication report reported reports represent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
representation representations representative represented representing \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
represents reproduce reproduces reproducing repulsive request \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
requests require required requirement requirements requires \
0 0.0 0.063033 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.067160 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0
requiring resampling research researchers reservoir residual \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
resilience resilient resistance resistivity resnet resolution \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
resolutions resolve resolved resonance resonances resonant resource \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
resources resp respect respective respectively response responses \
0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.098879 0.0
2 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
responsible rest restoration restrict restricted restriction \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
restrictions restrictive result resulted resulting results \
0 0.0 0.0 0.0 0.0 0.0 0.031826
1 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.063010
4 0.0 0.0 0.0 0.0 0.0 0.051233
retrieval return returns reuse rev reveal revealed revealing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reveals revenue reversal reverse reversible review reviewed reviews \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
revisit reward rewards reynolds rf rho ricci rich riemann \
0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.369385 0.498592 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
riemannian right rightarrow rigid rigidity rigorous rigorously ring \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rings rise rising risk risks rl rm rn rnn rnns road \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.114148 0.0 0.0 0.0 0.0 0.0 0.0 0.0
robot robotic robotics robots robust robustly robustness role \
0 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.089485 0.0 0.0 0.0
2 0.238191 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
roles room root roots rotating rotation rotational rough roughly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
round rounds route routing rows rule rules run running runs \
0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.210494 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.126461 0.0 0.0 0.0 0.0
runtime rv rydberg saddle safe safety said saliency salient \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sample sampled sampler samples sampling satellite satellites \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
satisfactory satisfiability satisfied satisfies satisfy satisfying \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
saturation savings say sc scalability scalable scalar scale \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
scaled scales scaling scan scanning scans scatter scattered \
0 0.0 0.0 0.070544 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
scattering scenario scenarios scene scenes scheduling scheme \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
schemes schrdinger science sciences scientific scientists scope \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
score scores scoring scratch screening se sea search searches \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
searching second secondary secondly secondorder seconds section \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sections sector secure security see seed seek seeks seem \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
seemingly seems seen segment segmentation segments seismic select \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
selected selecting selection selective selects selfconsistent \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
selfsimilar semantic semantically semantics semiclassical \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
semiconductor semiconductors semidefinite semigroup semigroups \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
semimetal semimetals semiparametric semisimple semisupervised sense \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
sensing sensitive sensitivity sensor sensors sensory sentence \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sentences sentiment separable separate separated separately \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
separating separation sequence sequences sequential sequentially \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
series serious serve server servers serves service services \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
session set sets setting settings setup setups seven several \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
severe severely sgd shall shallow shape shaped shapes shaping \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
share shared shares sharing sharp shear shed sheet shell shift \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shifted shifts shock shocks short shortcomings shorter shortest \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shortrange shortterm show showed showing shown shows shrinkage \
0 0.0 0.0 0.030876 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.032897 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
si side sides sigma sign signal signaling signals signaltonoise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
signature signatures signed significance significant significantly \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
signs silicon sim simeq similar similarities similarity similarly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.171318
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
simple simpler simplest simplex simplicial simplicity simplified \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simplifies simplify simply simulate simulated simulating simulation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simulations simulator simultaneous simultaneously since single \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
singular singularities singularity site sites situ situation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
situations six size sizes sketch skill skills skin sky \
0 0.0 0.0 0.054336 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
skyrmions slam sleep slightly slope slow slower slowly small \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
smaller smallest smallscale smart smooth smoothing smoothly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
smoothness sn snr sobolev soc socalled social society soft \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
softmax software solar solely solid solids soliton solitons \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
solution solutions solvable solve solved solver solvers solves \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
solving sometimes somewhat sophisticated sound source sources sp \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
space spacecraft spaces spacetime spacing span spanning sparse \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sparsity spatial spatially spatiotemporal speaker speakers special \
0 0.000000 0.0 0.0 0.0 0.095034 0.203396 0.000000
1 0.000000 0.0 0.0 0.0 0.000000 0.000000 0.095473
2 0.000000 0.0 0.0 0.0 0.000000 0.000000 0.000000
3 0.000000 0.0 0.0 0.0 0.000000 0.000000 0.000000
4 0.130648 0.0 0.0 0.0 0.000000 0.000000 0.000000
specialized species specific specifically specification \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
specifications specified specify specifying spectra spectral \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
spectrometer spectroscopic spectroscopy spectrum speech speed \
0 0.0 0.0 0.0 0.0 0.078322 0.071094
1 0.0 0.0 0.0 0.0 0.000000 0.000000
2 0.0 0.0 0.0 0.0 0.000000 0.000000
3 0.0 0.0 0.0 0.0 0.000000 0.000000
4 0.0 0.0 0.0 0.0 0.000000 0.000000
speeds speedup sphere spheres spherical spike spiking spin \
0 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.0 0.324856 0.198306 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.000000 0.0 0.0 0.0 0.0
spinorbit spins spiral split splitting spontaneous spot spread \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
spreading square squared squares sr st stability stabilization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.065424 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
stabilize stabilized stable stack stacked stacking stage stages \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
standard standards star starforming stars start started starting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
starts state stated statement statements stateoftheart states \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.090583
static station stationary stations statistic statistical \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
statistically statistics status steady steadystate stellar step \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.067417
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
steps stepsize stiffness still stimulation stimuli stimulus \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stochastic stock stocks stokes stopping storage store stored \
0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.183246 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0 0.0 0.0
straightforward strain strategic strategies strategy stratified \
0 0.0 0.0 0.0 0.00000 0.000000 0.0
1 0.0 0.0 0.0 0.00000 0.000000 0.0
2 0.0 0.0 0.0 0.07392 0.068122 0.0
3 0.0 0.0 0.0 0.00000 0.000000 0.0
4 0.0 0.0 0.0 0.00000 0.000000 0.0
stream streaming streams strength strengths stress stresses strict \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
strictly striking string strings strong stronger strongly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
structural structure structured structures student students studied \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.088718 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
studies study studying style su subgraph subgraphs subgroup \
0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.040248 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.074787 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
subgroups subject subjective subjects sublinear submanifolds \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
submodular suboptimal subsampling subsequent subsequently subset \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
subsets subspace subspaces substantial substantially substitution \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
substrate substrates subtle success successful successfully \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
successive suffer suffers sufficient sufficiently suggest suggested \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
suggesting suggests suitable suitably suite suited sum summarize \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
summary sums sun super superconducting superconductivity \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
superconductor superconductors superfluid superior superiority \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
supernova supernovae superposition supervised supervision supply \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
support supported supporting supports suppose suppressed suppression \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sure surface surfaces surgery surprising surprisingly surrogate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
surrounding surveillance survey surveys survival susceptibility \
0 0.0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.0 0.000000 0.0 0.0 0.573728
2 0.0 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.0 0.138188 0.0 0.0 0.000000
4 0.0 0.0 0.000000 0.0 0.0 0.000000
susceptible svd svm switch switches switching symbol symbolic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
symbols symmetric symmetries symmetry symplectic synaptic \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
synchronization synchronous syntactic syntax synthesis synthesize \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
synthesized synthetic system systematic systematically systems table \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tables tackle tail tailored tails take taken takes taking \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.078959 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
tangent target targeted targeting targets task tasks tau taxonomy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tc te teacher teaching team teams technical technique techniques \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.114165 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
technological technologies technology telescope telescopes \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
temperature temperatures template temporal temporally ten tend \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tendency tends tens tension tensor tensors term termed terms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.050057
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
terrestrial test testbed tested testing tests text texts textual \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
texture textures th thanks theorem theorems theoretic theoretical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
theoretically theories theory thereby therefore thereof thermal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
thermodynamic thermodynamics thesis theta thick thickness thin \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
things third thorough thoroughly though thought thousands threats \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
three threedimensional threshold thresholding thresholds throughout \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
throughput thus thz tidal ties tight time timeconsuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.129359 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.160246 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
timedependent times timescale timescales timeseries timevarying \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
timing tissue today together tolerance tomography tool tools top \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
topic topics topological topologically topologies topology tori \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
toric torque torsion torus total totally toward towards toy \
0 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
2 0.0 0.0 0.0 0.0 0.069053 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.000000 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.000000 0.0 0.132071 0.0 0.0
trace traces track tracking tracks tractable trade tradeoff \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tradeoffs trading traditional traditionally traffic train trained \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
training trains traits trajectories trajectory transactions \
0 0.053205 0.0 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0 0.0
transcription transfer transferred transform transformation \
0 0.109633 0.0 0.0 0.0 0.0
1 0.000000 0.0 0.0 0.0 0.0
2 0.000000 0.0 0.0 0.0 0.0
3 0.000000 0.0 0.0 0.0 0.0
4 0.000000 0.0 0.0 0.0 0.0
transformations transformed transforming transforms transient transit \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
transiting transition transitions transits translates translation \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
translational transmission transmit transmitted transmitter \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
transparency transparent transport transportation transverse trap \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
trapped trapping travel traveling treat treated treatment \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.107517 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
treatments tree trees treewidth tremendous trend trends trial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trials triangle triangular trigger triggered triple triplet trivial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tropical true truncated truncation trust trusted truth try tube \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tumor tunable tune tuned tuning tunneling turbulence turbulent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
turn turns tweets twice twisted twitter two twocomponent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.036073 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0
twodimensional twofold twostage type types typical typically \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.110539 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.000000 0.0 0.0 0.106089
uav ubiquitous ultimately ultracold ultrafast ultraviolet unable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
unbiased unbounded uncertain uncertainties uncertainty unclear \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
unconstrained unconventional uncover underlying understand \
0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0
understanding understood underwater undirected unexpected \
0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.126461 0.0 0.0 0.0
unfortunately unified uniform uniformly union unique uniquely \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
uniqueness unit unitary united units univariate universal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
universality universe university unknown unlabeled unless unlike \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.076092
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
unlikely unobserved unprecedented unseen unstable unstructured \
0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0
unsupervised unusual upcoming update updated updates updating \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
1 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0
4 0.0 0.0 0.0 0.129166 0.0 0.0 0.0
upon upper urban url us usage use used useful usefulness \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.058181 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000 0.0 0.0
user users uses using usual usually utility utilization utilize \
0 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.048720 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.052247 0.0 0.0 0.0 0.0 0.0
utilized utilizes utilizing uv vacuum vae vaes valence valid \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
validate validated validation validity valuable valuation value \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
valued values van vanishes vanishing vapor varepsilon variability \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.082558
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
variable variables variance variances variant variants variation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
variational variations varied varies varieties variety various \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.104169
1 0.0 0.0 0.0 0.0 0.0 0.0 0.078186
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.083845
varphi vary varying vast vector vectors vehicle vehicles \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
velocities velocity verification verified verify versatile version \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
versions versus vertex vertical vertices vi via viability viable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vibrational vicinity video videos view viewed viewpoint views \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
violation virtual virtually viscosity viscous visibility visible \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vision visual visualization visualize visually vital vocabulary \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.101698
1 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
2 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
3 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
4 0.0 0.0 0.0 0.0 0.0 0.0 0.000000
voice volatility voltage volume volumes von vortex vortices voting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vs vulnerabilities vulnerability vulnerable walk walking walks \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0
wall walls want waspb wasserstein water wave waveform waveforms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
waveguide wavelength wavelengths wavelet waves way ways weak \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
weaker weakly weather web website weight weighted weighting \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.189171 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0
weights well welldefined wellestablished wellknown wellposedness \
0 0.0 0.000000 0.0 0.0 0.0 0.0
1 0.0 0.000000 0.0 0.0 0.0 0.0
2 0.0 0.000000 0.0 0.0 0.0 0.0
3 0.0 0.000000 0.0 0.0 0.0 0.0
4 0.0 0.068755 0.0 0.0 0.0 0.0
wellstudied weyl whenever whereas whereby wherein whether whilst \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
white whole whose wide widely wider widespread width wikipedia \
0 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.065228 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.000000 0.0 0.0 0.0 0.0 0.0 0.0
wild wind window winds wireless within without word words work \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
workers working workload works world worse worst worstcase would \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
write writing written wrt xi xn xray year years yet yield \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
yielding yields young zero zeros zeta zn zone
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
1 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
2 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
3 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
4 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
Step 5 : Label Encoding does not required.¶
Step 6.2: Train the model¶
Training the Model¶
In this step, we train a machine learning model using the TF-IDF features from the training data.
MultinomialNB(): This initializes a Multinomial Naive Bayes classifier, which is well-suited for classification with discrete features like word counts or TF-IDF scores.
model.fit(X_train_tfidf, y_train): This method trains the Multinomial Naive Bayes model using the TF-IDF features (X_train_tfidf) and the corresponding labels (y_train). The model learns the relationship between the features and the labels, which will later be used to make predictions on new data.
# Training the model
model = MultiOutputClassifier(LogisticRegression())
model.fit(X_train_tfidf, y_train)
MultiOutputClassifier(estimator=LogisticRegression())In a Jupyter environment, please rerun this cell to show the HTML representation or trust the notebook.
On GitHub, the HTML representation is unable to render, please try loading this page with nbviewer.org.
MultiOutputClassifier(estimator=LogisticRegression())
LogisticRegression()
LogisticRegression()
Step 6.3: Save the trained model¶
After training the model, it's important to save both the trained model and the TF-IDF vectorizer to disk. This allows us to reuse them later without retraining, which saves time and computational resources.
# Save the model to disk
joblib.dump(model, 'multi_label_model.pkl')
# Save the vectorizer to disk
joblib.dump(vectorizer, 'tfidf_vectorizer.pkl')
['tfidf_vectorizer.pkl']
'''
*------------------- LOAD_SAVED_MODEL --------------------------*
| Function: load() |
| Purpose: Method to Load Previously Saved Model |
| Arguments: |
| Model: Trained Model |
| Return: |
| File: Saved Model will be Loaded in Memory |
*---------------------------------------------------------------*
'''
import joblib
# Load the model from disk
loaded_model = joblib.load('multi_label_model.pkl')
# Load the vectorizer from disk
loaded_vectorizer = joblib.load('tfidf_vectorizer.pkl')
print(f"Model loaded from 'multi_label_model.pkl'")
Model loaded from 'multi_label_model.pkl'
Step 7.2: Evaluate the Machine Learning Model¶
Transforming Test Data and Evaluating the Loaded Model¶
Transform the test data using the loaded vectorizer: This step uses the loaded TF-IDF vectorizer to transform the test data (X_test) into the same TF-IDF feature matrix format as used during training.
X_test_tfidf_loaded = loaded_vectorizer.transform(X_test): This transforms the test text data into a TF-IDF feature matrix using the loaded vectorizer.
Evaluate the loaded model: This step uses the loaded model to make predictions on the transformed test data and then evaluates the model's performance.
y_pred_loaded = loaded_model.predict(X_test_tfidf_loaded): This uses the loaded model to predict the labels for the transformed test data.
accuracy_loaded = accuracy_score(y_test, y_pred_loaded): This calculates the accuracy of the model's predictions by comparing the predicted labels (y_pred_loaded) with the true labels (y_test).
report_loaded = classification_report(y_test, y_pred_loaded): This generates a detailed classification report, which includes precision, recall, and F1-score for each class.
Print the results: This step prints the accuracy and the classification report to provide a summary of the model's performance on the test data.
print(f"Accuracy: {accuracy_loaded}"): This prints the accuracy of the model.
print("Classification Report:"): This prints a header for the classification report.
print(report_loaded): This prints the detailed classification report, providing insights into the model's performance across different classes.
By transforming the test data and evaluating the loaded model, we can assess the model's ability to generalize to new, unseen data and ensure that it performs as expected.
# Transform the test data using the loaded vectorizer
X_test_tfidf_loaded = loaded_vectorizer.transform(X_test)
# Evaluate the loaded model
y_pred_loaded = loaded_model.predict(X_test_tfidf_loaded)
accuracy_loaded = accuracy_score(y_test, y_pred_loaded)
report_loaded = classification_report(y_test, y_pred_loaded)
print(f"Accuracy: {accuracy_loaded}")
print("Classification Report:")
print(report_loaded)
Accuracy: 0.6407628128724672
Classification Report:
precision recall f1-score support
0 0.83 0.82 0.82 1692
1 0.94 0.81 0.87 1226
2 0.88 0.74 0.80 1150
3 0.82 0.64 0.72 1069
4 0.69 0.07 0.13 122
5 0.83 0.11 0.20 45
micro avg 0.86 0.74 0.80 5304
macro avg 0.83 0.53 0.59 5304
weighted avg 0.86 0.74 0.79 5304
samples avg 0.81 0.78 0.78 5304
C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\metrics\_classification.py:1509: UndefinedMetricWarning: Precision is ill-defined and being set to 0.0 in samples with no predicted labels. Use `zero_division` parameter to control this behavior.
_warn_prf(average, modifier, f"{metric.capitalize()} is", len(result))
# Take user input
user_input = input("Please enter your text: ").strip()
# Preprocess the user input
def preprocess_user_input(text):
stop_words = set(stopwords.words('english'))
text = re.sub(r'[^a-zA-Z\s]', '', text)
text = text.lower()
text = ' '.join(word for word in text.split() if word not in stop_words)
return text
cleaned_input = preprocess_user_input(user_input)
user_input
# If they are successful, we can rest assured that the COVID-19 best vaccine will not irritate our eyes this time.
'Rotation invariance and translation invariance have great values in image recognition tasks. In this paper, we bring a new architecture in convolutional neural network (CNN) named cyclic convolutional layer to achieve rotation invariance in 2-D symbol recognition. We can also get the position and orientation of the 2-D symbol by the network to achieve detection purpose for multiple non-overlap target. Last but not least, this architecture can achieve one-shot learning in some cases using those invariance.'
cleaned_input
'rotation invariance translation invariance great values image recognition tasks paper bring new architecture convolutional neural network cnn named cyclic convolutional layer achieve rotation invariance symbol recognition also get position orientation symbol network achieve detection purpose multiple nonoverlap target last least architecture achieve oneshot learning cases using invariance'
Step 8.2: Load the Saved Model¶
# Load the vectorizer and the model (ensure these are the same as used during training)
vectorizer = joblib.load('tfidf_vectorizer.pkl')
model = joblib.load('multi_label_model.pkl')
Step 8.3: Transform the user input using the loaded vectorizer¶
# Transform the cleaned input using the vectorizer
X_test_tfidf = vectorizer.transform([cleaned_input]) # Wrap the cleaned input in a list
# Convert the TF-IDF sparse matrix to a DataFrame
X_test_tfidf_df = pd.DataFrame(X_test_tfidf.toarray(), columns=vectorizer.get_feature_names_out())
print("\nTF-IDF Features DataFrame for User Input:")
print(X_test_tfidf_df)
TF-IDF Features DataFrame for User Input:
aa ab abc abelian ability able absence absent absolute \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
absorption abstract abstraction abundance abundances abundant ac \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
academic accelerate accelerated accelerating acceleration accelerator \
0 0.0 0.0 0.0 0.0 0.0 0.0
acceptable acceptance accepted access accessible accommodate \
0 0.0 0.0 0.0 0.0 0.0 0.0
accompanied accomplish according accordingly account accounted \
0 0.0 0.0 0.0 0.0 0.0 0.0
accounting accounts accretion accumulation accuracies accuracy \
0 0.0 0.0 0.0 0.0 0.0 0.0
accurate accurately achievable achieve achieved achieves achieving \
0 0.0 0.0 0.0 0.282662 0.0 0.0 0.0
acoustic acquire acquired acquisition across act acting action \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
actions activation activations active actively activities activity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
acts actual actually actuators acyclic ad adapt adaptation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adapted adapting adaptive adaptively add added adding addition \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
additional additionally additive address addressed addresses \
0 0.0 0.0 0.0 0.0 0.0 0.0
addressing adequate adiabatic adjacency adjacent adjoint adjust \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adjusted admissible admit admits admm adopt adopted adopting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adoption ads advance advanced advances advantage advantages \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
adversarial adversary aerial affect affected affecting affects \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
affine aforementioned age agent agentbased agents ages aggregate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aggregated aggregation aging agn ago agree agreement agrees ai \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
aid aim aimed aiming aims air al algebra algebraic algebraically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
algebras algorithm algorithmic algorithms aligned alignment \
0 0.0 0.0 0.0 0.0 0.0 0.0
alleviate allocation allow allowed allowing allows alloy alloys \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
alma almost alone along alpha alphabet already also alternate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.052289 0.0
alternating alternative alternatives although always alzheimers \
0 0.0 0.0 0.0 0.0 0.0 0.0
ambient ambiguity amenable among amongst amorphous amount amounts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
amplitude amplitudes analog analogous analogue analogues analogy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
analyse analysed analyses analysing analysis analytic analytical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
analytically analytics analyze analyzed analyzes analyzing anderson \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
andor android angle angles angular animal anisotropic anisotropy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ann annealing annotated annotation annotations anomalies anomalous \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
anomaly another ansatz answer answering answers antenna antennas \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
antiferromagnetic apart aperture api apis app apparent appealing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
appear appearance appearing appears applicability applicable \
0 0.0 0.0 0.0 0.0 0.0 0.0
application applications applied applies apply applying approach \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
approaches approaching appropriate appropriately approx approximate \
0 0.0 0.0 0.0 0.0 0.0 0.0
approximated approximately approximates approximating approximation \
0 0.0 0.0 0.0 0.0 0.0
approximations apps ar arbitrarily arbitrary architectural \
0 0.0 0.0 0.0 0.0 0.0 0.0
architecture architectures arcs area areas argue argument arguments \
0 0.207683 0.0 0.0 0.0 0.0 0.0 0.0 0.0
arise arises arising arithmetic arm arms around arrangement array \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
arrays arrival art article articles artifacts artificial arxiv ask \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
asked aspect aspects assembly assess assessed assessing assessment \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assessments asset assets assigned assignment assist associate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
associated association associations assume assumed assumes assuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
assumption assumptions asteroid asteroids astronomical astronomy \
0 0.0 0.0 0.0 0.0 0.0 0.0
astrophysical asymmetric asymmetry asymptotic asymptotically \
0 0.0 0.0 0.0 0.0 0.0
asymptotics asynchronous atmosphere atmospheres atmospheric atom \
0 0.0 0.0 0.0 0.0 0.0 0.0
atomic atoms attached attack attacker attacks attain attempt \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
attempts attention attenuation attracted attraction attractive \
0 0.0 0.0 0.0 0.0 0.0 0.0
attractor attribute attributed attributes au auc auction audio \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
augmentation augmented authentication author authors autocorrelation \
0 0.0 0.0 0.0 0.0 0.0 0.0
autoencoder autoencoders automata automated automatic automatically \
0 0.0 0.0 0.0 0.0 0.0 0.0
automation automaton automorphism automorphisms autonomous \
0 0.0 0.0 0.0 0.0 0.0
autoregressive auxiliary availability available average averaged \
0 0.0 0.0 0.0 0.0 0.0 0.0
averaging avoid avoiding avoids aware away axial axioms axion \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
axis back background backpropagation backward bad balance balanced \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
balancing ball banach band bandit bandits bands bandwidth bar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
barrier barriers base based baseline baselines bases basic basis \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
batch bath battery bayes bayesian beam beamforming beams become \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
becomes becoming begin beginning behave behavior behavioral \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
behaviors behaviour behind belief believe believed belong belonging \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
belongs benchmark benchmarks beneficial benefit benefits bernoulli \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
besides best beta better beyond bf bias biased biases \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bidirectional bifurcation big bilinear billion bin binaries binary \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
binding binomial biological biology biomedical bipartite bit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bitcoin bits bivariate black blackbox blind block blockchain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
blocks blood blowup blue bn board bodies body boltzmann bond \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bonds book boolean boost boosted boosting bootstrap boseeinstein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bosonic bosons bottleneck bottom bound boundaries boundary bounded \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
boundedness bounding bounds box boxes bp brain branch branches \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
branching break breakdown breaking breaks bridge brief briefly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bright brightness bring brings broad broadband broadcast \
0 0.0 0.0 0.147503 0.0 0.0 0.0 0.0
broadening broader broadly broken brought brown brownian bs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bubble budget buffer bugs build building buildings builds built \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
bulge bulk bundle bundles burden bursts bus business byproduct \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ca cache caching cal calculate calculated calculating calculation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
calculations calculus calgebras calibrated calibration call called \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
calls camera cameras cancer candidate candidates cannot canonical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cap capabilities capability capable capacity capture captured \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
captures capturing car carbon cardinality care careful carefully \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
carlo carried carrier carriers carry carrying cars cartesian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cascade cascades case cases cast catalog categorical categories \
0 0.0 0.0 0.0 0.092261 0.0 0.0 0.0 0.0
categorization category cauchy causal causality cause caused causes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
causing cavity cc cdot cell cells cellular center centered \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
centers central centrality centralized centre century certain cf \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
chain chains challenge challenges challenging chance change changed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
changes changing channel channels chaos chaotic chapter character \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
characterisation characterise characteristic characteristics \
0 0.0 0.0 0.0 0.0
characterization characterizations characterize characterized \
0 0.0 0.0 0.0 0.0
characterizes characterizing characters charge charged charges check \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
checking chemical chemistry cherenkov chern chi chip chiral choice \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
choices choose choosing chosen ci cifar circ circle circuit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
circuits circular circulation citation citations cities city cl \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
claim claims clarify class classes classic classical classification \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
classified classifier classifiers classify classifying clean clear \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
clearly climate clinical clock close closed closedform closedloop \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
closely closer closure cloud clouds cluster clustered clustering \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
clusters cm cmb cn cnn cnns co coarse code codes coding \
0 0.0 0.0 0.0 0.0 0.125536 0.0 0.0 0.0 0.0 0.0 0.0
coefficient coefficients coexistence cognitive coherence coherent \
0 0.0 0.0 0.0 0.0 0.0 0.0
cohomology coincide coincides cold collaboration collaborative \
0 0.0 0.0 0.0 0.0 0.0 0.0
collapse collect collected collecting collection collections \
0 0.0 0.0 0.0 0.0 0.0 0.0
collective collider collision collisional collisions color colored \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
colors column columns combination combinations combinatorial \
0 0.0 0.0 0.0 0.0 0.0 0.0
combinatorics combine combined combines combining come comes coming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
commands commercial common commonly communicate communication \
0 0.0 0.0 0.0 0.0 0.0 0.0
communications communities community commutative compact companies \
0 0.0 0.0 0.0 0.0 0.0 0.0
companion company comparable comparative compare compared compares \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
comparing comparison comparisons compatibility compatible \
0 0.0 0.0 0.0 0.0 0.0
compensation competing competition competitive compiler complement \
0 0.0 0.0 0.0 0.0 0.0 0.0
complementary complements complete completed completely completeness \
0 0.0 0.0 0.0 0.0 0.0 0.0
completion complex complexes complexities complexity complicated \
0 0.0 0.0 0.0 0.0 0.0 0.0
component components composed composite composition compositional \
0 0.0 0.0 0.0 0.0 0.0 0.0
compositions compound compounds comprehensive compressed compressible \
0 0.0 0.0 0.0 0.0 0.0 0.0
compression compressive comprised comprises comprising computable \
0 0.0 0.0 0.0 0.0 0.0 0.0
computation computational computationally computations compute \
0 0.0 0.0 0.0 0.0 0.0
computed computer computers computes computing concentration \
0 0.0 0.0 0.0 0.0 0.0 0.0
concentrations concept concepts conceptual concern concerned \
0 0.0 0.0 0.0 0.0 0.0 0.0
concerning concerns conclude conclusion conclusions concrete \
0 0.0 0.0 0.0 0.0 0.0 0.0
concurrent condensate condensation condensed condition conditional \
0 0.0 0.0 0.0 0.0 0.0 0.0
conditioned conditioning conditions conduct conductance conducted \
0 0.0 0.0 0.0 0.0 0.0 0.0
conducting conduction conductivity cone cones confidence \
0 0.0 0.0 0.0 0.0 0.0 0.0
configuration configurations confined confinement confirm confirmed \
0 0.0 0.0 0.0 0.0 0.0 0.0
confirming confirms conformal congestion conjecture conjectured \
0 0.0 0.0 0.0 0.0 0.0 0.0
conjectures conjugate conjunction connect connected connecting \
0 0.0 0.0 0.0 0.0 0.0 0.0
connection connections connectivity consecutive consensus consequence \
0 0.0 0.0 0.0 0.0 0.0 0.0
consequences consequently conservation conservative conserved \
0 0.0 0.0 0.0 0.0 0.0
consider considerable considerably consideration considerations \
0 0.0 0.0 0.0 0.0 0.0
considered considering considers consist consistency consistent \
0 0.0 0.0 0.0 0.0 0.0 0.0
consistently consisting consists constant constants constitute \
0 0.0 0.0 0.0 0.0 0.0 0.0
constitutes constrain constrained constraint constraints construct \
0 0.0 0.0 0.0 0.0 0.0 0.0
constructed constructing construction constructions constructive \
0 0.0 0.0 0.0 0.0 0.0
constructs consumers consuming consumption contact contacts \
0 0.0 0.0 0.0 0.0 0.0 0.0
contagion contain contained containing contains contamination \
0 0.0 0.0 0.0 0.0 0.0 0.0
contemporary content contents context contexts contextual \
0 0.0 0.0 0.0 0.0 0.0 0.0
continuation continue continues continuity continuous continuously \
0 0.0 0.0 0.0 0.0 0.0 0.0
continuoustime continuum contour contraction contrary contrast \
0 0.0 0.0 0.0 0.0 0.0 0.0
contribute contributes contribution contributions control \
0 0.0 0.0 0.0 0.0 0.0
controllability controllable controlled controller controllers \
0 0.0 0.0 0.0 0.0 0.0
controlling controls convection convenient conventional converge \
0 0.0 0.0 0.0 0.0 0.0 0.0
convergence convergent converges conversion convert converted convex \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
convexity convolution convolutional convolutions cooling cooperation \
0 0.0 0.0 0.205485 0.0 0.0 0.0
cooperative coordinate coordinates coordination cope core cores \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
corollary corpora corpus correct corrected correction corrections \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
correctly correctness correlated correlation correlations correspond \
0 0.0 0.0 0.0 0.0 0.0 0.0
correspondence corresponding corresponds corrupted cosmic \
0 0.0 0.0 0.0 0.0 0.0
cosmological cosmology cost costly costs could coulomb count \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
countable counterexample counterpart counterparts counting countries \
0 0.0 0.0 0.0 0.0 0.0 0.0
counts couple coupled coupling couplings course covariance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
covariate covariates cover coverage covered covering covers cp \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cpu cr create created creates creating creation criteria \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
criterion critical criticality critically cross crossing crossover \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
crossvalidation crowd crowdsourcing crucial crucially crystal \
0 0.0 0.0 0.0 0.0 0.0 0.0
crystalline crystals cs ct cu cube cubic cues cultural \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cumulative current currently currents curvature curve curved curves \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
cusp customer customers cut cutoff cyber cycle cycles cyclic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.143493
cylindrical daily damage damping dark data database databases \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
datadriven dataset datasets date day days db dc ddimensional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
de deal dealing deals death debate decade decades decay decays \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
decentralized decidable decide deciding decision decisionmaking \
0 0.0 0.0 0.0 0.0 0.0 0.0
decisions decoder decoding decompose decomposed decomposition \
0 0.0 0.0 0.0 0.0 0.0 0.0
decompositions decoupling decrease decreased decreases decreasing \
0 0.0 0.0 0.0 0.0 0.0 0.0
dedicated deduce deduced deep deeper default defect defects \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
defense define defined defines defining definite definition \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
definitions deformation deformations deformed deg degeneracy \
0 0.0 0.0 0.0 0.0 0.0 0.0
degenerate degradation degree degrees delay delayed delays deliver \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
delivery delta demand demanding demands demographic demonstrate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
demonstrated demonstrates demonstrating demonstration demonstrations \
0 0.0 0.0 0.0 0.0 0.0
denoising denote denoted denotes dense densities density depend \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dependence dependencies dependency dependent depending depends \
0 0.0 0.0 0.0 0.0 0.0 0.0
deployed deployment deposition depth der derivation derivations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
derivative derivatives derive derived deriving descent describe \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
described describes describing description descriptions descriptor \
0 0.0 0.0 0.0 0.0 0.0 0.0
descriptors design designed designing designs desirable desired \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
despite detail detailed details detect detected detecting detection \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.092825
detections detector detectors detects determinant determination \
0 0.0 0.0 0.0 0.0 0.0 0.0
determine determined determines determining deterministic develop \
0 0.0 0.0 0.0 0.0 0.0 0.0
developed developers developing development developments develops \
0 0.0 0.0 0.0 0.0 0.0 0.0
deviation deviations device devices devise devised devoted dft \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
diagnosis diagnostic diagonal diagram diagrams dialogue diameter \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
diamond dictionary dielectric differ difference differences \
0 0.0 0.0 0.0 0.0 0.0 0.0
different differentiable differential differentiation differently \
0 0.0 0.0 0.0 0.0 0.0
differs difficult difficulties difficulty diffraction diffuse \
0 0.0 0.0 0.0 0.0 0.0 0.0
diffusion diffusive digital digits dimension dimensional \
0 0.0 0.0 0.0 0.0 0.0 0.0
dimensionality dimensions dipolar dipole dirac direct directed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
direction directional directions directly dirichlet disc disciplines \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
discontinuous discover discovered discovering discovery discrepancy \
0 0.0 0.0 0.0 0.0 0.0 0.0
discrete discretetime discretization discretized discriminant \
0 0.0 0.0 0.0 0.0 0.0
discrimination discriminative discriminator discs discuss discussed \
0 0.0 0.0 0.0 0.0 0.0 0.0
discusses discussion disease diseases disjoint disk disks \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dislocation disorder disordered dispersion dispersive displacement \
0 0.0 0.0 0.0 0.0 0.0 0.0
display displays dissipation dissipative distance distances distant \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
distinct distinguish distinguished distinguishing distortion \
0 0.0 0.0 0.0 0.0 0.0
distortions distributed distribution distributional distributions \
0 0.0 0.0 0.0 0.0 0.0
disturbance disturbances divergence divergences diverse diversity \
0 0.0 0.0 0.0 0.0 0.0 0.0
divided division divisor dl dm dna dnn dnns document documents \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
domain domains domainspecific dominant dominate dominated dominates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dominating done doped doping doppler dose dot dots double \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
downlink downstream dp dr drag dramatic dramatically drastically \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
draw drawbacks drawing drawn drift drive driven driver drivers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
drives driving drop droplet droplets dropout drops drug drugs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dual duality due duration dust dwarf dwarfs dynamic dynamical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
dynamically dynamics earlier early earth earths ease easier easily \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
easy eccentricity economic economics economy ecosystem edge edges \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
education educational ee eeg effect effective effectively \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
effectiveness effects efficacy efficiencies efficiency efficient \
0 0.0 0.0 0.0 0.0 0.0 0.0
efficiently effort efforts eg eigenfunctions eigenvalue eigenvalues \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
eigenvectors eight einstein either elastic elasticity electric \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
electrical electricity electrodes electromagnetic electron electronic \
0 0.0 0.0 0.0 0.0 0.0 0.0
electronics electrons element elementary elements eliminate \
0 0.0 0.0 0.0 0.0 0.0 0.0
elimination ell elliptic elliptical elucidate elusive em embed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
embedded embedding embeddings emerge emerged emergence emergent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
emerges emerging emission emissions emitted emotion emotional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
emphasis empirical empirically employ employed employing employs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
empty enable enabled enables enabling encode encoded encoder \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
encoderdecoder encodes encoding encountered encourage encouraging \
0 0.0 0.0 0.0 0.0 0.0 0.0
encrypted encryption end ends endtoend energetic energies energy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
enforce engine engineering engines english enhance enhanced \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
enhancement enhances enhancing enjoys enormous enough ensemble \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ensembles ensure ensures ensuring entangled entanglement entire \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
entirely entities entity entries entropy envelope environment \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
environmental environments epidemic epistemic epoch epochs epsilon \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
equal equality equally equation equations equilibria equilibrium \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
equipped equivalence equivalent equivalently equivariant era ergodic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
error errors escape especially essential essentially establish \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
established establishes establishing estimate estimated estimates \
0 0.0 0.0 0.0 0.0 0.0 0.0
estimating estimation estimator estimators et etc euclidean euler \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
european ev evaluate evaluated evaluating evaluation evaluations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
even event events eventually ever every evidence evolution \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
evolutionary evolve evolved evolves evolving exact exactly examine \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
examined examining example examples exceed exceeding exceeds \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
excellent except exceptional excess exchange excitation excitations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
excited exciton exclusion execute executed execution exhibit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exhibiting exhibits exist existence existing exists exoplanet \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
exoplanets exotic expand expanded expanding expansion expansions \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
expect expectation expectations expected expensive experience \
0 0.0 0.0 0.0 0.0 0.0 0.0
experienced experiences experiment experimental experimentally \
0 0.0 0.0 0.0 0.0 0.0
experiments expert expertise experts explain explained explaining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
explains explanation explanations explicit explicitly exploit \
0 0.0 0.0 0.0 0.0 0.0 0.0
exploitation exploited exploiting exploits exploration exploratory \
0 0.0 0.0 0.0 0.0 0.0 0.0
explore explored explores exploring exponent exponential \
0 0.0 0.0 0.0 0.0 0.0 0.0
exponentially exponents exposed exposure express expressed \
0 0.0 0.0 0.0 0.0 0.0 0.0
expression expressions expressive extend extended extending extends \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
extension extensions extensive extensively extent external \
0 0.0 0.0 0.0 0.0 0.0 0.0
extinction extra extract extracted extracting extraction \
0 0.0 0.0 0.0 0.0 0.0 0.0
extrapolation extremal extreme extremely eye fabricated fabrication \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
face facebook faced faces facial facilitate facilitates facility \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fact factor factorization factors facts fail fails failure \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
failures fair fairly fairness fake fall false familiar families \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
family famous far fashion fast faster fault faults favor \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
favorable fe feasibility feasible feature features fed feedback \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
feedforward fermi fermion fermionic fermions ferromagnetic fewer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fiber fibers fidelity field fields filament filaments file files \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fill filling film films filter filtered filtering filters final \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
finally financial find finding findings finds fine finegrained \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
finetuning fingerprint finite finitedimensional finitely first \
0 0.0 0.0 0.0 0.0 0.0 0.0
firstly firstorder firstprinciples fisher fit fitness fits fitted \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fitting five fix fixed fixedpoint flag flare flat flexibility \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
flexible flight floquet flow flows fluctuation fluctuations fluid \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fluids fluorescence flux fluxes fmri focal focus focused focuses \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
focusing fold follow followed following follows followup force \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
forces forcing forecast forecasting forecasts foreground forest \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
forests form formal formalism formally format formation formed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
former forming forms formula formulae formulas formulate formulated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
formulation formulations forward found foundation four fourier \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fourth fpga frac fractal fraction fractional fractions fracture \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
fragment fragments frame frames framework frameworks fraud free \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
freedom freely frequencies frequency frequent frequently friction \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
frobenius front fs fuel full fully function functional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
functionality functionals functions functor functors fundamental \
0 0.0 0.0 0.0 0.0 0.0 0.0
fundamentally furthermore fusion future fuzzy gain gained gaining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gains galactic galaxies galaxy galois game games gamma gammaray \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gan gans gap gaps gas gases gate gates gating gauge gaussian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gaussians gc ge gender gene general generalisation generalised \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
generality generalization generalizations generalize generalized \
0 0.0 0.0 0.0 0.0 0.0
generalizes generalizing generally generalpurpose generate generated \
0 0.0 0.0 0.0 0.0 0.0 0.0
generates generating generation generative generator generators \
0 0.0 0.0 0.0 0.0 0.0 0.0
generic generically genes genetic genome genomic genus geodesic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
geographic geographical geometric geometrical geometrically \
0 0.0 0.0 0.0 0.0 0.0
geometries geometry geq get gets getting gev ghz giant gibbs \
0 0.0 0.0 0.0 0.126448 0.0 0.0 0.0 0.0 0.0 0.0
give given gives giving glass global globally globular go goal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
goals goes going gold good google governed governing gp gpa gps \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gpu gpus graded gradient gradientbased gradients gradually grain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
grains graph graphbased graphene graphical graphics graphs grasping \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
gravitational gravity great greater greatly greedy green greens \
0 0.0 0.0 0.121033 0.0 0.0 0.0 0.0 0.0
grid grids ground groundbased group groups grow growing grown \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
grows growth gtrsim guarantee guaranteed guarantees guidance guide \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
guided guidelines gw half hall halo halos hamiltonian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hamiltonians hand handle handling hard hardness hardware harmonic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
harvesting hash hashing hausdorff hd health healthcare healthy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
heart heat heating heavily heavy heavytailed height heisenberg \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
held helium help helpful helps hence herein hermitian hessian \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
heterogeneity heterogeneous heterostructures heuristic heuristics \
0 0.0 0.0 0.0 0.0 0.0
hexagonal hi hidden hierarchical hierarchy higgs high \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
highdimensional higher higherorder highest highfrequency highlevel \
0 0.0 0.0 0.0 0.0 0.0 0.0
highlight highlighting highlights highly highorder highperformance \
0 0.0 0.0 0.0 0.0 0.0 0.0
highquality highresolution hilbert historical history ho hold \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
holds hole holes holomorphic home homogeneous homology homomorphism \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
homomorphisms homotopy hope hopf hopping horizon horizontal host \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hosts hot hours however http https hubbard hubble huge human \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
humanoid humans hundred hundreds hybrid hybridization hydrodynamic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
hydrodynamics hydrogen hyperbolic hypergraph hyperparameter \
0 0.0 0.0 0.0 0.0 0.0
hyperparameters hypersurface hypersurfaces hypotheses hypothesis hz \
0 0.0 0.0 0.0 0.0 0.0 0.0
ia ice idea ideal ideals ideas identical identifiability \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
identification identified identifies identify identifying identities \
0 0.0 0.0 0.0 0.0 0.0 0.0
identity ie ieee ii iid iii illumination illustrate illustrated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
illustrates illustrating illustrative image imagenet imagery \
0 0.0 0.0 0.0 0.092438 0.0 0.0
images imaginary imaging imbalance imbalanced imitation immediate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
immediately impact impacts impedance imperfect implement \
0 0.0 0.0 0.0 0.0 0.0 0.0
implementation implementations implemented implementing implements \
0 0.0 0.0 0.0 0.0 0.0
implications implicit implicitly implied implies imply importance \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
important importantly impose imposed imposing impossible impressive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
improve improved improvement improvements improves improving \
0 0.0 0.0 0.0 0.0 0.0 0.0
impurity imputation inception incidence incident include included \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
includes including inclusion incoming incomplete incompressible \
0 0.0 0.0 0.0 0.0 0.0 0.0
inconsistency inconsistent incorporate incorporated incorporates \
0 0.0 0.0 0.0 0.0 0.0
incorporating incorrect increase increased increases increasing \
0 0.0 0.0 0.0 0.0 0.0 0.0
increasingly incremental indeed independence independent \
0 0.0 0.0 0.0 0.0 0.0
independently index indexed indicate indicates indicating indicator \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
indicators indices indirect individual individually individuals \
0 0.0 0.0 0.0 0.0 0.0 0.0
indoor induce induced induces induction inductive industrial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
industry inefficient inelastic inequalities inequality inertia \
0 0.0 0.0 0.0 0.0 0.0 0.0
inertial infeasible infection infer inference inferences inferred \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inferring infinite infinitedimensional infinitely infinitesimal \
0 0.0 0.0 0.0 0.0 0.0
infinity inflation influence influenced influences influential \
0 0.0 0.0 0.0 0.0 0.0 0.0
inform information informationtheoretic informative informed infrared \
0 0.0 0.0 0.0 0.0 0.0 0.0
infrastructure infty ingredient inherent inherently inhibition \
0 0.0 0.0 0.0 0.0 0.0 0.0
inhomogeneous initial initialization initially initio injection \
0 0.0 0.0 0.0 0.0 0.0 0.0
injective inner innovation innovative inplane input inputoutput \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
inputs inside insight insights inspection inspired instabilities \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
instability instance instances instantaneous instead institutions \
0 0.0 0.0 0.0 0.0 0.0 0.0
instrument instrumental instruments insufficient insulating insulator \
0 0.0 0.0 0.0 0.0 0.0 0.0
insulators insurance integer integers integrable integral integrals \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
integrate integrated integrates integrating integration integrity \
0 0.0 0.0 0.0 0.0 0.0 0.0
intelligence intelligent intended intense intensities intensity \
0 0.0 0.0 0.0 0.0 0.0 0.0
intensive interact interacting interaction interactions interactive \
0 0.0 0.0 0.0 0.0 0.0 0.0
interconnected interest interested interesting interestingly \
0 0.0 0.0 0.0 0.0 0.0
interests interface interfaces interference interior interlayer \
0 0.0 0.0 0.0 0.0 0.0 0.0
intermediate internal international internet interplay interpolation \
0 0.0 0.0 0.0 0.0 0.0 0.0
interpret interpretability interpretable interpretation \
0 0.0 0.0 0.0 0.0
interpretations interpreted interpreting intersection interstellar \
0 0.0 0.0 0.0 0.0 0.0
interval intervals intervention interventions intractable intriguing \
0 0.0 0.0 0.0 0.0 0.0 0.0
intrinsic intrinsically introduce introduced introduces introducing \
0 0.0 0.0 0.0 0.0 0.0 0.0
introduction intuition intuitive invariance invariant invariants \
0 0.0 0.0 0.0 0.564328 0.0 0.0
inverse inversion invertible investigate investigated investigates \
0 0.0 0.0 0.0 0.0 0.0 0.0
investigating investigation investigations investment involve \
0 0.0 0.0 0.0 0.0 0.0
involved involves involving ion ionic ionization ionized ions iot \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ip ir iron irradiation irreducible irregular ising isolated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
isolation isometric isomorphic isomorphism isotropic issue issues \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
item items iterated iteration iterations iterative iteratively iv \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
jacobi jacobian java jet jets job joint jointly josephson journal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
jump jumps junction junctions jupiter justification justified \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kalman kappa keep keeping kepler kernel kernels kev key keywords \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kg khler kind kinds kinematic kinematics kinetic kinetics km \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
kmeans kms knot knots know knowledge known kpc ktheory label \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
labeled labeling labelled labels laboratory lack lacking ladder \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lagrangian lambda lambdacdm landau landscape langevin langle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
language languages laplace laplacian large largely larger \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
largescale largest laser lasso last lastly late latency latent \
0 0.0 0.0 0.0 0.0 0.115655 0.0 0.0 0.0 0.0
later lateral latest latter lattice lattices law laws layer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.106707
layered layers layout ldots le lead leading leads leakage learn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
learned learner learners learning learningbased learns least \
0 0.0 0.0 0.0 0.066145 0.0 0.0 0.10265
leastsquares leave leaves led left lemma length lengths lens \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lenses lensing leq less lesssim let letter level levels leverage \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
leveraged leverages leveraging lhc li libraries library lidar lie \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lies life lifetime lifetimes light lightweight like likelihood \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
likely limit limitation limitations limited limiting limits line \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
linear linearized linearly lineofsight lines linguistic link linked \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
linking links lipschitz liquid liquids list literature little live \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lives living load loading loads local locality localization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
localized locally located location locations locomotion locus log \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
logarithmic logic logical logics logistic loglikelihood lognormal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
logs long longer longitudinal longrange longstanding longterm look \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
looking loop loops loss losses lost lot low lowcost \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lowdimensional lowenergy lower lowest lowfrequency lowlevel lowmass \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
lowrank lp lstm luminosity lvy lyapunov lying machine machines \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
macroscopic made magnetic magnetism magnetization magnetoresistance \
0 0.0 0.0 0.0 0.0 0.0 0.0
magnets magnitude magnitudes main mainly maintain maintaining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
maintains maintenance major majorana majority make makes making \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
malicious malware manage management manifold manifolds manipulate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
manipulation manner manual manually manufacturing manuscript many \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
manybody map mapped mapping mappings maps margin marginal marked \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
market markets markov markovian mars mask mass masses massive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
master match matched matches matching material materials math \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mathbb mathbbr mathbbrd mathbbrn mathbbz mathcal mathcala \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mathematical mathematically mathematics mathfrak matlab matrices \
0 0.0 0.0 0.0 0.0 0.0 0.0
matrix matroid matter maxima maximal maximally maximization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
maximize maximizes maximizing maximum may mc mcmc md mean \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
meanfield meaning meaningful means meanwhile measurable measure \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
measured measurement measurements measures measuring mechanical \
0 0.0 0.0 0.0 0.0 0.0 0.0
mechanics mechanism mechanisms media median mediated medical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
medicine medium meet member members membership membrane memory \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mental mentioned merger merging mesh message messages metadata \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
metal metallic metallicity metals method methodologies methodology \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
methods metric metrics mev mg mhz micron microscopic microscopy \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
microstructure microwave might migration mild milky million \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
millions mimic mimo mind minibatch minima minimal minimax \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
minimization minimize minimized minimizer minimizers minimizes \
0 0.0 0.0 0.0 0.0 0.0 0.0
minimizing minimum mining minor minutes mirror misclassification \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mismatch missing mission missions mitigate mixed mixing mixture \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mixtures ml mle mm mmwave mn mnist mobile mobility modal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modalities modality mode model modelbased modeled modelfree \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modeling modelled modelling models moderate modern modes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modification modifications modified modify modifying modot modular \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modularity modulated modulation module modules moduli modulo \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
modulus molecular molecule molecules moment moments momentum \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
monitor monitoring monoidal monolayer monotone monotonicity monte \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
montecarlo months moreover morphisms morphological morphology \
0 0.0 0.0 0.0 0.0 0.0 0.0
mortality mostly motifs motion motions motivate motivated motivates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
motivation motor mott move movement movements moves moving mpc \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
mr mri mrm ms mse mu much multiagent multiarmed multiclass \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
multidimensional multilabel multilayer multilevel multimodal \
0 0.0 0.0 0.0 0.0 0.0
multiobjective multiple multiplex multiplication multiplicative \
0 0.0 0.085866 0.0 0.0 0.0
multiplicity multiplier multipliers multiscale multitask multivariate \
0 0.0 0.0 0.0 0.0 0.0 0.0
multiview mum muon music musical must mutual mutually mw myr \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
naive name named namely names nanoparticles nanoscale narrow \
0 0.0 0.0 0.130678 0.0 0.0 0.0 0.0 0.0
nash national natural naturally nature navierstokes navigate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
navigation nbody ndimensional near nearby nearest nearinfrared \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nearly nearoptimal necessarily necessary necessity need needed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
needs negative negligible neighbor neighborhood neighboring \
0 0.0 0.0 0.0 0.0 0.0 0.0
neighbors neither nematic nested net nets network networkbased \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.140209 0.0
networking networks neumann neural neuroimaging neuron neuronal \
0 0.0 0.0 0.0 0.077823 0.0 0.0 0.0
neurons neuroscience neutral neutrino neutrinos neutron never \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nevertheless new newly news newton newtonian next ngc ngeq \
0 0.0 0.06027 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nh ni nilpotent nine nlp nls nm nmf nmr nmt nn nodal node \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
nodes noise noises noisy nominal non nonabelian nonasymptotic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
noncommutative nonconvex none nonequilibrium nongaussian nonlinear \
0 0.0 0.0 0.0 0.0 0.0 0.0
nonlinearities nonlinearity nonlocal nonnegative nonparametric \
0 0.0 0.0 0.0 0.0 0.0
nonsmooth nonstationary nontrivial nonuniform nonzero norm normal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
normality normalization normalized normally norms notable notably \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
note notes notion notions novel novelty nowadays npcomplete nphard \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ns nu nuclear nucleation nuclei nucleus null number numbers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
numerical numerically numerous object objective objectives objects \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
observable observables observation observational observations \
0 0.0 0.0 0.0 0.0 0.0
observatory observe observed observing obstacle obstacles obtain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
obtained obtaining obtains obvious occupation occur occurred \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
occurrence occurring occurs ocean odd offer offered offering \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
offers offline offset offtheshelf often oil old olog omega \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
onboard one onedimensional ones ongoing online onset onto ontology \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
open opening opens opensource operate operates operating operation \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
operational operations operator operators opinion opinions \
0 0.0 0.0 0.0 0.0 0.0 0.0
opportunities opportunity opposed opposite optical optically optics \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
optimal optimality optimally optimisation optimization optimizations \
0 0.0 0.0 0.0 0.0 0.0 0.0
optimize optimized optimizes optimizing optimum option options \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
oracle orbit orbital orbiting orbits order ordered ordering orders \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ordinal ordinary organic organisms organization organizations \
0 0.0 0.0 0.0 0.0 0.0 0.0
orientation orientations oriented origin original originally \
0 0.137779 0.0 0.0 0.0 0.0 0.0
originates originating orthogonal oscillating oscillation \
0 0.0 0.0 0.0 0.0 0.0
oscillations oscillator oscillators oscillatory others otherwise \
0 0.0 0.0 0.0 0.0 0.0 0.0
outcome outcomes outer outlier outliers outline outperform \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
outperformed outperforming outperforms output outputs outside \
0 0.0 0.0 0.0 0.0 0.0 0.0
outstanding overall overcome overcomes overfitting overhead overlap \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
overlapping overview owing oxide oxygen package packet packets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
packing padic pages pair pairing pairs pairwise paper papers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.048979 0.0
parabolic paradigm paradox parallel parallelism paramagnetic \
0 0.0 0.0 0.0 0.0 0.0 0.0
parameter parameterized parameters parametric parent pareto parity \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
parsing part partial partially participants participation particle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
particles particular particularly parties partition partitioned \
0 0.0 0.0 0.0 0.0 0.0 0.0
partitioning partitions parts party pass passing passive past \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
patch patches path paths pathway pathways patient patients pattern \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
patterns payoff pc pca pd pde pdes peak peaks peculiar \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pedestrian penalized penalty people per perceived percent \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
percentage perception perceptual percolation perfect perfectly \
0 0.0 0.0 0.0 0.0 0.0 0.0
perform performance performances performed performing performs \
0 0.0 0.0 0.0 0.0 0.0 0.0
perhaps period periodic periods permits permutation permutations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
perpendicular persistence persistent person personal personalized \
0 0.0 0.0 0.0 0.0 0.0 0.0
perspective perspectives perturbation perturbations perturbed petri \
0 0.0 0.0 0.0 0.0 0.0 0.0
ph phase phases phenomena phenomenological phenomenon phi phone \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
phonon phonons photoemission photometric photometry photon photonic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
photons phylogenetic phys physical physically physics physiological \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pi picture piecewise pilot pipeline pixel pixels place placed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
placement places plan planar planck plane planet planetary planets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
planning plans plant plasma plasmonic plate platform platforms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
plausible play played player players playing plays plus pm pn \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
point points pointwise poisson polar polarity polarization \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polarized pole poles policies policy political polyhedral polymer \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
polynomial polynomials polynomialtime polytope polytopes pool \
0 0.0 0.0 0.0 0.0 0.0 0.0
pooling poor poorly popular popularity population populations \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
porous portfolio portion pose posed poses position positioning \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.120618 0.0
positions positive possess possesses possibilities possibility \
0 0.0 0.0 0.0 0.0 0.0 0.0
possible possibly post posterior postprocessing posts potential \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
potentially potentials power powerful powerlaw powers pp practical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
practically practice practices practitioners precise precisely \
0 0.0 0.0 0.0 0.0 0.0 0.0
precision predefined predict predicted predicting prediction \
0 0.0 0.0 0.0 0.0 0.0 0.0
predictions predictive predictor predictors predicts preference \
0 0.0 0.0 0.0 0.0 0.0 0.0
preferences preferential preferred preliminary prepared preprocessing \
0 0.0 0.0 0.0 0.0 0.0 0.0
prescribed presence present presentation presented presenting \
0 0.0 0.0 0.0 0.0 0.0 0.0
presents preserve preserved preserves preserving pressure pressures \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pretrained prevalent prevent previous previously price prices \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pricing primaldual primarily primary prime primes primitive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
primitives primordial principal principle principled principles \
0 0.0 0.0 0.0 0.0 0.0 0.0
prior priori priority priors privacy private probabilistic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
probabilities probability probable probably probe probes problem \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
problems procedure procedures process processed processes processing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
processor processors produce produced produces producing product \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
production products profile profiles profit program programming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
programs progress progression progressively project projected \
0 0.0 0.0 0.0 0.0 0.0 0.0
projection projections projective projects prominent promise \
0 0.0 0.0 0.0 0.0 0.0 0.0
promising promote prone pronounced proof proofs propagate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
propagating propagation proper properly properties property \
0 0.0 0.0 0.0 0.0 0.0 0.0
proportion proportional proposal proposals propose proposed proposes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
proposing propto protected protection protein proteins protocol \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
protocols proton protoplanetary prototype prototypical provable \
0 0.0 0.0 0.0 0.0 0.0 0.0
provably prove proved proven proves provide provided providers \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
provides providing proving proximal proximity proxy pruning ps \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pseudo pt public publication publications publicly published pulse \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
pulses pump pure purely purpose purposes pursuit put python qa \
0 0.0 0.0 0.0 0.0 0.113908 0.0 0.0 0.0 0.0 0.0
qlearning quadratic qualitative qualitatively quality quantification \
0 0.0 0.0 0.0 0.0 0.0 0.0
quantified quantify quantifying quantile quantitative quantitatively \
0 0.0 0.0 0.0 0.0 0.0 0.0
quantities quantity quantization quantized quantum quasars \
0 0.0 0.0 0.0 0.0 0.0 0.0
quasiparticle quasiparticles qubit qubits quenched queries query \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
question questions quick quickly quite quotient quotients ra race \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
radar radial radiation radiative radii radio radius raised raises \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
raman random randomization randomized randomly randomness range \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ranges ranging rank ranked ranking rankings rapid rapidly rare \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rarely rate rates rather rating ratings ratio rational ratios raw \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ray rays rb rd reach reachability reached reaches reaching \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reaction reactions reactive read readily reading readout real \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
realistic reality realization realizations realize realized \
0 0.0 0.0 0.0 0.0 0.0 0.0
realizing reallife realtime realvalued realworld reason reasonable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reasonably reasoning reasons recall receive received receiver \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
recent recently recognition recognize recognized recognizing \
0 0.0 0.0 0.221816 0.0 0.0 0.0
recombination recommendation recommendations recommender reconstruct \
0 0.0 0.0 0.0 0.0 0.0
reconstructed reconstructing reconstruction record recorded recording \
0 0.0 0.0 0.0 0.0 0.0 0.0
recordings records recover recovered recovering recovers recovery \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
recurrence recurrent recursion recursive red redshift redshifts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reduce reduced reduces reducing reduction reductions reductive \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
redundancy redundant refer reference referred refers refine refined \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
refinement reflect reflected reflection reflects reformulation \
0 0.0 0.0 0.0 0.0 0.0 0.0
regard regarded regarding regardless regime regimes region regional \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
regions registration regression regret regular regularity \
0 0.0 0.0 0.0 0.0 0.0 0.0
regularization regularized regularizer regulation regulatory \
0 0.0 0.0 0.0 0.0 0.0
reinforcement reionization rejection relate related relates relating \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
relation relational relations relationship relationships relative \
0 0.0 0.0 0.0 0.0 0.0 0.0
relatively relativistic relativity relaxation relaxations relaxed \
0 0.0 0.0 0.0 0.0 0.0 0.0
relay release released relevance relevant reliability reliable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reliably relies relu rely relying remain remained remaining \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
remains remarkable remarkably remote removal remove removed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
removing rendering renewable renormalization repair repeated replace \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
replaced replacement replacing replication report reported reports \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
represent representation representations representative represented \
0 0.0 0.0 0.0 0.0 0.0
representing represents reproduce reproduces reproducing repulsive \
0 0.0 0.0 0.0 0.0 0.0 0.0
request requests require required requirement requirements requires \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
requiring resampling research researchers reservoir residual \
0 0.0 0.0 0.0 0.0 0.0 0.0
resilience resilient resistance resistivity resnet resolution \
0 0.0 0.0 0.0 0.0 0.0 0.0
resolutions resolve resolved resonance resonances resonant resource \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
resources resp respect respective respectively response responses \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
responsible rest restoration restrict restricted restriction \
0 0.0 0.0 0.0 0.0 0.0 0.0
restrictions restrictive result resulted resulting results retrieval \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
return returns reuse rev reveal revealed revealing reveals revenue \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
reversal reverse reversible review reviewed reviews revisit reward \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rewards reynolds rf rho ricci rich riemann riemannian right \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rightarrow rigid rigidity rigorous rigorously ring rings rise \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rising risk risks rl rm rn rnn rnns road robot robotic \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
robotics robots robust robustly robustness role roles room root \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
roots rotating rotation rotational rough roughly round rounds \
0 0.0 0.0 0.253432 0.0 0.0 0.0 0.0 0.0
route routing rows rule rules run running runs runtime rv \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
rydberg saddle safe safety said saliency salient sample sampled \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sampler samples sampling satellite satellites satisfactory \
0 0.0 0.0 0.0 0.0 0.0 0.0
satisfiability satisfied satisfies satisfy satisfying saturation \
0 0.0 0.0 0.0 0.0 0.0 0.0
savings say sc scalability scalable scalar scale scaled scales \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
scaling scan scanning scans scatter scattered scattering scenario \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
scenarios scene scenes scheduling scheme schemes schrdinger science \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sciences scientific scientists scope score scores scoring scratch \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
screening se sea search searches searching second secondary \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
secondly secondorder seconds section sections sector secure \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
security see seed seek seeks seem seemingly seems seen segment \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
segmentation segments seismic select selected selecting selection \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
selective selects selfconsistent selfsimilar semantic semantically \
0 0.0 0.0 0.0 0.0 0.0 0.0
semantics semiclassical semiconductor semiconductors semidefinite \
0 0.0 0.0 0.0 0.0 0.0
semigroup semigroups semimetal semimetals semiparametric semisimple \
0 0.0 0.0 0.0 0.0 0.0 0.0
semisupervised sense sensing sensitive sensitivity sensor sensors \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sensory sentence sentences sentiment separable separate separated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
separately separating separation sequence sequences sequential \
0 0.0 0.0 0.0 0.0 0.0 0.0
sequentially series serious serve server servers serves service \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
services session set sets setting settings setup setups seven \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
several severe severely sgd shall shallow shape shaped shapes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shaping share shared shares sharing sharp shear shed sheet shell \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shift shifted shifts shock shocks short shortcomings shorter \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shortest shortrange shortterm show showed showing shown shows \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
shrinkage si side sides sigma sign signal signaling signals \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
signaltonoise signature signatures signed significance significant \
0 0.0 0.0 0.0 0.0 0.0 0.0
significantly signs silicon sim simeq similar similarities \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
similarity similarly simple simpler simplest simplex simplicial \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simplicity simplified simplifies simplify simply simulate simulated \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
simulating simulation simulations simulator simultaneous \
0 0.0 0.0 0.0 0.0 0.0
simultaneously since single singular singularities singularity site \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sites situ situation situations six size sizes sketch skill \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
skills skin sky skyrmions slam sleep slightly slope slow slower \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
slowly small smaller smallest smallscale smart smooth smoothing \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
smoothly smoothness sn snr sobolev soc socalled social society \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
soft softmax software solar solely solid solids soliton solitons \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
solution solutions solvable solve solved solver solvers solves \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
solving sometimes somewhat sophisticated sound source sources sp \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
space spacecraft spaces spacetime spacing span spanning sparse \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sparsity spatial spatially spatiotemporal speaker speakers special \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
specialized species specific specifically specification \
0 0.0 0.0 0.0 0.0 0.0
specifications specified specify specifying spectra spectral \
0 0.0 0.0 0.0 0.0 0.0 0.0
spectrometer spectroscopic spectroscopy spectrum speech speed speeds \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
speedup sphere spheres spherical spike spiking spin spinorbit \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
spins spiral split splitting spontaneous spot spread spreading \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
square squared squares sr st stability stabilization stabilize \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stabilized stable stack stacked stacking stage stages standard \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
standards star starforming stars start started starting starts \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
state stated statement statements stateoftheart states static \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
station stationary stations statistic statistical statistically \
0 0.0 0.0 0.0 0.0 0.0 0.0
statistics status steady steadystate stellar step steps stepsize \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stiffness still stimulation stimuli stimulus stochastic stock \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
stocks stokes stopping storage store stored straightforward strain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
strategic strategies strategy stratified stream streaming streams \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
strength strengths stress stresses strict strictly striking string \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
strings strong stronger strongly structural structure structured \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
structures student students studied studies study studying style \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
su subgraph subgraphs subgroup subgroups subject subjective \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
subjects sublinear submanifolds submodular suboptimal subsampling \
0 0.0 0.0 0.0 0.0 0.0 0.0
subsequent subsequently subset subsets subspace subspaces \
0 0.0 0.0 0.0 0.0 0.0 0.0
substantial substantially substitution substrate substrates subtle \
0 0.0 0.0 0.0 0.0 0.0 0.0
success successful successfully successive suffer suffers sufficient \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
sufficiently suggest suggested suggesting suggests suitable suitably \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
suite suited sum summarize summary sums sun super superconducting \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
superconductivity superconductor superconductors superfluid superior \
0 0.0 0.0 0.0 0.0 0.0
superiority supernova supernovae superposition supervised supervision \
0 0.0 0.0 0.0 0.0 0.0 0.0
supply support supported supporting supports suppose suppressed \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
suppression sure surface surfaces surgery surprising surprisingly \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
surrogate surrounding surveillance survey surveys survival \
0 0.0 0.0 0.0 0.0 0.0 0.0
susceptibility susceptible svd svm switch switches switching \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
symbol symbolic symbols symmetric symmetries symmetry symplectic \
0 0.311039 0.0 0.0 0.0 0.0 0.0 0.0
synaptic synchronization synchronous syntactic syntax synthesis \
0 0.0 0.0 0.0 0.0 0.0 0.0
synthesize synthesized synthetic system systematic systematically \
0 0.0 0.0 0.0 0.0 0.0 0.0
systems table tables tackle tail tailored tails take taken takes \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
taking tangent target targeted targeting targets task tasks \
0 0.0 0.0 0.103214 0.0 0.0 0.0 0.0 0.090296
tau taxonomy tc te teacher teaching team teams technical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
technique techniques technological technologies technology telescope \
0 0.0 0.0 0.0 0.0 0.0 0.0
telescopes temperature temperatures template temporal temporally ten \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tend tendency tends tens tension tensor tensors term termed terms \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
terrestrial test testbed tested testing tests text texts textual \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
texture textures th thanks theorem theorems theoretic theoretical \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
theoretically theories theory thereby therefore thereof thermal \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
thermodynamic thermodynamics thesis theta thick thickness thin \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
things third thorough thoroughly though thought thousands threats \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
three threedimensional threshold thresholding thresholds throughout \
0 0.0 0.0 0.0 0.0 0.0 0.0
throughput thus thz tidal ties tight time timeconsuming \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
timedependent times timescale timescales timeseries timevarying \
0 0.0 0.0 0.0 0.0 0.0 0.0
timing tissue today together tolerance tomography tool tools top \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
topic topics topological topologically topologies topology tori \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
toric torque torsion torus total totally toward towards toy trace \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
traces track tracking tracks tractable trade tradeoff tradeoffs \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trading traditional traditionally traffic train trained training \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trains traits trajectories trajectory transactions transcription \
0 0.0 0.0 0.0 0.0 0.0 0.0
transfer transferred transform transformation transformations \
0 0.0 0.0 0.0 0.0 0.0
transformed transforming transforms transient transit transiting \
0 0.0 0.0 0.0 0.0 0.0 0.0
transition transitions transits translates translation translational \
0 0.0 0.0 0.0 0.0 0.128392 0.0
transmission transmit transmitted transmitter transparency \
0 0.0 0.0 0.0 0.0 0.0
transparent transport transportation transverse trap trapped \
0 0.0 0.0 0.0 0.0 0.0 0.0
trapping travel traveling treat treated treatment treatments tree \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
trees treewidth tremendous trend trends trial trials triangle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
triangular trigger triggered triple triplet trivial tropical true \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
truncated truncation trust trusted truth try tube tumor tunable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
tune tuned tuning tunneling turbulence turbulent turn turns tweets \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
twice twisted twitter two twocomponent twodimensional twofold \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
twostage type types typical typically uav ubiquitous ultimately \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
ultracold ultrafast ultraviolet unable unbiased unbounded uncertain \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
uncertainties uncertainty unclear unconstrained unconventional \
0 0.0 0.0 0.0 0.0 0.0
uncover underlying understand understanding understood underwater \
0 0.0 0.0 0.0 0.0 0.0 0.0
undirected unexpected unfortunately unified uniform uniformly union \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
unique uniquely uniqueness unit unitary united units univariate \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
universal universality universe university unknown unlabeled unless \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
unlike unlikely unobserved unprecedented unseen unstable \
0 0.0 0.0 0.0 0.0 0.0 0.0
unstructured unsupervised unusual upcoming update updated updates \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
updating upon upper urban url us usage use used useful \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
usefulness user users uses using usual usually utility \
0 0.0 0.0 0.0 0.0 0.05176 0.0 0.0 0.0
utilization utilize utilized utilizes utilizing uv vacuum vae \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vaes valence valid validate validated validation validity valuable \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
valuation value valued values van vanishes vanishing vapor \
0 0.0 0.0 0.0 0.092765 0.0 0.0 0.0 0.0
varepsilon variability variable variables variance variances variant \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
variants variation variational variations varied varies varieties \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
variety various varphi vary varying vast vector vectors vehicle \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vehicles velocities velocity verification verified verify versatile \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
version versions versus vertex vertical vertices vi via viability \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
viable vibrational vicinity video videos view viewed viewpoint \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
views violation virtual virtually viscosity viscous visibility \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
visible vision visual visualization visualize visually vital \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vocabulary voice volatility voltage volume volumes von vortex \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
vortices voting vs vulnerabilities vulnerability vulnerable walk \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
walking walks wall walls want waspb wasserstein water wave \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
waveform waveforms waveguide wavelength wavelengths wavelet waves \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
way ways weak weaker weakly weather web website weight weighted \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
weighting weights well welldefined wellestablished wellknown \
0 0.0 0.0 0.0 0.0 0.0 0.0
wellposedness wellstudied weyl whenever whereas whereby wherein \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
whether whilst white whole whose wide widely wider widespread \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
width wikipedia wild wind window winds wireless within without \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
word words work workers working workload works world worse worst \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
worstcase would write writing written wrt xi xn xray year \
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
years yet yield yielding yields young zero zeros zeta zn zone
0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0 0.0
Step 8.4: Predict the sentiment of the user input¶
# Predict the sentiment of the user input
user_prediction = model.predict(X_test_tfidf_df)
# Define a function to get sentiment labels
def get_sentiments(predictions, labels):
sentiments = []
for pred, label in zip(predictions, labels):
if pred == 1:
sentiments.append(label)
return sentiments
# Output the predictions
labels = y.columns # Assuming y.columns contains the labels
predicted_sentiments = get_sentiments(user_prediction[0], labels)
print(f"The predicted sentiments for the input '{cleaned_input}' are: {', '.join(predicted_sentiments) if predicted_sentiments else 'None'}")
C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn( C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn( C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn( C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn( C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn( C:\Users\Dell\anaconda3\Lib\site-packages\sklearn\base.py:486: UserWarning: X has feature names, but LogisticRegression was fitted without feature names warnings.warn(
The predicted sentiments for the input 'rotation invariance translation invariance great values image recognition tasks paper bring new architecture convolutional neural network cnn named cyclic convolutional layer achieve rotation invariance symbol recognition also get position orientation symbol network achieve detection purpose multiple nonoverlap target last least architecture achieve oneshot learning cases using invariance' are: Computer Science
todo gender identificaton form text
muti clas age group identification from text, emotion redectipn fronm text. mahy by personalityh type
Todo Task¶
Choose a dataset from the following links and repeat the processes mentioned in this notebook:¶
The first dataset is compulsory, while the others are provided for additional practice.
- Spam Email Dataset (Compulsory)
- COVID-19 NLP Text Classification (For practice)
- Fake News Detection (For practice)
==========================================================
JAZAK ALLAH KHAIR
==========================================================
Multi-Label Classification with Sampled Emotion Data¶
import pandas as pd
from sklearn.model_selection import train_test_split
from sklearn.feature_extraction.text import TfidfVectorizer
from sklearn.multioutput import MultiOutputClassifier
from sklearn.linear_model import LogisticRegression
from sklearn.metrics import classification_report
import joblib
# Load the sampled CSV file
sampled_file_path = 'sampled_emotion_data.csv'
df = pd.read_csv(sampled_file_path)
# Separate features and labels
X = df['Tweet']
y = df.drop(columns=['ID', 'Tweet'])
# Feature extraction using TF-IDF vectorization
vectorizer = TfidfVectorizer(max_features=5000)
X_tfidf = vectorizer.fit_transform(X)
# Split the data into training and testing sets
X_train, X_test, y_train, y_test = train_test_split(X_tfidf, y, test_size=0.2, random_state=42)
# Initialize and train the multi-label classification model
model = MultiOutputClassifier(LogisticRegression())
model.fit(X_train, y_train)
# Predict on the test set
y_pred = model.predict(X_test)
# Evaluate the model
report = classification_report(y_test, y_pred, target_names=y.columns)
print(report)
# Save the vectorizer and model
vectorizer_path = 'tfidf_vectorizer.pkl'
model_path = 'multi_label_model.pkl'
joblib.dump(vectorizer, vectorizer_path)
joblib.dump(model, model_path)
print("Vectorizer and model saved to disk.")